From 3b304fc0efd0bb4d75b964fe5585703d113d9c99 Mon Sep 17 00:00:00 2001 From: Brion Vibber Date: Mon, 4 Oct 2010 18:28:54 -0700 Subject: [PATCH 001/628] Initial stub code for pulling data from Twitter's User Streams and Site Streams interfaces. This should allow us to make a much more efficient background importer which can use a relatively small number of connections getting push data for either a single user or for many users with credentials on the site. --- plugins/TwitterBridge/jsonstreamreader.php | 224 ++++++++++++++++++ plugins/TwitterBridge/scripts/streamtest.php | 142 +++++++++++ plugins/TwitterBridge/twitterstreamreader.php | 161 +++++++++++++ 3 files changed, 527 insertions(+) create mode 100644 plugins/TwitterBridge/jsonstreamreader.php create mode 100644 plugins/TwitterBridge/scripts/streamtest.php create mode 100644 plugins/TwitterBridge/twitterstreamreader.php diff --git a/plugins/TwitterBridge/jsonstreamreader.php b/plugins/TwitterBridge/jsonstreamreader.php new file mode 100644 index 0000000000..ad8e2626ad --- /dev/null +++ b/plugins/TwitterBridge/jsonstreamreader.php @@ -0,0 +1,224 @@ +. + * + * @category Plugin + * @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 OAuthData +{ + public $consumer_key, $consumer_secret, $token, $token_secret; +} + +/** + * + */ +abstract class JsonStreamReader +{ + const CRLF = "\r\n"; + + public $id; + protected $socket = null; + protected $state = 'init'; // 'init', 'connecting', 'waiting', 'headers', 'active' + + public function __construct() + { + $this->id = get_class($this) . '.' . substr(md5(mt_rand()), 0, 8); + } + + /** + * Starts asynchronous connect operation... + * + * @param $url + */ + public function connect($url) + { + common_log(LOG_DEBUG, "$this->id opening connection to $url"); + + $scheme = parse_url($url, PHP_URL_SCHEME); + if ($scheme == 'http') { + $rawScheme = 'tcp'; + } else if ($scheme == 'https') { + $rawScheme = 'ssl'; + } else { + throw new ServerException('Invalid URL scheme for HTTP stream reader'); + } + + $host = parse_url($url, PHP_URL_HOST); + $port = parse_url($url, PHP_URL_PORT); + if (!$port) { + if ($scheme == 'https') { + $port = 443; + } else { + $port = 80; + } + } + + $path = parse_url($url, PHP_URL_PATH); + $query = parse_url($url, PHP_URL_QUERY); + if ($query) { + $path .= '?' . $query; + } + + $errno = $errstr = null; + $timeout = 5; + //$flags = STREAM_CLIENT_CONNECT | STREAM_CLIENT_ASYNC_CONNECT; + $flags = STREAM_CLIENT_CONNECT; + // @fixme add SSL params + $this->socket = stream_socket_client("$rawScheme://$host:$port", $errno, $errstr, $timeout, $flags); + + $this->send($this->httpOpen($host, $path)); + + stream_set_blocking($this->socket, false); + $this->state = 'waiting'; + } + + function send($buffer) + { + echo "Writing...\n"; + var_dump($buffer); + fwrite($this->socket, $buffer); + } + + function read() + { + echo "Reading...\n"; + $buffer = fread($this->socket, 65536); + var_dump($buffer); + return $buffer; + } + + protected function httpOpen($host, $path) + { + $lines = array( + "GET $path HTTP/1.1", + "Host: $host", + "User-Agent: StatusNet/" . STATUSNET_VERSION . " (TwitterBridgePlugin)", + "Connection: close", + "", + "" + ); + return implode(self::CRLF, $lines); + } + + /** + * Close the current connection, if open. + */ + public function close() + { + if ($this->isConnected()) { + common_log(LOG_DEBUG, "$this->id closing connection."); + fclose($this->socket); + $this->socket = null; + } + } + + /** + * Are we currently connected? + * + * @return boolean + */ + public function isConnected() + { + return $this->socket !== null; + } + + /** + * Send any sockets we're listening on to the IO manager + * to wait for input. + * + * @return array of resources + */ + public function getSockets() + { + if ($this->isConnected()) { + return array($this->socket); + } + return array(); + } + + /** + * Take a chunk of input over the horn and go go go! :D + * @param string $buffer + */ + function handleInput($socket) + { + if ($this->socket !== $socket) { + throw new Exception('Got input from unexpected socket!'); + } + + $buffer = $this->read(); + switch ($this->state) + { + case 'waiting': + $this->handleInputWaiting($buffer); + break; + case 'headers': + $this->handleInputHeaders($buffer); + break; + case 'active': + $this->handleInputActive($buffer); + break; + default: + throw new Exception('Invalid state in handleInput: ' . $this->state); + } + } + + function handleInputWaiting($buffer) + { + common_log(LOG_DEBUG, "$this->id Does this happen? " . $buffer); + $this->state = 'headers'; + $this->handleInputHeaders($buffer); + } + + function handleInputHeaders($buffer) + { + $lines = explode(self::CRLF, $buffer); + foreach ($lines as $line) { + if ($line == '') { + $this->state = 'active'; + common_log(LOG_DEBUG, "$this->id connection is active!"); + } else { + common_log(LOG_DEBUG, "$this->id read HTTP header: $line"); + $this->responseHeaders[] = $line; + } + } + } + + function handleInputActive($buffer) + { + // One JSON object on each line... + // Will we always deliver on packet boundaries? + $lines = explode("\n", $buffer); + foreach ($lines as $line) { + $data = json_decode($line, true); + if ($data) { + $this->handleJson($data); + } else { + common_log(LOG_ERR, "$this->id received bogus JSON data: " . $line); + } + } + } + + abstract function handleJson(array $data); +} diff --git a/plugins/TwitterBridge/scripts/streamtest.php b/plugins/TwitterBridge/scripts/streamtest.php new file mode 100644 index 0000000000..04d91ef439 --- /dev/null +++ b/plugins/TwitterBridge/scripts/streamtest.php @@ -0,0 +1,142 @@ +. + * + * @category Plugin + * @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/ + */ + +define('INSTALLDIR', realpath(dirname(__FILE__) . '/../../..')); + +$shortoptions = 'n:'; +$longoptions = array('nick='); + +$helptext = << + +Attempts a User Stream connection to Twitter as the given user, dumping +data as it comes. + +ENDOFHELP; + +require_once INSTALLDIR.'/scripts/commandline.inc'; +require_once dirname(dirname(__FILE__)) . '/jsonstreamreader.php'; +require_once dirname(dirname(__FILE__)) . '/twitterstreamreader.php'; + +if (have_option('n')) { + $nickname = get_option_value('n'); +} else if (have_option('nick')) { + $nickname = get_option_value('nickname'); +} else { + show_help($helptext); + exit(0); +} + +/** + * + * @param User $user + * @return TwitterOAuthClient + */ +function twitterAuthForUser(User $user) +{ + $flink = Foreign_link::getByUserID($user->id, + TWITTER_SERVICE); + if (!$flink) { + throw new ServerException("No Twitter config for this user."); + } + + $token = TwitterOAuthClient::unpackToken($flink->credentials); + if (!$token) { + throw new ServerException("No Twitter OAuth credentials for this user."); + } + + return new TwitterOAuthClient($token->key, $token->secret); +} + +function homeStreamForUser(User $user) +{ + $auth = twitterAuthForUser($user); + return new TwitterUserStream($auth); +} + +$user = User::staticGet('nickname', $nickname); +$stream = homeStreamForUser($user); +$stream->hookEvent('raw', function($data) { + var_dump($data); +}); + +class TwitterManager extends IoManager +{ + function __construct(TwitterStreamReader $stream) + { + $this->stream = $stream; + } + + function getSockets() + { + return $this->stream->getSockets(); + } + + function handleInput($data) + { + $this->stream->handleInput($data); + return true; + } + + function start() + { + $this->stream->connect(); + return true; + } + + function finish() + { + $this->stream->close(); + return true; + } + + public static function get() + { + throw new Exception('not a singleton'); + } +} + +class TwitterStreamMaster extends IoMaster +{ + function __construct($id, $ioManager) + { + parent::__construct($id); + $this->ioManager = $ioManager; + } + + /** + * Initialize IoManagers which are appropriate to this instance. + */ + function initManagers() + { + $this->instantiate($this->ioManager); + } +} + +$master = new TwitterStreamMaster('TwitterStream', new TwitterManager($stream)); +$master->init(); +$master->service(); diff --git a/plugins/TwitterBridge/twitterstreamreader.php b/plugins/TwitterBridge/twitterstreamreader.php new file mode 100644 index 0000000000..e746228a38 --- /dev/null +++ b/plugins/TwitterBridge/twitterstreamreader.php @@ -0,0 +1,161 @@ +. + * + * @category Plugin + * @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/ + */ + +// A single stream connection +abstract class TwitterStreamReader extends JsonStreamReader +{ + protected $callbacks = array(); + + function __construct(TwitterOAuthClient $auth, $baseUrl) + { + $this->baseUrl = $baseUrl; + $this->oauth = $auth; + } + + public function connect($method) + { + $url = $this->oAuthUrl($this->baseUrl . '/' . $method); + return parent::connect($url); + } + + /** + * Sign our target URL with OAuth auth stuff. + * + * @param string $url + * @param array $params + * @return string + */ + function oAuthUrl($url, $params=array()) + { + // In an ideal world this would be better encapsulated. :) + $request = OAuthRequest::from_consumer_and_token($this->oauth->consumer, + $this->oauth->token, 'GET', $url, $params); + $request->sign_request($this->oauth->sha1_method, + $this->oauth->consumer, $this->oauth->token); + + return $request->to_url(); + } + /** + * Add an event callback. Available event names include + * 'raw' (all data), 'friends', 'delete', 'scrubgeo', etc + * + * @param string $event + * @param callable $callback + */ + public function hookEvent($event, $callback) + { + $this->callbacks[$event][] = $callback; + } + + /** + * Call event handler callbacks for the given event. + * + * @param string $event + * @param mixed $arg1 ... one or more params to pass on + */ + public function fireEvent($event, $arg1) + { + if (array_key_exists($event, $this->callbacks)) { + $args = array_slice(func_get_args(), 1); + foreach ($this->callbacks[$event] as $callback) { + call_user_func_array($callback, $args); + } + } + } + + function handleJson(array $data) + { + $this->routeMessage($data); + } + + abstract function routeMessage($data); + + function handleMessage($data, $forUserId=null) + { + $this->fireEvent('raw', $data, $forUserId); + $known = array('friends'); + foreach ($known as $key) { + if (isset($data[$key])) { + $this->fireEvent($key, $data[$key], $forUserId); + } + } + } +} + +class TwitterSiteStream extends TwitterStreamReader +{ + protected $userIds; + + public function __construct(TwitterOAuthClient $auth, $baseUrl='https://stream.twitter.com') + { + parent::__construct($auth, $baseUrl); + } + + public function connect($method='2b/site.json') + { + return parent::connect($method); + } + + function followUsers($userIds) + { + $this->userIds = $userIds; + } + + /** + * Each message in the site stream tells us which user ID it should be + * routed to; we'll need that to let the caller know what to do. + * + * @param array $data + */ + function routeMessage($data) + { + parent::handleMessage($data['message'], $data['for_user']); + } +} + +class TwitterUserStream extends TwitterStreamReader +{ + public function __construct(TwitterOAuthClient $auth, $baseUrl='https://userstream.twitter.com') + { + parent::__construct($auth, $baseUrl); + } + + public function connect($method='2/user.json') + { + return parent::connect($method); + } + + /** + * Each message in the user stream is just ready to go. + * + * @param array $data + */ + function routeMessage($data) + { + parent::handleMessage($data, $this->userId); + } +} From 5058e8fd14340fc846b224ccff4e3a27dafc3134 Mon Sep 17 00:00:00 2001 From: Brion Vibber Date: Tue, 5 Oct 2010 12:17:16 -0700 Subject: [PATCH 002/628] Twitter streaming API reader: Cleanup input handling & split from HTTP headers to body --- plugins/TwitterBridge/jsonstreamreader.php | 51 +++++++++++++------ plugins/TwitterBridge/twitterstreamreader.php | 17 +++++-- 2 files changed, 49 insertions(+), 19 deletions(-) diff --git a/plugins/TwitterBridge/jsonstreamreader.php b/plugins/TwitterBridge/jsonstreamreader.php index ad8e2626ad..898766357f 100644 --- a/plugins/TwitterBridge/jsonstreamreader.php +++ b/plugins/TwitterBridge/jsonstreamreader.php @@ -93,18 +93,24 @@ abstract class JsonStreamReader $this->state = 'waiting'; } + /** + * Send some fun data off to the server. + * + * @param string $buffer + */ function send($buffer) { - echo "Writing...\n"; - var_dump($buffer); fwrite($this->socket, $buffer); } + /** + * Read next packet of data from the socket. + * + * @return string + */ function read() { - echo "Reading...\n"; $buffer = fread($this->socket, 65536); - var_dump($buffer); return $buffer; } @@ -195,12 +201,16 @@ abstract class JsonStreamReader { $lines = explode(self::CRLF, $buffer); foreach ($lines as $line) { - if ($line == '') { - $this->state = 'active'; - common_log(LOG_DEBUG, "$this->id connection is active!"); - } else { - common_log(LOG_DEBUG, "$this->id read HTTP header: $line"); - $this->responseHeaders[] = $line; + if ($this->state == 'headers') { + if ($line == '') { + $this->state = 'active'; + common_log(LOG_DEBUG, "$this->id connection is active!"); + } else { + common_log(LOG_DEBUG, "$this->id read HTTP header: $line"); + $this->responseHeaders[] = $line; + } + } else if ($this->state == 'active') { + $this->handleLineActive($line); } } } @@ -211,12 +221,21 @@ abstract class JsonStreamReader // Will we always deliver on packet boundaries? $lines = explode("\n", $buffer); foreach ($lines as $line) { - $data = json_decode($line, true); - if ($data) { - $this->handleJson($data); - } else { - common_log(LOG_ERR, "$this->id received bogus JSON data: " . $line); - } + $this->handleLineActive($line); + } + } + + function handleLineActive($line) + { + if ($line == '') { + // Server sends empty lines as keepalive. + return; + } + $data = json_decode($line, true); + if ($data) { + $this->handleJson($data); + } else { + common_log(LOG_ERR, "$this->id received bogus JSON data: " . $line); } } diff --git a/plugins/TwitterBridge/twitterstreamreader.php b/plugins/TwitterBridge/twitterstreamreader.php index e746228a38..d440bdd4ef 100644 --- a/plugins/TwitterBridge/twitterstreamreader.php +++ b/plugins/TwitterBridge/twitterstreamreader.php @@ -94,11 +94,22 @@ abstract class TwitterStreamReader extends JsonStreamReader abstract function routeMessage($data); - function handleMessage($data, $forUserId=null) + /** + * Send the decoded JSON object out to any event listeners. + * + * @param array $data + * @param int $forUserId + */ + function handleMessage(array $data, $forUserId=null) { $this->fireEvent('raw', $data, $forUserId); - $known = array('friends'); - foreach ($known as $key) { + + if (isset($data['id']) && isset($data['text']) && isset($data['user'])) { + $this->fireEvent('status', $data); + } + + $knownMeta = array('friends', 'delete', 'scrubgeo', 'limit', 'event', 'direct_message'); + foreach ($knownMeta as $key) { if (isset($data[$key])) { $this->fireEvent($key, $data[$key], $forUserId); } From 76353ede54edd8e99ddb9c209ff408486282c0c5 Mon Sep 17 00:00:00 2001 From: Brion Vibber Date: Tue, 5 Oct 2010 12:42:55 -0700 Subject: [PATCH 003/628] Clean up event handling a bit --- plugins/TwitterBridge/scripts/streamtest.php | 36 ++++++++++++++++++- plugins/TwitterBridge/twitterstreamreader.php | 10 ++++-- 2 files changed, 43 insertions(+), 3 deletions(-) diff --git a/plugins/TwitterBridge/scripts/streamtest.php b/plugins/TwitterBridge/scripts/streamtest.php index 04d91ef439..96ff33fa52 100644 --- a/plugins/TwitterBridge/scripts/streamtest.php +++ b/plugins/TwitterBridge/scripts/streamtest.php @@ -81,7 +81,41 @@ function homeStreamForUser(User $user) $user = User::staticGet('nickname', $nickname); $stream = homeStreamForUser($user); $stream->hookEvent('raw', function($data) { - var_dump($data); + common_log(LOG_INFO, json_encode($data)); +}); +$stream->hookEvent('friends', function($data) { + printf("Friend list: %s\n", implode(', ', $data)); +}); +$stream->hookEvent('favorite', function($data) { + printf("%s favorited %s's notice: %s\n", + $data['source']['screen_name'], + $data['target']['screen_name'], + $data['target_object']['text']); +}); +$stream->hookEvent('follow', function($data) { + printf("%s friended %s\n", + $data['source']['screen_name'], + $data['target']['screen_name']); +}); +$stream->hookEvent('delete', function($data) { + printf("Deleted status notification: %s\n", + $data['status']['id']); +}); +$stream->hookEvent('scrub_geo', function($data) { + printf("Req to scrub geo data for user id %s up to status ID %s\n", + $data['user_id'], + $data['up_to_status_id']); +}); +$stream->hookEvent('status', function($data) { + printf("Received status update from %s: %s\n", + $data['user']['screen_name'], + $data['text']); +}); +$stream->hookEvent('direct_message', function($data) { + printf("Direct message from %s to %s: %s\n", + $data['sender']['screen_name'], + $data['recipient']['screen_name'], + $data['text']); }); class TwitterManager extends IoManager diff --git a/plugins/TwitterBridge/twitterstreamreader.php b/plugins/TwitterBridge/twitterstreamreader.php index d440bdd4ef..3d6700d70e 100644 --- a/plugins/TwitterBridge/twitterstreamreader.php +++ b/plugins/TwitterBridge/twitterstreamreader.php @@ -104,14 +104,20 @@ abstract class TwitterStreamReader extends JsonStreamReader { $this->fireEvent('raw', $data, $forUserId); - if (isset($data['id']) && isset($data['text']) && isset($data['user'])) { + if (isset($data['text'])) { $this->fireEvent('status', $data); + return; + } + if (isset($data['event'])) { + $this->fireEvent($data['event'], $data); + return; } - $knownMeta = array('friends', 'delete', 'scrubgeo', 'limit', 'event', 'direct_message'); + $knownMeta = array('friends', 'delete', 'scrubgeo', 'limit', 'direct_message'); foreach ($knownMeta as $key) { if (isset($data[$key])) { $this->fireEvent($key, $data[$key], $forUserId); + return; } } } From eb04df583a1a3afb4ca7de5ffd59fee4a6903210 Mon Sep 17 00:00:00 2001 From: Brion Vibber Date: Tue, 5 Oct 2010 13:25:28 -0700 Subject: [PATCH 004/628] Buncha cleanup --- plugins/TwitterBridge/jsonstreamreader.php | 27 ++-- plugins/TwitterBridge/scripts/streamtest.php | 11 ++ plugins/TwitterBridge/twitterstreamreader.php | 139 +++++++++++++++--- 3 files changed, 148 insertions(+), 29 deletions(-) diff --git a/plugins/TwitterBridge/jsonstreamreader.php b/plugins/TwitterBridge/jsonstreamreader.php index 898766357f..0d16b68bd4 100644 --- a/plugins/TwitterBridge/jsonstreamreader.php +++ b/plugins/TwitterBridge/jsonstreamreader.php @@ -202,13 +202,7 @@ abstract class JsonStreamReader $lines = explode(self::CRLF, $buffer); foreach ($lines as $line) { if ($this->state == 'headers') { - if ($line == '') { - $this->state = 'active'; - common_log(LOG_DEBUG, "$this->id connection is active!"); - } else { - common_log(LOG_DEBUG, "$this->id read HTTP header: $line"); - $this->responseHeaders[] = $line; - } + $this->handleLineHeaders($line); } else if ($this->state == 'active') { $this->handleLineActive($line); } @@ -219,15 +213,26 @@ abstract class JsonStreamReader { // One JSON object on each line... // Will we always deliver on packet boundaries? - $lines = explode("\n", $buffer); + $lines = explode(self::CRLF, $buffer); foreach ($lines as $line) { $this->handleLineActive($line); } } - function handleLineActive($line) + function handleLineHeaders($line) { if ($line == '') { + $this->state = 'active'; + common_log(LOG_DEBUG, "$this->id connection is active!"); + } else { + common_log(LOG_DEBUG, "$this->id read HTTP header: $line"); + $this->responseHeaders[] = $line; + } + } + + function handleLineActive($line) + { + if ($line == "") { // Server sends empty lines as keepalive. return; } @@ -235,9 +240,9 @@ abstract class JsonStreamReader if ($data) { $this->handleJson($data); } else { - common_log(LOG_ERR, "$this->id received bogus JSON data: " . $line); + common_log(LOG_ERR, "$this->id received bogus JSON data: " . var_export($line, true)); } } - abstract function handleJson(array $data); + abstract protected function handleJson(array $data); } diff --git a/plugins/TwitterBridge/scripts/streamtest.php b/plugins/TwitterBridge/scripts/streamtest.php index 96ff33fa52..eddec39a7f 100644 --- a/plugins/TwitterBridge/scripts/streamtest.php +++ b/plugins/TwitterBridge/scripts/streamtest.php @@ -92,11 +92,22 @@ $stream->hookEvent('favorite', function($data) { $data['target']['screen_name'], $data['target_object']['text']); }); +$stream->hookEvent('unfavorite', function($data) { + printf("%s unfavorited %s's notice: %s\n", + $data['source']['screen_name'], + $data['target']['screen_name'], + $data['target_object']['text']); +}); $stream->hookEvent('follow', function($data) { printf("%s friended %s\n", $data['source']['screen_name'], $data['target']['screen_name']); }); +$stream->hookEvent('unfollow', function($data) { + printf("%s unfriended %s\n", + $data['source']['screen_name'], + $data['target']['screen_name']); +}); $stream->hookEvent('delete', function($data) { printf("Deleted status notification: %s\n", $data['status']['id']); diff --git a/plugins/TwitterBridge/twitterstreamreader.php b/plugins/TwitterBridge/twitterstreamreader.php index 3d6700d70e..793e239d02 100644 --- a/plugins/TwitterBridge/twitterstreamreader.php +++ b/plugins/TwitterBridge/twitterstreamreader.php @@ -25,7 +25,14 @@ * @link http://status.net/ */ -// A single stream connection +/** + * Base class for reading Twitter's User Streams and Site Streams + * real-time streaming APIs. + * + * Caller can hook event callbacks for various types of messages; + * the data from the stream and some context info will be passed + * on to the callbacks. + */ abstract class TwitterStreamReader extends JsonStreamReader { protected $callbacks = array(); @@ -36,9 +43,9 @@ abstract class TwitterStreamReader extends JsonStreamReader $this->oauth = $auth; } - public function connect($method) + public function connect($method, $params=array()) { - $url = $this->oAuthUrl($this->baseUrl . '/' . $method); + $url = $this->oAuthUrl($this->baseUrl . '/' . $method, $params); return parent::connect($url); } @@ -49,7 +56,7 @@ abstract class TwitterStreamReader extends JsonStreamReader * @param array $params * @return string */ - function oAuthUrl($url, $params=array()) + protected function oAuthUrl($url, $params=array()) { // In an ideal world this would be better encapsulated. :) $request = OAuthRequest::from_consumer_and_token($this->oauth->consumer, @@ -59,9 +66,64 @@ abstract class TwitterStreamReader extends JsonStreamReader return $request->to_url(); } + /** - * Add an event callback. Available event names include - * 'raw' (all data), 'friends', 'delete', 'scrubgeo', etc + * Add an event callback to receive notifications when things come in + * over the wire. + * + * Callbacks should be in the form: function(array $data, array $context) + * where $context may list additional data on some streams, such as the + * user to whom the message should be routed. + * + * Available events: + * + * Messaging: + * + * 'status': $data contains a status update in standard Twitter JSON format. + * $data['user']: sending user in standard Twitter JSON format. + * $data['text']... etc + * + * 'direct_message': $data contains a direct message in standard Twitter JSON format. + * $data['sender']: sending user in standard Twitter JSON format. + * $data['recipient']: receiving user in standard Twitter JSON format. + * $data['text']... etc + * + * + * Out of band events: + * + * 'follow': User has either started following someone, or is being followed. + * $data['source']: following user in standard Twitter JSON format. + * $data['target']: followed user in standard Twitter JSON format. + * + * 'favorite': Someone has favorited a status update. + * $data['source']: user doing the favoriting, in standard Twitter JSON format. + * $data['target']: user whose status was favorited, in standard Twitter JSON format. + * $data['target_object']: the favorited status update in standard Twitter JSON format. + * + * 'unfavorite': Someone has unfavorited a status update. + * $data['source']: user doing the unfavoriting, in standard Twitter JSON format. + * $data['target']: user whose status was unfavorited, in standard Twitter JSON format. + * $data['target_object']: the unfavorited status update in standard Twitter JSON format. + * + * + * Meta information: + * + * 'friends': $data is a list of user IDs of the current user's friends. + * + * 'delete': Advisory that a Twitter status has been deleted; nice clients + * should follow suit. + * $data['id']: ID of status being deleted + * $data['user_id']: ID of its owning user + * + * 'scrub_geo': Advisory that a user is clearing geo data from their status + * stream; nice clients should follow suit. + * $data['user_id']: ID of user + * $data['up_to_status_id']: any notice older than this should be scrubbed. + * + * 'limit': Advisory that tracking has hit a resource limit. + * $data['track'] + * + * 'raw': receives the full JSON data for all message types. * * @param string $event * @param callable $callback @@ -77,7 +139,7 @@ abstract class TwitterStreamReader extends JsonStreamReader * @param string $event * @param mixed $arg1 ... one or more params to pass on */ - public function fireEvent($event, $arg1) + protected function fireEvent($event, $arg1) { if (array_key_exists($event, $this->callbacks)) { $args = array_slice(func_get_args(), 1); @@ -87,42 +149,57 @@ abstract class TwitterStreamReader extends JsonStreamReader } } - function handleJson(array $data) + protected function handleJson(array $data) { $this->routeMessage($data); } - abstract function routeMessage($data); + abstract protected function routeMessage($data); /** * Send the decoded JSON object out to any event listeners. * * @param array $data - * @param int $forUserId + * @param array $context optional additional context data to pass on */ - function handleMessage(array $data, $forUserId=null) + protected function handleMessage(array $data, array $context=array()) { - $this->fireEvent('raw', $data, $forUserId); + $this->fireEvent('raw', $data, $context); if (isset($data['text'])) { - $this->fireEvent('status', $data); + $this->fireEvent('status', $data, $context); return; } if (isset($data['event'])) { - $this->fireEvent($data['event'], $data); + $this->fireEvent($data['event'], $data, $context); return; } $knownMeta = array('friends', 'delete', 'scrubgeo', 'limit', 'direct_message'); foreach ($knownMeta as $key) { if (isset($data[$key])) { - $this->fireEvent($key, $data[$key], $forUserId); + $this->fireEvent($key, $data[$key], $context); return; } } } } +/** + * Multiuser stream listener for Twitter Site Streams API + * http://dev.twitter.com/pages/site_streams + * + * The site streams API allows listening to updates for multiple users. + * Pass in the user IDs to listen to in via followUser() -- note they + * must each have a valid OAuth token for the application ID we're + * connecting as. + * + * You'll need to be connecting with the auth keys for the user who + * owns the application registration. + * + * The user each message is destined for will be passed to event handlers + * in $context['for_user_id']. + */ class TwitterSiteStream extends TwitterStreamReader { protected $userIds; @@ -134,9 +211,21 @@ class TwitterSiteStream extends TwitterStreamReader public function connect($method='2b/site.json') { - return parent::connect($method); + $params = array(); + if ($this->userIds) { + $params['follow'] = implode(',', $this->userIds); + } + return parent::connect($method, $params); } + /** + * Set the users whose home streams should be pulled. + * They all must have valid oauth tokens for this application. + * + * Must be called before connect(). + * + * @param array $userIds + */ function followUsers($userIds) { $this->userIds = $userIds; @@ -150,10 +239,21 @@ class TwitterSiteStream extends TwitterStreamReader */ function routeMessage($data) { - parent::handleMessage($data['message'], $data['for_user']); + $context = array( + 'source' => 'sitestream', + 'for_user' => $data['for_user'] + ); + parent::handleMessage($data['message'], $context); } } +/** + * Stream listener for Twitter User Streams API + * http://dev.twitter.com/pages/user_streams + * + * This will pull the home stream and additional events just for the user + * we've authenticated as. + */ class TwitterUserStream extends TwitterStreamReader { public function __construct(TwitterOAuthClient $auth, $baseUrl='https://userstream.twitter.com') @@ -173,6 +273,9 @@ class TwitterUserStream extends TwitterStreamReader */ function routeMessage($data) { - parent::handleMessage($data, $this->userId); + $context = array( + 'source' => 'userstream' + ); + parent::handleMessage($data, $context); } } From dc6c0f325c20145f7d2b37021d2c76c9a2c07ccb Mon Sep 17 00:00:00 2001 From: Brion Vibber Date: Tue, 5 Oct 2010 13:41:15 -0700 Subject: [PATCH 005/628] Cleanup on input path --- plugins/TwitterBridge/jsonstreamreader.php | 85 +++++++++++++--------- 1 file changed, 51 insertions(+), 34 deletions(-) diff --git a/plugins/TwitterBridge/jsonstreamreader.php b/plugins/TwitterBridge/jsonstreamreader.php index 0d16b68bd4..427037129c 100644 --- a/plugins/TwitterBridge/jsonstreamreader.php +++ b/plugins/TwitterBridge/jsonstreamreader.php @@ -49,7 +49,9 @@ abstract class JsonStreamReader /** * Starts asynchronous connect operation... * - * @param $url + * @fixme Can we do the open-socket fully async to? (need write select infrastructure) + * + * @param string $url */ public function connect($url) { @@ -114,6 +116,13 @@ abstract class JsonStreamReader return $buffer; } + /** + * Build HTTP request headers. + * + * @param string $host + * @param string $path + * @return string + */ protected function httpOpen($host, $path) { $lines = array( @@ -165,61 +174,69 @@ abstract class JsonStreamReader /** * Take a chunk of input over the horn and go go go! :D + * * @param string $buffer */ - function handleInput($socket) + public function handleInput($socket) { if ($this->socket !== $socket) { throw new Exception('Got input from unexpected socket!'); } - $buffer = $this->read(); + try { + $buffer = $this->read(); + $lines = explode(self::CRLF, $buffer); + foreach ($lines as $line) { + $this->handleLine($line); + } + } catch (Exception $e) { + common_log(LOG_ERR, "$this->id aborting connection due to error: " . $e->getMessage()); + fclose($this->socket); + throw $e; + } + } + + protected function handleLine($line) + { switch ($this->state) { case 'waiting': - $this->handleInputWaiting($buffer); + $this->handleLineWaiting($line); break; case 'headers': - $this->handleInputHeaders($buffer); + $this->handleLineHeaders($line); break; case 'active': - $this->handleInputActive($buffer); + $this->handleLineActive($line); break; default: - throw new Exception('Invalid state in handleInput: ' . $this->state); + throw new Exception('Invalid state in handleLine: ' . $this->state); } } - function handleInputWaiting($buffer) + /** + * + * @param $line + */ + protected function handleLineWaiting($line) { - common_log(LOG_DEBUG, "$this->id Does this happen? " . $buffer); + $bits = explode(' ', $line, 3); + if (count($bits) != 3) { + throw new Exception("Invalid HTTP response line: $line"); + } + + list($http, $status, $text) = $bits; + if (substr($http, 0, 5) != 'HTTP/') { + throw new Exception("Invalid HTTP response line chunk '$http': $line"); + } + if ($status != '200') { + throw new Exception("Bad HTTP response code $status: $line"); + } + common_log(LOG_DEBUG, "$this->id $line"); $this->state = 'headers'; - $this->handleInputHeaders($buffer); } - function handleInputHeaders($buffer) - { - $lines = explode(self::CRLF, $buffer); - foreach ($lines as $line) { - if ($this->state == 'headers') { - $this->handleLineHeaders($line); - } else if ($this->state == 'active') { - $this->handleLineActive($line); - } - } - } - - function handleInputActive($buffer) - { - // One JSON object on each line... - // Will we always deliver on packet boundaries? - $lines = explode(self::CRLF, $buffer); - foreach ($lines as $line) { - $this->handleLineActive($line); - } - } - - function handleLineHeaders($line) + protected function handleLineHeaders($line) { if ($line == '') { $this->state = 'active'; @@ -230,7 +247,7 @@ abstract class JsonStreamReader } } - function handleLineActive($line) + protected function handleLineActive($line) { if ($line == "") { // Server sends empty lines as keepalive. From 0eaa26476cac557484e295666b574340236452ff Mon Sep 17 00:00:00 2001 From: Brion Vibber Date: Tue, 5 Oct 2010 13:57:32 -0700 Subject: [PATCH 006/628] Split the guts of Twitter status -> notice import from twitterstatusfetcher daemon into TwitterImport class which can be called from other places, letting us reuse code for the streaming API. --- plugins/TwitterBridge/TwitterBridgePlugin.php | 1 + .../daemons/twitterstatusfetcher.php | 591 +--------------- plugins/TwitterBridge/twitterimport.php | 651 ++++++++++++++++++ 3 files changed, 655 insertions(+), 588 deletions(-) create mode 100644 plugins/TwitterBridge/twitterimport.php diff --git a/plugins/TwitterBridge/TwitterBridgePlugin.php b/plugins/TwitterBridge/TwitterBridgePlugin.php index 097d4486f9..128b062c7f 100644 --- a/plugins/TwitterBridge/TwitterBridgePlugin.php +++ b/plugins/TwitterBridge/TwitterBridgePlugin.php @@ -200,6 +200,7 @@ class TwitterBridgePlugin extends Plugin return false; case 'TwitterOAuthClient': case 'TwitterQueueHandler': + case 'TwitterImport': include_once $dir . '/' . strtolower($cls) . '.php'; return false; case 'Notice_to_status': diff --git a/plugins/TwitterBridge/daemons/twitterstatusfetcher.php b/plugins/TwitterBridge/daemons/twitterstatusfetcher.php index cef67b1806..9298d9e3a1 100755 --- a/plugins/TwitterBridge/daemons/twitterstatusfetcher.php +++ b/plugins/TwitterBridge/daemons/twitterstatusfetcher.php @@ -192,25 +192,12 @@ class TwitterStatusFetcher extends ParallelizingDaemon common_debug(LOG_INFO, $this->name() . ' - Retrieved ' . sizeof($timeline) . ' statuses from Twitter.'); + $importer = new TwitterImport(); + // Reverse to preserve order foreach (array_reverse($timeline) as $status) { - // Hacktastic: filter out stuff coming from this StatusNet - $source = mb_strtolower(common_config('integration', 'source')); - - if (preg_match("/$source/", mb_strtolower($status->source))) { - common_debug($this->name() . ' - Skipping import of status ' . - $status->id . ' with source ' . $source); - continue; - } - - // Don't save it if the user is protected - // FIXME: save it but treat it as private - if ($status->user->protected) { - continue; - } - - $notice = $this->saveStatus($status); + $notice = $importer->importStatus($status); if (!empty($notice)) { Inbox::insertNotice($flink->user_id, $notice->id); @@ -226,578 +213,6 @@ class TwitterStatusFetcher extends ParallelizingDaemon $flink->last_noticesync = common_sql_now(); $flink->update(); } - - function saveStatus($status) - { - $profile = $this->ensureProfile($status->user); - - if (empty($profile)) { - common_log(LOG_ERR, $this->name() . - ' - Problem saving notice. No associated Profile.'); - return null; - } - - $statusUri = $this->makeStatusURI($status->user->screen_name, $status->id); - - // check to see if we've already imported the status - $n2s = Notice_to_status::staticGet('status_id', $status->id); - - if (!empty($n2s)) { - common_log( - LOG_INFO, - $this->name() . - " - Ignoring duplicate import: {$status->id}" - ); - return Notice::staticGet('id', $n2s->notice_id); - } - - // If it's a retweet, save it as a repeat! - if (!empty($status->retweeted_status)) { - common_log(LOG_INFO, "Status {$status->id} is a retweet of {$status->retweeted_status->id}."); - $original = $this->saveStatus($status->retweeted_status); - if (empty($original)) { - return null; - } else { - $author = $original->getProfile(); - // TRANS: Message used to repeat a notice. RT is the abbreviation of 'retweet'. - // TRANS: %1$s is the repeated user's name, %2$s is the repeated notice. - $content = sprintf(_m('RT @%1$s %2$s'), - $author->nickname, - $original->content); - - if (Notice::contentTooLong($content)) { - $contentlimit = Notice::maxContent(); - $content = mb_substr($content, 0, $contentlimit - 4) . ' ...'; - } - - $repeat = Notice::saveNew($profile->id, - $content, - 'twitter', - array('repeat_of' => $original->id, - 'uri' => $statusUri, - 'is_local' => Notice::GATEWAY)); - common_log(LOG_INFO, "Saved {$repeat->id} as a repeat of {$original->id}"); - Notice_to_status::saveNew($repeat->id, $status->id); - return $repeat; - } - } - - $notice = new Notice(); - - $notice->profile_id = $profile->id; - $notice->uri = $statusUri; - $notice->url = $statusUri; - $notice->created = strftime( - '%Y-%m-%d %H:%M:%S', - strtotime($status->created_at) - ); - - $notice->source = 'twitter'; - - $notice->reply_to = null; - - if (!empty($status->in_reply_to_status_id)) { - common_log(LOG_INFO, "Status {$status->id} is a reply to status {$status->in_reply_to_status_id}"); - $n2s = Notice_to_status::staticGet('status_id', $status->in_reply_to_status_id); - if (empty($n2s)) { - common_log(LOG_INFO, "Couldn't find local notice for status {$status->in_reply_to_status_id}"); - } else { - $reply = Notice::staticGet('id', $n2s->notice_id); - if (empty($reply)) { - common_log(LOG_INFO, "Couldn't find local notice for status {$status->in_reply_to_status_id}"); - } else { - common_log(LOG_INFO, "Found local notice {$reply->id} for status {$status->in_reply_to_status_id}"); - $notice->reply_to = $reply->id; - $notice->conversation = $reply->conversation; - } - } - } - - if (empty($notice->conversation)) { - $conv = Conversation::create(); - $notice->conversation = $conv->id; - common_log(LOG_INFO, "No known conversation for status {$status->id} so making a new one {$conv->id}."); - } - - $notice->is_local = Notice::GATEWAY; - - $notice->content = html_entity_decode($status->text, ENT_QUOTES, 'UTF-8'); - $notice->rendered = $this->linkify($status); - - if (Event::handle('StartNoticeSave', array(&$notice))) { - - $id = $notice->insert(); - - if (!$id) { - common_log_db_error($notice, 'INSERT', __FILE__); - common_log(LOG_ERR, $this->name() . - ' - Problem saving notice.'); - } - - Event::handle('EndNoticeSave', array($notice)); - } - - Notice_to_status::saveNew($notice->id, $status->id); - - $this->saveStatusMentions($notice, $status); - - $notice->blowOnInsert(); - - return $notice; - } - - /** - * Make an URI for a status. - * - * @param object $status status object - * - * @return string URI - */ - function makeStatusURI($username, $id) - { - return 'http://twitter.com/' - . $username - . '/status/' - . $id; - } - - /** - * Look up a Profile by profileurl field. Profile::staticGet() was - * not working consistently. - * - * @param string $nickname local nickname of the Twitter user - * @param string $profileurl the profile url - * - * @return mixed value 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; - } - - /** - * Check to see if this Twitter status has already been imported - * - * @param Profile $profile Twitter user's local profile - * @param string $statusUri URI of the status on Twitter - * - * @return mixed value a matching Notice or null - */ - function checkDupe($profile, $statusUri) - { - $notice = new Notice(); - $notice->uri = $statusUri; - $notice->profile_id = $profile->id; - $notice->limit(1); - - if ($notice->find()) { - $notice->fetch(); - return $notice; - } - - 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 = $this->getProfileByUrl($user->screen_name, $profileurl); - - if (!empty($profile)) { - common_debug($this->name() . - " - Profile for $profile->nickname found."); - - // Check to see if the user's Avatar has changed - - $this->checkAvatar($user, $profile); - return $profile; - - } else { - common_debug($this->name() . ' - Adding profile and remote profile ' . - "for Twitter user: $profileurl."); - - $profile = new Profile(); - $profile->query("BEGIN"); - - $profile->nickname = $user->screen_name; - $profile->fullname = $user->name; - $profile->homepage = $user->url; - $profile->bio = $user->description; - $profile->location = $user->location; - $profile->profileurl = $profileurl; - $profile->created = common_sql_now(); - - 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__); - $profile->query("ROLLBACK"); - return false; - } - - // check for remote profile - - $remote_pro = Remote_profile::staticGet('uri', $profileurl); - - if (empty($remote_pro)) { - $remote_pro = new Remote_profile(); - - $remote_pro->id = $id; - $remote_pro->uri = $profileurl; - $remote_pro->created = common_sql_now(); - - 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__); - $profile->query("ROLLBACK"); - return false; - } - } - - $profile->query("COMMIT"); - - $this->saveAvatars($user, $id); - - return $profile; - } - } - - function checkAvatar($twitter_user, $profile) - { - global $config; - - $path_parts = pathinfo($twitter_user->profile_image_url); - - $newname = 'Twitter_' . $twitter_user->id . '_' . - $path_parts['basename']; - - $oldname = $profile->getAvatar(48)->filename; - - if ($newname != $oldname) { - common_debug($this->name() . ' - Avatar for Twitter user ' . - "$profile->nickname has changed."); - common_debug($this->name() . " - old: $oldname new: $newname"); - - $this->updateAvatars($twitter_user, $profile); - } - - if ($this->missingAvatarFile($profile)) { - common_debug($this->name() . ' - Twitter user ' . - $profile->nickname . - ' is missing one or more local avatars.'); - common_debug($this->name() ." - old: $oldname new: $newname"); - - $this->updateAvatars($twitter_user, $profile); - } - } - - function updateAvatars($twitter_user, $profile) { - - global $config; - - $path_parts = pathinfo($twitter_user->profile_image_url); - - $img_root = substr($path_parts['basename'], 0, -11); - $ext = $path_parts['extension']; - $mediatype = $this->getMediatype($ext); - - foreach (array('mini', 'normal', 'bigger') as $size) { - $url = $path_parts['dirname'] . '/' . - $img_root . '_' . $size . ".$ext"; - $filename = 'Twitter_' . $twitter_user->id . '_' . - $img_root . "_$size.$ext"; - - $this->updateAvatar($profile->id, $size, $mediatype, $filename); - $this->fetchAvatar($url, $filename); - } - } - - function missingAvatarFile($profile) { - foreach (array(24, 48, 73) as $size) { - $filename = $profile->getAvatar($size)->filename; - $avatarpath = Avatar::path($filename); - if (file_exists($avatarpath) == FALSE) { - return true; - } - } - return false; - } - - function getMediatype($ext) - { - $mediatype = null; - - switch (strtolower($ext)) { - case 'jpg': - $mediatype = 'image/jpg'; - break; - case 'gif': - $mediatype = 'image/gif'; - break; - default: - $mediatype = 'image/png'; - } - - return $mediatype; - } - - function saveAvatars($user, $id) - { - global $config; - - $path_parts = pathinfo($user->profile_image_url); - $ext = $path_parts['extension']; - $end = strlen('_normal' . $ext); - $img_root = substr($path_parts['basename'], 0, -($end+1)); - $mediatype = $this->getMediatype($ext); - - foreach (array('mini', 'normal', 'bigger') as $size) { - $url = $path_parts['dirname'] . '/' . - $img_root . '_' . $size . ".$ext"; - $filename = 'Twitter_' . $user->id . '_' . - $img_root . "_$size.$ext"; - - if ($this->fetchAvatar($url, $filename)) { - $this->newAvatar($id, $size, $mediatype, $filename); - } else { - common_log(LOG_WARNING, $id() . - " - Problem fetching Avatar: $url"); - } - } - } - - function updateAvatar($profile_id, $size, $mediatype, $filename) { - - common_debug($this->name() . " - Updating avatar: $size"); - - $profile = Profile::staticGet($profile_id); - - if (empty($profile)) { - common_debug($this->name() . " - Couldn't get profile: $profile_id!"); - return; - } - - $sizes = array('mini' => 24, 'normal' => 48, 'bigger' => 73); - $avatar = $profile->getAvatar($sizes[$size]); - - // Delete the avatar, if present - if ($avatar) { - $avatar->delete(); - } - - $this->newAvatar($profile->id, $size, $mediatype, $filename); - } - - function newAvatar($profile_id, $size, $mediatype, $filename) - { - global $config; - - $avatar = new Avatar(); - $avatar->profile_id = $profile_id; - - switch($size) { - case 'mini': - $avatar->width = 24; - $avatar->height = 24; - break; - case 'normal': - $avatar->width = 48; - $avatar->height = 48; - break; - default: - // Note: Twitter's big avatars are a different size than - // StatusNet's (StatusNet's = 96) - $avatar->width = 73; - $avatar->height = 73; - } - - $avatar->original = 0; // we don't have the original - $avatar->mediatype = $mediatype; - $avatar->filename = $filename; - $avatar->url = Avatar::url($filename); - - $avatar->created = common_sql_now(); - - 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__); - return null; - } - - common_debug($this->name() . - " - Saved new $size avatar for $profile_id."); - - return $id; - } - - /** - * Fetch a remote avatar image and save to local storage. - * - * @param string $url avatar source URL - * @param string $filename bare local filename for download - * @return bool true on success, false on failure - */ - function fetchAvatar($url, $filename) - { - common_debug($this->name() . " - Fetching Twitter avatar: $url"); - - $request = HTTPClient::start(); - $response = $request->get($url); - if ($response->isOk()) { - $avatarfile = Avatar::path($filename); - $ok = file_put_contents($avatarfile, $response->getBody()); - if (!$ok) { - common_log(LOG_WARNING, $this->name() . - " - Couldn't open file $filename"); - return false; - } - } else { - return false; - } - - return true; - } - - const URL = 1; - const HASHTAG = 2; - const MENTION = 3; - - function linkify($status) - { - $text = $status->text; - - if (empty($status->entities)) { - common_log(LOG_WARNING, "No entities data for {$status->id}; trying to fake up links ourselves."); - $text = common_replace_urls_callback($text, 'common_linkify'); - $text = preg_replace('/(^|\"\;|\'|\(|\[|\{|\s+)#([\pL\pN_\-\.]{1,64})/e', "'\\1#'.TwitterStatusFetcher::tagLink('\\2')", $text); - $text = preg_replace('/(^|\s+)@([a-z0-9A-Z_]{1,64})/e', "'\\1@'.TwitterStatusFetcher::atLink('\\2')", $text); - return $text; - } - - // Move all the entities into order so we can - // replace them in reverse order and thus - // not mess up their indices - - $toReplace = array(); - - if (!empty($status->entities->urls)) { - foreach ($status->entities->urls as $url) { - $toReplace[$url->indices[0]] = array(self::URL, $url); - } - } - - if (!empty($status->entities->hashtags)) { - foreach ($status->entities->hashtags as $hashtag) { - $toReplace[$hashtag->indices[0]] = array(self::HASHTAG, $hashtag); - } - } - - if (!empty($status->entities->user_mentions)) { - foreach ($status->entities->user_mentions as $mention) { - $toReplace[$mention->indices[0]] = array(self::MENTION, $mention); - } - } - - // sort in reverse order by key - - krsort($toReplace); - - foreach ($toReplace as $part) { - list($type, $object) = $part; - switch($type) { - case self::URL: - $linkText = $this->makeUrlLink($object); - break; - case self::HASHTAG: - $linkText = $this->makeHashtagLink($object); - break; - case self::MENTION: - $linkText = $this->makeMentionLink($object); - break; - default: - continue; - } - $text = mb_substr($text, 0, $object->indices[0]) . $linkText . mb_substr($text, $object->indices[1]); - } - return $text; - } - - function makeUrlLink($object) - { - return "{$object->url}"; - } - - function makeHashtagLink($object) - { - return "#" . self::tagLink($object->text); - } - - function makeMentionLink($object) - { - return "@".self::atLink($object->screen_name, $object->name); - } - - static function tagLink($tag) - { - return "{$tag}"; - } - - static function atLink($screenName, $fullName=null) - { - if (!empty($fullName)) { - return "{$screenName}"; - } else { - return "{$screenName}"; - } - } - - function saveStatusMentions($notice, $status) - { - $mentions = array(); - - if (empty($status->entities) || empty($status->entities->user_mentions)) { - return; - } - - foreach ($status->entities->user_mentions as $mention) { - $flink = Foreign_link::getByForeignID($mention->id, TWITTER_SERVICE); - if (!empty($flink)) { - $user = User::staticGet('id', $flink->user_id); - if (!empty($user)) { - $reply = new Reply(); - $reply->notice_id = $notice->id; - $reply->profile_id = $user->id; - common_log(LOG_INFO, __METHOD__ . ": saving reply: notice {$notice->id} to profile {$user->id}"); - $id = $reply->insert(); - } - } - } - } } $id = null; diff --git a/plugins/TwitterBridge/twitterimport.php b/plugins/TwitterBridge/twitterimport.php new file mode 100644 index 0000000000..1b2d395304 --- /dev/null +++ b/plugins/TwitterBridge/twitterimport.php @@ -0,0 +1,651 @@ +. + * + * @category Plugin + * @package StatusNet + * @author Zach Copley + * @author Julien C + * @author Brion Vibber + * @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/ + */ + +if (!defined('STATUSNET')) { + exit(1); +} + +require_once INSTALLDIR . '/plugins/TwitterBridge/twitter.php'; + +/** + * Encapsulation of the Twitter status -> notice incoming bridge import. + * Is used by both the polling twitterstatusfetcher.php daemon, and the + * in-progress streaming import. + * + * @category Plugin + * @package StatusNet + * @author Zach Copley + * @author Julien C + * @author Brion Vibber + * @license http://www.fsf.org/licensing/licenses/agpl-3.0.html GNU Affero General Public License version 3.0 + * @link http://status.net/ + * @link http://twitter.com/ + */ +class TwitterImport +{ + public function importStatus($status) + { + // Hacktastic: filter out stuff coming from this StatusNet + $source = mb_strtolower(common_config('integration', 'source')); + + if (preg_match("/$source/", mb_strtolower($status->source))) { + common_debug($this->name() . ' - Skipping import of status ' . + $status->id . ' with source ' . $source); + continue; + } + + // Don't save it if the user is protected + // FIXME: save it but treat it as private + if ($status->user->protected) { + continue; + } + + $notice = $this->saveStatus($status); + + return $notice; + } + + function name() + { + return get_class($this); + } + + function saveStatus($status) + { + $profile = $this->ensureProfile($status->user); + + if (empty($profile)) { + common_log(LOG_ERR, $this->name() . + ' - Problem saving notice. No associated Profile.'); + return null; + } + + $statusUri = $this->makeStatusURI($status->user->screen_name, $status->id); + + // check to see if we've already imported the status + $n2s = Notice_to_status::staticGet('status_id', $status->id); + + if (!empty($n2s)) { + common_log( + LOG_INFO, + $this->name() . + " - Ignoring duplicate import: {$status->id}" + ); + return Notice::staticGet('id', $n2s->notice_id); + } + + // If it's a retweet, save it as a repeat! + if (!empty($status->retweeted_status)) { + common_log(LOG_INFO, "Status {$status->id} is a retweet of {$status->retweeted_status->id}."); + $original = $this->saveStatus($status->retweeted_status); + if (empty($original)) { + return null; + } else { + $author = $original->getProfile(); + // TRANS: Message used to repeat a notice. RT is the abbreviation of 'retweet'. + // TRANS: %1$s is the repeated user's name, %2$s is the repeated notice. + $content = sprintf(_m('RT @%1$s %2$s'), + $author->nickname, + $original->content); + + if (Notice::contentTooLong($content)) { + $contentlimit = Notice::maxContent(); + $content = mb_substr($content, 0, $contentlimit - 4) . ' ...'; + } + + $repeat = Notice::saveNew($profile->id, + $content, + 'twitter', + array('repeat_of' => $original->id, + 'uri' => $statusUri, + 'is_local' => Notice::GATEWAY)); + common_log(LOG_INFO, "Saved {$repeat->id} as a repeat of {$original->id}"); + Notice_to_status::saveNew($repeat->id, $status->id); + return $repeat; + } + } + + $notice = new Notice(); + + $notice->profile_id = $profile->id; + $notice->uri = $statusUri; + $notice->url = $statusUri; + $notice->created = strftime( + '%Y-%m-%d %H:%M:%S', + strtotime($status->created_at) + ); + + $notice->source = 'twitter'; + + $notice->reply_to = null; + + if (!empty($status->in_reply_to_status_id)) { + common_log(LOG_INFO, "Status {$status->id} is a reply to status {$status->in_reply_to_status_id}"); + $n2s = Notice_to_status::staticGet('status_id', $status->in_reply_to_status_id); + if (empty($n2s)) { + common_log(LOG_INFO, "Couldn't find local notice for status {$status->in_reply_to_status_id}"); + } else { + $reply = Notice::staticGet('id', $n2s->notice_id); + if (empty($reply)) { + common_log(LOG_INFO, "Couldn't find local notice for status {$status->in_reply_to_status_id}"); + } else { + common_log(LOG_INFO, "Found local notice {$reply->id} for status {$status->in_reply_to_status_id}"); + $notice->reply_to = $reply->id; + $notice->conversation = $reply->conversation; + } + } + } + + if (empty($notice->conversation)) { + $conv = Conversation::create(); + $notice->conversation = $conv->id; + common_log(LOG_INFO, "No known conversation for status {$status->id} so making a new one {$conv->id}."); + } + + $notice->is_local = Notice::GATEWAY; + + $notice->content = html_entity_decode($status->text, ENT_QUOTES, 'UTF-8'); + $notice->rendered = $this->linkify($status); + + if (Event::handle('StartNoticeSave', array(&$notice))) { + + $id = $notice->insert(); + + if (!$id) { + common_log_db_error($notice, 'INSERT', __FILE__); + common_log(LOG_ERR, $this->name() . + ' - Problem saving notice.'); + } + + Event::handle('EndNoticeSave', array($notice)); + } + + Notice_to_status::saveNew($notice->id, $status->id); + + $this->saveStatusMentions($notice, $status); + + $notice->blowOnInsert(); + + return $notice; + } + + /** + * Make an URI for a status. + * + * @param object $status status object + * + * @return string URI + */ + function makeStatusURI($username, $id) + { + return 'http://twitter.com/' + . $username + . '/status/' + . $id; + } + + + /** + * Look up a Profile by profileurl field. Profile::staticGet() was + * not working consistently. + * + * @param string $nickname local nickname of the Twitter user + * @param string $profileurl the profile url + * + * @return mixed value 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; + } + + /** + * Check to see if this Twitter status has already been imported + * + * @param Profile $profile Twitter user's local profile + * @param string $statusUri URI of the status on Twitter + * + * @return mixed value a matching Notice or null + */ + function checkDupe($profile, $statusUri) + { + $notice = new Notice(); + $notice->uri = $statusUri; + $notice->profile_id = $profile->id; + $notice->limit(1); + + if ($notice->find()) { + $notice->fetch(); + return $notice; + } + + 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 = $this->getProfileByUrl($user->screen_name, $profileurl); + + if (!empty($profile)) { + common_debug($this->name() . + " - Profile for $profile->nickname found."); + + // Check to see if the user's Avatar has changed + + $this->checkAvatar($user, $profile); + return $profile; + + } else { + common_debug($this->name() . ' - Adding profile and remote profile ' . + "for Twitter user: $profileurl."); + + $profile = new Profile(); + $profile->query("BEGIN"); + + $profile->nickname = $user->screen_name; + $profile->fullname = $user->name; + $profile->homepage = $user->url; + $profile->bio = $user->description; + $profile->location = $user->location; + $profile->profileurl = $profileurl; + $profile->created = common_sql_now(); + + 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__); + $profile->query("ROLLBACK"); + return false; + } + + // check for remote profile + + $remote_pro = Remote_profile::staticGet('uri', $profileurl); + + if (empty($remote_pro)) { + $remote_pro = new Remote_profile(); + + $remote_pro->id = $id; + $remote_pro->uri = $profileurl; + $remote_pro->created = common_sql_now(); + + 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__); + $profile->query("ROLLBACK"); + return false; + } + } + + $profile->query("COMMIT"); + + $this->saveAvatars($user, $id); + + return $profile; + } + } + + function checkAvatar($twitter_user, $profile) + { + global $config; + + $path_parts = pathinfo($twitter_user->profile_image_url); + + $newname = 'Twitter_' . $twitter_user->id . '_' . + $path_parts['basename']; + + $oldname = $profile->getAvatar(48)->filename; + + if ($newname != $oldname) { + common_debug($this->name() . ' - Avatar for Twitter user ' . + "$profile->nickname has changed."); + common_debug($this->name() . " - old: $oldname new: $newname"); + + $this->updateAvatars($twitter_user, $profile); + } + + if ($this->missingAvatarFile($profile)) { + common_debug($this->name() . ' - Twitter user ' . + $profile->nickname . + ' is missing one or more local avatars.'); + common_debug($this->name() ." - old: $oldname new: $newname"); + + $this->updateAvatars($twitter_user, $profile); + } + } + + function updateAvatars($twitter_user, $profile) { + + global $config; + + $path_parts = pathinfo($twitter_user->profile_image_url); + + $img_root = substr($path_parts['basename'], 0, -11); + $ext = $path_parts['extension']; + $mediatype = $this->getMediatype($ext); + + foreach (array('mini', 'normal', 'bigger') as $size) { + $url = $path_parts['dirname'] . '/' . + $img_root . '_' . $size . ".$ext"; + $filename = 'Twitter_' . $twitter_user->id . '_' . + $img_root . "_$size.$ext"; + + $this->updateAvatar($profile->id, $size, $mediatype, $filename); + $this->fetchAvatar($url, $filename); + } + } + + function missingAvatarFile($profile) { + foreach (array(24, 48, 73) as $size) { + $filename = $profile->getAvatar($size)->filename; + $avatarpath = Avatar::path($filename); + if (file_exists($avatarpath) == FALSE) { + return true; + } + } + return false; + } + + function getMediatype($ext) + { + $mediatype = null; + + switch (strtolower($ext)) { + case 'jpg': + $mediatype = 'image/jpg'; + break; + case 'gif': + $mediatype = 'image/gif'; + break; + default: + $mediatype = 'image/png'; + } + + return $mediatype; + } + + function saveAvatars($user, $id) + { + global $config; + + $path_parts = pathinfo($user->profile_image_url); + $ext = $path_parts['extension']; + $end = strlen('_normal' . $ext); + $img_root = substr($path_parts['basename'], 0, -($end+1)); + $mediatype = $this->getMediatype($ext); + + foreach (array('mini', 'normal', 'bigger') as $size) { + $url = $path_parts['dirname'] . '/' . + $img_root . '_' . $size . ".$ext"; + $filename = 'Twitter_' . $user->id . '_' . + $img_root . "_$size.$ext"; + + if ($this->fetchAvatar($url, $filename)) { + $this->newAvatar($id, $size, $mediatype, $filename); + } else { + common_log(LOG_WARNING, $id() . + " - Problem fetching Avatar: $url"); + } + } + } + + function updateAvatar($profile_id, $size, $mediatype, $filename) { + + common_debug($this->name() . " - Updating avatar: $size"); + + $profile = Profile::staticGet($profile_id); + + if (empty($profile)) { + common_debug($this->name() . " - Couldn't get profile: $profile_id!"); + return; + } + + $sizes = array('mini' => 24, 'normal' => 48, 'bigger' => 73); + $avatar = $profile->getAvatar($sizes[$size]); + + // Delete the avatar, if present + if ($avatar) { + $avatar->delete(); + } + + $this->newAvatar($profile->id, $size, $mediatype, $filename); + } + + function newAvatar($profile_id, $size, $mediatype, $filename) + { + global $config; + + $avatar = new Avatar(); + $avatar->profile_id = $profile_id; + + switch($size) { + case 'mini': + $avatar->width = 24; + $avatar->height = 24; + break; + case 'normal': + $avatar->width = 48; + $avatar->height = 48; + break; + default: + // Note: Twitter's big avatars are a different size than + // StatusNet's (StatusNet's = 96) + $avatar->width = 73; + $avatar->height = 73; + } + + $avatar->original = 0; // we don't have the original + $avatar->mediatype = $mediatype; + $avatar->filename = $filename; + $avatar->url = Avatar::url($filename); + + $avatar->created = common_sql_now(); + + 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__); + return null; + } + + common_debug($this->name() . + " - Saved new $size avatar for $profile_id."); + + return $id; + } + + /** + * Fetch a remote avatar image and save to local storage. + * + * @param string $url avatar source URL + * @param string $filename bare local filename for download + * @return bool true on success, false on failure + */ + function fetchAvatar($url, $filename) + { + common_debug($this->name() . " - Fetching Twitter avatar: $url"); + + $request = HTTPClient::start(); + $response = $request->get($url); + if ($response->isOk()) { + $avatarfile = Avatar::path($filename); + $ok = file_put_contents($avatarfile, $response->getBody()); + if (!$ok) { + common_log(LOG_WARNING, $this->name() . + " - Couldn't open file $filename"); + return false; + } + } else { + return false; + } + + return true; + } + + const URL = 1; + const HASHTAG = 2; + const MENTION = 3; + + function linkify($status) + { + $text = $status->text; + + if (empty($status->entities)) { + common_log(LOG_WARNING, "No entities data for {$status->id}; trying to fake up links ourselves."); + $text = common_replace_urls_callback($text, 'common_linkify'); + $text = preg_replace('/(^|\"\;|\'|\(|\[|\{|\s+)#([\pL\pN_\-\.]{1,64})/e', "'\\1#'.TwitterStatusFetcher::tagLink('\\2')", $text); + $text = preg_replace('/(^|\s+)@([a-z0-9A-Z_]{1,64})/e', "'\\1@'.TwitterStatusFetcher::atLink('\\2')", $text); + return $text; + } + + // Move all the entities into order so we can + // replace them in reverse order and thus + // not mess up their indices + + $toReplace = array(); + + if (!empty($status->entities->urls)) { + foreach ($status->entities->urls as $url) { + $toReplace[$url->indices[0]] = array(self::URL, $url); + } + } + + if (!empty($status->entities->hashtags)) { + foreach ($status->entities->hashtags as $hashtag) { + $toReplace[$hashtag->indices[0]] = array(self::HASHTAG, $hashtag); + } + } + + if (!empty($status->entities->user_mentions)) { + foreach ($status->entities->user_mentions as $mention) { + $toReplace[$mention->indices[0]] = array(self::MENTION, $mention); + } + } + + // sort in reverse order by key + + krsort($toReplace); + + foreach ($toReplace as $part) { + list($type, $object) = $part; + switch($type) { + case self::URL: + $linkText = $this->makeUrlLink($object); + break; + case self::HASHTAG: + $linkText = $this->makeHashtagLink($object); + break; + case self::MENTION: + $linkText = $this->makeMentionLink($object); + break; + default: + continue; + } + $text = mb_substr($text, 0, $object->indices[0]) . $linkText . mb_substr($text, $object->indices[1]); + } + return $text; + } + + function makeUrlLink($object) + { + return "{$object->url}"; + } + + function makeHashtagLink($object) + { + return "#" . self::tagLink($object->text); + } + + function makeMentionLink($object) + { + return "@".self::atLink($object->screen_name, $object->name); + } + + static function tagLink($tag) + { + return "{$tag}"; + } + + static function atLink($screenName, $fullName=null) + { + if (!empty($fullName)) { + return "{$screenName}"; + } else { + return "{$screenName}"; + } + } + + function saveStatusMentions($notice, $status) + { + $mentions = array(); + + if (empty($status->entities) || empty($status->entities->user_mentions)) { + return; + } + + foreach ($status->entities->user_mentions as $mention) { + $flink = Foreign_link::getByForeignID($mention->id, TWITTER_SERVICE); + if (!empty($flink)) { + $user = User::staticGet('id', $flink->user_id); + if (!empty($user)) { + $reply = new Reply(); + $reply->notice_id = $notice->id; + $reply->profile_id = $user->id; + common_log(LOG_INFO, __METHOD__ . ": saving reply: notice {$notice->id} to profile {$user->id}"); + $id = $reply->insert(); + } + } + } + } +} \ No newline at end of file From 408483f7718a2c81c37eb5f387130381a4a188c8 Mon Sep 17 00:00:00 2001 From: Brion Vibber Date: Tue, 5 Oct 2010 14:26:11 -0700 Subject: [PATCH 007/628] Fix up Twitter JSON formatting to be consistent between the polling and streaming API interfaces; basic stream tester can now import your notices (ooooh) --- plugins/TwitterBridge/jsonstreamreader.php | 4 +- plugins/TwitterBridge/scripts/streamtest.php | 59 ++++++++++------ plugins/TwitterBridge/twitterstreamreader.php | 70 ++++++++++--------- 3 files changed, 78 insertions(+), 55 deletions(-) diff --git a/plugins/TwitterBridge/jsonstreamreader.php b/plugins/TwitterBridge/jsonstreamreader.php index 427037129c..f6572c9eef 100644 --- a/plugins/TwitterBridge/jsonstreamreader.php +++ b/plugins/TwitterBridge/jsonstreamreader.php @@ -253,7 +253,7 @@ abstract class JsonStreamReader // Server sends empty lines as keepalive. return; } - $data = json_decode($line, true); + $data = json_decode($line); if ($data) { $this->handleJson($data); } else { @@ -261,5 +261,5 @@ abstract class JsonStreamReader } } - abstract protected function handleJson(array $data); + abstract protected function handleJson(stdClass $data); } diff --git a/plugins/TwitterBridge/scripts/streamtest.php b/plugins/TwitterBridge/scripts/streamtest.php index eddec39a7f..1cec451c8c 100644 --- a/plugins/TwitterBridge/scripts/streamtest.php +++ b/plugins/TwitterBridge/scripts/streamtest.php @@ -28,11 +28,14 @@ define('INSTALLDIR', realpath(dirname(__FILE__) . '/../../..')); $shortoptions = 'n:'; -$longoptions = array('nick='); +$longoptions = array('nick=','import'); $helptext = << + -n --nick Local user whose Twitter timeline to watch + --import Experimental: run incoming messages through import + Attempts a User Stream connection to Twitter as the given user, dumping data as it comes. @@ -79,54 +82,70 @@ function homeStreamForUser(User $user) } $user = User::staticGet('nickname', $nickname); +global $myuser; +$myuser = $user; + $stream = homeStreamForUser($user); $stream->hookEvent('raw', function($data) { common_log(LOG_INFO, json_encode($data)); }); $stream->hookEvent('friends', function($data) { - printf("Friend list: %s\n", implode(', ', $data)); + printf("Friend list: %s\n", implode(', ', $data->friends)); }); $stream->hookEvent('favorite', function($data) { printf("%s favorited %s's notice: %s\n", - $data['source']['screen_name'], - $data['target']['screen_name'], - $data['target_object']['text']); + $data->source->screen_name, + $data->target->screen_name, + $data->target_object->text); }); $stream->hookEvent('unfavorite', function($data) { printf("%s unfavorited %s's notice: %s\n", - $data['source']['screen_name'], - $data['target']['screen_name'], - $data['target_object']['text']); + $data->source->screen_name, + $data->target->screen_name, + $data->target_object->text); }); $stream->hookEvent('follow', function($data) { printf("%s friended %s\n", - $data['source']['screen_name'], - $data['target']['screen_name']); + $data->source->screen_name, + $data->target->screen_name); }); $stream->hookEvent('unfollow', function($data) { printf("%s unfriended %s\n", - $data['source']['screen_name'], - $data['target']['screen_name']); + $data->source->screen_name, + $data->target->screen_name); }); $stream->hookEvent('delete', function($data) { printf("Deleted status notification: %s\n", - $data['status']['id']); + $data->status->id); }); $stream->hookEvent('scrub_geo', function($data) { printf("Req to scrub geo data for user id %s up to status ID %s\n", - $data['user_id'], - $data['up_to_status_id']); + $data->user_id, + $data->up_to_status_id); }); $stream->hookEvent('status', function($data) { printf("Received status update from %s: %s\n", - $data['user']['screen_name'], - $data['text']); + $data->user->screen_name, + $data->text); + + if (have_option('import')) { + $importer = new TwitterImport(); + printf("\timporting..."); + $notice = $importer->importStatus($data); + if ($notice) { + global $myuser; + Inbox::insertNotice($myuser->id, $notice->id); + printf(" %s\n", $notice->id); + } else { + printf(" FAIL\n"); + } + } }); $stream->hookEvent('direct_message', function($data) { printf("Direct message from %s to %s: %s\n", - $data['sender']['screen_name'], - $data['recipient']['screen_name'], - $data['text']); + $data->sender->screen_name, + $data->recipient->screen_name, + $data->text); }); class TwitterManager extends IoManager diff --git a/plugins/TwitterBridge/twitterstreamreader.php b/plugins/TwitterBridge/twitterstreamreader.php index 793e239d02..3a3c8f5e66 100644 --- a/plugins/TwitterBridge/twitterstreamreader.php +++ b/plugins/TwitterBridge/twitterstreamreader.php @@ -71,7 +71,7 @@ abstract class TwitterStreamReader extends JsonStreamReader * Add an event callback to receive notifications when things come in * over the wire. * - * Callbacks should be in the form: function(array $data, array $context) + * Callbacks should be in the form: function(object $data, array $context) * where $context may list additional data on some streams, such as the * user to whom the message should be routed. * @@ -80,48 +80,49 @@ abstract class TwitterStreamReader extends JsonStreamReader * Messaging: * * 'status': $data contains a status update in standard Twitter JSON format. - * $data['user']: sending user in standard Twitter JSON format. - * $data['text']... etc + * $data->user: sending user in standard Twitter JSON format. + * $data->text... etc * * 'direct_message': $data contains a direct message in standard Twitter JSON format. - * $data['sender']: sending user in standard Twitter JSON format. - * $data['recipient']: receiving user in standard Twitter JSON format. - * $data['text']... etc + * $data->sender: sending user in standard Twitter JSON format. + * $data->recipient: receiving user in standard Twitter JSON format. + * $data->text... etc * * * Out of band events: * * 'follow': User has either started following someone, or is being followed. - * $data['source']: following user in standard Twitter JSON format. - * $data['target']: followed user in standard Twitter JSON format. + * $data->source: following user in standard Twitter JSON format. + * $data->target: followed user in standard Twitter JSON format. * * 'favorite': Someone has favorited a status update. - * $data['source']: user doing the favoriting, in standard Twitter JSON format. - * $data['target']: user whose status was favorited, in standard Twitter JSON format. - * $data['target_object']: the favorited status update in standard Twitter JSON format. + * $data->source: user doing the favoriting, in standard Twitter JSON format. + * $data->target: user whose status was favorited, in standard Twitter JSON format. + * $data->target_object: the favorited status update in standard Twitter JSON format. * * 'unfavorite': Someone has unfavorited a status update. - * $data['source']: user doing the unfavoriting, in standard Twitter JSON format. - * $data['target']: user whose status was unfavorited, in standard Twitter JSON format. - * $data['target_object']: the unfavorited status update in standard Twitter JSON format. + * $data->source: user doing the unfavoriting, in standard Twitter JSON format. + * $data->target: user whose status was unfavorited, in standard Twitter JSON format. + * $data->target_object: the unfavorited status update in standard Twitter JSON format. * * * Meta information: * - * 'friends': $data is a list of user IDs of the current user's friends. + * 'friends': + * $data->friends: array of user IDs of the current user's friends. * * 'delete': Advisory that a Twitter status has been deleted; nice clients * should follow suit. - * $data['id']: ID of status being deleted - * $data['user_id']: ID of its owning user + * $data->id: ID of status being deleted + * $data->user_id: ID of its owning user * * 'scrub_geo': Advisory that a user is clearing geo data from their status * stream; nice clients should follow suit. - * $data['user_id']: ID of user - * $data['up_to_status_id']: any notice older than this should be scrubbed. + * $data->user_id: ID of user + * $data->up_to_status_id: any notice older than this should be scrubbed. * * 'limit': Advisory that tracking has hit a resource limit. - * $data['track'] + * $data->track * * 'raw': receives the full JSON data for all message types. * @@ -149,12 +150,12 @@ abstract class TwitterStreamReader extends JsonStreamReader } } - protected function handleJson(array $data) + protected function handleJson(stdClass $data) { $this->routeMessage($data); } - abstract protected function routeMessage($data); + abstract protected function routeMessage(stdClass $data); /** * Send the decoded JSON object out to any event listeners. @@ -162,23 +163,26 @@ abstract class TwitterStreamReader extends JsonStreamReader * @param array $data * @param array $context optional additional context data to pass on */ - protected function handleMessage(array $data, array $context=array()) + protected function handleMessage(stdClass $data, array $context=array()) { $this->fireEvent('raw', $data, $context); - if (isset($data['text'])) { + if (isset($data->text)) { $this->fireEvent('status', $data, $context); return; } - if (isset($data['event'])) { - $this->fireEvent($data['event'], $data, $context); + if (isset($data->event)) { + $this->fireEvent($data->event, $data, $context); return; } + if (isset($data->friends)) { + $this->fireEvent('friends', $data, $context); + } - $knownMeta = array('friends', 'delete', 'scrubgeo', 'limit', 'direct_message'); + $knownMeta = array('delete', 'scrub_geo', 'limit', 'direct_message'); foreach ($knownMeta as $key) { - if (isset($data[$key])) { - $this->fireEvent($key, $data[$key], $context); + if (isset($data->$key)) { + $this->fireEvent($key, $data->$key, $context); return; } } @@ -237,13 +241,13 @@ class TwitterSiteStream extends TwitterStreamReader * * @param array $data */ - function routeMessage($data) + function routeMessage(stdClass $data) { $context = array( 'source' => 'sitestream', - 'for_user' => $data['for_user'] + 'for_user' => $data->for_user ); - parent::handleMessage($data['message'], $context); + parent::handleMessage($data->message, $context); } } @@ -271,7 +275,7 @@ class TwitterUserStream extends TwitterStreamReader * * @param array $data */ - function routeMessage($data) + function routeMessage(stdClass $data) { $context = array( 'source' => 'userstream' From 9c3fd10257703d821891c25b56dcb13b255aa903 Mon Sep 17 00:00:00 2001 From: Brion Vibber Date: Tue, 5 Oct 2010 17:08:04 -0700 Subject: [PATCH 008/628] Prelim --all mode on streamtest.php to use site streams; doesn't use the destination user for import yet, and not actually tested yet until I'm whitelisted for the beta. :) --- plugins/TwitterBridge/scripts/streamtest.php | 58 ++++++++++++++----- plugins/TwitterBridge/twitterstreamreader.php | 2 +- 2 files changed, 46 insertions(+), 14 deletions(-) diff --git a/plugins/TwitterBridge/scripts/streamtest.php b/plugins/TwitterBridge/scripts/streamtest.php index 1cec451c8c..a175c1efa5 100644 --- a/plugins/TwitterBridge/scripts/streamtest.php +++ b/plugins/TwitterBridge/scripts/streamtest.php @@ -28,13 +28,14 @@ define('INSTALLDIR', realpath(dirname(__FILE__) . '/../../..')); $shortoptions = 'n:'; -$longoptions = array('nick=','import'); +$longoptions = array('nick=','import','all'); $helptext = << - -n --nick Local user whose Twitter timeline to watch + -n --nick= Local user whose Twitter timeline to watch --import Experimental: run incoming messages through import + --all Experimental: run multiuser; requires nick be the app owner Attempts a User Stream connection to Twitter as the given user, dumping data as it comes. @@ -81,49 +82,80 @@ function homeStreamForUser(User $user) return new TwitterUserStream($auth); } +function siteStreamForOwner(User $user) +{ + // The user we auth as must be the owner of the application. + $auth = twitterAuthForUser($user); + $stream = new TwitterSiteStream($auth); + + // Pull Twitter user IDs for all users we want to pull data for + $userIds = array(); + + $flink = new Foreign_link(); + $flink->service = TWITTER_SERVICE; + $flink->find(); + + while ($flink->fetch()) { + if (($flink->noticesync & FOREIGN_NOTICE_RECV) == + FOREIGN_NOTICE_RECV) { + $userIds[] = $flink->foreign_id; + } + } + + $stream->followUsers($userIds); + return $stream; +} + + $user = User::staticGet('nickname', $nickname); global $myuser; $myuser = $user; -$stream = homeStreamForUser($user); -$stream->hookEvent('raw', function($data) { - common_log(LOG_INFO, json_encode($data)); +if (have_option('all')) { + $stream = siteStreamForOwner($user); +} else { + $stream = homeStreamForUser($user); +} + + +$stream->hookEvent('raw', function($data, $context) { + common_log(LOG_INFO, json_encode($data) . ' for ' . json_encode($context)); }); -$stream->hookEvent('friends', function($data) { +$stream->hookEvent('friends', function($data, $context) { printf("Friend list: %s\n", implode(', ', $data->friends)); }); -$stream->hookEvent('favorite', function($data) { +$stream->hookEvent('favorite', function($data, $context) { printf("%s favorited %s's notice: %s\n", $data->source->screen_name, $data->target->screen_name, $data->target_object->text); }); -$stream->hookEvent('unfavorite', function($data) { +$stream->hookEvent('unfavorite', function($data, $context) { printf("%s unfavorited %s's notice: %s\n", $data->source->screen_name, $data->target->screen_name, $data->target_object->text); }); -$stream->hookEvent('follow', function($data) { +$stream->hookEvent('follow', function($data, $context) { printf("%s friended %s\n", $data->source->screen_name, $data->target->screen_name); }); -$stream->hookEvent('unfollow', function($data) { +$stream->hookEvent('unfollow', function($data, $context) { printf("%s unfriended %s\n", $data->source->screen_name, $data->target->screen_name); }); -$stream->hookEvent('delete', function($data) { +$stream->hookEvent('delete', function($data, $context) { printf("Deleted status notification: %s\n", $data->status->id); }); -$stream->hookEvent('scrub_geo', function($data) { +$stream->hookEvent('scrub_geo', function($data, $context) { printf("Req to scrub geo data for user id %s up to status ID %s\n", $data->user_id, $data->up_to_status_id); }); -$stream->hookEvent('status', function($data) { +$stream->hookEvent('status', function($data, $context) { printf("Received status update from %s: %s\n", $data->user->screen_name, $data->text); diff --git a/plugins/TwitterBridge/twitterstreamreader.php b/plugins/TwitterBridge/twitterstreamreader.php index 3a3c8f5e66..5b0613bc40 100644 --- a/plugins/TwitterBridge/twitterstreamreader.php +++ b/plugins/TwitterBridge/twitterstreamreader.php @@ -208,7 +208,7 @@ class TwitterSiteStream extends TwitterStreamReader { protected $userIds; - public function __construct(TwitterOAuthClient $auth, $baseUrl='https://stream.twitter.com') + public function __construct(TwitterOAuthClient $auth, $baseUrl='http://betastream.twitter.com') { parent::__construct($auth, $baseUrl); } From 69a1ecec9b4b7168fb570d2d07bcfaa0f29fc856 Mon Sep 17 00:00:00 2001 From: Evan Prodromou Date: Sun, 24 Oct 2010 15:04:12 -0400 Subject: [PATCH 009/628] check for a post --- lib/action.php | 11 +++++++++++ 1 file changed, 11 insertions(+) diff --git a/lib/action.php b/lib/action.php index 01bb0f7e92..d8f1392466 100644 --- a/lib/action.php +++ b/lib/action.php @@ -1354,4 +1354,15 @@ class Action extends HTMLOutputter // lawsuit $this->clientError(_('There was a problem with your session token.')); } } + + /** + * Check if the current request is a POST + * + * @return boolean true if POST; otherwise false. + */ + + function isPost() + { + return ($_SERVER['REQUEST_METHOD'] == 'POST'); + } } From 43a67b150a4e4285224ccf695171df731c736a1e Mon Sep 17 00:00:00 2001 From: Evan Prodromou Date: Sun, 24 Oct 2010 15:58:53 -0400 Subject: [PATCH 010/628] show a single notice in atom entry format --- actions/apistatusesshow.php | 16 ++++++++++++---- lib/apiaction.php | 6 ++++++ lib/router.php | 4 ++-- 3 files changed, 20 insertions(+), 6 deletions(-) diff --git a/actions/apistatusesshow.php b/actions/apistatusesshow.php index 84f8079db5..c0eab15a44 100644 --- a/actions/apistatusesshow.php +++ b/actions/apistatusesshow.php @@ -105,8 +105,8 @@ class ApiStatusesShowAction extends ApiPrivateAuthAction { parent::handle($args); - if (!in_array($this->format, array('xml', 'json'))) { - $this->clientError(_('API method not found.'), $code = 404); + if (!in_array($this->format, array('xml', 'json', 'atom'))) { + $this->clientError(_('API method not found.'), 404); return; } @@ -122,10 +122,18 @@ class ApiStatusesShowAction extends ApiPrivateAuthAction function showNotice() { if (!empty($this->notice)) { - if ($this->format == 'xml') { + switch ($this->format) { + case 'xml': $this->showSingleXmlStatus($this->notice); - } elseif ($this->format == 'json') { + break; + case 'json': $this->show_single_json_status($this->notice); + break; + case 'atom': + $this->showSingleAtomStatus($this->notice); + break; + default: + throw new Exception(sprintf(_("Unsupported format: %s"), $this->format)); } } else { diff --git a/lib/apiaction.php b/lib/apiaction.php index 4e9dbb310b..8a7be31502 100644 --- a/lib/apiaction.php +++ b/lib/apiaction.php @@ -726,6 +726,12 @@ class ApiAction extends Action $this->endDocument('xml'); } + function showSingleAtomStatus($notice) + { + header('Content-Type: application/atom+xml; charset=utf-8'); + print $notice->asAtomEntry(true, true, true, $this->auth_user); + } + function show_single_json_status($notice) { $this->initDocument('json'); diff --git a/lib/router.php b/lib/router.php index 9aaac7dfe3..834445f09b 100644 --- a/lib/router.php +++ b/lib/router.php @@ -399,12 +399,12 @@ class Router $m->connect('api/statuses/show.:format', array('action' => 'ApiStatusesShow', - 'format' => '(xml|json)')); + 'format' => '(xml|json|atom)')); $m->connect('api/statuses/show/:id.:format', array('action' => 'ApiStatusesShow', 'id' => '[0-9]+', - 'format' => '(xml|json)')); + 'format' => '(xml|json|atom)')); $m->connect('api/statuses/update.:format', array('action' => 'ApiStatusesUpdate', From 292e789584df47834f30d4de1ef143670c079b24 Mon Sep 17 00:00:00 2001 From: Evan Prodromou Date: Sun, 24 Oct 2010 21:24:23 -0400 Subject: [PATCH 011/628] delete a notice using AtomPub --- actions/apistatusesshow.php | 38 ++++++++++++++++++++++++++++++++++++- 1 file changed, 37 insertions(+), 1 deletion(-) diff --git a/actions/apistatusesshow.php b/actions/apistatusesshow.php index c0eab15a44..86ffd6862e 100644 --- a/actions/apistatusesshow.php +++ b/actions/apistatusesshow.php @@ -110,7 +110,17 @@ class ApiStatusesShowAction extends ApiPrivateAuthAction return; } - $this->showNotice(); + switch ($_SERVER['REQUEST_METHOD']) { + case 'GET': + $this->showNotice(); + break; + case 'DELETE': + $this->deleteNotice(); + break; + default: + $this->clientError(_('HTTP method not supported.'), 405); + return; + } } /** @@ -213,4 +223,30 @@ class ApiStatusesShowAction extends ApiPrivateAuthAction return null; } + function deleteNotice() + { + if ($this->format != 'atom') { + $this->clientError(_("Can only delete using the Atom format.")); + return; + } + + if (empty($this->auth_user) || + ($this->notice->profile_id != $this->auth_user->id && + !$this->auth_user->hasRight(Right::DELETEOTHERSNOTICE))) { + $this->clientError(_('Can\'t delete this notice.'), 403); + return; + } + + if (Event::handle('StartDeleteOwnNotice', array($this->auth_user, $this->notice))) { + $this->notice->delete(); + Event::handle('EndDeleteOwnNotice', array($this->auth_user, $this->notice)); + } + + // @fixme is there better output we could do here? + + header('HTTP/1.1 200 OK'); + header('Content-Type: text/plain'); + print(sprintf(_('Deleted notice %d'), $this->notice->id)); + print("\n"); + } } From c0664599aa5a90f99d462d7e9d9930e1aaf5dcbc Mon Sep 17 00:00:00 2001 From: Evan Prodromou Date: Sun, 24 Oct 2010 22:50:13 -0400 Subject: [PATCH 012/628] allow posting to user timeline using AtomPub --- actions/apitimelineuser.php | 227 ++++++++++++++++++++++++++++++++---- 1 file changed, 203 insertions(+), 24 deletions(-) diff --git a/actions/apitimelineuser.php b/actions/apitimelineuser.php index 0c97aad21c..cb7c847d62 100644 --- a/actions/apitimelineuser.php +++ b/actions/apitimelineuser.php @@ -101,7 +101,12 @@ class ApiTimelineUserAction extends ApiBareAuthAction function handle($args) { parent::handle($args); - $this->showTimeline(); + + if ($this->isPost()) { + $this->handlePost(); + } else { + $this->showTimeline(); + } } /** @@ -119,9 +124,9 @@ class ApiTimelineUserAction extends ApiBareAuthAction $atom = new AtomUserNoticeFeed($this->user, $this->auth_user); $link = common_local_url( - 'showstream', - array('nickname' => $this->user->nickname) - ); + 'showstream', + array('nickname' => $this->user->nickname) + ); $self = $this->getSelfUri(); @@ -137,14 +142,14 @@ class ApiTimelineUserAction extends ApiBareAuthAction break; case 'rss': $this->showRssTimeline( - $this->notices, - $atom->title, - $link, - $atom->subtitle, - $suplink, - $atom->logo, - $self - ); + $this->notices, + $atom->title, + $link, + $atom->subtitle, + $suplink, + $atom->logo, + $self + ); break; case 'atom': @@ -177,9 +182,9 @@ class ApiTimelineUserAction extends ApiBareAuthAction $notices = array(); $notice = $this->user->getNotices( - ($this->page-1) * $this->count, $this->count, - $this->since_id, $this->max_id - ); + ($this->page-1) * $this->count, $this->count, + $this->since_id, $this->max_id + ); while ($notice->fetch()) { $notices[] = clone($notice); @@ -232,18 +237,192 @@ class ApiTimelineUserAction extends ApiBareAuthAction $last = count($this->notices) - 1; return '"' . implode( - ':', - array($this->arg('action'), - common_user_cache_hash($this->auth_user), - common_language(), - $this->user->id, - strtotime($this->notices[0]->created), - strtotime($this->notices[$last]->created)) - ) - . '"'; + ':', + array($this->arg('action'), + common_user_cache_hash($this->auth_user), + common_language(), + $this->user->id, + strtotime($this->notices[0]->created), + strtotime($this->notices[$last]->created)) + ) + . '"'; } return null; } + function handlePost() + { + if (empty($this->auth_user) || + $this->auth_user->id != $this->user->id) { + $this->clientError(_("Only the user can add to their own timeline.")); + return; + } + + if ($this->format != 'atom') { + // Only handle posts for Atom + $this->clientError(_("Only accept AtomPub for atom feeds.")); + return; + } + + $xml = file_get_contents('php://input'); + + $dom = DOMDocument::loadXML($xml); + + if ($dom->documentElement->namespaceURI != Activity::ATOM || + $dom->documentElement->localName != 'entry') { + $this->clientError(_('Atom post must be an Atom entry.')); + return; + } + + $activity = new Activity($dom->documentElement); + + if ($activity->verb != ActivityVerb::POST) { + $this->clientError(_('Can only handle post activities.')); + return; + } + + $note = $activity->objects[0]; + + if (!in_array($note->type, array(ActivityObject::NOTE, + ActivityObject::BLOGENTRY, + ActivityObject::STATUS))) { + $this->clientError(sprintf(_('Cannot handle activity object type "%s"', + $note->type))); + return; + } + + // Use summary as fallback for content + + if (!empty($note->content)) { + $sourceContent = $note->content; + } else if (!empty($note->summary)) { + $sourceContent = $note->summary; + } else if (!empty($note->title)) { + $sourceContent = $note->title; + } else { + // @fixme fetch from $sourceUrl? + // @todo i18n FIXME: use sprintf and add i18n. + $this->clientError("No content for notice {$note->id}."); + return; + } + + // Get (safe!) HTML and text versions of the content + + $rendered = $this->purify($sourceContent); + $content = html_entity_decode(strip_tags($rendered), ENT_QUOTES, 'UTF-8'); + + $shortened = common_shorten_links($content); + + $options = array('is_local' => Notice::LOCAL_PUBLIC, + 'rendered' => $rendered, + 'replies' => array(), + 'groups' => array(), + 'tags' => array(), + 'urls' => array()); + + // accept remote URI (not necessarily a good idea) + + common_debug("Note ID is {$note->id}"); + + if (!empty($note->id)) { + $notice = Notice::staticGet('uri', trim($note->id)); + + if (!empty($notice)) { + $this->clientError(sprintf(_('Notice with URI "%s" already exists.'), + $note->id)); + return; + } + common_log(LOG_NOTICE, "Saving client-supplied notice URI '$note->id'"); + $options['uri'] = $note->id; + } + + // accept remote create time (also maybe not such a good idea) + + if (!empty($activity->time)) { + common_log(LOG_NOTICE, "Saving client-supplied create time {$activity->time}"); + $options['created'] = common_sql_date($activity->time); + } + + // Check for optional attributes... + + if (!empty($activity->context)) { + + foreach ($activity->context->attention as $uri) { + + $profile = Profile::fromURI($uri); + + if (!empty($profile)) { + $options['replies'] = $uri; + } else { + $group = User_group::staticGet('uri', $uri); + if (!empty($group)) { + $options['groups'] = $uri; + } else { + // @fixme: hook for discovery here + common_log(LOG_WARNING, sprintf(_('AtomPub post with unknown attention URI %s'), $uri)); + } + } + } + + // Maintain direct reply associations + // @fixme what about conversation ID? + + if (!empty($activity->context->replyToID)) { + $orig = Notice::staticGet('uri', + $activity->context->replyToID); + if (!empty($orig)) { + $options['reply_to'] = $orig->id; + } + } + + $location = $activity->context->location; + + if ($location) { + $options['lat'] = $location->lat; + $options['lon'] = $location->lon; + if ($location->location_id) { + $options['location_ns'] = $location->location_ns; + $options['location_id'] = $location->location_id; + } + } + } + + // Atom categories <-> hashtags + + foreach ($activity->categories as $cat) { + if ($cat->term) { + $term = common_canonical_tag($cat->term); + if ($term) { + $options['tags'][] = $term; + } + } + } + + // Atom enclosures -> attachment URLs + foreach ($activity->enclosures as $href) { + // @fixme save these locally or....? + $options['urls'][] = $href; + } + + $saved = Notice::saveNew($this->user->id, + $content, + 'atompub', // TODO: deal with this + $options); + + if (!empty($saved)) { + header("Location: " . common_local_url('ApiStatusesShow', array('notice_id' => $saved->id, + 'format' => 'atom'))); + $this->showSingleAtomStatus($saved); + } + } + + function purify($content) + { + require_once INSTALLDIR.'/extlib/htmLawed/htmLawed.php'; + + $config = array('safe' => 1, + 'deny_attribute' => 'id,style,on*'); + return htmLawed($content, $config); + } } From 698818bd7eee94e92f23967897862857a190c6ea Mon Sep 17 00:00:00 2001 From: Evan Prodromou Date: Sun, 24 Oct 2010 23:05:33 -0400 Subject: [PATCH 013/628] show rel=edit links in notices for authenticated users --- classes/Notice.php | 14 ++++++++++++++ 1 file changed, 14 insertions(+) diff --git a/classes/Notice.php b/classes/Notice.php index 60989f9bac..676e4cb546 100644 --- a/classes/Notice.php +++ b/classes/Notice.php @@ -1613,6 +1613,20 @@ class Notice extends Memcached_DataObject Event::handle('EndActivityGeo', array(&$this, &$xs, $lat, $lon)); } + // @fixme check this logic + + if ($this->isLocal() && !empty($cur) && $cur->id == $this->profile_id) { + $relEditUrl = common_local_url('ApiStatusesShow', array('id' => $this->id, + 'format' => 'atom')); + + if (Event::handle('StartActivityRelEdit', array(&$this, &$xs, &$relEditUrl))) { + $xs->element('link', array('rel' => 'edit', + 'type' => 'application/atom+xml', + 'href' => $relEditUrl)); + Event::handle('EndActivityRelEdit', array(&$this, &$xs, $relEditUrl)); + } + } + if (Event::handle('StartActivityEnd', array(&$this, &$xs))) { $xs->elementEnd('entry'); Event::handle('EndActivityEnd', array(&$this, &$xs)); From 59a7d78acb09c92622814d55c14e266f8f460fdf Mon Sep 17 00:00:00 2001 From: Evan Prodromou Date: Sun, 24 Oct 2010 23:43:26 -0400 Subject: [PATCH 014/628] Atom Service Document --- actions/apiatomservice.php | 100 +++++++++++++++++++++++++++++++++++++ actions/rsd.php | 14 ++++++ lib/router.php | 7 +++ 3 files changed, 121 insertions(+) create mode 100644 actions/apiatomservice.php diff --git a/actions/apiatomservice.php b/actions/apiatomservice.php new file mode 100644 index 0000000000..fb9d6aee82 --- /dev/null +++ b/actions/apiatomservice.php @@ -0,0 +1,100 @@ +. + * + * @category API + * @package StatusNet + * @author Evan Prodromou + * @copyright 2010 StatusNet, Inc. + * @license http://www.fsf.org/licensing/licenses/agpl-3.0.html AGPLv3 + * @link http://status.net/ + */ + +require_once INSTALLDIR.'/lib/apibareauth.php'; + +/** + * Shows an AtomPub service document for a user + * + * @category API + * @package StatusNet + * @author Evan Prodromou + * @copyright 2010 StatusNet, Inc. + * @license http://www.fsf.org/licensing/licenses/agpl-3.0.html AGPLv3 + * @link http://status.net/ + */ + +class ApiAtomServiceAction extends ApiBareAuthAction +{ + /** + * Take arguments for running + * + * @param array $args $_REQUEST args + * + * @return boolean success flag + * + */ + + function prepare($args) + { + parent::prepare($args); + $this->user = $this->getTargetUser($this->arg('id')); + + if (empty($this->user)) { + $this->clientError(_('No such user.'), 404, $this->format); + return; + } + + return true; + } + + /** + * Handle the arguments. In our case, show a service document. + * + * @param Array $args unused. + * + * @return void + */ + + function handle($args) + { + parent::handle($args); + + header('Content-Type: application/atomsvc+xml'); + + $this->startXML(); + $this->elementStart('service', array('xmlns' => 'http://www.w3.org/2007/app', + 'xmlns:atom' => 'http://www.w3.org/2005/Atom')); + $this->elementStart('workspace'); + $this->element('atom:title', null, _('Main')); + $this->elementStart('collection', + array('href' => common_local_url('ApiTimelineUser', + array('id' => $this->user->id, + 'format' => 'atom')))); + $this->element('atom:title', + null, + sprintf(_("%s timeline"), + $this->user->nickname)); + $this->element('accept', null, 'application/atom+xml;type=entry'); + $this->elementEnd('collection'); + $this->elementEnd('workspace'); + $this->elementEnd('service'); + $this->endXML(); + } +} diff --git a/actions/rsd.php b/actions/rsd.php index f88bf2e9a8..e02c85c41b 100644 --- a/actions/rsd.php +++ b/actions/rsd.php @@ -162,6 +162,20 @@ class RsdAction extends Action 'true'); $this->elementEnd('settings'); $this->elementEnd('api'); + + // Atom API + + if (empty($this->user)) { + $service = common_local_url('ApiAtomService'); + } else { + $service = common_local_url('ApiAtomService', array('id' => $this->user->nickname)); + } + + $this->element('api', array('name' => 'Atom', + 'preferred' => 'false', + 'apiLink' => $service, + 'blogID' => $blogID)); + Event::handle('EndRsdListApis', array($this, $this->user)); } $this->elementEnd('apis'); diff --git a/lib/router.php b/lib/router.php index 834445f09b..c0f3bf31d7 100644 --- a/lib/router.php +++ b/lib/router.php @@ -686,6 +686,13 @@ class Router $m->connect('api/oauth/authorize', array('action' => 'ApiOauthAuthorize')); + $m->connect('api/statusnet/app/service/:id.xml', + array('action' => 'ApiAtomService', + 'id' => '[a-zA-Z0-9]+')); + + $m->connect('api/statusnet/app/service.xml', + array('action' => 'ApiAtomService')); + // Admin $m->connect('admin/site', array('action' => 'siteadminpanel')); From e51ed96b89eb0229f890a3924c653eda51972a76 Mon Sep 17 00:00:00 2001 From: Evan Prodromou Date: Mon, 25 Oct 2010 09:48:01 -0400 Subject: [PATCH 015/628] add rel=self links to atom entries --- classes/Notice.php | 29 ++++++++++++++++++++++------- 1 file changed, 22 insertions(+), 7 deletions(-) diff --git a/classes/Notice.php b/classes/Notice.php index 676e4cb546..90ea811b6b 100644 --- a/classes/Notice.php +++ b/classes/Notice.php @@ -1615,15 +1615,30 @@ class Notice extends Memcached_DataObject // @fixme check this logic - if ($this->isLocal() && !empty($cur) && $cur->id == $this->profile_id) { - $relEditUrl = common_local_url('ApiStatusesShow', array('id' => $this->id, - 'format' => 'atom')); + if ($this->isLocal()) { - if (Event::handle('StartActivityRelEdit', array(&$this, &$xs, &$relEditUrl))) { - $xs->element('link', array('rel' => 'edit', + $selfUrl = common_local_url('ApiStatusesShow', array('id' => $this->id, + 'format' => 'atom')); + + if (Event::handle('StartActivityRelSelf', array(&$this, &$xs, &$selfUrl))) { + $xs->element('link', array('rel' => 'self', 'type' => 'application/atom+xml', - 'href' => $relEditUrl)); - Event::handle('EndActivityRelEdit', array(&$this, &$xs, $relEditUrl)); + 'href' => $selfUrl)); + Event::handle('EndActivityRelSelf', array(&$this, &$xs, $selfUrl)); + } + + if (!empty($cur) && $cur->id == $this->profile_id) { + + // note: $selfUrl may have been changed by a plugin + $relEditUrl = common_local_url('ApiStatusesShow', array('id' => $this->id, + 'format' => 'atom')); + + if (Event::handle('StartActivityRelEdit', array(&$this, &$xs, &$relEditUrl))) { + $xs->element('link', array('rel' => 'edit', + 'type' => 'application/atom+xml', + 'href' => $relEditUrl)); + Event::handle('EndActivityRelEdit', array(&$this, &$xs, $relEditUrl)); + } } } From e6ba379c8bfcf6a057a9cdfc161cae84d031401f Mon Sep 17 00:00:00 2001 From: Evan Prodromou Date: Mon, 25 Oct 2010 11:08:10 -0400 Subject: [PATCH 016/628] navigation links in user timeline (for AtomPub) --- actions/apitimelineuser.php | 58 +++++++++++++++++++++++++++++++++---- 1 file changed, 53 insertions(+), 5 deletions(-) diff --git a/actions/apitimelineuser.php b/actions/apitimelineuser.php index cb7c847d62..69cd9c2cb4 100644 --- a/actions/apitimelineuser.php +++ b/actions/apitimelineuser.php @@ -157,6 +157,49 @@ class ApiTimelineUserAction extends ApiBareAuthAction $atom->setId($self); $atom->setSelfLink($self); + + // Add navigation links: next, prev, first + // Note: we use IDs rather than pages for navigation; page boundaries + // change too quickly! + + if (!empty($this->next_id)) { + $nextUrl = common_local_url('ApiTimelineUser', + array('format' => 'atom', + 'id' => $this->user->id), + array('max_id' => $this->next_id)); + + $atom->addLink($nextUrl, + array('rel' => 'next', + 'type' => 'application/atom+xml')); + } + + if (($this->page > 1 || !empty($this->max_id)) && !empty($this->notices)) { + + $lastNotice = $this->notices[0]; + $lastId = $lastNotice->id; + + $prevUrl = common_local_url('ApiTimelineUser', + array('format' => 'atom', + 'id' => $this->user->id), + array('since_id' => $lastId)); + + $atom->addLink($prevUrl, + array('rel' => 'prev', + 'type' => 'application/atom+xml')); + } + + if ($this->page > 1 || !empty($this->since_id) || !empty($this->max_id)) { + + $firstUrl = common_local_url('ApiTimelineUser', + array('format' => 'atom', + 'id' => $this->user->id)); + + $atom->addLink($firstUrl, + array('rel' => 'first', + 'type' => 'application/atom+xml')); + + } + $atom->addEntryFromNotices($this->notices); $this->raw($atom->getString()); @@ -181,13 +224,18 @@ class ApiTimelineUserAction extends ApiBareAuthAction { $notices = array(); - $notice = $this->user->getNotices( - ($this->page-1) * $this->count, $this->count, - $this->since_id, $this->max_id - ); + $notice = $this->user->getNotices(($this->page-1) * $this->count, + $this->count + 1, + $this->since_id, + $this->max_id); while ($notice->fetch()) { - $notices[] = clone($notice); + if (count($notices) < $this->count) { + $notices[] = clone($notice); + } else { + $this->next_id = $notice->id; + break; + } } return $notices; From e76028b629ccc819160ff5a95393c4cb86b34c1f Mon Sep 17 00:00:00 2001 From: Brion Vibber Date: Thu, 28 Oct 2010 18:26:48 -0700 Subject: [PATCH 017/628] Work in progress: starting on new TwitterDaemon using the Site Streams API -- code is incomplete, pulling bits from streamtest.php pending a chance to test the actual site-streams mode --- .../TwitterBridge/daemons/twitterdaemon.php | 327 ++++++++++++++++++ 1 file changed, 327 insertions(+) create mode 100644 plugins/TwitterBridge/daemons/twitterdaemon.php diff --git a/plugins/TwitterBridge/daemons/twitterdaemon.php b/plugins/TwitterBridge/daemons/twitterdaemon.php new file mode 100644 index 0000000000..f97f3179b8 --- /dev/null +++ b/plugins/TwitterBridge/daemons/twitterdaemon.php @@ -0,0 +1,327 @@ +#!/usr/bin/env php +. + */ + +define('INSTALLDIR', realpath(dirname(__FILE__) . '/..')); + +$shortoptions = 'fi::a'; +$longoptions = array('id::', 'foreground', 'all'); + +$helptext = <<allsites = $allsites; + } + + function runThread() + { + common_log(LOG_INFO, 'Waiting to listen to Twitter and queues'); + + $master = new TwitterMaster($this->get_id(), $this->processManager()); + $master->init($this->allsites); + $master->service(); + + common_log(LOG_INFO, 'terminating normally'); + + return $master->respawn ? self::EXIT_RESTART : self::EXIT_SHUTDOWN; + } + +} + +class TwitterMaster 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. + */ + function initManagers() + { + if (common_config('twitter', 'enabled')) { + $qm = QueueManager::get(); + $qm->setActiveGroup('twitter'); + $this->instantiate($qm); + $this->instantiate(TwitterManager::get()); + $this->instantiate($this->processManager); + } + } +} + + +class TwitterManager extends IoManager +{ + // Recommended resource limits from http://dev.twitter.com/pages/site_streams + const MAX_STREAMS = 1000; + const USERS_PER_STREAM = 100; + const STREAMS_PER_SECOND = 20; + + protected $twitterStreams; + protected $twitterUsers; + + function __construct() + { + } + + /** + * Pull the site's active Twitter-importing users and start spawning + * some data streams for them! + * + * @fixme check their last-id and check whether we'll need to do a manual pull. + * @fixme abstract out the fetching so we can work over multiple sites. + */ + function initStreams() + { + // Pull Twitter user IDs for all users we want to pull data for + $flink = new Foreign_link(); + $flink->service = TWITTER_SERVICE; + // @fixme probably should do the bitfield check in a whereAdd but it's ugly :D + $flink->find(); + + $userIds = array(); + while ($flink->fetch()) { + if (($flink->noticesync & FOREIGN_NOTICE_RECV) == + FOREIGN_NOTICE_RECV) { + $userIds[] = $flink->foreign_id; + + if (count($userIds) >= self::USERS_PER_STREAM) { + $this->spawnStream($userIds); + $userIds = array(); + } + } + } + + if (count($userIds)) { + $this->spawnStream($userIds); + } + } + + /** + * Prepare a Site Stream connection for the given chunk of users. + * The actual connection will be opened later. + * + * @param $users array of Twitter-side user IDs + */ + function spawnStream($users) + { + $stream = $this->initSiteStream(); + $stream->followUsers($userIds); + + // Slip the stream reader into our list of active streams. + // We'll manage its actual connection on the next go-around. + $this->streams[] = $stream; + + // Record the user->stream mappings; this makes it easier for us to know + // later if we need to kill something. + foreach ($userIds as $id) { + $this->users[$id] = $stream; + } + } + + /** + * Initialize a generic site streams connection object. + * All our connections will look like this, then we'll add users to them. + * + * @return TwitterStreamReader + */ + function initSiteStream() + { + $auth = $this->siteStreamAuth(); + $stream = new TwitterSiteStream($auth); + + // Add our event handler callbacks. Whee! + $this->setupEvents($stream); + return $stream; + } + + /** + * Fetch the Twitter OAuth credentials to use to connect to the Site Streams API. + * + * This will use the locally-stored credentials for the applictation's owner account + * from the site configuration. These should be configured through the administration + * panels or manually in the config file. + * + * Will throw an exception if no credentials can be found -- but beware that invalid + * credentials won't cause breakage until later. + * + * @return TwitterOAuthClient + */ + function siteStreamAuth() + { + $token = common_config('twitter', 'stream_token'); + $secret = common_config('twitter', 'stream_secret'); + if (empty($token) || empty($secret)) { + throw new ServerException('Twitter site streams have not been correctly configured. Configure the app owner account via the admin panel.'); + } + return new TwitterOAuthClient($token, $secret); + } + + /** + * Collect the sockets for all active connections for i/o monitoring. + * + * @return array of resources + */ + function getSockets() + { + $sockets = array(); + foreach ($this->streams as $stream) { + foreach ($stream->getSockets() as $socket) { + $sockets[] = $socket; + } + } + return $streams; + } + + /** + * We're ready to process input from one of our data sources! Woooooo! + * @fixme is there an easier way to map from socket back to owning module? :( + * + * @param resource $socket + * @return boolean success + */ + function handleInput($socket) + { + foreach ($this->streams as $stream) { + foreach ($stream->getSockets() as $aSocket) { + if ($socket === $aSocket) { + $stream->handleInput($socket); + } + } + } + return true; + } + + /** + * Start the system up! + * @fixme do some rate-limiting on the stream setup + * @fixme do some sensible backoff on failure etc + */ + function start() + { + $this->initStreams(); + foreach ($this->streams as $stream) { + $stream->connect(); + } + return true; + } + + function finish() + { + foreach ($this->streams as $index => $stream) { + $stream->close(); + unset($this->streams[$index]); + } + return true; + } + + public static function get() + { + throw new Exception('not a singleton'); + } + + /** + * Set up event handlers on the streaming interface. + * + * @fixme add more event types as we add handling for them + */ + protected function setupEvents(TwitterStream $stream) + { + $handlers = array( + 'status', + ); + foreach ($handlers as $event) { + $stream->hookEvent($event, array($this, 'onTwitter' . ucfirst($event))); + } + } + + /** + * Event callback notifying that a user has a new message in their home timeline. + * + * @param object $data JSON data: Twitter status update + */ + protected function onTwitterStatus($data, $context) + { + $importer = new TwitterImport(); + $notice = $importer->importStatus($data); + if ($notice) { + $user = $this->getTwitterUser($context); + Inbox::insertNotice($user->id, $notice->id); + } + } + + /** + * @fixme what about handling multiple sites? + */ + function getTwitterUser($context) + { + if ($context->source != 'sitestream') { + throw new ServerException("Unexpected stream source"); + } + $flink = Foreign_link::getByForeignID(TWITTER_SERVICE, $context->for_user); + if ($flink) { + return $flink->getUser(); + } else { + throw new ServerException("No local user for this Twitter ID"); + } + } +} + + +if (have_option('i', 'id')) { + $id = get_option_value('i', 'id'); +} else if (count($args) > 0) { + $id = $args[0]; +} else { + $id = null; +} + +$foreground = have_option('f', 'foreground'); +$all = have_option('a') || have_option('--all'); + +$daemon = new TwitterDaemon($id, !$foreground, 1, $all); + +$daemon->runOnce(); From 15b108620e4a63184d001ed8ff3704225a795b8c Mon Sep 17 00:00:00 2001 From: Brion Vibber Date: Fri, 29 Oct 2010 13:06:32 -0700 Subject: [PATCH 018/628] Fix a couple 'continue's from old looping code in Twitter importer (-> return null) --- plugins/TwitterBridge/twitterimport.php | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/plugins/TwitterBridge/twitterimport.php b/plugins/TwitterBridge/twitterimport.php index 1b2d395304..07a9cf95f6 100644 --- a/plugins/TwitterBridge/twitterimport.php +++ b/plugins/TwitterBridge/twitterimport.php @@ -57,13 +57,13 @@ class TwitterImport if (preg_match("/$source/", mb_strtolower($status->source))) { common_debug($this->name() . ' - Skipping import of status ' . $status->id . ' with source ' . $source); - continue; + return null; } // Don't save it if the user is protected // FIXME: save it but treat it as private if ($status->user->protected) { - continue; + return null; } $notice = $this->saveStatus($status); From 86adc575ecc1dce990540d06fc86735215ae1ea1 Mon Sep 17 00:00:00 2001 From: Brion Vibber Date: Fri, 29 Oct 2010 13:14:12 -0700 Subject: [PATCH 019/628] TweetInQueueHandler: run incoming tweets through the queues to keep the Twitter streaming daemon clear. --- plugins/TwitterBridge/tweetinqueuehandler.php | 63 +++++++++++++++++++ 1 file changed, 63 insertions(+) create mode 100644 plugins/TwitterBridge/tweetinqueuehandler.php diff --git a/plugins/TwitterBridge/tweetinqueuehandler.php b/plugins/TwitterBridge/tweetinqueuehandler.php new file mode 100644 index 0000000000..ff6b2cc861 --- /dev/null +++ b/plugins/TwitterBridge/tweetinqueuehandler.php @@ -0,0 +1,63 @@ +. + */ + +if (!defined('STATUSNET') && !defined('LACONICA')) { exit(1); } + +require_once INSTALLDIR . '/plugins/TwitterBridge/twitter.php'; + +/** + * Queue handler to deal with incoming Twitter status updates, as retrieved by + * TwitterDaemon (twitterdaemon.php). + * + * The queue handler passes the status through TwitterImporter for import into the + * local database (if necessary), then adds the imported notice to the local inbox + * of the attached Twitter user. + * + * Warning: the way we do inbox distribution manually means that realtime, XMPP, etc + * don't work on Twitter-borne messages. When TwitterImporter is changed to handle + * that correctly, we'll only need to do this once...? + */ +class TweetInQueueHandler extends QueueHandler +{ + function transport() + { + return 'tweetin'; + } + + function handle($data) + { + // JSON object with Twitter data + $status = $data['status']; + + // Twitter user ID this incoming data belongs to. + $receiver = $data['for_user']; + + $importer = new TwitterImport(); + $notice = $importer->importStatus($status); + if ($notice) { + $flink = Foreign_link::getByForeignID(TWITTER_SERVICE, $receiver); + if ($flink) { + // @fixme this should go through more regular channels? + Inbox::insertNotice($flink->user_id, $notice->id); + } + } + + return true; + } +} From 47eada3a95bbe92619f2fc070f24e429f28e6fa8 Mon Sep 17 00:00:00 2001 From: Brion Vibber Date: Fri, 29 Oct 2010 13:18:03 -0700 Subject: [PATCH 020/628] Work in progress on site streams-aware TwitterDaemon --- .../TwitterBridge/daemons/twitterdaemon.php | 58 ++++++++----------- 1 file changed, 25 insertions(+), 33 deletions(-) diff --git a/plugins/TwitterBridge/daemons/twitterdaemon.php b/plugins/TwitterBridge/daemons/twitterdaemon.php index f97f3179b8..851d191dd2 100644 --- a/plugins/TwitterBridge/daemons/twitterdaemon.php +++ b/plugins/TwitterBridge/daemons/twitterdaemon.php @@ -114,7 +114,7 @@ class TwitterManager extends IoManager * @fixme check their last-id and check whether we'll need to do a manual pull. * @fixme abstract out the fetching so we can work over multiple sites. */ - function initStreams() + protected function initStreams() { // Pull Twitter user IDs for all users we want to pull data for $flink = new Foreign_link(); @@ -146,7 +146,7 @@ class TwitterManager extends IoManager * * @param $users array of Twitter-side user IDs */ - function spawnStream($users) + protected function spawnStream($users) { $stream = $this->initSiteStream(); $stream->followUsers($userIds); @@ -168,7 +168,7 @@ class TwitterManager extends IoManager * * @return TwitterStreamReader */ - function initSiteStream() + protected function initSiteStream() { $auth = $this->siteStreamAuth(); $stream = new TwitterSiteStream($auth); @@ -190,7 +190,7 @@ class TwitterManager extends IoManager * * @return TwitterOAuthClient */ - function siteStreamAuth() + protected function siteStreamAuth() { $token = common_config('twitter', 'stream_token'); $secret = common_config('twitter', 'stream_secret'); @@ -205,7 +205,7 @@ class TwitterManager extends IoManager * * @return array of resources */ - function getSockets() + public function getSockets() { $sockets = array(); foreach ($this->streams as $stream) { @@ -223,7 +223,7 @@ class TwitterManager extends IoManager * @param resource $socket * @return boolean success */ - function handleInput($socket) + public function handleInput($socket) { foreach ($this->streams as $stream) { foreach ($stream->getSockets() as $aSocket) { @@ -236,11 +236,12 @@ class TwitterManager extends IoManager } /** - * Start the system up! + * Start the i/o system up! Prepare our connections and start opening them. + * * @fixme do some rate-limiting on the stream setup * @fixme do some sensible backoff on failure etc */ - function start() + public function start() { $this->initStreams(); foreach ($this->streams as $stream) { @@ -249,7 +250,10 @@ class TwitterManager extends IoManager return true; } - function finish() + /** + * Close down our connections when the daemon wraps up for business. + */ + public function finish() { foreach ($this->streams as $index => $stream) { $stream->close(); @@ -280,33 +284,21 @@ class TwitterManager extends IoManager /** * Event callback notifying that a user has a new message in their home timeline. + * We store the incoming message into the queues for processing, keeping our own + * daemon running as shiny-fast as possible. * - * @param object $data JSON data: Twitter status update + * @param object $status JSON data: Twitter status update + * @fixme in all-sites mode we may need to route queue items into another site's + * destination queues, or multiple sites. */ - protected function onTwitterStatus($data, $context) + protected function onTwitterStatus($status, $context) { - $importer = new TwitterImport(); - $notice = $importer->importStatus($data); - if ($notice) { - $user = $this->getTwitterUser($context); - Inbox::insertNotice($user->id, $notice->id); - } - } - - /** - * @fixme what about handling multiple sites? - */ - function getTwitterUser($context) - { - if ($context->source != 'sitestream') { - throw new ServerException("Unexpected stream source"); - } - $flink = Foreign_link::getByForeignID(TWITTER_SERVICE, $context->for_user); - if ($flink) { - return $flink->getUser(); - } else { - throw new ServerException("No local user for this Twitter ID"); - } + $data = array( + 'status' => $status, + 'for_user' => $context->for_user, + ); + $qm = QueueManager::get(); + $qm->enqueue($data, 'tweetin'); } } From d743539cf72487705f8a1384284ddf114af12bfa Mon Sep 17 00:00:00 2001 From: Brion Vibber Date: Fri, 29 Oct 2010 13:41:15 -0700 Subject: [PATCH 021/628] Fixups for twitter streaming daemon --- plugins/TwitterBridge/TwitterBridgePlugin.php | 6 +++++ .../TwitterBridge/daemons/twitterdaemon.php | 27 ++++++++----------- 2 files changed, 17 insertions(+), 16 deletions(-) diff --git a/plugins/TwitterBridge/TwitterBridgePlugin.php b/plugins/TwitterBridge/TwitterBridgePlugin.php index 128b062c7f..b4eb9d2f98 100644 --- a/plugins/TwitterBridge/TwitterBridgePlugin.php +++ b/plugins/TwitterBridge/TwitterBridgePlugin.php @@ -201,8 +201,14 @@ class TwitterBridgePlugin extends Plugin case 'TwitterOAuthClient': case 'TwitterQueueHandler': case 'TwitterImport': + case 'JsonStreamReader': + case 'TwitterStreamReader': include_once $dir . '/' . strtolower($cls) . '.php'; return false; + case 'TwitterSiteStream': + case 'TwitterUserStream': + include_once $dir . '/twitterstreamreader.php'; + return false; case 'Notice_to_status': case 'Twitter_synch_status': include_once $dir . '/' . $cls . '.php'; diff --git a/plugins/TwitterBridge/daemons/twitterdaemon.php b/plugins/TwitterBridge/daemons/twitterdaemon.php index 851d191dd2..9e218a1a1c 100644 --- a/plugins/TwitterBridge/daemons/twitterdaemon.php +++ b/plugins/TwitterBridge/daemons/twitterdaemon.php @@ -18,7 +18,7 @@ * along with this program. If not, see . */ -define('INSTALLDIR', realpath(dirname(__FILE__) . '/..')); +define('INSTALLDIR', realpath(dirname(__FILE__) . '/../../..')); $shortoptions = 'fi::a'; $longoptions = array('id::', 'foreground', 'all'); @@ -82,13 +82,11 @@ class TwitterMaster extends IoMaster */ function initManagers() { - if (common_config('twitter', 'enabled')) { - $qm = QueueManager::get(); - $qm->setActiveGroup('twitter'); - $this->instantiate($qm); - $this->instantiate(TwitterManager::get()); - $this->instantiate($this->processManager); - } + $qm = QueueManager::get(); + $qm->setActiveGroup('twitter'); + $this->instantiate($qm); + $this->instantiate(new TwitterManager()); + $this->instantiate($this->processManager); } } @@ -103,10 +101,6 @@ class TwitterManager extends IoManager protected $twitterStreams; protected $twitterUsers; - function __construct() - { - } - /** * Pull the site's active Twitter-importing users and start spawning * some data streams for them! @@ -116,6 +110,7 @@ class TwitterManager extends IoManager */ protected function initStreams() { + common_log(LOG_INFO, 'init...'); // Pull Twitter user IDs for all users we want to pull data for $flink = new Foreign_link(); $flink->service = TWITTER_SERVICE; @@ -144,9 +139,9 @@ class TwitterManager extends IoManager * Prepare a Site Stream connection for the given chunk of users. * The actual connection will be opened later. * - * @param $users array of Twitter-side user IDs + * @param $userIds array of Twitter-side user IDs */ - protected function spawnStream($users) + protected function spawnStream($userIds) { $stream = $this->initSiteStream(); $stream->followUsers($userIds); @@ -213,7 +208,7 @@ class TwitterManager extends IoManager $sockets[] = $socket; } } - return $streams; + return $sockets; } /** @@ -272,7 +267,7 @@ class TwitterManager extends IoManager * * @fixme add more event types as we add handling for them */ - protected function setupEvents(TwitterStream $stream) + protected function setupEvents(TwitterStreamReader $stream) { $handlers = array( 'status', From 62408fef09990a127a58aa8f8a24777bc34d160d Mon Sep 17 00:00:00 2001 From: Brion Vibber Date: Fri, 29 Oct 2010 14:12:18 -0700 Subject: [PATCH 022/628] Work in progress on twitter import daemon --- plugins/TwitterBridge/TwitterBridgePlugin.php | 7 +++ .../TwitterBridge/daemons/twitterdaemon.php | 4 +- .../TwitterBridge/tweetctlqueuehandler.php | 59 +++++++++++++++++++ plugins/TwitterBridge/twittersettings.php | 17 ++++++ 4 files changed, 85 insertions(+), 2 deletions(-) create mode 100644 plugins/TwitterBridge/tweetctlqueuehandler.php diff --git a/plugins/TwitterBridge/TwitterBridgePlugin.php b/plugins/TwitterBridge/TwitterBridgePlugin.php index b4eb9d2f98..1078abc484 100644 --- a/plugins/TwitterBridge/TwitterBridgePlugin.php +++ b/plugins/TwitterBridge/TwitterBridgePlugin.php @@ -274,7 +274,14 @@ class TwitterBridgePlugin extends Plugin function onEndInitializeQueueManager($manager) { if (self::hasKeys()) { + // Outgoing notices -> twitter $manager->connect('twitter', 'TwitterQueueHandler'); + + // Incoming statuses <- twitter + $manager->connect('tweetin', 'TweetInQueueHandler'); + + // Control messages from our web interface to the import daemon + $manager->connect('tweetctl', 'TweetCtlQueueHandler', 'twitter'); } return true; } diff --git a/plugins/TwitterBridge/daemons/twitterdaemon.php b/plugins/TwitterBridge/daemons/twitterdaemon.php index 9e218a1a1c..d313d2de96 100644 --- a/plugins/TwitterBridge/daemons/twitterdaemon.php +++ b/plugins/TwitterBridge/daemons/twitterdaemon.php @@ -98,8 +98,8 @@ class TwitterManager extends IoManager const USERS_PER_STREAM = 100; const STREAMS_PER_SECOND = 20; - protected $twitterStreams; - protected $twitterUsers; + protected $streams; + protected $users; /** * Pull the site's active Twitter-importing users and start spawning diff --git a/plugins/TwitterBridge/tweetctlqueuehandler.php b/plugins/TwitterBridge/tweetctlqueuehandler.php new file mode 100644 index 0000000000..4c8bef463e --- /dev/null +++ b/plugins/TwitterBridge/tweetctlqueuehandler.php @@ -0,0 +1,59 @@ +. + */ + +if (!defined('STATUSNET') && !defined('LACONICA')) { exit(1); } + +require_once INSTALLDIR . '/plugins/TwitterBridge/twitter.php'; + +/** + * Queue handler to deal with incoming Twitter status updates, as retrieved by + * TwitterDaemon (twitterdaemon.php). + * + * The queue handler passes the status through TwitterImporter for import into the + * local database (if necessary), then adds the imported notice to the local inbox + * of the attached Twitter user. + * + * Warning: the way we do inbox distribution manually means that realtime, XMPP, etc + * don't work on Twitter-borne messages. When TwitterImporter is changed to handle + * that correctly, we'll only need to do this once...? + */ +class TweetCtlQueueHandler extends QueueHandler +{ + function transport() + { + return 'tweetctl'; + } + + function handle($data) + { + // A user has activated or deactivated their Twitter bridge + // import status. + $action = $data['action']; + $userId = $data['for_user']; + + $tm = TwitterManager::get(); + if ($action == 'start') { + $tm->startTwitterUser($userId); + } else if ($action == 'stop') { + $tm->stopTwitterUser($userId); + } + + return true; + } +} diff --git a/plugins/TwitterBridge/twittersettings.php b/plugins/TwitterBridge/twittersettings.php index 33c5eb65bb..de1ba58b0d 100644 --- a/plugins/TwitterBridge/twittersettings.php +++ b/plugins/TwitterBridge/twittersettings.php @@ -285,6 +285,7 @@ class TwittersettingsAction extends ConnectSettingsAction } $original = clone($flink); + $wasReceiving = (bool)($original->notice_sync & FOREIGN_NOTICE_RECV); $flink->set_flags($noticesend, $noticerecv, $replysync, $friendsync); $result = $flink->update($original); @@ -294,6 +295,22 @@ class TwittersettingsAction extends ConnectSettingsAction return; } + if ($wasReceiving xor $noticerecv) { + $this->notifyDaemon($flink->foreign_id, $noticerecv); + } + $this->showForm(_m('Twitter preferences saved.'), true); } + + /** + * Tell the import daemon that we've updated a user's receive status. + */ + function notifyDaemon($twitterUserId, $receiving) + { + $data = array('for_user' => $twitterUserId, + 'action' => $receiving ? 'stop' : 'start'); + $qm = QueueManager::get(); + $qm->enqueue($data, 'twitterctl'); + } + } From 0c64df8cd9723e15e6d0a6ca7b339cabf2cd93c3 Mon Sep 17 00:00:00 2001 From: Brion Vibber Date: Fri, 29 Oct 2010 14:34:27 -0700 Subject: [PATCH 023/628] Quickie script to aid in building release tarballs -- encapsulates the archive-i18n gen-changelog gen-retar steps. --- scripts/make-release.php | 57 ++++++++++++++++++++++++++++++++++++++++ 1 file changed, 57 insertions(+) create mode 100644 scripts/make-release.php diff --git a/scripts/make-release.php b/scripts/make-release.php new file mode 100644 index 0000000000..a62d2f4480 --- /dev/null +++ b/scripts/make-release.php @@ -0,0 +1,57 @@ +#!/usr/bin/env php +. + */ + +# Abort if called from a web server + +define('INSTALLDIR', realpath(dirname(__FILE__) . '/..')); + +require_once INSTALLDIR.'/scripts/commandline.inc'; + +$base = INSTALLDIR; +$encBase = escapeshellarg($base); + +$ver = STATUSNET_VERSION; + +// @fixme hack +if (preg_match('/^(\d+)\.(\d+)\.(\d+)/', $ver, $matches)) { + list(, $a, $b, $c) = $matches; + if ($c > '0') { + $cprime = $c - 1; + $prev = "$a.$b.$cprime"; + } else { + die("This is a .0 release; you need to provide a thingy.\n"); + } +} + +$tag = $ver; +$prefix = "statusnet-$tag"; +$target = "$prefix.tar.gz"; + +$cmd = << /tmp/$target) && \ +(cd /tmp && tar zxf $target && cd $prefix && make) && \ +(cd $encBase && git log --oneline {$prev}..{$tag} > /tmp/$prefix/Changelog) && \ +(cd /tmp && tar zcf $target $prefix) && \ +(cd /tmp && rm -rf $prefix) && \ +(mv /tmp/$target .) +END; + +echo $cmd; +echo "\n"; From 2c420cc5eba9cd89b9daf0e10c750a34672a4795 Mon Sep 17 00:00:00 2001 From: Zach Copley Date: Fri, 29 Oct 2010 23:38:00 +0000 Subject: [PATCH 024/628] New Start/EndHtmlElement events. Allows adding namespaces. --- EVENTS.txt | 8 ++++++++ lib/htmloutputter.php | 13 ++++++++++--- 2 files changed, 18 insertions(+), 3 deletions(-) diff --git a/EVENTS.txt b/EVENTS.txt index 8e730945a4..7d4fc6c162 100644 --- a/EVENTS.txt +++ b/EVENTS.txt @@ -365,6 +365,14 @@ GetValidDaemons: Just before determining which daemons to run HandleQueuedNotice: Handle a queued notice at queue time (or immediately if no queue) - &$notice: notice to handle +StartHtmlElement: Reight before outputting the HTML element - allows plugins to add namespaces +- $action: the current action +- &$attrs: attributes for the HTML element + +EndHtmlElement: Right after outputting the HTML element +- $action: the current action +- &$attrs: attributes for the HTML element + StartShowHeadElements: Right after the tag - $action: the current action diff --git a/lib/htmloutputter.php b/lib/htmloutputter.php index 42bff44908..b341d14958 100644 --- a/lib/htmloutputter.php +++ b/lib/htmloutputter.php @@ -119,9 +119,16 @@ class HTMLOutputter extends XMLOutputter $language = $this->getLanguage(); - $this->elementStart('html', array('xmlns' => 'http://www.w3.org/1999/xhtml', - 'xml:lang' => $language, - 'lang' => $language)); + $attrs = array( + 'xmlns' => 'http://www.w3.org/1999/xhtml', + 'xml:lang' => $language, + 'lang' => $language + ); + + if (Event::handle('StartHtmlElement', array($this, &$attrs))) { + $this->elementStart('html', $attrs); + Event::handle('EndHtmlElement', array($this, &$attrs)); + } } function getLanguage() From 5738e0e4a9e569baf97522a01bb214b178fcb698 Mon Sep 17 00:00:00 2001 From: Zach Copley Date: Sat, 30 Oct 2010 00:44:16 +0000 Subject: [PATCH 025/628] Beginnings of a new Facebook integration plugin --- plugins/FacebookSSO/FacebookSSOPlugin.php | 301 ++++++ plugins/FacebookSSO/extlib/facebook.php | 963 ++++++++++++++++++ .../FacebookSSO/extlib/fb_ca_chain_bundle.crt | 121 +++ plugins/FacebookSSO/facebookadminpanel.php | 212 ++++ plugins/FacebookSSO/facebooklogin.php | 82 ++ 5 files changed, 1679 insertions(+) create mode 100644 plugins/FacebookSSO/FacebookSSOPlugin.php create mode 100644 plugins/FacebookSSO/extlib/facebook.php create mode 100644 plugins/FacebookSSO/extlib/fb_ca_chain_bundle.crt create mode 100644 plugins/FacebookSSO/facebookadminpanel.php create mode 100644 plugins/FacebookSSO/facebooklogin.php diff --git a/plugins/FacebookSSO/FacebookSSOPlugin.php b/plugins/FacebookSSO/FacebookSSOPlugin.php new file mode 100644 index 0000000000..f4790f7056 --- /dev/null +++ b/plugins/FacebookSSO/FacebookSSOPlugin.php @@ -0,0 +1,301 @@ +. + * + * @category Pugin + * @package StatusNet + * @author Zach Copley + * @copyright 2010 StatusNet, Inc. + * @license http://www.fsf.org/licensing/licenses/agpl-3.0.html AGPL 3.0 + * @link http://status.net/ + */ + +if (!defined('STATUSNET')) { + exit(1); +} + +/** + * Main class for Facebook single-sign-on plugin + * + * + * Simple plugins can be implemented as a single module. Others are more complex + * and require additional modules; these should use their own directory, like + * 'local/plugins/{$name}/'. All files related to the plugin, including images, + * JavaScript, CSS, external libraries or PHP modules should go in the plugin + * directory. + * + * @category Plugin + * @package StatusNet + * @author Zach Copley + * @copyright 2010 StatusNet, Inc. + * @license http://www.fsf.org/licensing/licenses/agpl-3.0.html AGPL 3.0 + * @link http://status.net/ + */ +class FacebookSSOPlugin extends Plugin +{ + public $appId = null; // Facebook application ID + public $secret = null; // Facebook application secret + public $facebook = null; // Facebook application instance + public $dir = null; // Facebook SSO plugin dir + + /** + * Initializer for this plugin + * + * Plugins overload this method to do any initialization they need, + * like connecting to remote servers or creating paths or so on. + * + * @return boolean hook value; true means continue processing, false means stop. + */ + function initialize() + { + common_debug("XXXXXXXXXXXX " . $this->appId); + // Check defaults and configuration for application ID and secret + if (empty($this->appId)) { + $this->appId = common_config('facebook', 'appid'); + } + + if (empty($this->secret)) { + $this->secret = common_config('facebook', 'secret'); + } + + if (empty($this->facebook)) { + common_debug('instantiating facebook obj'); + $this->facebook = new Facebook( + array( + 'appId' => $this->appId, + 'secret' => $this->secret, + 'cookie' => true + ) + ); + } + + common_debug("FACEBOOK = " . var_export($this->facebook, true)); + + return true; + } + + /** + * Cleanup for this plugin + * + * Plugins overload this method to do any cleanup they need, + * like disconnecting from remote servers or deleting temp files or so on. + * + * @return boolean hook value; true means continue processing, false means stop. + */ + function cleanup() + { + return true; + } + + /** + * Load related modules when needed + * + * Most non-trivial plugins will require extra modules to do their work. Typically + * these include data classes, action classes, widget classes, or external libraries. + * + * This method receives a class name and loads the PHP file related to that class. By + * tradition, action classes typically have files named for the action, all lower-case. + * Data classes are in files with the data class name, initial letter capitalized. + * + * Note that this method will be called for *all* overloaded classes, not just ones + * in this plugin! So, make sure to return true by default to let other plugins, and + * the core code, get a chance. + * + * @param string $cls Name of the class to be loaded + * + * @return boolean hook value; true means continue processing, false means stop. + */ + function onAutoload($cls) + { + + $dir = dirname(__FILE__); + + //common_debug("class = " . $cls); + + switch ($cls) + { + case 'Facebook': + include_once $dir . '/extlib/facebook.php'; + return false; + case 'FacebookloginAction': + case 'FacebookadminpanelAction': + include_once $dir . '/' . strtolower(mb_substr($cls, 0, -6)) . '.php'; + return false; + default: + return true; + } + + } + + /** + * Map URLs to actions + * + * This event handler lets the plugin map URLs on the site to actions (and + * thus an action handler class). Note that the action handler class for an + * action will be named 'FoobarAction', where action = 'foobar'. The class + * must be loaded in the onAutoload() method. + * + * @param Net_URL_Mapper $m path-to-action mapper + * + * @return boolean hook value; true means continue processing, false means stop. + */ + function onRouterInitialized($m) + { + // Always add the admin panel route + $m->connect('admin/facebook', array('action' => 'facebookadminpanel')); + + // Only add these routes if an application has been setup on + // Facebook for the plugin to use. + if ($this->hasApplication()) { + $m->connect('main/facebooklogin', array('action' => 'facebooklogin')); + } + + return true; + } + + /* + * Add a login tab for Facebook, but only if there's a Facebook + * application defined for the plugin to use. + * + * @param Action &action the current action + * + * @return void + */ + function onEndLoginGroupNav(&$action) + { + $action_name = $action->trimmed('action'); + + if ($this->hasApplication()) { + + $action->menuItem( + common_local_url('facebooklogin'), + _m('MENU', 'Facebook'), + // TRANS: Tooltip for menu item "Facebook". + _m('Login or register using Facebook'), + 'facebooklogin' === $action_name + ); + } + + return true; + } + + /** + * Add a Facebook tab to the admin panels + * + * @param Widget $nav Admin panel nav + * + * @return boolean hook value + */ + function onEndAdminPanelNav($nav) + { + if (AdminPanelAction::canAdmin('facebook')) { + + $action_name = $nav->action->trimmed('action'); + + $nav->out->menuItem( + common_local_url('facebookadminpanel'), + // TRANS: Menu item. + _m('MENU','Facebook'), + // TRANS: Tooltip for menu item "Facebook". + _m('Facebook integration configuration'), + $action_name == 'facebookadminpanel', + 'nav_facebook_admin_panel' + ); + } + + return true; + } + + /* + * Is there a Facebook application for the plugin to use? + */ + function hasApplication() + { + if (!empty($this->appId) && !empty($this->secret)) { + return true; + } else { + return false; + } + } + + function onStartShowHeader($action) + { + // output
as close to as possible + $action->element('div', array('id' => 'fb-root')); + + $session = $this->facebook->getSession(); + $dir = dirname(__FILE__); + + // XXX: minify this + $script = <<inlineScript( + sprintf($script, + json_encode($this->appId), + json_encode($this->session) + ) + ); + + return true; + } + + function onStartHtmlElement($action, $attrs) { + $attrs = array_merge($attrs, array('xmlns:fb' => 'http://www.facebook.com/2008/fbml')); + return true; + } + + function onPluginVersion(&$versions) + { + $versions[] = array('name' => 'Facebook Single-Sign-On', + 'version' => STATUSNET_VERSION, + 'author' => 'Zach Copley', + 'homepage' => 'http://status.net/wiki/Plugin:FacebookSSO', + 'rawdescription' => + _m('A plugin for single-sign-on with Facebook.')); + return true; + } +} diff --git a/plugins/FacebookSSO/extlib/facebook.php b/plugins/FacebookSSO/extlib/facebook.php new file mode 100644 index 0000000000..d2d2e866bf --- /dev/null +++ b/plugins/FacebookSSO/extlib/facebook.php @@ -0,0 +1,963 @@ + + */ +class FacebookApiException extends Exception +{ + /** + * The result from the API server that represents the exception information. + */ + protected $result; + + /** + * Make a new API Exception with the given result. + * + * @param Array $result the result from the API server + */ + public function __construct($result) { + $this->result = $result; + + $code = isset($result['error_code']) ? $result['error_code'] : 0; + + if (isset($result['error_description'])) { + // OAuth 2.0 Draft 10 style + $msg = $result['error_description']; + } else if (isset($result['error']) && is_array($result['error'])) { + // OAuth 2.0 Draft 00 style + $msg = $result['error']['message']; + } else if (isset($result['error_msg'])) { + // Rest server style + $msg = $result['error_msg']; + } else { + $msg = 'Unknown Error. Check getResult()'; + } + + parent::__construct($msg, $code); + } + + /** + * Return the associated result object returned by the API server. + * + * @returns Array the result from the API server + */ + public function getResult() { + return $this->result; + } + + /** + * Returns the associated type for the error. This will default to + * 'Exception' when a type is not available. + * + * @return String + */ + public function getType() { + if (isset($this->result['error'])) { + $error = $this->result['error']; + if (is_string($error)) { + // OAuth 2.0 Draft 10 style + return $error; + } else if (is_array($error)) { + // OAuth 2.0 Draft 00 style + if (isset($error['type'])) { + return $error['type']; + } + } + } + return 'Exception'; + } + + /** + * To make debugging easier. + * + * @returns String the string representation of the error + */ + public function __toString() { + $str = $this->getType() . ': '; + if ($this->code != 0) { + $str .= $this->code . ': '; + } + return $str . $this->message; + } +} + +/** + * Provides access to the Facebook Platform. + * + * @author Naitik Shah + */ +class Facebook +{ + /** + * Version. + */ + const VERSION = '2.1.2'; + + /** + * Default options for curl. + */ + public static $CURL_OPTS = array( + CURLOPT_CONNECTTIMEOUT => 10, + CURLOPT_RETURNTRANSFER => true, + CURLOPT_TIMEOUT => 60, + CURLOPT_USERAGENT => 'facebook-php-2.0', + ); + + /** + * List of query parameters that get automatically dropped when rebuilding + * the current URL. + */ + protected static $DROP_QUERY_PARAMS = array( + 'session', + 'signed_request', + ); + + /** + * Maps aliases to Facebook domains. + */ + public static $DOMAIN_MAP = array( + 'api' => 'https://api.facebook.com/', + 'api_read' => 'https://api-read.facebook.com/', + 'graph' => 'https://graph.facebook.com/', + 'www' => 'https://www.facebook.com/', + ); + + /** + * The Application ID. + */ + protected $appId; + + /** + * The Application API Secret. + */ + protected $apiSecret; + + /** + * The active user session, if one is available. + */ + protected $session; + + /** + * The data from the signed_request token. + */ + protected $signedRequest; + + /** + * Indicates that we already loaded the session as best as we could. + */ + protected $sessionLoaded = false; + + /** + * Indicates if Cookie support should be enabled. + */ + protected $cookieSupport = false; + + /** + * Base domain for the Cookie. + */ + protected $baseDomain = ''; + + /** + * Indicates if the CURL based @ syntax for file uploads is enabled. + */ + protected $fileUploadSupport = false; + + /** + * Initialize a Facebook Application. + * + * The configuration: + * - appId: the application ID + * - secret: the application secret + * - cookie: (optional) boolean true to enable cookie support + * - domain: (optional) domain for the cookie + * - fileUpload: (optional) boolean indicating if file uploads are enabled + * + * @param Array $config the application configuration + */ + public function __construct($config) { + $this->setAppId($config['appId']); + $this->setApiSecret($config['secret']); + if (isset($config['cookie'])) { + $this->setCookieSupport($config['cookie']); + } + if (isset($config['domain'])) { + $this->setBaseDomain($config['domain']); + } + if (isset($config['fileUpload'])) { + $this->setFileUploadSupport($config['fileUpload']); + } + } + + /** + * Set the Application ID. + * + * @param String $appId the Application ID + */ + public function setAppId($appId) { + $this->appId = $appId; + return $this; + } + + /** + * Get the Application ID. + * + * @return String the Application ID + */ + public function getAppId() { + return $this->appId; + } + + /** + * Set the API Secret. + * + * @param String $appId the API Secret + */ + public function setApiSecret($apiSecret) { + $this->apiSecret = $apiSecret; + return $this; + } + + /** + * Get the API Secret. + * + * @return String the API Secret + */ + public function getApiSecret() { + return $this->apiSecret; + } + + /** + * Set the Cookie Support status. + * + * @param Boolean $cookieSupport the Cookie Support status + */ + public function setCookieSupport($cookieSupport) { + $this->cookieSupport = $cookieSupport; + return $this; + } + + /** + * Get the Cookie Support status. + * + * @return Boolean the Cookie Support status + */ + public function useCookieSupport() { + return $this->cookieSupport; + } + + /** + * Set the base domain for the Cookie. + * + * @param String $domain the base domain + */ + public function setBaseDomain($domain) { + $this->baseDomain = $domain; + return $this; + } + + /** + * Get the base domain for the Cookie. + * + * @return String the base domain + */ + public function getBaseDomain() { + return $this->baseDomain; + } + + /** + * Set the file upload support status. + * + * @param String $domain the base domain + */ + public function setFileUploadSupport($fileUploadSupport) { + $this->fileUploadSupport = $fileUploadSupport; + return $this; + } + + /** + * Get the file upload support status. + * + * @return String the base domain + */ + public function useFileUploadSupport() { + return $this->fileUploadSupport; + } + + /** + * Get the data from a signed_request token + * + * @return String the base domain + */ + public function getSignedRequest() { + if (!$this->signedRequest) { + if (isset($_REQUEST['signed_request'])) { + $this->signedRequest = $this->parseSignedRequest( + $_REQUEST['signed_request']); + } + } + return $this->signedRequest; + } + + /** + * Set the Session. + * + * @param Array $session the session + * @param Boolean $write_cookie indicate if a cookie should be written. this + * value is ignored if cookie support has been disabled. + */ + public function setSession($session=null, $write_cookie=true) { + $session = $this->validateSessionObject($session); + $this->sessionLoaded = true; + $this->session = $session; + if ($write_cookie) { + $this->setCookieFromSession($session); + } + return $this; + } + + /** + * Get the session object. This will automatically look for a signed session + * sent via the signed_request, Cookie or Query Parameters if needed. + * + * @return Array the session + */ + public function getSession() { + if (!$this->sessionLoaded) { + $session = null; + $write_cookie = true; + + // try loading session from signed_request in $_REQUEST + $signedRequest = $this->getSignedRequest(); + if ($signedRequest) { + // sig is good, use the signedRequest + $session = $this->createSessionFromSignedRequest($signedRequest); + } + + // try loading session from $_REQUEST + if (!$session && isset($_REQUEST['session'])) { + $session = json_decode( + get_magic_quotes_gpc() + ? stripslashes($_REQUEST['session']) + : $_REQUEST['session'], + true + ); + $session = $this->validateSessionObject($session); + } + + // try loading session from cookie if necessary + if (!$session && $this->useCookieSupport()) { + $cookieName = $this->getSessionCookieName(); + if (isset($_COOKIE[$cookieName])) { + $session = array(); + parse_str(trim( + get_magic_quotes_gpc() + ? stripslashes($_COOKIE[$cookieName]) + : $_COOKIE[$cookieName], + '"' + ), $session); + $session = $this->validateSessionObject($session); + // write only if we need to delete a invalid session cookie + $write_cookie = empty($session); + } + } + + $this->setSession($session, $write_cookie); + } + + return $this->session; + } + + /** + * Get the UID from the session. + * + * @return String the UID if available + */ + public function getUser() { + $session = $this->getSession(); + return $session ? $session['uid'] : null; + } + + /** + * Gets a OAuth access token. + * + * @return String the access token + */ + public function getAccessToken() { + $session = $this->getSession(); + // either user session signed, or app signed + if ($session) { + return $session['access_token']; + } else { + return $this->getAppId() .'|'. $this->getApiSecret(); + } + } + + /** + * Get a Login URL for use with redirects. By default, full page redirect is + * assumed. If you are using the generated URL with a window.open() call in + * JavaScript, you can pass in display=popup as part of the $params. + * + * The parameters: + * - next: the url to go to after a successful login + * - cancel_url: the url to go to after the user cancels + * - req_perms: comma separated list of requested extended perms + * - display: can be "page" (default, full page) or "popup" + * + * @param Array $params provide custom parameters + * @return String the URL for the login flow + */ + public function getLoginUrl($params=array()) { + $currentUrl = $this->getCurrentUrl(); + return $this->getUrl( + 'www', + 'login.php', + array_merge(array( + 'api_key' => $this->getAppId(), + 'cancel_url' => $currentUrl, + 'display' => 'page', + 'fbconnect' => 1, + 'next' => $currentUrl, + 'return_session' => 1, + 'session_version' => 3, + 'v' => '1.0', + ), $params) + ); + } + + /** + * Get a Logout URL suitable for use with redirects. + * + * The parameters: + * - next: the url to go to after a successful logout + * + * @param Array $params provide custom parameters + * @return String the URL for the logout flow + */ + public function getLogoutUrl($params=array()) { + return $this->getUrl( + 'www', + 'logout.php', + array_merge(array( + 'next' => $this->getCurrentUrl(), + 'access_token' => $this->getAccessToken(), + ), $params) + ); + } + + /** + * Get a login status URL to fetch the status from facebook. + * + * The parameters: + * - ok_session: the URL to go to if a session is found + * - no_session: the URL to go to if the user is not connected + * - no_user: the URL to go to if the user is not signed into facebook + * + * @param Array $params provide custom parameters + * @return String the URL for the logout flow + */ + public function getLoginStatusUrl($params=array()) { + return $this->getUrl( + 'www', + 'extern/login_status.php', + array_merge(array( + 'api_key' => $this->getAppId(), + 'no_session' => $this->getCurrentUrl(), + 'no_user' => $this->getCurrentUrl(), + 'ok_session' => $this->getCurrentUrl(), + 'session_version' => 3, + ), $params) + ); + } + + /** + * Make an API call. + * + * @param Array $params the API call parameters + * @return the decoded response + */ + public function api(/* polymorphic */) { + $args = func_get_args(); + if (is_array($args[0])) { + return $this->_restserver($args[0]); + } else { + return call_user_func_array(array($this, '_graph'), $args); + } + } + + /** + * Invoke the old restserver.php endpoint. + * + * @param Array $params method call object + * @return the decoded response object + * @throws FacebookApiException + */ + protected function _restserver($params) { + // generic application level parameters + $params['api_key'] = $this->getAppId(); + $params['format'] = 'json-strings'; + + $result = json_decode($this->_oauthRequest( + $this->getApiUrl($params['method']), + $params + ), true); + + // results are returned, errors are thrown + if (is_array($result) && isset($result['error_code'])) { + throw new FacebookApiException($result); + } + return $result; + } + + /** + * Invoke the Graph API. + * + * @param String $path the path (required) + * @param String $method the http method (default 'GET') + * @param Array $params the query/post data + * @return the decoded response object + * @throws FacebookApiException + */ + protected function _graph($path, $method='GET', $params=array()) { + if (is_array($method) && empty($params)) { + $params = $method; + $method = 'GET'; + } + $params['method'] = $method; // method override as we always do a POST + + $result = json_decode($this->_oauthRequest( + $this->getUrl('graph', $path), + $params + ), true); + + // results are returned, errors are thrown + if (is_array($result) && isset($result['error'])) { + $e = new FacebookApiException($result); + switch ($e->getType()) { + // OAuth 2.0 Draft 00 style + case 'OAuthException': + // OAuth 2.0 Draft 10 style + case 'invalid_token': + $this->setSession(null); + } + throw $e; + } + return $result; + } + + /** + * Make a OAuth Request + * + * @param String $path the path (required) + * @param Array $params the query/post data + * @return the decoded response object + * @throws FacebookApiException + */ + protected function _oauthRequest($url, $params) { + if (!isset($params['access_token'])) { + $params['access_token'] = $this->getAccessToken(); + } + + // json_encode all params values that are not strings + foreach ($params as $key => $value) { + if (!is_string($value)) { + $params[$key] = json_encode($value); + } + } + return $this->makeRequest($url, $params); + } + + /** + * Makes an HTTP request. This method can be overriden by subclasses if + * developers want to do fancier things or use something other than curl to + * make the request. + * + * @param String $url the URL to make the request to + * @param Array $params the parameters to use for the POST body + * @param CurlHandler $ch optional initialized curl handle + * @return String the response text + */ + protected function makeRequest($url, $params, $ch=null) { + if (!$ch) { + $ch = curl_init(); + } + + $opts = self::$CURL_OPTS; + if ($this->useFileUploadSupport()) { + $opts[CURLOPT_POSTFIELDS] = $params; + } else { + $opts[CURLOPT_POSTFIELDS] = http_build_query($params, null, '&'); + } + $opts[CURLOPT_URL] = $url; + + // disable the 'Expect: 100-continue' behaviour. This causes CURL to wait + // for 2 seconds if the server does not support this header. + if (isset($opts[CURLOPT_HTTPHEADER])) { + $existing_headers = $opts[CURLOPT_HTTPHEADER]; + $existing_headers[] = 'Expect:'; + $opts[CURLOPT_HTTPHEADER] = $existing_headers; + } else { + $opts[CURLOPT_HTTPHEADER] = array('Expect:'); + } + + curl_setopt_array($ch, $opts); + $result = curl_exec($ch); + + if (curl_errno($ch) == 60) { // CURLE_SSL_CACERT + self::errorLog('Invalid or no certificate authority found, using bundled information'); + curl_setopt($ch, CURLOPT_CAINFO, + dirname(__FILE__) . '/fb_ca_chain_bundle.crt'); + $result = curl_exec($ch); + } + + if ($result === false) { + $e = new FacebookApiException(array( + 'error_code' => curl_errno($ch), + 'error' => array( + 'message' => curl_error($ch), + 'type' => 'CurlException', + ), + )); + curl_close($ch); + throw $e; + } + curl_close($ch); + return $result; + } + + /** + * The name of the Cookie that contains the session. + * + * @return String the cookie name + */ + protected function getSessionCookieName() { + return 'fbs_' . $this->getAppId(); + } + + /** + * Set a JS Cookie based on the _passed in_ session. It does not use the + * currently stored session -- you need to explicitly pass it in. + * + * @param Array $session the session to use for setting the cookie + */ + protected function setCookieFromSession($session=null) { + if (!$this->useCookieSupport()) { + return; + } + + $cookieName = $this->getSessionCookieName(); + $value = 'deleted'; + $expires = time() - 3600; + $domain = $this->getBaseDomain(); + if ($session) { + $value = '"' . http_build_query($session, null, '&') . '"'; + if (isset($session['base_domain'])) { + $domain = $session['base_domain']; + } + $expires = $session['expires']; + } + + // prepend dot if a domain is found + if ($domain) { + $domain = '.' . $domain; + } + + // if an existing cookie is not set, we dont need to delete it + if ($value == 'deleted' && empty($_COOKIE[$cookieName])) { + return; + } + + if (headers_sent()) { + self::errorLog('Could not set cookie. Headers already sent.'); + + // ignore for code coverage as we will never be able to setcookie in a CLI + // environment + // @codeCoverageIgnoreStart + } else { + setcookie($cookieName, $value, $expires, '/', $domain); + } + // @codeCoverageIgnoreEnd + } + + /** + * Validates a session_version=3 style session object. + * + * @param Array $session the session object + * @return Array the session object if it validates, null otherwise + */ + protected function validateSessionObject($session) { + // make sure some essential fields exist + if (is_array($session) && + isset($session['uid']) && + isset($session['access_token']) && + isset($session['sig'])) { + // validate the signature + $session_without_sig = $session; + unset($session_without_sig['sig']); + $expected_sig = self::generateSignature( + $session_without_sig, + $this->getApiSecret() + ); + if ($session['sig'] != $expected_sig) { + self::errorLog('Got invalid session signature in cookie.'); + $session = null; + } + // check expiry time + } else { + $session = null; + } + return $session; + } + + /** + * Returns something that looks like our JS session object from the + * signed token's data + * + * TODO: Nuke this once the login flow uses OAuth2 + * + * @param Array the output of getSignedRequest + * @return Array Something that will work as a session + */ + protected function createSessionFromSignedRequest($data) { + if (!isset($data['oauth_token'])) { + return null; + } + + $session = array( + 'uid' => $data['user_id'], + 'access_token' => $data['oauth_token'], + 'expires' => $data['expires'], + ); + + // put a real sig, so that validateSignature works + $session['sig'] = self::generateSignature( + $session, + $this->getApiSecret() + ); + + return $session; + } + + /** + * Parses a signed_request and validates the signature. + * Then saves it in $this->signed_data + * + * @param String A signed token + * @param Boolean Should we remove the parts of the payload that + * are used by the algorithm? + * @return Array the payload inside it or null if the sig is wrong + */ + protected function parseSignedRequest($signed_request) { + list($encoded_sig, $payload) = explode('.', $signed_request, 2); + + // decode the data + $sig = self::base64UrlDecode($encoded_sig); + $data = json_decode(self::base64UrlDecode($payload), true); + + if (strtoupper($data['algorithm']) !== 'HMAC-SHA256') { + self::errorLog('Unknown algorithm. Expected HMAC-SHA256'); + return null; + } + + // check sig + $expected_sig = hash_hmac('sha256', $payload, + $this->getApiSecret(), $raw = true); + if ($sig !== $expected_sig) { + self::errorLog('Bad Signed JSON signature!'); + return null; + } + + return $data; + } + + /** + * Build the URL for api given parameters. + * + * @param $method String the method name. + * @return String the URL for the given parameters + */ + protected function getApiUrl($method) { + static $READ_ONLY_CALLS = + array('admin.getallocation' => 1, + 'admin.getappproperties' => 1, + 'admin.getbannedusers' => 1, + 'admin.getlivestreamvialink' => 1, + 'admin.getmetrics' => 1, + 'admin.getrestrictioninfo' => 1, + 'application.getpublicinfo' => 1, + 'auth.getapppublickey' => 1, + 'auth.getsession' => 1, + 'auth.getsignedpublicsessiondata' => 1, + 'comments.get' => 1, + 'connect.getunconnectedfriendscount' => 1, + 'dashboard.getactivity' => 1, + 'dashboard.getcount' => 1, + 'dashboard.getglobalnews' => 1, + 'dashboard.getnews' => 1, + 'dashboard.multigetcount' => 1, + 'dashboard.multigetnews' => 1, + 'data.getcookies' => 1, + 'events.get' => 1, + 'events.getmembers' => 1, + 'fbml.getcustomtags' => 1, + 'feed.getappfriendstories' => 1, + 'feed.getregisteredtemplatebundlebyid' => 1, + 'feed.getregisteredtemplatebundles' => 1, + 'fql.multiquery' => 1, + 'fql.query' => 1, + 'friends.arefriends' => 1, + 'friends.get' => 1, + 'friends.getappusers' => 1, + 'friends.getlists' => 1, + 'friends.getmutualfriends' => 1, + 'gifts.get' => 1, + 'groups.get' => 1, + 'groups.getmembers' => 1, + 'intl.gettranslations' => 1, + 'links.get' => 1, + 'notes.get' => 1, + 'notifications.get' => 1, + 'pages.getinfo' => 1, + 'pages.isadmin' => 1, + 'pages.isappadded' => 1, + 'pages.isfan' => 1, + 'permissions.checkavailableapiaccess' => 1, + 'permissions.checkgrantedapiaccess' => 1, + 'photos.get' => 1, + 'photos.getalbums' => 1, + 'photos.gettags' => 1, + 'profile.getinfo' => 1, + 'profile.getinfooptions' => 1, + 'stream.get' => 1, + 'stream.getcomments' => 1, + 'stream.getfilters' => 1, + 'users.getinfo' => 1, + 'users.getloggedinuser' => 1, + 'users.getstandardinfo' => 1, + 'users.hasapppermission' => 1, + 'users.isappuser' => 1, + 'users.isverified' => 1, + 'video.getuploadlimits' => 1); + $name = 'api'; + if (isset($READ_ONLY_CALLS[strtolower($method)])) { + $name = 'api_read'; + } + return self::getUrl($name, 'restserver.php'); + } + + /** + * Build the URL for given domain alias, path and parameters. + * + * @param $name String the name of the domain + * @param $path String optional path (without a leading slash) + * @param $params Array optional query parameters + * @return String the URL for the given parameters + */ + protected function getUrl($name, $path='', $params=array()) { + $url = self::$DOMAIN_MAP[$name]; + if ($path) { + if ($path[0] === '/') { + $path = substr($path, 1); + } + $url .= $path; + } + if ($params) { + $url .= '?' . http_build_query($params, null, '&'); + } + return $url; + } + + /** + * Returns the Current URL, stripping it of known FB parameters that should + * not persist. + * + * @return String the current URL + */ + protected function getCurrentUrl() { + $protocol = isset($_SERVER['HTTPS']) && $_SERVER['HTTPS'] == 'on' + ? 'https://' + : 'http://'; + $currentUrl = $protocol . $_SERVER['HTTP_HOST'] . $_SERVER['REQUEST_URI']; + $parts = parse_url($currentUrl); + + // drop known fb params + $query = ''; + if (!empty($parts['query'])) { + $params = array(); + parse_str($parts['query'], $params); + foreach(self::$DROP_QUERY_PARAMS as $key) { + unset($params[$key]); + } + if (!empty($params)) { + $query = '?' . http_build_query($params, null, '&'); + } + } + + // use port if non default + $port = + isset($parts['port']) && + (($protocol === 'http://' && $parts['port'] !== 80) || + ($protocol === 'https://' && $parts['port'] !== 443)) + ? ':' . $parts['port'] : ''; + + // rebuild + return $protocol . $parts['host'] . $port . $parts['path'] . $query; + } + + /** + * Generate a signature for the given params and secret. + * + * @param Array $params the parameters to sign + * @param String $secret the secret to sign with + * @return String the generated signature + */ + protected static function generateSignature($params, $secret) { + // work with sorted data + ksort($params); + + // generate the base string + $base_string = ''; + foreach($params as $key => $value) { + $base_string .= $key . '=' . $value; + } + $base_string .= $secret; + + return md5($base_string); + } + + /** + * Prints to the error log if you aren't in command line mode. + * + * @param String log message + */ + protected static function errorLog($msg) { + // disable error log if we are running in a CLI environment + // @codeCoverageIgnoreStart + if (php_sapi_name() != 'cli') { + error_log($msg); + } + // uncomment this if you want to see the errors on the page + // print 'error_log: '.$msg."\n"; + // @codeCoverageIgnoreEnd + } + + /** + * Base64 encoding that doesn't need to be urlencode()ed. + * Exactly the same as base64_encode except it uses + * - instead of + + * _ instead of / + * + * @param String base64UrlEncodeded string + */ + protected static function base64UrlDecode($input) { + return base64_decode(strtr($input, '-_', '+/')); + } +} diff --git a/plugins/FacebookSSO/extlib/fb_ca_chain_bundle.crt b/plugins/FacebookSSO/extlib/fb_ca_chain_bundle.crt new file mode 100644 index 0000000000..b92d7190e9 --- /dev/null +++ b/plugins/FacebookSSO/extlib/fb_ca_chain_bundle.crt @@ -0,0 +1,121 @@ +-----BEGIN CERTIFICATE----- +MIIFgjCCBGqgAwIBAgIQDKKbZcnESGaLDuEaVk6fQjANBgkqhkiG9w0BAQUFADBm +MQswCQYDVQQGEwJVUzEVMBMGA1UEChMMRGlnaUNlcnQgSW5jMRkwFwYDVQQLExB3 +d3cuZGlnaWNlcnQuY29tMSUwIwYDVQQDExxEaWdpQ2VydCBIaWdoIEFzc3VyYW5j +ZSBDQS0zMB4XDTEwMDExMzAwMDAwMFoXDTEzMDQxMTIzNTk1OVowaDELMAkGA1UE +BhMCVVMxEzARBgNVBAgTCkNhbGlmb3JuaWExEjAQBgNVBAcTCVBhbG8gQWx0bzEX +MBUGA1UEChMORmFjZWJvb2ssIEluYy4xFzAVBgNVBAMUDiouZmFjZWJvb2suY29t +MIGfMA0GCSqGSIb3DQEBAQUAA4GNADCBiQKBgQC9rzj7QIuLM3sdHu1HcI1VcR3g +b5FExKNV646agxSle1aQ/sJev1mh/u91ynwqd2BQmM0brZ1Hc3QrfYyAaiGGgEkp +xbhezyfeYhAyO0TKAYxPnm2cTjB5HICzk6xEIwFbA7SBJ2fSyW1CFhYZyo3tIBjj +19VjKyBfpRaPkzLmRwIDAQABo4ICrDCCAqgwHwYDVR0jBBgwFoAUUOpzidsp+xCP +nuUBINTeeZlIg/cwHQYDVR0OBBYEFPp+tsFBozkjrHlEnZ9J4cFj2eM0MA4GA1Ud +DwEB/wQEAwIFoDAMBgNVHRMBAf8EAjAAMF8GA1UdHwRYMFYwKaAnoCWGI2h0dHA6 +Ly9jcmwzLmRpZ2ljZXJ0LmNvbS9jYTMtZmIuY3JsMCmgJ6AlhiNodHRwOi8vY3Js +NC5kaWdpY2VydC5jb20vY2EzLWZiLmNybDCCAcYGA1UdIASCAb0wggG5MIIBtQYL +YIZIAYb9bAEDAAEwggGkMDoGCCsGAQUFBwIBFi5odHRwOi8vd3d3LmRpZ2ljZXJ0 +LmNvbS9zc2wtY3BzLXJlcG9zaXRvcnkuaHRtMIIBZAYIKwYBBQUHAgIwggFWHoIB +UgBBAG4AeQAgAHUAcwBlACAAbwBmACAAdABoAGkAcwAgAEMAZQByAHQAaQBmAGkA +YwBhAHQAZQAgAGMAbwBuAHMAdABpAHQAdQB0AGUAcwAgAGEAYwBjAGUAcAB0AGEA +bgBjAGUAIABvAGYAIAB0AGgAZQAgAEQAaQBnAGkAQwBlAHIAdAAgAEMAUAAvAEMA +UABTACAAYQBuAGQAIAB0AGgAZQAgAFIAZQBsAHkAaQBuAGcAIABQAGEAcgB0AHkA +IABBAGcAcgBlAGUAbQBlAG4AdAAgAHcAaABpAGMAaAAgAGwAaQBtAGkAdAAgAGwA +aQBhAGIAaQBsAGkAdAB5ACAAYQBuAGQAIABhAHIAZQAgAGkAbgBjAG8AcgBwAG8A +cgBhAHQAZQBkACAAaABlAHIAZQBpAG4AIABiAHkAIAByAGUAZgBlAHIAZQBuAGMA +ZQAuMB0GA1UdJQQWMBQGCCsGAQUFBwMBBggrBgEFBQcDAjANBgkqhkiG9w0BAQUF +AAOCAQEACOkTIdxMy11+CKrbGNLBSg5xHaTvu/v1wbyn3dO/mf68pPfJnX6ShPYy +4XM4Vk0x4uaFaU4wAGke+nCKGi5dyg0Esg7nemLNKEJaFAJZ9enxZm334lSCeARy +wlDtxULGOFRyGIZZPmbV2eNq5xdU/g3IuBEhL722mTpAye9FU/J8Wsnw54/gANyO +Gzkewigua8ip8Lbs9Cht399yAfbfhUP1DrAm/xEcnHrzPr3cdCtOyJaM6SRPpRqH +ITK5Nc06tat9lXVosSinT3KqydzxBYua9gCFFiR3x3DgZfvXkC6KDdUlDrNcJUub +a1BHnLLP4mxTHL6faAXYd05IxNn/IA== +-----END CERTIFICATE----- +-----BEGIN CERTIFICATE----- +MIIGVTCCBT2gAwIBAgIQCFH5WYFBRcq94CTiEsnCDjANBgkqhkiG9w0BAQUFADBs +MQswCQYDVQQGEwJVUzEVMBMGA1UEChMMRGlnaUNlcnQgSW5jMRkwFwYDVQQLExB3 +d3cuZGlnaWNlcnQuY29tMSswKQYDVQQDEyJEaWdpQ2VydCBIaWdoIEFzc3VyYW5j +ZSBFViBSb290IENBMB4XDTA3MDQwMzAwMDAwMFoXDTIyMDQwMzAwMDAwMFowZjEL +MAkGA1UEBhMCVVMxFTATBgNVBAoTDERpZ2lDZXJ0IEluYzEZMBcGA1UECxMQd3d3 +LmRpZ2ljZXJ0LmNvbTElMCMGA1UEAxMcRGlnaUNlcnQgSGlnaCBBc3N1cmFuY2Ug +Q0EtMzCCASIwDQYJKoZIhvcNAQEBBQADggEPADCCAQoCggEBAL9hCikQH17+NDdR +CPge+yLtYb4LDXBMUGMmdRW5QYiXtvCgFbsIYOBC6AUpEIc2iihlqO8xB3RtNpcv +KEZmBMcqeSZ6mdWOw21PoF6tvD2Rwll7XjZswFPPAAgyPhBkWBATaccM7pxCUQD5 +BUTuJM56H+2MEb0SqPMV9Bx6MWkBG6fmXcCabH4JnudSREoQOiPkm7YDr6ictFuf +1EutkozOtREqqjcYjbTCuNhcBoz4/yO9NV7UfD5+gw6RlgWYw7If48hl66l7XaAs +zPw82W3tzPpLQ4zJ1LilYRyyQLYoEt+5+F/+07LJ7z20Hkt8HEyZNp496+ynaF4d +32duXvsCAwEAAaOCAvcwggLzMA4GA1UdDwEB/wQEAwIBhjCCAcYGA1UdIASCAb0w +ggG5MIIBtQYLYIZIAYb9bAEDAAIwggGkMDoGCCsGAQUFBwIBFi5odHRwOi8vd3d3 +LmRpZ2ljZXJ0LmNvbS9zc2wtY3BzLXJlcG9zaXRvcnkuaHRtMIIBZAYIKwYBBQUH +AgIwggFWHoIBUgBBAG4AeQAgAHUAcwBlACAAbwBmACAAdABoAGkAcwAgAEMAZQBy +AHQAaQBmAGkAYwBhAHQAZQAgAGMAbwBuAHMAdABpAHQAdQB0AGUAcwAgAGEAYwBj +AGUAcAB0AGEAbgBjAGUAIABvAGYAIAB0AGgAZQAgAEQAaQBnAGkAQwBlAHIAdAAg +AEMAUAAvAEMAUABTACAAYQBuAGQAIAB0AGgAZQAgAFIAZQBsAHkAaQBuAGcAIABQ +AGEAcgB0AHkAIABBAGcAcgBlAGUAbQBlAG4AdAAgAHcAaABpAGMAaAAgAGwAaQBt +AGkAdAAgAGwAaQBhAGIAaQBsAGkAdAB5ACAAYQBuAGQAIABhAHIAZQAgAGkAbgBj +AG8AcgBwAG8AcgBhAHQAZQBkACAAaABlAHIAZQBpAG4AIABiAHkAIAByAGUAZgBl +AHIAZQBuAGMAZQAuMA8GA1UdEwEB/wQFMAMBAf8wNAYIKwYBBQUHAQEEKDAmMCQG +CCsGAQUFBzABhhhodHRwOi8vb2NzcC5kaWdpY2VydC5jb20wgY8GA1UdHwSBhzCB +hDBAoD6gPIY6aHR0cDovL2NybDMuZGlnaWNlcnQuY29tL0RpZ2lDZXJ0SGlnaEFz +c3VyYW5jZUVWUm9vdENBLmNybDBAoD6gPIY6aHR0cDovL2NybDQuZGlnaWNlcnQu +Y29tL0RpZ2lDZXJ0SGlnaEFzc3VyYW5jZUVWUm9vdENBLmNybDAfBgNVHSMEGDAW +gBSxPsNpA/i/RwHUmCYaCALvY2QrwzAdBgNVHQ4EFgQUUOpzidsp+xCPnuUBINTe +eZlIg/cwDQYJKoZIhvcNAQEFBQADggEBAF1PhPGoiNOjsrycbeUpSXfh59bcqdg1 +rslx3OXb3J0kIZCmz7cBHJvUV5eR13UWpRLXuT0uiT05aYrWNTf58SHEW0CtWakv +XzoAKUMncQPkvTAyVab+hA4LmzgZLEN8rEO/dTHlIxxFVbdpCJG1z9fVsV7un5Tk +1nq5GMO41lJjHBC6iy9tXcwFOPRWBW3vnuzoYTYMFEuFFFoMg08iXFnLjIpx2vrF +EIRYzwfu45DC9fkpx1ojcflZtGQriLCnNseaIGHr+k61rmsb5OPs4tk8QUmoIKRU +9ZKNu8BVIASm2LAXFszj0Mi0PeXZhMbT9m5teMl5Q+h6N/9cNUm/ocU= +-----END CERTIFICATE----- +-----BEGIN CERTIFICATE----- +MIIEQjCCA6ugAwIBAgIEQoclDjANBgkqhkiG9w0BAQUFADCBwzELMAkGA1UEBhMC +VVMxFDASBgNVBAoTC0VudHJ1c3QubmV0MTswOQYDVQQLEzJ3d3cuZW50cnVzdC5u +ZXQvQ1BTIGluY29ycC4gYnkgcmVmLiAobGltaXRzIGxpYWIuKTElMCMGA1UECxMc +KGMpIDE5OTkgRW50cnVzdC5uZXQgTGltaXRlZDE6MDgGA1UEAxMxRW50cnVzdC5u +ZXQgU2VjdXJlIFNlcnZlciBDZXJ0aWZpY2F0aW9uIEF1dGhvcml0eTAeFw0wNjEy +MjIxNTI3MjdaFw0xNDA3MjIxNTU3MjdaMGwxCzAJBgNVBAYTAlVTMRUwEwYDVQQK +EwxEaWdpQ2VydCBJbmMxGTAXBgNVBAsTEHd3dy5kaWdpY2VydC5jb20xKzApBgNV +BAMTIkRpZ2lDZXJ0IEhpZ2ggQXNzdXJhbmNlIEVWIFJvb3QgQ0EwggEiMA0GCSqG +SIb3DQEBAQUAA4IBDwAwggEKAoIBAQDGzOVz5vvUu+UtLTKm3+WBP8nNJUm2cSrD +1ZQ0Z6IKHLBfaaZAscS3so/QmKSpQVk609yU1jzbdDikSsxNJYL3SqVTEjju80lt +cZF+Y7arpl/DpIT4T2JRvvjF7Ns4kuMG5QiRDMQoQVX7y1qJFX5x6DW/TXIJPb46 +OFBbdzEbjbPHJEWap6xtABRaBLe6E+tRCphBQSJOZWGHgUFQpnlcid4ZSlfVLuZd +HFMsfpjNGgYWpGhz0DQEE1yhcdNafFXbXmThN4cwVgTlEbQpgBLxeTmIogIRfCdm +t4i3ePLKCqg4qwpkwr9mXZWEwaElHoddGlALIBLMQbtuC1E4uEvLAgMBAAGjggET +MIIBDzASBgNVHRMBAf8ECDAGAQH/AgEBMCcGA1UdJQQgMB4GCCsGAQUFBwMBBggr +BgEFBQcDAgYIKwYBBQUHAwQwMwYIKwYBBQUHAQEEJzAlMCMGCCsGAQUFBzABhhdo +dHRwOi8vb2NzcC5lbnRydXN0Lm5ldDAzBgNVHR8ELDAqMCigJqAkhiJodHRwOi8v +Y3JsLmVudHJ1c3QubmV0L3NlcnZlcjEuY3JsMB0GA1UdDgQWBBSxPsNpA/i/RwHU +mCYaCALvY2QrwzALBgNVHQ8EBAMCAQYwHwYDVR0jBBgwFoAU8BdiE1U9s/8KAGv7 +UISX8+1i0BowGQYJKoZIhvZ9B0EABAwwChsEVjcuMQMCAIEwDQYJKoZIhvcNAQEF +BQADgYEAUuVY7HCc/9EvhaYzC1rAIo348LtGIiMduEl5Xa24G8tmJnDioD2GU06r +1kjLX/ktCdpdBgXadbjtdrZXTP59uN0AXlsdaTiFufsqVLPvkp5yMnqnuI3E2o6p +NpAkoQSbB6kUCNnXcW26valgOjDLZFOnr241QiwdBAJAAE/rRa8= +-----END CERTIFICATE----- +-----BEGIN CERTIFICATE----- +MIIE2DCCBEGgAwIBAgIEN0rSQzANBgkqhkiG9w0BAQUFADCBwzELMAkGA1UEBhMC +VVMxFDASBgNVBAoTC0VudHJ1c3QubmV0MTswOQYDVQQLEzJ3d3cuZW50cnVzdC5u +ZXQvQ1BTIGluY29ycC4gYnkgcmVmLiAobGltaXRzIGxpYWIuKTElMCMGA1UECxMc +KGMpIDE5OTkgRW50cnVzdC5uZXQgTGltaXRlZDE6MDgGA1UEAxMxRW50cnVzdC5u +ZXQgU2VjdXJlIFNlcnZlciBDZXJ0aWZpY2F0aW9uIEF1dGhvcml0eTAeFw05OTA1 +MjUxNjA5NDBaFw0xOTA1MjUxNjM5NDBaMIHDMQswCQYDVQQGEwJVUzEUMBIGA1UE +ChMLRW50cnVzdC5uZXQxOzA5BgNVBAsTMnd3dy5lbnRydXN0Lm5ldC9DUFMgaW5j +b3JwLiBieSByZWYuIChsaW1pdHMgbGlhYi4pMSUwIwYDVQQLExwoYykgMTk5OSBF +bnRydXN0Lm5ldCBMaW1pdGVkMTowOAYDVQQDEzFFbnRydXN0Lm5ldCBTZWN1cmUg +U2VydmVyIENlcnRpZmljYXRpb24gQXV0aG9yaXR5MIGdMA0GCSqGSIb3DQEBAQUA +A4GLADCBhwKBgQDNKIM0VBuJ8w+vN5Ex/68xYMmo6LIQaO2f55M28Qpku0f1BBc/ +I0dNxScZgSYMVHINiC3ZH5oSn7yzcdOAGT9HZnuMNSjSuQrfJNqc1lB5gXpa0zf3 +wkrYKZImZNHkmGw6AIr1NJtl+O3jEP/9uElY3KDegjlrgbEWGWG5VLbmQwIBA6OC +AdcwggHTMBEGCWCGSAGG+EIBAQQEAwIABzCCARkGA1UdHwSCARAwggEMMIHeoIHb +oIHYpIHVMIHSMQswCQYDVQQGEwJVUzEUMBIGA1UEChMLRW50cnVzdC5uZXQxOzA5 +BgNVBAsTMnd3dy5lbnRydXN0Lm5ldC9DUFMgaW5jb3JwLiBieSByZWYuIChsaW1p +dHMgbGlhYi4pMSUwIwYDVQQLExwoYykgMTk5OSBFbnRydXN0Lm5ldCBMaW1pdGVk +MTowOAYDVQQDEzFFbnRydXN0Lm5ldCBTZWN1cmUgU2VydmVyIENlcnRpZmljYXRp +b24gQXV0aG9yaXR5MQ0wCwYDVQQDEwRDUkwxMCmgJ6AlhiNodHRwOi8vd3d3LmVu +dHJ1c3QubmV0L0NSTC9uZXQxLmNybDArBgNVHRAEJDAigA8xOTk5MDUyNTE2MDk0 +MFqBDzIwMTkwNTI1MTYwOTQwWjALBgNVHQ8EBAMCAQYwHwYDVR0jBBgwFoAU8Bdi +E1U9s/8KAGv7UISX8+1i0BowHQYDVR0OBBYEFPAXYhNVPbP/CgBr+1CEl/PtYtAa +MAwGA1UdEwQFMAMBAf8wGQYJKoZIhvZ9B0EABAwwChsEVjQuMAMCBJAwDQYJKoZI +hvcNAQEFBQADgYEAkNwwAvpkdMKnCqV8IY00F6j7Rw7/JXyNEwr75Ji174z4xRAN +95K+8cPV1ZVqBLssziY2ZcgxxufuP+NXdYR6Ee9GTxj005i7qIcyunL2POI9n9cd +2cNgQ4xYDiKWL2KjLB+6rQXvqzJ4h6BUcxm1XAX5Uj5tLUUL9wqT6u0G+bI= +-----END CERTIFICATE----- diff --git a/plugins/FacebookSSO/facebookadminpanel.php b/plugins/FacebookSSO/facebookadminpanel.php new file mode 100644 index 0000000000..b76b035cd0 --- /dev/null +++ b/plugins/FacebookSSO/facebookadminpanel.php @@ -0,0 +1,212 @@ +. + * + * @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); +} + +/** + * Administer global Facebook integration settings + * + * @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 FacebookadminpanelAction extends AdminPanelAction +{ + /** + * Returns the page title + * + * @return string page title + */ + function title() + { + return _m('Facebook'); + } + + /** + * Instructions for using this form. + * + * @return string instructions + */ + function getInstructions() + { + return _m('Facebook integration settings'); + } + + /** + * Show the Facebook admin panel form + * + * @return void + */ + function showForm() + { + $form = new FacebookAdminPanelForm($this); + $form->show(); + return; + } + + /** + * Save settings from the form + * + * @return void + */ + function saveSettings() + { + static $settings = array( + 'facebook' => array('appid', 'secret'), + ); + + $values = array(); + + foreach ($settings as $section => $parts) { + foreach ($parts as $setting) { + $values[$section][$setting] + = $this->trimmed($setting); + } + } + + // This throws an exception on validation errors + $this->validate($values); + + // assert(all values are valid); + + $config = new Config(); + + $config->query('BEGIN'); + + foreach ($settings as $section => $parts) { + foreach ($parts as $setting) { + Config::save($section, $setting, $values[$section][$setting]); + } + } + + $config->query('COMMIT'); + + return; + } + + function validate(&$values) + { + // appId and secret (can't be too long) + + if (mb_strlen($values['facebook']['appid']) > 255) { + $this->clientError( + _m("Invalid Facebook ID. Max length is 255 characters.") + ); + } + + if (mb_strlen($values['facebook']['secret']) > 255) { + $this->clientError( + _m("Invalid Facebook secret. Max length is 255 characters.") + ); + } + } +} + +class FacebookAdminPanelForm extends AdminForm +{ + /** + * ID of the form + * + * @return int ID of the form + */ + function id() + { + return 'facebookadminpanel'; + } + + /** + * 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('facebookadminpanel'); + } + + /** + * Data elements of the form + * + * @return void + */ + function formData() + { + $this->out->elementStart( + 'fieldset', + array('id' => 'settings_facebook-application') + ); + $this->out->element('legend', null, _m('Facebook application settings')); + $this->out->elementStart('ul', 'form_data'); + + $this->li(); + $this->input( + 'appid', + _m('Application ID'), + _m('ID of your Facebook application'), + 'facebook' + ); + $this->unli(); + + $this->li(); + $this->input( + 'secret', + _m('Secret'), + _m('Application secret'), + 'facebook' + ); + $this->unli(); + + $this->out->elementEnd('ul'); + $this->out->elementEnd('fieldset'); + } + + /** + * Action elements + * + * @return void + */ + function formActions() + { + $this->out->submit('submit', _m('Save'), 'submit', null, _m('Save Facebook settings')); + } +} diff --git a/plugins/FacebookSSO/facebooklogin.php b/plugins/FacebookSSO/facebooklogin.php new file mode 100644 index 0000000000..9ea687d5d9 --- /dev/null +++ b/plugins/FacebookSSO/facebooklogin.php @@ -0,0 +1,82 @@ +. + * + * @category Pugin + * @package StatusNet + * @author Zach Copley + * @copyright 2010 StatusNet, Inc. + * @license http://www.fsf.org/licensing/licenses/agpl-3.0.html AGPL 3.0 + * @link http://status.net/ + */ + +if (!defined('STATUSNET')) { + exit(1); +} + +class FacebookloginAction extends Action +{ + function handle($args) + { + parent::handle($args); + + if (common_is_real_login()) { + $this->clientError(_m('Already logged in.')); + } + + $this->showPage(); + } + + function getInstructions() + { + // TRANS: Instructions. + return _m('Login with your Facebook Account'); + } + + function showPageNotice() + { + $instr = $this->getInstructions(); + $output = common_markup_to_html($instr); + $this->elementStart('div', 'instructions'); + $this->raw($output); + $this->elementEnd('div'); + } + + function title() + { + // TRANS: Page title. + return _m('Login with Facebook'); + } + + function showContent() { + + $this->elementStart('fieldset'); + $this->element('fb:login-button'); + $this->elementEnd('fieldset'); + } + + function showLocalNav() + { + $nav = new LoginGroupNav($this); + $nav->show(); + } +} + From 8391058ea409f02d12060e62c919752b58ba9a0c Mon Sep 17 00:00:00 2001 From: Siebrand Mazeland Date: Sat, 30 Oct 2010 13:47:19 +0200 Subject: [PATCH 026/628] Tabs to spaces, superfluous whitespace removed. --- lib/ping.php | 75 +++++++++++++++++++++++++--------------------------- 1 file changed, 36 insertions(+), 39 deletions(-) diff --git a/lib/ping.php b/lib/ping.php index abf1c4048e..e1c7c748e2 100644 --- a/lib/ping.php +++ b/lib/ping.php @@ -20,13 +20,12 @@ if (!defined('STATUSNET') && !defined('LACONICA')) { exit(1); } function ping_broadcast_notice($notice) { + if ($notice->is_local != Notice::LOCAL_PUBLIC && $notice->is_local != Notice::LOCAL_NONPUBLIC) { + return true; + } - if ($notice->is_local != Notice::LOCAL_PUBLIC && $notice->is_local != Notice::LOCAL_NONPUBLIC) { - return true; - } - - # Array of servers, URL => type - $notify = common_config('ping', 'notify'); + # Array of servers, URL => type + $notify = common_config('ping', 'notify'); try { $profile = $notice->getProfile(); } catch (Exception $e) { @@ -35,21 +34,21 @@ function ping_broadcast_notice($notice) { common_log(LOG_ERR, "Exception getting notice profile: " . $e->getMessage()); return true; } - $tags = ping_notice_tags($notice); + $tags = ping_notice_tags($notice); - foreach ($notify as $notify_url => $type) { - switch ($type) { - case 'xmlrpc': - case 'extended': - $req = xmlrpc_encode_request('weblogUpdates.ping', - array($profile->nickname, # site name - common_local_url('showstream', - array('nickname' => $profile->nickname)), - common_local_url('shownotice', - array('notice' => $notice->id)), - common_local_url('userrss', - array('nickname' => $profile->nickname)), - $tags)); + foreach ($notify as $notify_url => $type) { + switch ($type) { + case 'xmlrpc': + case 'extended': + $req = xmlrpc_encode_request('weblogUpdates.ping', + array($profile->nickname, # site name + common_local_url('showstream', + array('nickname' => $profile->nickname)), + common_local_url('shownotice', + array('notice' => $notice->id)), + common_local_url('userrss', + array('nickname' => $profile->nickname)), + $tags)); $request = HTTPClient::start(); $request->setConfig('connect_timeout', common_config('ping', 'timeout')); @@ -79,9 +78,8 @@ function ping_broadcast_notice($notice) { "Ping success for $notify_url $notice->id"); } break; - - case 'get': - case 'post': + case 'get': + case 'post': $args = array('name' => $profile->nickname, 'url' => common_local_url('showstream', array('nickname' => $profile->nickname)), @@ -108,26 +106,25 @@ function ping_broadcast_notice($notice) { "'$result->body'"); } break; - - default: - common_log(LOG_WARNING, 'Unknown notify type for ' . $notify_url . ': ' . $type); + default: + common_log(LOG_WARNING, 'Unknown notify type for ' . $notify_url . ': ' . $type); } - } + } return true; } function ping_notice_tags($notice) { - $tag = new Notice_tag(); - $tag->notice_id = $notice->id; - $tags = array(); - if ($tag->find()) { - while ($tag->fetch()) { - $tags[] = $tag->tag; - } - $tag->free(); - unset($tag); - return implode('|', $tags); - } - return NULL; + $tag = new Notice_tag(); + $tag->notice_id = $notice->id; + $tags = array(); + if ($tag->find()) { + while ($tag->fetch()) { + $tags[] = $tag->tag; + } + $tag->free(); + unset($tag); + return implode('|', $tags); + } + return NULL; } From 234b03d945b64ce43d2460be67ff11df74857da8 Mon Sep 17 00:00:00 2001 From: Siebrand Mazeland Date: Sat, 30 Oct 2010 14:36:54 +0200 Subject: [PATCH 027/628] * translator documentation updates. * added FIXMEs in actions/showgroup.php. * superfluous whitespace removed. --- actions/showgroup.php | 60 ++++++++++++++++++++++++++++++------------- lib/feedlist.php | 1 + lib/uapplugin.php | 9 ------- 3 files changed, 43 insertions(+), 27 deletions(-) diff --git a/actions/showgroup.php b/actions/showgroup.php index 8e8ff717c1..c872828442 100644 --- a/actions/showgroup.php +++ b/actions/showgroup.php @@ -46,10 +46,8 @@ define('MEMBERS_PER_SECTION', 27); * @license http://www.fsf.org/licensing/licenses/agpl-3.0.html GNU Affero General Public License version 3.0 * @link http://status.net/ */ - class ShowgroupAction extends GroupDesignAction { - /** page we're viewing. */ var $page = null; @@ -58,7 +56,6 @@ class ShowgroupAction extends GroupDesignAction * * @return boolean true */ - function isReadOnly($args) { return true; @@ -69,18 +66,21 @@ class ShowgroupAction extends GroupDesignAction * * @return string page title, with page number */ - function title() { if (!empty($this->group->fullname)) { + // @todo FIXME: Needs proper i18n. Maybe use a generic method for this? $base = $this->group->fullname . ' (' . $this->group->nickname . ')'; } else { $base = $this->group->nickname; } if ($this->page == 1) { + // TRANS: Page title for first group page. %s is a group name. return sprintf(_('%s group'), $base); } else { + // TRANS: Page title for any but first group page. + // TRANS: %1$s is a group name, $2$s is a page number. return sprintf(_('%1$s group, page %2$d'), $base, $this->page); @@ -96,7 +96,6 @@ class ShowgroupAction extends GroupDesignAction * * @return boolean success flag */ - function prepare($args) { parent::prepare($args); @@ -118,6 +117,7 @@ class ShowgroupAction extends GroupDesignAction } if (!$nickname) { + // TRANS: Client error displayed if no nickname argument was given requesting a group page. $this->clientError(_('No nickname.'), 404); return false; } @@ -135,6 +135,7 @@ class ShowgroupAction extends GroupDesignAction return false; } else { common_log(LOG_NOTICE, "Couldn't find local group for nickname '$nickname'"); + // TRANS: Client error displayed if no remote group with a given name was found requesting group page. $this->clientError(_('No such group.'), 404); return false; } @@ -143,6 +144,7 @@ class ShowgroupAction extends GroupDesignAction $this->group = User_group::staticGet('id', $local->group_id); if (!$this->group) { + // TRANS: Client error displayed if no local group with a given name was found requesting group page. $this->clientError(_('No such group.'), 404); return false; } @@ -160,7 +162,6 @@ class ShowgroupAction extends GroupDesignAction * * @return void */ - function handle($args) { $this->showPage(); @@ -171,7 +172,6 @@ class ShowgroupAction extends GroupDesignAction * * @return void */ - function showLocalNav() { $nav = new GroupNav($this, $this->group); @@ -183,7 +183,6 @@ class ShowgroupAction extends GroupDesignAction * * Shows a group profile and a list of group notices */ - function showContent() { $this->showGroupProfile(); @@ -195,7 +194,6 @@ class ShowgroupAction extends GroupDesignAction * * @return void */ - function showGroupNotices() { $notice = $this->group->getNotices(($this->page-1)*NOTICES_PER_PAGE, @@ -218,15 +216,16 @@ class ShowgroupAction extends GroupDesignAction * * @return void */ - function showGroupProfile() { $this->elementStart('div', array('id' => 'i', 'class' => 'entity_profile vcard author')); + // TRANS: Group profile header (h2). Text hidden by default. $this->element('h2', null, _('Group profile')); $this->elementStart('dl', 'entity_depiction'); + // TRANS: Label for group avatar (dt). Text hidden by default. $this->element('dt', null, _('Avatar')); $this->elementStart('dd'); @@ -242,6 +241,7 @@ class ShowgroupAction extends GroupDesignAction $this->elementEnd('dl'); $this->elementStart('dl', 'entity_nickname'); + // TRANS: Label for group nickname (dt). Text hidden by default. $this->element('dt', null, _('Nickname')); $this->elementStart('dd'); $hasFN = ($this->group->fullname) ? 'nickname url uid' : 'fn org nickname url uid'; @@ -253,6 +253,7 @@ class ShowgroupAction extends GroupDesignAction if ($this->group->fullname) { $this->elementStart('dl', 'entity_fn'); + // TRANS: Label for full group name (dt). Text hidden by default. $this->element('dt', null, _('Full name')); $this->elementStart('dd'); $this->element('span', 'fn org', $this->group->fullname); @@ -262,6 +263,7 @@ class ShowgroupAction extends GroupDesignAction if ($this->group->location) { $this->elementStart('dl', 'entity_location'); + // TRANS: Label for group location (dt). Text hidden by default. $this->element('dt', null, _('Location')); $this->element('dd', 'label', $this->group->location); $this->elementEnd('dl'); @@ -269,6 +271,7 @@ class ShowgroupAction extends GroupDesignAction if ($this->group->homepage) { $this->elementStart('dl', 'entity_url'); + // TRANS: Label for group URL (dt). Text hidden by default. $this->element('dt', null, _('URL')); $this->elementStart('dd'); $this->element('a', array('href' => $this->group->homepage, @@ -280,6 +283,7 @@ class ShowgroupAction extends GroupDesignAction if ($this->group->description) { $this->elementStart('dl', 'entity_note'); + // TRANS: Label for group description or group note (dt). Text hidden by default. $this->element('dt', null, _('Note')); $this->element('dd', 'note', $this->group->description); $this->elementEnd('dl'); @@ -290,6 +294,7 @@ class ShowgroupAction extends GroupDesignAction if (!empty($aliases)) { $this->elementStart('dl', 'entity_aliases'); + // TRANS: Label for group aliases (dt). Text hidden by default. $this->element('dt', null, _('Aliases')); $this->element('dd', 'aliases', implode(' ', $aliases)); $this->elementEnd('dl'); @@ -300,6 +305,7 @@ class ShowgroupAction extends GroupDesignAction $cur = common_current_user(); $this->elementStart('div', 'entity_actions'); + // TRANS: Group actions header (h2). Text hidden by default. $this->element('h2', null, _('Group actions')); $this->elementStart('ul'); $this->elementStart('li', 'entity_subscribe'); @@ -331,7 +337,6 @@ class ShowgroupAction extends GroupDesignAction * * @return void */ - function getFeeds() { $url = @@ -341,23 +346,27 @@ class ShowgroupAction extends GroupDesignAction return array(new Feed(Feed::RSS1, common_local_url('grouprss', array('nickname' => $this->group->nickname)), + // TRANS: Tooltip for feed link. %s is a group nickname. sprintf(_('Notice feed for %s group (RSS 1.0)'), $this->group->nickname)), new Feed(Feed::RSS2, common_local_url('ApiTimelineGroup', array('format' => 'rss', 'id' => $this->group->id)), + // TRANS: Tooltip for feed link. %s is a group nickname. sprintf(_('Notice feed for %s group (RSS 2.0)'), $this->group->nickname)), new Feed(Feed::ATOM, common_local_url('ApiTimelineGroup', array('format' => 'atom', 'id' => $this->group->id)), + // TRANS: Tooltip for feed link. %s is a group nickname. sprintf(_('Notice feed for %s group (Atom)'), $this->group->nickname)), new Feed(Feed::FOAF, common_local_url('foafgroup', array('nickname' => $this->group->nickname)), + // TRANS: Tooltip for feed link. %s is a group nickname. sprintf(_('FOAF for %s group'), $this->group->nickname))); } @@ -367,7 +376,6 @@ class ShowgroupAction extends GroupDesignAction * * @return void */ - function showSections() { $this->showMembers(); @@ -382,7 +390,6 @@ class ShowgroupAction extends GroupDesignAction * * @return void */ - function showMembers() { $member = $this->group->getMembers(0, MEMBERS_PER_SECTION); @@ -396,17 +403,22 @@ class ShowgroupAction extends GroupDesignAction if (Event::handle('StartShowGroupMembersMiniList', array($this))) { + // TRANS: Header for mini list of group members on a group page (h2). $this->element('h2', null, _('Members')); $gmml = new GroupMembersMiniList($member, $this); $cnt = $gmml->show(); if ($cnt == 0) { + // TRANS: Description for mini list of group members on a group page when the group has no members. $this->element('p', null, _('(None)')); } + // @todo FIXME: Should be shown if a group has more than 27 members, but I do not see it displayed at + // for example http://identi.ca/group/statusnet. Broken? if ($cnt > MEMBERS_PER_SECTION) { $this->element('a', array('href' => common_local_url('groupmembers', array('nickname' => $this->group->nickname))), + // TRANS: Link to all group members from mini list of group members if group has more than n members. _('All members')); } @@ -421,7 +433,6 @@ class ShowgroupAction extends GroupDesignAction * * @return void */ - function showAdmins() { $adminSection = new GroupAdminSection($this, $this->group); @@ -433,22 +444,26 @@ class ShowgroupAction extends GroupDesignAction * * @return void */ - function showStatistics() { $this->elementStart('div', array('id' => 'entity_statistics', 'class' => 'section')); + // TRANS: Header for group statistics on a group page (h2). $this->element('h2', null, _('Statistics')); $this->elementStart('dl', 'entity_created'); - $this->element('dt', null, _('Created')); + // @todo FIXME: i18n issue. This label gets a colon added from somewhere. Should be part of the message. + // TRANS: Label for creation date in statistics on group page. + $this->element('dt', null, _m('LABEL','Created')); $this->element('dd', null, date('j M Y', strtotime($this->group->created))); $this->elementEnd('dl'); $this->elementStart('dl', 'entity_members'); - $this->element('dt', null, _('Members')); + // @todo FIXME: i18n issue. This label gets a colon added from somewhere. Should be part of the message. + // TRANS: Label for member count in statistics on group page. + $this->element('dt', null, _m('LABEL','Members')); $this->element('dd', null, $this->group->getMemberCount()); $this->elementEnd('dl'); @@ -458,12 +473,21 @@ class ShowgroupAction extends GroupDesignAction function showAnonymousMessage() { if (!(common_config('site','closed') || common_config('site','inviteonly'))) { + // @todo FIXME: use group full name here if available instead of (uglier) primary alias. + // TRANS: Notice on group pages for anonymous users for StatusNet sites that accept new registrations. + // TRANS: **%s** is the group alias, %%%%site.name%%%% is the site name, + // TRANS: %%%%action.register%%%% is the URL for registration, %%%%doc.help%%%% is a URL to help. + // TRANS: This message contains Markdown links. Ensure they are formatted correctly: [Description](link). $m = sprintf(_('**%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%%%%))'), $this->group->nickname); } else { + // @todo FIXME: use group full name here if available instead of (uglier) primary alias. + // TRANS: Notice on group pages for anonymous users for StatusNet sites that accept no new registrations. + // TRANS: **%s** is the group alias, %%%%site.name%%%% is the site name, + // TRANS: This message contains Markdown links. Ensure they are formatted correctly: [Description](link). $m = sprintf(_('**%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. '), @@ -492,6 +516,7 @@ class GroupAdminSection extends ProfileSection function title() { + // TRANS: Header for list of group administrators on a group page (h2). return _('Admins'); } @@ -527,4 +552,3 @@ class GroupMembersMiniListItem extends ProfileMiniListItem return $aAttrs; } } - diff --git a/lib/feedlist.php b/lib/feedlist.php index 076576028d..bbe66b2e74 100644 --- a/lib/feedlist.php +++ b/lib/feedlist.php @@ -62,6 +62,7 @@ class FeedList extends Widget if (!empty($feeds)) { $this->out->elementStart('div', array('id' => 'export_data', 'class' => 'section')); + // TRANS: Header for feed links (h2). $this->out->element('h2', null, _('Feeds')); $this->out->elementStart('ul', array('class' => 'xoxo')); diff --git a/lib/uapplugin.php b/lib/uapplugin.php index 2777817684..26d6a72d89 100644 --- a/lib/uapplugin.php +++ b/lib/uapplugin.php @@ -51,7 +51,6 @@ if (!defined('STATUSNET') && !defined('LACONICA')) { * @license http://www.fsf.org/licensing/licenses/agpl-3.0.html GNU Affero General Public License version 3.0 * @link http://status.net/ */ - abstract class UAPPlugin extends Plugin { public $mediumRectangle = null; @@ -66,7 +65,6 @@ abstract class UAPPlugin extends Plugin * * @return boolean hook flag */ - function onEndShowStatusNetStyles($action) { // XXX: allow override by theme @@ -81,7 +79,6 @@ abstract class UAPPlugin extends Plugin * * @return boolean hook flag */ - function onStartShowAside($action) { if (!is_null($this->mediumRectangle)) { @@ -144,7 +141,6 @@ abstract class UAPPlugin extends Plugin * * @return boolean hook flag */ - function onStartShowSections($action) { if (!is_null($this->rectangle)) { @@ -165,7 +161,6 @@ abstract class UAPPlugin extends Plugin * * @return boolean hook flag */ - function onEndShowAside($action) { if (!is_null($this->wideSkyscraper)) { @@ -187,7 +182,6 @@ abstract class UAPPlugin extends Plugin * * @return void */ - abstract protected function showMediumRectangle($action); /** @@ -197,7 +191,6 @@ abstract class UAPPlugin extends Plugin * * @return void */ - abstract protected function showRectangle($action); /** @@ -207,7 +200,6 @@ abstract class UAPPlugin extends Plugin * * @return void */ - abstract protected function showWideSkyscraper($action); /** @@ -217,6 +209,5 @@ abstract class UAPPlugin extends Plugin * * @return void */ - abstract protected function showLeaderboard($action); } From 83233a8a43d45b10ad64f05123ee9b7f4d3b160b Mon Sep 17 00:00:00 2001 From: Siebrand Mazeland Date: Sun, 31 Oct 2010 00:34:28 +0200 Subject: [PATCH 028/628] Fix i18n for B/kB/MB and add translator documentation. --- lib/imagefile.php | 13 ++++++++++--- 1 file changed, 10 insertions(+), 3 deletions(-) diff --git a/lib/imagefile.php b/lib/imagefile.php index e472877410..b70fd248e1 100644 --- a/lib/imagefile.php +++ b/lib/imagefile.php @@ -85,6 +85,8 @@ class ImageFile break; case UPLOAD_ERR_INI_SIZE: case UPLOAD_ERR_FORM_SIZE: + // TRANS: Exception thrown when too large a file is uploaded. + // TRANS: %s is the maximum file size, for example "500b", "10kB" or "2MB". throw new Exception(sprintf(_('That file is too big. The maximum file size is %s.'), ImageFile::maxFileSize())); return; @@ -241,11 +243,16 @@ class ImageFile $value = ImageFile::maxFileSizeInt(); if ($value > 1024 * 1024) { - return ($value/(1024*1024)) . _('MB'); + $value = $value/(1024*1024); + // TRANS: Number of megabytes. %d is the number. + return sprintf(_m('%dMB','%dMB',$value),$value); } else if ($value > 1024) { - return ($value/(1024)) . _('kB'); + $value = $value/1024; + // TRANS: Number of kilobytes. %d is the number. + return sprintf(_m('%dkB','%dkB',$value),$value); } else { - return $value; + // TRANS: Number of bytes. %d is the number. + return sprintf(_m('%dB','%dB',$value),$value); } } From 08edd1fedfab532b1266a99f4d4b4b13a2e3aa6b Mon Sep 17 00:00:00 2001 From: Siebrand Mazeland Date: Sun, 31 Oct 2010 00:58:35 +0200 Subject: [PATCH 029/628] * i18n/L10n updates. * translator documentation added/updated. * superfluous whitespace removed. --- actions/attachment.php | 8 +----- actions/attachment_ajax.php | 2 -- actions/attachment_thumbnail.php | 4 --- actions/avatarbynickname.php | 8 ++++-- actions/avatarsettings.php | 48 ++++++++++++++++++++------------ actions/block.php | 12 ++++---- actions/blockedfromgroup.php | 25 +++++++++++------ actions/bookmarklet.php | 5 ++-- actions/confirmaddress.php | 19 ++++++++----- actions/conversation.php | 17 ++--------- actions/editgroup.php | 36 ++++++++++++++++++++---- actions/newgroup.php | 20 +++++++++---- lib/unblockform.php | 6 +--- 13 files changed, 122 insertions(+), 88 deletions(-) diff --git a/actions/attachment.php b/actions/attachment.php index 6981354d10..45aa78728a 100644 --- a/actions/attachment.php +++ b/actions/attachment.php @@ -42,7 +42,6 @@ require_once INSTALLDIR.'/lib/attachmentlist.php'; * @license http://www.fsf.org/licensing/licenses/agpl-3.0.html GNU Affero General Public License version 3.0 * @link http://status.net/ */ - class AttachmentAction extends Action { /** @@ -70,6 +69,7 @@ class AttachmentAction extends Action } if (empty($this->attachment)) { + // TRANS: Client error displayed trying to get a non-existing attachment. $this->clientError(_('No such attachment.'), 404); return false; } @@ -81,7 +81,6 @@ class AttachmentAction extends Action * * @return boolean true */ - function isReadOnly($args) { return true; @@ -129,7 +128,6 @@ class AttachmentAction extends Action * * @return void */ - function handle($args) { parent::handle($args); @@ -150,7 +148,6 @@ class AttachmentAction extends Action * * @return void */ - function showLocalNavBlock() { } @@ -162,7 +159,6 @@ class AttachmentAction extends Action * * @return void */ - function showContent() { $ali = new Attachment($this->attachment, $this); @@ -174,7 +170,6 @@ class AttachmentAction extends Action * * @return void */ - function showPageNoticeBlock() { } @@ -191,4 +186,3 @@ class AttachmentAction extends Action $atcs->show(); } } - diff --git a/actions/attachment_ajax.php b/actions/attachment_ajax.php index 1e07280750..fb7d15f8a2 100644 --- a/actions/attachment_ajax.php +++ b/actions/attachment_ajax.php @@ -42,7 +42,6 @@ require_once INSTALLDIR.'/actions/attachment.php'; * @license http://www.fsf.org/licensing/licenses/agpl-3.0.html GNU Affero General Public License version 3.0 * @link http://status.net/ */ - class Attachment_ajaxAction extends AttachmentAction { /** @@ -80,4 +79,3 @@ class Attachment_ajaxAction extends AttachmentAction $this->elementEnd('div'); } } - diff --git a/actions/attachment_thumbnail.php b/actions/attachment_thumbnail.php index 7d0ac97a69..38648b8bef 100644 --- a/actions/attachment_thumbnail.php +++ b/actions/attachment_thumbnail.php @@ -42,10 +42,8 @@ require_once INSTALLDIR.'/actions/attachment.php'; * @license http://www.fsf.org/licensing/licenses/agpl-3.0.html GNU Affero General Public License version 3.0 * @link http://status.net/ */ - class Attachment_thumbnailAction extends AttachmentAction { - function handle($args) { $this->showPage(); @@ -79,6 +77,4 @@ class Attachment_thumbnailAction extends AttachmentAction } $this->element('img', array('src' => $file_thumbnail->url, 'alt' => 'Thumbnail')); } - } - diff --git a/actions/avatarbynickname.php b/actions/avatarbynickname.php index 537950792f..fa97a86ebf 100644 --- a/actions/avatarbynickname.php +++ b/actions/avatarbynickname.php @@ -48,7 +48,7 @@ class AvatarbynicknameAction extends Action * Class handler. * * @param array $args query arguments - * + * * @return boolean false if nickname or user isn't found */ function handle($args) @@ -56,27 +56,32 @@ class AvatarbynicknameAction extends Action parent::handle($args); $nickname = $this->trimmed('nickname'); if (!$nickname) { + // TRANS: Client error displayed trying to get an avatar without providing a nickname. $this->clientError(_('No nickname.')); return; } $size = $this->trimmed('size'); if (!$size) { + // TRANS: Client error displayed trying to get an avatar without providing an avatar size. $this->clientError(_('No size.')); return; } $size = strtolower($size); if (!in_array($size, array('original', '96', '48', '24'))) { + // TRANS: Client error displayed trying to get an avatar providing an invalid avatar size. $this->clientError(_('Invalid size.')); return; } $user = User::staticGet('nickname', $nickname); if (!$user) { + // TRANS: Client error displayed trying to get an avatar for a non-existing user. $this->clientError(_('No such user.')); return; } $profile = $user->getProfile(); if (!$profile) { + // TRANS: Client error displayed trying to get an avatar for a user without a profile. $this->clientError(_('User has no profile.')); return; } @@ -103,4 +108,3 @@ class AvatarbynicknameAction extends Action return true; } } - diff --git a/actions/avatarsettings.php b/actions/avatarsettings.php index 9d4040e75a..63dc8c8fee 100644 --- a/actions/avatarsettings.php +++ b/actions/avatarsettings.php @@ -49,7 +49,6 @@ define('MAX_ORIGINAL', 480); * @license http://www.fsf.org/licensing/licenses/agpl-3.0.html GNU Affero General Public License version 3.0 * @link http://status.net/ */ - class AvatarsettingsAction extends AccountSettingsAction { var $mode = null; @@ -61,9 +60,9 @@ class AvatarsettingsAction extends AccountSettingsAction * * @return string Title of the page */ - function title() { + // TRANS: Title for avatar upload page. return _('Avatar'); } @@ -72,10 +71,12 @@ class AvatarsettingsAction extends AccountSettingsAction * * @return instructions for use */ - function getInstructions() { - return sprintf(_('You can upload your personal avatar. The maximum file size is %s.'), ImageFile::maxFileSize()); + // TRANS: Instruction for avatar upload page. + // TRANS: %s is the maximum file size, for example "500b", "10kB" or "2MB". + return sprintf(_('You can upload your personal avatar. The maximum file size is %s.'), + ImageFile::maxFileSize()); } /** @@ -103,6 +104,7 @@ class AvatarsettingsAction extends AccountSettingsAction if (!$profile) { common_log_db_error($user, 'SELECT', __FILE__); + // TRANS: Server error displayed in avatar upload page when no matching profile can be found for a user. $this->serverError(_('User without matching profile.')); return; } @@ -116,14 +118,16 @@ class AvatarsettingsAction extends AccountSettingsAction 'action' => common_local_url('avatarsettings'))); $this->elementStart('fieldset'); + // TRANS: Avatar upload page form legend. $this->element('legend', null, _('Avatar settings')); $this->hidden('token', common_session_token()); - + if (Event::handle('StartAvatarFormData', array($this))) { $this->elementStart('ul', 'form_data'); if ($original) { $this->elementStart('li', array('id' => 'avatar_original', 'class' => 'avatar_view')); + // TRANS: Header on avatar upload page for thumbnail of originally uploaded avatar (h2). $this->element('h2', null, _("Original")); $this->elementStart('div', array('id'=>'avatar_original_view')); $this->element('img', array('src' => $original->url, @@ -139,6 +143,7 @@ class AvatarsettingsAction extends AccountSettingsAction if ($avatar) { $this->elementStart('li', array('id' => 'avatar_preview', 'class' => 'avatar_view')); + // TRANS: Header on avatar upload page for thumbnail of to be used rendition of uploaded avatar (h2). $this->element('h2', null, _("Preview")); $this->elementStart('div', array('id'=>'avatar_preview_view')); $this->element('img', array('src' => $original->url, @@ -146,7 +151,8 @@ class AvatarsettingsAction extends AccountSettingsAction 'height' => AVATAR_PROFILE_SIZE, 'alt' => $user->nickname)); $this->elementEnd('div'); - $this->submit('delete', _('Delete')); + // TRANS: Button on avatar upload page to delete current avatar. + $this->submit('delete', _m('BUTTON','Delete')); $this->elementEnd('li'); } @@ -163,7 +169,8 @@ class AvatarsettingsAction extends AccountSettingsAction $this->elementStart('ul', 'form_actions'); $this->elementStart('li'); - $this->submit('upload', _('Upload')); + // TRANS: Button on avatar upload page to upload an avatar. + $this->submit('upload', _m('BUTTON','Upload')); $this->elementEnd('li'); $this->elementEnd('ul'); } @@ -171,7 +178,6 @@ class AvatarsettingsAction extends AccountSettingsAction $this->elementEnd('fieldset'); $this->elementEnd('form'); - } function showCropForm() @@ -182,6 +188,7 @@ class AvatarsettingsAction extends AccountSettingsAction if (!$profile) { common_log_db_error($user, 'SELECT', __FILE__); + // TRANS: Server error displayed in avatar upload page when no matching profile can be found for a user. $this->serverError(_('User without matching profile.')); return; } @@ -194,6 +201,7 @@ class AvatarsettingsAction extends AccountSettingsAction 'action' => common_local_url('avatarsettings'))); $this->elementStart('fieldset'); + // TRANS: Avatar upload page crop form legend. $this->element('legend', null, _('Avatar settings')); $this->hidden('token', common_session_token()); @@ -202,6 +210,7 @@ class AvatarsettingsAction extends AccountSettingsAction $this->elementStart('li', array('id' => 'avatar_original', 'class' => 'avatar_view')); + // TRANS: Header on avatar upload crop form for thumbnail of originally uploaded avatar (h2). $this->element('h2', null, _("Original")); $this->elementStart('div', array('id'=>'avatar_original_view')); $this->element('img', array('src' => Avatar::url($this->filedata['filename']), @@ -214,6 +223,7 @@ class AvatarsettingsAction extends AccountSettingsAction $this->elementStart('li', array('id' => 'avatar_preview', 'class' => 'avatar_view')); + // TRANS: Header on avatar upload crop form for thumbnail of to be used rendition of uploaded avatar (h2). $this->element('h2', null, _("Preview")); $this->elementStart('div', array('id'=>'avatar_preview_view')); $this->element('img', array('src' => Avatar::url($this->filedata['filename']), @@ -228,13 +238,14 @@ class AvatarsettingsAction extends AccountSettingsAction 'type' => 'hidden', 'id' => $crop_info)); } - $this->submit('crop', _('Crop')); + + // TRANS: Button on avatar upload crop form to confirm a selected crop as avatar. + $this->submit('crop', _m('BUTTON','Crop')); $this->elementEnd('li'); $this->elementEnd('ul'); $this->elementEnd('fieldset'); $this->elementEnd('form'); - } /** @@ -244,7 +255,6 @@ class AvatarsettingsAction extends AccountSettingsAction * * @return void */ - function handlePost() { // Workaround for PHP returning empty $_POST and $_FILES when POST @@ -271,7 +281,7 @@ class AvatarsettingsAction extends AccountSettingsAction 'Try again, please.')); return; } - + if (Event::handle('StartAvatarSaveForm', array($this))) { if ($this->arg('upload')) { $this->uploadAvatar(); @@ -280,6 +290,7 @@ class AvatarsettingsAction extends AccountSettingsAction } else if ($this->arg('delete')) { $this->deleteAvatar(); } else { + // TRANS: Unexpected validation error on avatar upload form. $this->showForm(_('Unexpected form submission.')); } Event::handle('EndAvatarSaveForm', array($this)); @@ -294,7 +305,6 @@ class AvatarsettingsAction extends AccountSettingsAction * * @return void */ - function uploadAvatar() { try { @@ -304,6 +314,7 @@ class AvatarsettingsAction extends AccountSettingsAction return; } if ($imagefile === null) { + // TRANS: Validation error on avatar upload form when no file was uploaded. $this->showForm(_('No file uploaded.')); return; } @@ -331,6 +342,7 @@ class AvatarsettingsAction extends AccountSettingsAction $this->mode = 'crop'; + // TRANS: Avatar upload form unstruction after uploading a file. $this->showForm(_('Pick a square area of the image to be your avatar'), true); } @@ -340,12 +352,12 @@ class AvatarsettingsAction extends AccountSettingsAction * * @return void */ - function cropAvatar() { $filedata = $_SESSION['FILEDATA']; if (!$filedata) { + // TRANS: Server error displayed if an avatar upload went wrong somehow server side. $this->serverError(_('Lost our file data.')); return; } @@ -372,21 +384,21 @@ class AvatarsettingsAction extends AccountSettingsAction $this->showForm(_('Avatar updated.'), true); common_broadcast_profile($profile); } else { + // TRANS: Error displayed on the avatar upload page if the avatar could not be updated for an unknown reason. $this->showForm(_('Failed updating avatar.')); } } - + /** * Get rid of the current avatar. * * @return void */ - function deleteAvatar() { $user = common_current_user(); $profile = $user->getProfile(); - + $avatar = $profile->getOriginalAvatar(); if($avatar) $avatar->delete(); $avatar = $profile->getAvatar(AVATAR_PROFILE_SIZE); @@ -396,6 +408,7 @@ class AvatarsettingsAction extends AccountSettingsAction $avatar = $profile->getAvatar(AVATAR_MINI_SIZE); if($avatar) $avatar->delete(); + // TRANS: Success message for deleting a user avatar. $this->showForm(_('Avatar deleted.'), true); } @@ -416,7 +429,6 @@ class AvatarsettingsAction extends AccountSettingsAction * * @return void */ - function showScripts() { parent::showScripts(); diff --git a/actions/block.php b/actions/block.php index 93f8ec9370..e87353b4e1 100644 --- a/actions/block.php +++ b/actions/block.php @@ -42,7 +42,6 @@ if (!defined('STATUSNET') && !defined('LACONICA')) { * @license http://www.fsf.org/licensing/licenses/agpl.html AGPLv3 * @link http://status.net/ */ - class BlockAction extends ProfileFormAction { var $profile = null; @@ -54,7 +53,6 @@ class BlockAction extends ProfileFormAction * * @return boolean success flag */ - function prepare($args) { if (!parent::prepare($args)) { @@ -66,6 +64,7 @@ class BlockAction extends ProfileFormAction assert(!empty($cur)); // checked by parent if ($cur->hasBlocked($this->profile)) { + // TRANS: Client error displayed when blocking a user that has already been blocked. $this->clientError(_('You already blocked that user.')); return false; } @@ -82,7 +81,6 @@ class BlockAction extends ProfileFormAction * * @return void */ - function handle($args) { if ($_SERVER['REQUEST_METHOD'] == 'POST') { @@ -104,6 +102,7 @@ class BlockAction extends ProfileFormAction } function title() { + // TRANS: Title for block user page. return _('Block user'); } @@ -133,8 +132,10 @@ class BlockAction extends ProfileFormAction 'action' => common_local_url('block'))); $this->elementStart('fieldset'); $this->hidden('token', common_session_token()); + // TRANS: Legend for block user form. $this->element('legend', _('Block user')); $this->element('p', null, + // TRANS: Explanation of consequences when blocking a user on the block user page. _('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 '. @@ -184,6 +185,7 @@ class BlockAction extends ProfileFormAction } if (!$result) { + // TRANS: Server error displayed when blocking a user fails. $this->serverError(_('Failed to save block information.')); return; } @@ -199,7 +201,7 @@ class BlockAction extends ProfileFormAction * Override for form session token checks; on our first hit we're just * requesting confirmation, which doesn't need a token. We need to be * able to take regular GET requests from email! - * + * * @throws ClientException if token is bad on POST request or if we have * confirmation parameters which could trigger something. */ @@ -216,7 +218,7 @@ class BlockAction extends ProfileFormAction /** * If we reached this form without returnto arguments, return to the * current user's subscription list. - * + * * @return string URL */ function defaultReturnTo() diff --git a/actions/blockedfromgroup.php b/actions/blockedfromgroup.php index a0598db270..6ff572c05d 100644 --- a/actions/blockedfromgroup.php +++ b/actions/blockedfromgroup.php @@ -40,7 +40,6 @@ if (!defined('STATUSNET') && !defined('LACONICA')) { * @license http://www.fsf.org/licensing/licenses/agpl-3.0.html GNU Affero General Public License version 3.0 * @link http://status.net/ */ - class BlockedfromgroupAction extends GroupDesignAction { var $page = null; @@ -70,6 +69,7 @@ class BlockedfromgroupAction extends GroupDesignAction } if (!$nickname) { + // TRANS: Client error displayed when requesting a list of blocked users for a group without providing a group nickname. $this->clientError(_('No nickname.'), 404); return false; } @@ -77,6 +77,7 @@ class BlockedfromgroupAction extends GroupDesignAction $local = Local_group::staticGet('nickname', $nickname); if (!$local) { + // TRANS: Client error displayed when requesting a list of blocked users for a non-local group. $this->clientError(_('No such group.'), 404); return false; } @@ -84,6 +85,7 @@ class BlockedfromgroupAction extends GroupDesignAction $this->group = User_group::staticGet('id', $local->group_id); if (!$this->group) { + // TRANS: Client error displayed when requesting a list of blocked users for a non-existing group. $this->clientError(_('No such group.'), 404); return false; } @@ -94,9 +96,13 @@ class BlockedfromgroupAction extends GroupDesignAction function title() { if ($this->page == 1) { + // TRANS: Title for first page with list of users blocked from a group. + // TRANS: %s is a group nickname. return sprintf(_('%s blocked profiles'), $this->group->nickname); } else { + // TRANS: Title for any but the first page with list of users blocked from a group. + // TRANS: %1$s is a group nickname, %2$d is a page number. return sprintf(_('%1$s blocked profiles, page %2$d'), $this->group->nickname, $this->page); @@ -112,6 +118,7 @@ class BlockedfromgroupAction extends GroupDesignAction function showPageNotice() { $this->element('p', 'instructions', + // TRANS: Instructions for list of users blocked from a group. _('A list of the users blocked from joining this group.')); } @@ -205,7 +212,6 @@ class GroupBlockListItem extends ProfileListItem * * @see UnblockForm */ - class GroupUnblockForm extends Form { /** @@ -234,7 +240,6 @@ class GroupUnblockForm extends Form * @param User_group $group group to block user from * @param array $args return-to args */ - function __construct($out=null, $profile=null, $group=null, $args=null) { parent::__construct($out); @@ -249,7 +254,6 @@ class GroupUnblockForm extends Form * * @return int ID of the form */ - function id() { // This should be unique for the page. @@ -261,7 +265,6 @@ class GroupUnblockForm extends Form * * @return string class of the form */ - function formClass() { return 'form_group_unblock'; @@ -272,7 +275,6 @@ class GroupUnblockForm extends Form * * @return string URL of the action */ - function action() { return common_local_url('groupunblock'); @@ -285,6 +287,7 @@ class GroupUnblockForm extends Form */ function formLegend() { + // TRANS: Form legend for unblocking a user from a group. $this->out->element('legend', null, _('Unblock user from group')); } @@ -293,7 +296,6 @@ class GroupUnblockForm extends Form * * @return void */ - function formData() { $this->out->hidden('unblockto-' . $this->profile->id, @@ -314,9 +316,14 @@ class GroupUnblockForm extends Form * * @return void */ - function formActions() { - $this->out->submit('submit', _('Unblock'), 'submit', null, _('Unblock this user')); + $this->out->submit('submit', + // TRANS: Button text for unblocking a user from a group. + _m('BUTTON','Unblock'), + 'submit', + null, + // TRANS: Tooltip for button for unblocking a user from a group. + _('Unblock this user')); } } diff --git a/actions/bookmarklet.php b/actions/bookmarklet.php index 041c2e8947..9cf4e58f89 100644 --- a/actions/bookmarklet.php +++ b/actions/bookmarklet.php @@ -34,7 +34,7 @@ if (!defined('STATUSNET') && !defined('LACONICA')) { require_once INSTALLDIR . '/actions/newnotice.php'; /** - * Action for posting a notice + * Action for posting a notice * * @category Bookmarklet * @package StatusNet @@ -42,12 +42,12 @@ require_once INSTALLDIR . '/actions/newnotice.php'; * @license http://www.fsf.org/licensing/licenses/agpl-3.0.html GNU Affero General Public License version 3.0 * @link http://status.net/ */ - class BookmarkletAction extends NewnoticeAction { function showTitle() { // TRANS: Title for mini-posting window loaded from bookmarklet. + // TRANS: %s is the StatusNet site name. $this->element('title', null, sprintf(_('Post to %s'), common_config('site', 'name'))); } @@ -73,4 +73,3 @@ class BookmarkletAction extends NewnoticeAction { } } - diff --git a/actions/confirmaddress.php b/actions/confirmaddress.php index 8bf8c8c4d4..5617c53392 100644 --- a/actions/confirmaddress.php +++ b/actions/confirmaddress.php @@ -44,7 +44,6 @@ if (!defined('STATUSNET') && !defined('LACONICA')) { * @license http://www.fsf.org/licensing/licenses/agpl-3.0.html GNU Affero General Public License version 3.0 * @link http://status.net/ */ - class ConfirmaddressAction extends Action { /** type of confirmation. */ @@ -61,7 +60,6 @@ class ConfirmaddressAction extends Action * * @return void */ - function handle($args) { parent::handle($args); @@ -72,27 +70,30 @@ class ConfirmaddressAction extends Action } $code = $this->trimmed('code'); if (!$code) { + // TRANS: Client error displayed when not providing a confirmation code in the contact address confirmation action. $this->clientError(_('No confirmation code.')); return; } $confirm = Confirm_address::staticGet('code', $code); if (!$confirm) { + // TRANS: Client error displayed when providing a non-existing confirmation code in the contact address confirmation action. $this->clientError(_('Confirmation code not found.')); return; } $cur = common_current_user(); if ($cur->id != $confirm->user_id) { + // TRANS: Client error displayed when not providing a confirmation code for another user in the contact address confirmation action. $this->clientError(_('That confirmation code is not for you!')); return; } $type = $confirm->address_type; if (!in_array($type, array('email', 'jabber', 'sms'))) { - // TRANS: Server error for an unknow address type, which can be 'email', 'jabber', or 'sms'. + // TRANS: Server error for a unknow address type %s, which can be 'email', 'jabber', or 'sms'. $this->serverError(sprintf(_('Unrecognized address type %s.'), $type)); return; } if ($cur->$type == $confirm->address) { - // TRANS: Client error for an already confirmed email/jabbel/sms address. + // TRANS: Client error for an already confirmed email/jabber/sms address. $this->clientError(_('That address has already been confirmed.')); return; } @@ -113,6 +114,7 @@ class ConfirmaddressAction extends Action if (!$result) { common_log_db_error($cur, 'UPDATE', __FILE__); + // TRANS: Server error displayed when a user update to the database fails in the contact address confirmation action. $this->serverError(_('Couldn\'t update user.')); return; } @@ -125,7 +127,9 @@ class ConfirmaddressAction extends Action if (!$result) { common_log_db_error($confirm, 'DELETE', __FILE__); - $this->serverError(_('Couldn\'t delete email confirmation.')); + // TRANS: Server error displayed when an address confirmation code deletion from the + // TRANS: database fails in the contact address confirmation action. + $this->serverError(_('Could not delete address confirmation.')); return; } @@ -140,9 +144,9 @@ class ConfirmaddressAction extends Action * * @return string title */ - function title() { + // TRANS: Title for the contact address confirmation action. return _('Confirm address'); } @@ -151,13 +155,14 @@ class ConfirmaddressAction extends Action * * @return void */ - function showContent() { $cur = common_current_user(); $type = $this->type; $this->element('p', null, + // TRANS: Success message for the contact address confirmation action. + // TRANS: %s can be 'email', 'jabber', or 'sms'. sprintf(_('The address "%s" has been '. 'confirmed for your account.'), $cur->$type)); diff --git a/actions/conversation.php b/actions/conversation.php index 900a724ef3..8d11df37bc 100644 --- a/actions/conversation.php +++ b/actions/conversation.php @@ -45,7 +45,6 @@ require_once INSTALLDIR.'/lib/noticelist.php'; * @license http://www.fsf.org/licensing/licenses/agpl.html AGPLv3 * @link http://status.net/ */ - class ConversationAction extends Action { var $id = null; @@ -58,7 +57,6 @@ class ConversationAction extends Action * * @return boolean false if id not passed in */ - function prepare($args) { parent::prepare($args); @@ -81,7 +79,6 @@ class ConversationAction extends Action * * @return void */ - function handle($args) { parent::handle($args); @@ -93,10 +90,10 @@ class ConversationAction extends Action * * @return string page title */ - function title() { - return _("Conversation"); + // TRANS: Title for page with a conversion (multiple notices in context). + return _('Conversation'); } /** @@ -107,7 +104,6 @@ class ConversationAction extends Action * * @return void */ - function showContent() { $notices = Notice::conversationStream($this->id, null, null); @@ -134,7 +130,6 @@ class ConversationAction extends Action * @license http://www.fsf.org/licensing/licenses/agpl.html AGPLv3 * @link http://status.net/ */ - class ConversationTree extends NoticeList { var $tree = null; @@ -145,12 +140,12 @@ class ConversationTree extends NoticeList * * @return void */ - function show() { $cnt = $this->_buildTree(); $this->out->elementStart('div', array('id' =>'notices_primary')); + // TRANS: Header on conversation page. Hidden by default (h2). $this->out->element('h2', null, _('Notices')); $this->out->elementStart('ol', array('class' => 'notices xoxo')); @@ -200,7 +195,6 @@ class ConversationTree extends NoticeList * * @return void */ - function showNoticePlus($id) { $notice = $this->table[$id]; @@ -237,7 +231,6 @@ class ConversationTree extends NoticeList * * @return NoticeListItem a list item to show */ - function newListItem($notice) { return new ConversationTreeItem($notice, $this->out); @@ -255,7 +248,6 @@ class ConversationTree extends NoticeList * @license http://www.fsf.org/licensing/licenses/agpl.html AGPLv3 * @link http://status.net/ */ - class ConversationTreeItem extends NoticeListItem { /** @@ -266,7 +258,6 @@ class ConversationTreeItem extends NoticeListItem * * @return void */ - function showStart() { return; @@ -280,7 +271,6 @@ class ConversationTreeItem extends NoticeListItem * * @return void */ - function showEnd() { return; @@ -293,7 +283,6 @@ class ConversationTreeItem extends NoticeListItem * * @return void */ - function showContext() { return; diff --git a/actions/editgroup.php b/actions/editgroup.php index eaadbabe45..4d3af34c7b 100644 --- a/actions/editgroup.php +++ b/actions/editgroup.php @@ -45,14 +45,13 @@ if (!defined('STATUSNET') && !defined('LACONICA')) { * @license http://www.fsf.org/licensing/licenses/agpl-3.0.html GNU Affero General Public License version 3.0 * @link http://status.net/ */ - class EditgroupAction extends GroupDesignAction { - var $msg; function title() { + // TRANS: Title for form to edit a group. %s is a group nickname. return sprintf(_('Edit %s group'), $this->group->nickname); } @@ -65,6 +64,7 @@ class EditgroupAction extends GroupDesignAction parent::prepare($args); if (!common_logged_in()) { + // TRANS: Client error displayed trying to edit a group while not logged in. $this->clientError(_('You must be logged in to create a group.')); return false; } @@ -81,6 +81,7 @@ class EditgroupAction extends GroupDesignAction } if (!$nickname) { + // TRANS: Client error displayed trying to edit a group while not proving a nickname for the group to edit. $this->clientError(_('No nickname.'), 404); return false; } @@ -97,6 +98,7 @@ class EditgroupAction extends GroupDesignAction } if (!$this->group) { + // TRANS: Client error displayed trying to edit a non-existing group. $this->clientError(_('No such group.'), 404); return false; } @@ -104,6 +106,7 @@ class EditgroupAction extends GroupDesignAction $cur = common_current_user(); if (!$cur->isAdmin($this->group)) { + // TRANS: Client error displayed trying to edit a group while not being a group admin. $this->clientError(_('You must be an admin to edit the group.'), 403); return false; } @@ -120,7 +123,6 @@ class EditgroupAction extends GroupDesignAction * * @return void */ - function handle($args) { parent::handle($args); @@ -155,6 +157,7 @@ class EditgroupAction extends GroupDesignAction $this->element('p', 'error', $this->msg); } else { $this->element('p', 'instructions', + // TRANS: Form instructions for group edit form. _('Use this form to edit the group.')); } } @@ -169,6 +172,7 @@ class EditgroupAction extends GroupDesignAction { $cur = common_current_user(); if (!$cur->isAdmin($this->group)) { + // TRANS: Client error displayed trying to edit a group while not being a group admin. $this->clientError(_('You must be an admin to edit the group.'), 403); return; } @@ -183,28 +187,39 @@ class EditgroupAction extends GroupDesignAction if (!Validate::string($nickname, array('min_length' => 1, 'max_length' => 64, 'format' => NICKNAME_FMT))) { + // TRANS: Group edit form validation error. $this->showForm(_('Nickname must have only lowercase letters '. 'and numbers and no spaces.')); return; } else if ($this->nicknameExists($nickname)) { + // TRANS: Group edit form validation error. $this->showForm(_('Nickname already in use. Try another one.')); return; } else if (!User_group::allowedNickname($nickname)) { + // TRANS: Group edit form validation error. $this->showForm(_('Not a valid nickname.')); return; } else if (!is_null($homepage) && (strlen($homepage) > 0) && !Validate::uri($homepage, array('allowed_schemes' => array('http', 'https')))) { + // TRANS: Group edit form validation error. $this->showForm(_('Homepage is not a valid URL.')); return; } else if (!is_null($fullname) && mb_strlen($fullname) > 255) { + // TRANS: Group edit form validation error. $this->showForm(_('Full name is too long (maximum 255 characters).')); return; } else if (User_group::descriptionTooLong($description)) { - $this->showForm(sprintf(_('Description is too long (max %d chars).'), User_group::maxDescription())); + $this->showForm(sprintf( + // TRANS: Group edit form validation error. + _m('Description is too long (maximum %d character).', + 'Description is too long (maximum %d characters).', + User_group::maxDescription()), + User_group::maxDescription())); return; } else if (!is_null($location) && mb_strlen($location) > 255) { + // TRANS: Group edit form validation error. $this->showForm(_('Location is too long (maximum 255 characters).')); return; } @@ -216,7 +231,11 @@ class EditgroupAction extends GroupDesignAction } if (count($aliases) > common_config('group', 'maxaliases')) { - $this->showForm(sprintf(_('Too many aliases! Maximum %d.'), + // TRANS: Group edit form validation error. + // TRANS: %d is the maximum number of allowed aliases. + $this->showForm(sprintf(_m('Too many aliases! Maximum %d allowed.', + 'Too many aliases! Maximum %d allowed.', + common_config('group', 'maxaliases')), common_config('group', 'maxaliases'))); return; } @@ -225,16 +244,19 @@ class EditgroupAction extends GroupDesignAction if (!Validate::string($alias, array('min_length' => 1, 'max_length' => 64, 'format' => NICKNAME_FMT))) { + // TRANS: Group edit form validation error. $this->showForm(sprintf(_('Invalid alias: "%s"'), $alias)); return; } if ($this->nicknameExists($alias)) { + // TRANS: Group edit form validation error. $this->showForm(sprintf(_('Alias "%s" already in use. Try another one.'), $alias)); return; } // XXX assumes alphanum nicknames if (strcmp($alias, $nickname) == 0) { + // TRANS: Group edit form validation error. $this->showForm(_('Alias can\'t be the same as nickname.')); return; } @@ -255,12 +277,14 @@ class EditgroupAction extends GroupDesignAction if (!$result) { common_log_db_error($this->group, 'UPDATE', __FILE__); + // TRANS: Server error displayed when editing a group fails. $this->serverError(_('Could not update group.')); } $result = $this->group->setAliases($aliases); if (!$result) { + // TRANS: Server error displayed when group aliases could not be added. $this->serverError(_('Could not create aliases.')); } @@ -277,6 +301,7 @@ class EditgroupAction extends GroupDesignAction array('nickname' => $nickname)), 303); } else { + // TRANS: Group edit form success message. $this->showForm(_('Options saved.')); } } @@ -300,4 +325,3 @@ class EditgroupAction extends GroupDesignAction return false; } } - diff --git a/actions/newgroup.php b/actions/newgroup.php index 2951920362..9c1870b1c6 100644 --- a/actions/newgroup.php +++ b/actions/newgroup.php @@ -43,25 +43,25 @@ if (!defined('STATUSNET') && !defined('LACONICA')) { * @license http://www.fsf.org/licensing/licenses/agpl-3.0.html GNU Affero General Public License version 3.0 * @link http://status.net/ */ - class NewgroupAction extends Action { var $msg; function title() { + // TRANS: Title for form to create a group. return _('New group'); } /** * Prepare to run */ - function prepare($args) { parent::prepare($args); if (!common_logged_in()) { + // TRANS: Client error displayed trying to create a group while not logged in. $this->clientError(_('You must be logged in to create a group.')); return false; } @@ -78,7 +78,6 @@ class NewgroupAction extends Action * * @return void */ - function handle($args) { parent::handle($args); @@ -107,6 +106,7 @@ class NewgroupAction extends Action $this->element('p', 'error', $this->msg); } else { $this->element('p', 'instructions', + // TRANS: Form instructions for group create form. _('Use this form to create a new group.')); } } @@ -123,26 +123,31 @@ class NewgroupAction extends Action if (!Validate::string($nickname, array('min_length' => 1, 'max_length' => 64, 'format' => NICKNAME_FMT))) { + // TRANS: Group create form validation error. $this->showForm(_('Nickname must have only lowercase letters '. 'and numbers and no spaces.')); return; } else if ($this->nicknameExists($nickname)) { + // TRANS: Group create form validation error. $this->showForm(_('Nickname already in use. Try another one.')); return; } else if (!User_group::allowedNickname($nickname)) { + // TRANS: Group create form validation error. $this->showForm(_('Not a valid nickname.')); return; } else if (!is_null($homepage) && (strlen($homepage) > 0) && !Validate::uri($homepage, array('allowed_schemes' => array('http', 'https')))) { + // TRANS: Group create form validation error. $this->showForm(_('Homepage is not a valid URL.')); return; } else if (!is_null($fullname) && mb_strlen($fullname) > 255) { + // TRANS: Group create form validation error. $this->showForm(_('Full name is too long (maximum 255 characters).')); return; } else if (User_group::descriptionTooLong($description)) { - // TRANS: Form validation error creating a new group because the description is too long. + // TRANS: Group create form validation error. // TRANS: %d is the maximum number of allowed characters. $this->showForm(sprintf(_m('Description is too long (maximum %d character).', 'Description is too long (maximum %d characters).', @@ -150,6 +155,7 @@ class NewgroupAction extends Action User_group::maxDescription())); return; } else if (!is_null($location) && mb_strlen($location) > 255) { + // TRANS: Group create form validation error. $this->showForm(_('Location is too long (maximum 255 characters).')); return; } @@ -161,7 +167,7 @@ class NewgroupAction extends Action } if (count($aliases) > common_config('group', 'maxaliases')) { - // TRANS: Client error shown when providing too many aliases during group creation. + // TRANS: Group create form validation error. // TRANS: %d is the maximum number of allowed aliases. $this->showForm(sprintf(_m('Too many aliases! Maximum %d allowed.', 'Too many aliases! Maximum %d allowed.', @@ -174,16 +180,19 @@ class NewgroupAction extends Action if (!Validate::string($alias, array('min_length' => 1, 'max_length' => 64, 'format' => NICKNAME_FMT))) { + // TRANS: Group create form validation error. $this->showForm(sprintf(_('Invalid alias: "%s"'), $alias)); return; } if ($this->nicknameExists($alias)) { + // TRANS: Group create form validation error. $this->showForm(sprintf(_('Alias "%s" already in use. Try another one.'), $alias)); return; } // XXX assumes alphanum nicknames if (strcmp($alias, $nickname) == 0) { + // TRANS: Group create form validation error. $this->showForm(_('Alias can\'t be the same as nickname.')); return; } @@ -227,4 +236,3 @@ class NewgroupAction extends Action return false; } } - diff --git a/lib/unblockform.php b/lib/unblockform.php index b89d7ff78d..8daad3c92b 100644 --- a/lib/unblockform.php +++ b/lib/unblockform.php @@ -44,7 +44,6 @@ if (!defined('STATUSNET')) { * * @see BlockForm */ - class UnblockForm extends ProfileActionForm { /** @@ -52,7 +51,6 @@ class UnblockForm extends ProfileActionForm * * @return string Name of the action, lowercased. */ - function target() { return 'unblock'; @@ -63,11 +61,10 @@ class UnblockForm extends ProfileActionForm * * @return string Title of the form, internationalized */ - function title() { // TRANS: Title for the form to unblock a user. - return _('Unblock'); + return _m('TITLE','Unblock'); } /** @@ -75,7 +72,6 @@ class UnblockForm extends ProfileActionForm * * @return string description of the form, internationalized */ - function description() { // TRANS: Description of the form to unblock a user. From 5406873007fc2e85425347dd73a0dcafc687814a Mon Sep 17 00:00:00 2001 From: Siebrand Mazeland Date: Sun, 31 Oct 2010 01:16:59 +0200 Subject: [PATCH 030/628] * translator documentation updated. * superfluous whitespace removed. * added FIXMEs for missing documentation and un-i18n-able timestamps. --- actions/groupunblock.php | 14 +++++----- actions/showmessage.php | 57 ++++++++++++++++++++-------------------- actions/subedit.php | 6 +++++ 3 files changed, 43 insertions(+), 34 deletions(-) diff --git a/actions/groupunblock.php b/actions/groupunblock.php index dd6b15c26c..ef2380725e 100644 --- a/actions/groupunblock.php +++ b/actions/groupunblock.php @@ -32,7 +32,7 @@ if (!defined('STATUSNET') && !defined('LACONICA')) { } /** - * Unlock a user from a group + * Unblock a user from a group * * @category Action * @package StatusNet @@ -40,7 +40,6 @@ if (!defined('STATUSNET') && !defined('LACONICA')) { * @license http://www.fsf.org/licensing/licenses/agpl.html AGPLv3 * @link http://status.net/ */ - class GroupunblockAction extends Action { var $profile = null; @@ -53,11 +52,11 @@ class GroupunblockAction extends Action * * @return boolean success flag */ - function prepare($args) { parent::prepare($args); if (!common_logged_in()) { + // TRANS: Client error displayed when trying to unblock a user from a group while not logged in. $this->clientError(_('Not logged in.')); return false; } @@ -68,11 +67,13 @@ class GroupunblockAction extends Action } $id = $this->trimmed('unblockto'); if (empty($id)) { + // TRANS: Client error displayed when trying to unblock a user from a group without providing a profile. $this->clientError(_('No profile specified.')); return false; } $this->profile = Profile::staticGet('id', $id); if (empty($this->profile)) { + // TRANS: Client error displayed when trying to unblock a user from a group without providing an existing profile. $this->clientError(_('No profile with that ID.')); return false; } @@ -83,15 +84,18 @@ class GroupunblockAction extends Action } $this->group = User_group::staticGet('id', $group_id); if (empty($this->group)) { + // TRANS: Client error displayed when trying to unblock a user from a non-existing group. $this->clientError(_('No such group.')); return false; } $user = common_current_user(); if (!$user->isAdmin($this->group)) { + // TRANS: Client error displayed when trying to unblock a user from a group without being an administrator for the group. $this->clientError(_('Only an admin can unblock group members.'), 401); return false; } if (!Group_block::isBlocked($this->group, $this->profile)) { + // TRANS: Client error displayed when trying to unblock a non-blocked user from a group. $this->clientError(_('User is not blocked from group.')); return false; } @@ -105,7 +109,6 @@ class GroupunblockAction extends Action * * @return void */ - function handle($args) { parent::handle($args); @@ -119,12 +122,12 @@ class GroupunblockAction extends Action * * @return void */ - function unblockProfile() { $result = Group_block::unblockProfile($this->group, $this->profile); if (!$result) { + // TRANS: Server error displayed when unblocking a user from a group fails because of an unknown error. $this->serverError(_('Error removing the block.')); return; } @@ -146,4 +149,3 @@ class GroupunblockAction extends Action } } } - diff --git a/actions/showmessage.php b/actions/showmessage.php index db757948ba..d737f85d3a 100644 --- a/actions/showmessage.php +++ b/actions/showmessage.php @@ -26,8 +26,8 @@ * @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); +if (!defined('STATUSNET') && !defined('LACONICA')) { + exit(1); } require_once INSTALLDIR.'/lib/mailbox.php'; @@ -36,26 +36,24 @@ require_once INSTALLDIR.'/lib/mailbox.php'; * Show a single message * * // XXX: It is totally weird how this works! - * + * * @category Personal * @package StatusNet * @author Evan Prodromou * @license http://www.fsf.org/licensing/licenses/agpl-3.0.html GNU Affero General Public License version 3.0 * @link http://status.net/ */ - class ShowmessageAction extends MailboxAction { /** * Message object to show */ - var $message = null; - + /** * The current user */ - + var $user = null; /** @@ -67,17 +65,17 @@ class ShowmessageAction extends MailboxAction * * @return success flag */ - function prepare($args) { parent::prepare($args); - + $this->page = 1; - + $id = $this->trimmed('message'); $this->message = Message::staticGet('id', $id); if (!$this->message) { + // TRANS: Client error displayed requesting a single message that does not exist. $this->clientError(_('No such message.'), 404); return false; } @@ -90,40 +88,47 @@ class ShowmessageAction extends MailboxAction function handle($args) { Action::handle($args); - - if ($this->user && ($this->user->id == $this->message->from_profile || + + if ($this->user && ($this->user->id == $this->message->from_profile || $this->user->id == $this->message->to_profile)) { $this->showPage(); } else { + // TRANS: Client error displayed requesting a single direct message the requesting user was not a party in. $this->clientError(_('Only the sender and recipient ' . 'may read this message.'), 403); return; } } - + function title() - { + { if ($this->user->id == $this->message->from_profile) { $to = $this->message->getTo(); - return sprintf(_("Message to %1\$s on %2\$s"), + // @todo FIXME: Might be nice if the timestamp could be localised. + // TRANS: Page title for single direct message display when viewing user is the sender. + // TRANS: %1$s is the addressed user's nickname, $2$s is a timestamp. + return sprintf(_('Message to %1$s on %2$s'), $to->nickname, common_exact_date($this->message->created)); } else if ($this->user->id == $this->message->to_profile) { $from = $this->message->getFrom(); - return sprintf(_("Message from %1\$s on %2\$s"), + // @todo FIXME: Might be nice if the timestamp could be localised. + // TRANS: Page title for single message display. + // TRANS: %1$s is the sending user's nickname, $2$s is a timestamp. + return sprintf(_('Message from %1$s on %2$s'), $from->nickname, common_exact_date($this->message->created)); } } - - function getMessages() - { + + function getMessages() + { $message = new Message(); $message->id = $this->message->id; $message->find(); return $message; } - + function getMessageProfile() { if ($this->user->id == $this->message->from_profile) { @@ -135,23 +140,21 @@ class ShowmessageAction extends MailboxAction return null; } } - + /** * Don't show local navigation * * @return void */ - function showLocalNavBlock() { } - + /** * Don't show page notice * * @return void */ - function showPageNoticeBlock() { } @@ -161,17 +164,15 @@ class ShowmessageAction extends MailboxAction * * @return void */ - - function showAside() + function showAside() { } - + /** * Don't show any instructions * * @return string */ - function getInstructions() { return ''; diff --git a/actions/subedit.php b/actions/subedit.php index cf6589e504..3b77aff584 100644 --- a/actions/subedit.php +++ b/actions/subedit.php @@ -19,6 +19,7 @@ if (!defined('STATUSNET') && !defined('LACONICA')) { exit(1); } +// @todo FIXME: Documentation needed. class SubeditAction extends Action { var $profile = null; @@ -28,6 +29,7 @@ class SubeditAction extends Action parent::prepare($args); if (!common_logged_in()) { + // TRANS: Client error displayed trying a change a subscription while not logged in. $this->clientError(_('Not logged in.')); return false; } @@ -43,6 +45,7 @@ class SubeditAction extends Action $id = $this->trimmed('profile'); if (!$id) { + // TRANS: Client error displayed trying a change a subscription without providing a profile. $this->clientError(_('No profile specified.')); return false; } @@ -50,6 +53,7 @@ class SubeditAction extends Action $this->profile = Profile::staticGet('id', $id); if (!$this->profile) { + // TRANS: Client error displayed trying a change a subscription for a non-existant profile ID. $this->clientError(_('No profile with that ID.')); return false; } @@ -67,6 +71,7 @@ class SubeditAction extends Action 'subscribed' => $this->profile->id)); if (!$sub) { + // TRANS: Client error displayed trying a change a subscription for a non-subscribed profile. $this->clientError(_('You are not subscribed to that profile.')); return false; } @@ -80,6 +85,7 @@ class SubeditAction extends Action if (!$result) { common_log_db_error($sub, 'UPDATE', __FILE__); + // TRANS: Server error displayed when updating a subscription fails with a database error. $this->serverError(_('Could not save subscription.')); return false; } From 1c0e84f0660d1c47dce0e497ae4241a8bacf003a Mon Sep 17 00:00:00 2001 From: Siebrand Mazeland Date: Sun, 31 Oct 2010 01:26:39 +0200 Subject: [PATCH 031/628] Add forgotten translator documentation. --- actions/avatarsettings.php | 1 + 1 file changed, 1 insertion(+) diff --git a/actions/avatarsettings.php b/actions/avatarsettings.php index 63dc8c8fee..375420c5c9 100644 --- a/actions/avatarsettings.php +++ b/actions/avatarsettings.php @@ -381,6 +381,7 @@ class AvatarsettingsAction extends AccountSettingsAction @unlink($filedata['filepath']); unset($_SESSION['FILEDATA']); $this->mode = 'upload'; + // TRANS: Success message for having updated a user avatar. $this->showForm(_('Avatar updated.'), true); common_broadcast_profile($profile); } else { From 68bfeaa6c69e676f5b08f6f3a2ec2576cd2fc6c9 Mon Sep 17 00:00:00 2001 From: Siebrand Mazeland Date: Sun, 31 Oct 2010 01:38:57 +0200 Subject: [PATCH 032/628] Localisation updates from http://translatewiki.net. --- locale/af/LC_MESSAGES/statusnet.po | 494 +++++++++++----- locale/ar/LC_MESSAGES/statusnet.po | 509 ++++++++++++----- locale/arz/LC_MESSAGES/statusnet.po | 504 +++++++++++----- locale/bg/LC_MESSAGES/statusnet.po | 491 +++++++++++----- locale/br/LC_MESSAGES/statusnet.po | 494 +++++++++++----- locale/ca/LC_MESSAGES/statusnet.po | 496 +++++++++++----- locale/cs/LC_MESSAGES/statusnet.po | 526 +++++++++++------ locale/de/LC_MESSAGES/statusnet.po | 496 +++++++++++----- locale/en_GB/LC_MESSAGES/statusnet.po | 496 +++++++++++----- locale/eo/LC_MESSAGES/statusnet.po | 510 +++++++++++------ locale/es/LC_MESSAGES/statusnet.po | 496 +++++++++++----- locale/fa/LC_MESSAGES/statusnet.po | 493 +++++++++++----- locale/fi/LC_MESSAGES/statusnet.po | 494 +++++++++++----- locale/fr/LC_MESSAGES/statusnet.po | 496 +++++++++++----- locale/ga/LC_MESSAGES/statusnet.po | 499 +++++++++++----- locale/gl/LC_MESSAGES/statusnet.po | 496 +++++++++++----- locale/hsb/LC_MESSAGES/statusnet.po | 502 +++++++++++----- locale/hu/LC_MESSAGES/statusnet.po | 494 +++++++++++----- locale/ia/LC_MESSAGES/statusnet.po | 496 +++++++++++----- locale/is/LC_MESSAGES/statusnet.po | 490 +++++++++++----- locale/it/LC_MESSAGES/statusnet.po | 496 +++++++++++----- locale/ja/LC_MESSAGES/statusnet.po | 491 +++++++++++----- locale/ka/LC_MESSAGES/statusnet.po | 490 +++++++++++----- locale/ko/LC_MESSAGES/statusnet.po | 493 +++++++++++----- locale/mk/LC_MESSAGES/statusnet.po | 496 +++++++++++----- locale/nb/LC_MESSAGES/statusnet.po | 496 +++++++++++----- locale/nl/LC_MESSAGES/statusnet.po | 516 +++++++++++------ locale/nn/LC_MESSAGES/statusnet.po | 491 +++++++++++----- locale/pl/LC_MESSAGES/statusnet.po | 538 ++++++++++++------ locale/pt/LC_MESSAGES/statusnet.po | 515 +++++++++++------ locale/pt_BR/LC_MESSAGES/statusnet.po | 496 +++++++++++----- locale/ru/LC_MESSAGES/statusnet.po | 499 +++++++++++----- locale/statusnet.pot | 474 ++++++++++----- locale/sv/LC_MESSAGES/statusnet.po | 496 +++++++++++----- locale/te/LC_MESSAGES/statusnet.po | 494 +++++++++++----- locale/tr/LC_MESSAGES/statusnet.po | 491 +++++++++++----- locale/uk/LC_MESSAGES/statusnet.po | 499 +++++++++++----- locale/zh_CN/LC_MESSAGES/statusnet.po | 493 +++++++++++----- .../locale/pt_BR/LC_MESSAGES/Adsense.po | 10 +- .../locale/nl/LC_MESSAGES/Facebook.po | 10 +- .../XCache/locale/fi/LC_MESSAGES/XCache.po | 30 + 41 files changed, 13156 insertions(+), 5830 deletions(-) create mode 100644 plugins/XCache/locale/fi/LC_MESSAGES/XCache.po diff --git a/locale/af/LC_MESSAGES/statusnet.po b/locale/af/LC_MESSAGES/statusnet.po index 446e35ccaf..0a6f30d664 100644 --- a/locale/af/LC_MESSAGES/statusnet.po +++ b/locale/af/LC_MESSAGES/statusnet.po @@ -9,17 +9,17 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet - Core\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-10-27 23:43+0000\n" -"PO-Revision-Date: 2010-10-28 23:08:42+0000\n" +"POT-Creation-Date: 2010-10-30 23:18+0000\n" +"PO-Revision-Date: 2010-10-30 23:19:48+0000\n" "Language-Team: Afrikaans \n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r75629); Translate extension (2010-09-17)\n" +"X-Generator: MediaWiki 1.17alpha (r75708); Translate extension (2010-09-17)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: af\n" "X-Message-Group: #out-statusnet-core\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-POT-Import-Date: 2010-10-28 00:13:15+0000\n" +"X-POT-Import-Date: 2010-10-30 09:48:40+0000\n" #. TRANS: Page title for Access admin panel that allows configuring site access. #. TRANS: Menu item for site administration @@ -115,6 +115,7 @@ msgstr "Hierdie bladsy bestaan nie." #. TRANS: Client error displayed when requesting most recent dents by user and friends for a non-existing user. #. TRANS: Client error displayed when requesting most recent mentions for a non-existing user. #. TRANS: Client error displayed requesting most recent notices for a non-existing user. +#. TRANS: Client error displayed trying to get an avatar for a non-existing user. #. TRANS: Error text shown when trying to send a direct message to a user that does not exist. #: actions/all.php:80 actions/apiaccountupdatedeliverydevice.php:110 #: actions/apiaccountupdateprofile.php:103 @@ -127,7 +128,7 @@ msgstr "Hierdie bladsy bestaan nie." #: actions/apistatusesupdate.php:230 actions/apisubscriptions.php:85 #: actions/apitimelinefavorites.php:70 actions/apitimelinefriends.php:173 #: actions/apitimelinehome.php:78 actions/apitimelinementions.php:77 -#: actions/apitimelineuser.php:79 actions/avatarbynickname.php:75 +#: actions/apitimelineuser.php:79 actions/avatarbynickname.php:79 #: 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 @@ -299,11 +300,12 @@ msgstr "Kon nie die gebruiker opdateer nie." #. TRANS: Client error displayed a user has no profile updating profile colours. #. TRANS: Client error displayed if a user profile could not be found updating a profile image. #. TRANS: Client error displayed when requesting user information for a user without a profile. +#. TRANS: Client error displayed trying to get an avatar for a user without a profile. #: actions/apiaccountupdateprofile.php:111 #: actions/apiaccountupdateprofilebackgroundimage.php:199 #: actions/apiaccountupdateprofilecolors.php:183 #: actions/apiaccountupdateprofileimage.php:130 actions/apiusershow.php:108 -#: actions/avatarbynickname.php:80 actions/foaf.php:65 actions/hcard.php:74 +#: actions/avatarbynickname.php:85 actions/foaf.php:65 actions/hcard.php:74 #: actions/replies.php:80 actions/usergroups.php:100 lib/galleryaction.php:66 #: lib/profileaction.php:84 msgid "User has no profile." @@ -318,7 +320,7 @@ msgstr "Kon nie die profiel stoor nie." #. TRANS: %s is the number of bytes of the CONTENT_LENGTH. #: actions/apiaccountupdateprofilebackgroundimage.php:108 #: actions/apiaccountupdateprofileimage.php:95 actions/apimediaupload.php:81 -#: actions/apistatusesupdate.php:210 actions/avatarsettings.php:259 +#: actions/apistatusesupdate.php:210 actions/avatarsettings.php:269 #: actions/designadminpanel.php:125 actions/editapplication.php:121 #: actions/newapplication.php:104 actions/newnotice.php:95 #, php-format @@ -496,9 +498,11 @@ msgstr "Kon nie die gebruiker opdateer nie." msgid "Could not find target user." msgstr "Kon nie die gebruiker opdateer nie." +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. #. TRANS: Validation error in form for profile settings. -#: actions/apigroupcreate.php:165 actions/editgroup.php:186 -#: actions/newgroup.php:126 actions/profilesettings.php:243 +#: actions/apigroupcreate.php:165 actions/editgroup.php:191 +#: actions/newgroup.php:127 actions/profilesettings.php:243 #: actions/register.php:212 msgid "Nickname must have only lowercase letters and numbers and no spaces." msgstr "" @@ -506,35 +510,43 @@ msgstr "" "spasies bevat nie." #. TRANS: Client error trying to create a group with a nickname this is already in use. +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. #. TRANS: Validation error in form for profile settings. -#: actions/apigroupcreate.php:175 actions/editgroup.php:190 -#: actions/newgroup.php:130 actions/profilesettings.php:277 +#: actions/apigroupcreate.php:175 actions/editgroup.php:196 +#: actions/newgroup.php:132 actions/profilesettings.php:277 #: actions/register.php:215 msgid "Nickname already in use. Try another one." msgstr "Die gebruikersnaam is reeds in gebruik. Kies 'n ander een." #. TRANS: Client error in form for group creation. +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. #. TRANS: Validation error in form for profile settings. -#: actions/apigroupcreate.php:183 actions/editgroup.php:193 -#: actions/newgroup.php:133 actions/profilesettings.php:247 +#: actions/apigroupcreate.php:183 actions/editgroup.php:200 +#: actions/newgroup.php:136 actions/profilesettings.php:247 #: actions/register.php:217 msgid "Not a valid nickname." msgstr "Nie 'n geldige gebruikersnaam nie." #. TRANS: Client error in form for group creation. #. TRANS: Validation error shown when providing an invalid homepage URL in the "Edit application" form. +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. #. TRANS: Validation error in form for profile settings. #: actions/apigroupcreate.php:200 actions/editapplication.php:233 -#: actions/editgroup.php:199 actions/newapplication.php:211 -#: actions/newgroup.php:139 actions/profilesettings.php:252 +#: actions/editgroup.php:207 actions/newapplication.php:211 +#: actions/newgroup.php:143 actions/profilesettings.php:252 #: actions/register.php:224 msgid "Homepage is not a valid URL." msgstr "Tuisblad is nie 'n geldige URL nie." #. TRANS: Client error in form for group creation. +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. #. TRANS: Validation error in form for profile settings. -#: actions/apigroupcreate.php:210 actions/editgroup.php:202 -#: actions/newgroup.php:142 actions/profilesettings.php:256 +#: actions/apigroupcreate.php:210 actions/editgroup.php:211 +#: actions/newgroup.php:147 actions/profilesettings.php:256 #: actions/register.php:227 #, fuzzy msgid "Full name is too long (maximum 255 characters)." @@ -543,10 +555,11 @@ msgstr "Volledige naam is te lang (maksimum 255 karakters)." #. TRANS: Client error shown when providing too long a description during group creation. #. TRANS: %d is the maximum number of allowed characters. #. TRANS: Validation error shown when providing too long a description in the "Edit application" form. +#. TRANS: Group edit form validation error. #. TRANS: Form validation error in New application form. #. TRANS: %d is the maximum number of characters for the description. #: actions/apigroupcreate.php:220 actions/editapplication.php:201 -#: actions/newapplication.php:178 +#: actions/editgroup.php:216 actions/newapplication.php:178 #, fuzzy, php-format msgid "Description is too long (maximum %d character)." msgid_plural "Description is too long (maximum %d characters)." @@ -554,9 +567,11 @@ msgstr[0] "Die beskrywing is te lank (die maksimum is %d karakters)." msgstr[1] "Die beskrywing is te lank (die maksimum is %d karakters)." #. TRANS: Client error shown when providing too long a location during group creation. +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. #. TRANS: Validation error in form for profile settings. -#: actions/apigroupcreate.php:234 actions/editgroup.php:208 -#: actions/newgroup.php:153 actions/profilesettings.php:269 +#: actions/apigroupcreate.php:234 actions/editgroup.php:223 +#: actions/newgroup.php:159 actions/profilesettings.php:269 #: actions/register.php:236 #, fuzzy msgid "Location is too long (maximum 255 characters)." @@ -564,7 +579,12 @@ msgstr "Ligging is te lank is (maksimum 255 karakters)." #. TRANS: Client error shown when providing too many aliases during group creation. #. TRANS: %d is the maximum number of allowed aliases. -#: actions/apigroupcreate.php:255 actions/newgroup.php:166 +#. TRANS: Group edit form validation error. +#. TRANS: %d is the maximum number of allowed aliases. +#. TRANS: Group create form validation error. +#. TRANS: %d is the maximum number of allowed aliases. +#: actions/apigroupcreate.php:255 actions/editgroup.php:236 +#: actions/newgroup.php:172 #, fuzzy, php-format msgid "Too many aliases! Maximum %d allowed." msgid_plural "Too many aliases! Maximum %d allowed." @@ -580,15 +600,19 @@ msgstr "Ongeldige alias: \"%s\"" #. TRANS: Client error displayed when trying to use an alias during group creation that is already in use. #. TRANS: %s is the alias that is already in use. -#: actions/apigroupcreate.php:291 actions/editgroup.php:232 -#: actions/newgroup.php:181 +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. +#: actions/apigroupcreate.php:291 actions/editgroup.php:253 +#: actions/newgroup.php:189 #, php-format msgid "Alias \"%s\" already in use. Try another one." msgstr "Die alias \"%s\" word al reeds gebruik. Probeer 'n ander een." #. TRANS: Client error displayed when trying to use an alias during group creation that is the same as the group's nickname. -#: actions/apigroupcreate.php:305 actions/editgroup.php:238 -#: actions/newgroup.php:187 +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. +#: actions/apigroupcreate.php:305 actions/editgroup.php:260 +#: actions/newgroup.php:196 msgid "Alias can't be the same as nickname." msgstr "Die alias kan nie dieselfde as die gebruikersnaam wees nie." @@ -694,18 +718,18 @@ msgid "Request token already authorized." msgstr "" #. TRANS: Form validation error in API OAuth authorisation because of an invalid session token. -#: actions/apioauthauthorize.php:147 actions/avatarsettings.php:270 +#: actions/apioauthauthorize.php:147 actions/avatarsettings.php:280 #: actions/deletenotice.php:172 actions/disfavor.php:74 #: actions/emailsettings.php:271 actions/favor.php:75 actions/geocode.php:55 #: actions/groupblock.php:66 actions/grouplogo.php:312 -#: actions/groupunblock.php:66 actions/imsettings.php:230 +#: actions/groupunblock.php:65 actions/imsettings.php:230 #: actions/invite.php:59 actions/login.php:137 actions/makeadmin.php:66 #: actions/newmessage.php:135 actions/newnotice.php:105 actions/nudge.php:80 #: actions/oauthappssettings.php:165 actions/oauthconnectionssettings.php:138 #: actions/othersettings.php:145 actions/passwordsettings.php:138 #: actions/profilesettings.php:221 actions/recoverpassword.php:350 #: actions/register.php:172 actions/remotesubscribe.php:77 -#: actions/repeat.php:83 actions/smssettings.php:256 actions/subedit.php:38 +#: actions/repeat.php:83 actions/smssettings.php:256 actions/subedit.php:40 #: actions/subscribe.php:86 actions/tagother.php:166 #: actions/unsubscribe.php:69 actions/userauthorization.php:52 #: lib/designsettings.php:294 @@ -723,12 +747,13 @@ msgid "Database error inserting oauth_token_association." msgstr "" #. TRANS: Client error given on when invalid data was passed through a form in the OAuth API. +#. TRANS: Unexpected validation error on avatar upload form. #. TRANS: Client error displayed submitting invalid form data for edit application. #. TRANS: Message given submitting a form with an unknown action in e-mail settings. #. TRANS: Message given submitting a form with an unknown action in IM settings. #. TRANS: Client error when submitting a form with unexpected information. #. TRANS: Message given submitting a form with an unknown action in SMS settings. -#: actions/apioauthauthorize.php:294 actions/avatarsettings.php:283 +#: actions/apioauthauthorize.php:294 actions/avatarsettings.php:294 #: actions/designadminpanel.php:104 actions/editapplication.php:144 #: actions/emailsettings.php:290 actions/grouplogo.php:322 #: actions/imsettings.php:245 actions/newapplication.php:125 @@ -777,6 +802,7 @@ msgstr "Gebruiker" #. TRANS: Field label on OAuth API authorisation form. #. TRANS: Field label in form for profile settings. +#. TRANS: Label for group nickname (dt). Text hidden by default. #: actions/apioauthauthorize.php:459 actions/login.php:252 #: actions/profilesettings.php:110 actions/register.php:433 #: actions/showgroup.php:245 actions/tagother.php:94 @@ -1029,105 +1055,139 @@ msgstr "Die API-funksie is nie gevind nie." msgid "User not found." msgstr "Die API-funksie is nie gevind nie." +#. TRANS: Client error displayed trying to get a non-existing attachment. #: actions/attachment.php:73 msgid "No such attachment." msgstr "Die aanhangsel bestaan nie." -#: actions/avatarbynickname.php:59 actions/blockedfromgroup.php:73 -#: actions/editgroup.php:84 actions/groupdesignsettings.php:84 +#. TRANS: Client error displayed trying to get an avatar without providing a nickname. +#. TRANS: Client error displayed when requesting a list of blocked users for a group without providing a group nickname. +#. TRANS: Client error displayed trying to edit a group while not proving a nickname for the group to edit. +#. TRANS: Client error displayed if no nickname argument was given requesting a group page. +#: actions/avatarbynickname.php:60 actions/blockedfromgroup.php:73 +#: actions/editgroup.php:85 actions/groupdesignsettings.php:84 #: actions/grouplogo.php:86 actions/groupmembers.php:76 #: actions/grouprss.php:91 actions/showgroup.php:121 msgid "No nickname." msgstr "Geen gebruikersnaam nie." -#: actions/avatarbynickname.php:64 +#. TRANS: Client error displayed trying to get an avatar without providing an avatar size. +#: actions/avatarbynickname.php:66 msgid "No size." msgstr "Geen grootte nie." -#: actions/avatarbynickname.php:69 +#. TRANS: Client error displayed trying to get an avatar providing an invalid avatar size. +#: actions/avatarbynickname.php:72 msgid "Invalid size." msgstr "Ongeldige grootte." +#. TRANS: Title for avatar upload page. +#. TRANS: Label for group avatar (dt). Text hidden by default. #. TRANS: Link description in user account settings menu. -#: actions/avatarsettings.php:67 actions/showgroup.php:230 +#: actions/avatarsettings.php:66 actions/showgroup.php:229 #: lib/accountsettingsaction.php:113 msgid "Avatar" msgstr "Avatar" +#. TRANS: Instruction for avatar upload page. +#. TRANS: %s is the maximum file size, for example "500b", "10kB" or "2MB". #: 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 +#. TRANS: Server error displayed in avatar upload page when no matching profile can be found for a user. +#: actions/avatarsettings.php:108 actions/avatarsettings.php:192 #: actions/grouplogo.php:181 actions/remotesubscribe.php:191 #: actions/userauthorization.php:72 actions/userrss.php:108 #, fuzzy msgid "User without matching profile." msgstr "Hierdie gebruiker het nie 'n profiel nie." -#: actions/avatarsettings.php:119 actions/avatarsettings.php:197 +#. TRANS: Avatar upload page form legend. +#. TRANS: Avatar upload page crop form legend. +#: actions/avatarsettings.php:122 actions/avatarsettings.php:205 #: actions/grouplogo.php:254 msgid "Avatar settings" msgstr "Avatar-instellings" -#: actions/avatarsettings.php:127 actions/avatarsettings.php:205 +#. TRANS: Header on avatar upload page for thumbnail of originally uploaded avatar (h2). +#. TRANS: Header on avatar upload crop form for thumbnail of originally uploaded avatar (h2). +#: actions/avatarsettings.php:131 actions/avatarsettings.php:214 #: actions/grouplogo.php:202 actions/grouplogo.php:262 msgid "Original" msgstr "Oorspronklik" -#: actions/avatarsettings.php:142 actions/avatarsettings.php:217 +#. TRANS: Header on avatar upload page for thumbnail of to be used rendition of uploaded avatar (h2). +#. TRANS: Header on avatar upload crop form for thumbnail of to be used rendition of uploaded avatar (h2). +#: actions/avatarsettings.php:147 actions/avatarsettings.php:227 #: actions/grouplogo.php:213 actions/grouplogo.php:274 msgid "Preview" msgstr "Voorskou" -#: actions/avatarsettings.php:149 actions/showapplication.php:252 -#: lib/deletegroupform.php:121 lib/deleteuserform.php:66 -#: lib/noticelist.php:667 +#. TRANS: Button on avatar upload page to delete current avatar. +#: actions/avatarsettings.php:155 +#, fuzzy +msgctxt "BUTTON" msgid "Delete" msgstr "Skrap" -#: actions/avatarsettings.php:166 actions/grouplogo.php:236 +#. TRANS: Button on avatar upload page to upload an avatar. +#: actions/avatarsettings.php:173 +#, fuzzy +msgctxt "BUTTON" msgid "Upload" msgstr "Oplaai" -#: actions/avatarsettings.php:231 actions/grouplogo.php:289 +#. TRANS: Button on avatar upload crop form to confirm a selected crop as avatar. +#: actions/avatarsettings.php:243 +#, fuzzy +msgctxt "BUTTON" msgid "Crop" msgstr "Uitsny" -#: actions/avatarsettings.php:307 +#. TRANS: Validation error on avatar upload form when no file was uploaded. +#: actions/avatarsettings.php:318 msgid "No file uploaded." msgstr "Geen lêer opgelaai nie." -#: actions/avatarsettings.php:334 +#. TRANS: Avatar upload form unstruction after uploading a file. +#: actions/avatarsettings.php:346 msgid "Pick a square area of the image to be your avatar" msgstr "" -#: actions/avatarsettings.php:349 actions/grouplogo.php:380 +#. TRANS: Server error displayed if an avatar upload went wrong somehow server side. +#: actions/avatarsettings.php:361 actions/grouplogo.php:380 msgid "Lost our file data." msgstr "" -#: actions/avatarsettings.php:372 +#: actions/avatarsettings.php:384 msgid "Avatar updated." msgstr "Die avatar is opgedateer." -#: actions/avatarsettings.php:375 +#. TRANS: Error displayed on the avatar upload page if the avatar could not be updated for an unknown reason. +#: actions/avatarsettings.php:388 msgid "Failed updating avatar." msgstr "Die opdatering van die avatar het gefaal." -#: actions/avatarsettings.php:399 +#. TRANS: Success message for deleting a user avatar. +#: actions/avatarsettings.php:412 msgid "Avatar deleted." msgstr "Die avatar is verwyder." -#: actions/block.php:69 +#. TRANS: Client error displayed when blocking a user that has already been blocked. +#: actions/block.php:68 msgid "You already blocked that user." msgstr "U het reeds die gebruiker geblokkeer." -#: actions/block.php:107 actions/block.php:136 actions/groupblock.php:158 +#. TRANS: Title for block user page. +#. TRANS: Legend for block user form. +#: actions/block.php:106 actions/block.php:136 actions/groupblock.php:158 msgid "Block user" msgstr "Blokkeer gebruiker" -#: actions/block.php:138 +#. TRANS: Explanation of consequences when blocking a user on the block user page. +#: actions/block.php:139 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 " @@ -1140,7 +1200,7 @@ msgstr "" #. TRANS: Button label on the delete notice form. #. TRANS: Button label on the delete user form. #. TRANS: Button label on the form to block a user from a group. -#: actions/block.php:153 actions/deleteapplication.php:154 +#: actions/block.php:154 actions/deleteapplication.php:154 #: actions/deletegroup.php:220 actions/deletenotice.php:150 #: actions/deleteuser.php:152 actions/groupblock.php:178 msgctxt "BUTTON" @@ -1149,7 +1209,7 @@ msgstr "Nee" #. TRANS: Submit button title for 'No' when blocking a user. #. TRANS: Submit button title for 'No' when deleting a user. -#: actions/block.php:157 actions/deleteuser.php:156 +#: actions/block.php:158 actions/deleteuser.php:156 msgid "Do not block this user" msgstr "Moenie hierdie gebruiker blokkeer nie" @@ -1159,7 +1219,7 @@ msgstr "Moenie hierdie gebruiker blokkeer nie" #. TRANS: Button label on the delete notice form. #. TRANS: Button label on the delete user form. #. TRANS: Button label on the form to block a user from a group. -#: actions/block.php:160 actions/deleteapplication.php:161 +#: actions/block.php:161 actions/deleteapplication.php:161 #: actions/deletegroup.php:227 actions/deletenotice.php:157 #: actions/deleteuser.php:159 actions/groupblock.php:185 msgctxt "BUTTON" @@ -1168,94 +1228,115 @@ msgstr "Ja" #. TRANS: Submit button title for 'Yes' when blocking a user. #. TRANS: Description of the form to block a user. -#: actions/block.php:164 lib/blockform.php:79 +#: actions/block.php:165 lib/blockform.php:79 msgid "Block this user" msgstr "Blokkeer hierdie gebruiker" -#: actions/block.php:187 +#. TRANS: Server error displayed when blocking a user fails. +#: actions/block.php:189 msgid "Failed to save block information." msgstr "" +#. TRANS: Client error displayed when requesting a list of blocked users for a non-local group. +#. TRANS: Client error displayed when requesting a list of blocked users for a non-existing group. #. TRANS: Client error when trying to delete a non-local group. #. TRANS: Client error when trying to delete a non-existing group. +#. TRANS: Client error displayed trying to edit a non-existing group. +#. TRANS: Client error displayed when trying to unblock a user from a non-existing group. +#. TRANS: Client error displayed if no remote group with a given name was found requesting group page. +#. TRANS: Client error displayed if no local group with a given name was found requesting group page. #. TRANS: Command exception text shown when a group is requested that does not exist. #. TRANS: Error text shown when trying to leave a group that does not exist. -#: actions/blockedfromgroup.php:80 actions/blockedfromgroup.php:87 +#: actions/blockedfromgroup.php:81 actions/blockedfromgroup.php:89 #: actions/deletegroup.php:87 actions/deletegroup.php:100 -#: actions/editgroup.php:100 actions/foafgroup.php:44 actions/foafgroup.php:62 +#: actions/editgroup.php:102 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/groupunblock.php:88 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:168 +#: actions/showgroup.php:139 actions/showgroup.php:148 lib/command.php:168 #: lib/command.php:380 msgid "No such group." msgstr "Die groep bestaan nie." -#: actions/blockedfromgroup.php:97 +#. TRANS: Title for first page with list of users blocked from a group. +#. TRANS: %s is a group nickname. +#: actions/blockedfromgroup.php:101 #, fuzzy, php-format msgid "%s blocked profiles" msgstr "%s geblokkeerde gebruikers" -#: actions/blockedfromgroup.php:100 +#. TRANS: Title for any but the first page with list of users blocked from a group. +#. TRANS: %1$s is a group nickname, %2$d is a page number. +#: actions/blockedfromgroup.php:106 #, fuzzy, php-format msgid "%1$s blocked profiles, page %2$d" msgstr "%1$s en vriende, bladsy %2$d" -#: actions/blockedfromgroup.php:115 +#. TRANS: Instructions for list of users blocked from a group. +#: actions/blockedfromgroup.php:122 #, fuzzy msgid "A list of the users blocked from joining this group." msgstr "Blok hierdie gebruiker van hierdie groep" -#: actions/blockedfromgroup.php:288 +#. TRANS: Form legend for unblocking a user from a group. +#: actions/blockedfromgroup.php:291 msgid "Unblock user from group" msgstr "Gee gebruiker weer toegang tot die groep" -#. TRANS: Title for the form to unblock a user. -#: actions/blockedfromgroup.php:320 lib/unblockform.php:70 +#. TRANS: Button text for unblocking a user from a group. +#: actions/blockedfromgroup.php:323 +#, fuzzy +msgctxt "BUTTON" msgid "Unblock" msgstr "Deblokkeer" +#. TRANS: Tooltip for button for unblocking a user from a group. #. TRANS: Description of the form to unblock a user. -#: actions/blockedfromgroup.php:320 lib/unblockform.php:82 +#: actions/blockedfromgroup.php:327 lib/unblockform.php:78 msgid "Unblock this user" msgstr "Deblokkeer hierdie gebruiker" #. TRANS: Title for mini-posting window loaded from bookmarklet. +#. TRANS: %s is the StatusNet site name. #: actions/bookmarklet.php:51 #, php-format msgid "Post to %s" msgstr "groepe op %s" -#: actions/confirmaddress.php:75 +#. TRANS: Client error displayed when not providing a confirmation code in the contact address confirmation action. +#: actions/confirmaddress.php:74 msgid "No confirmation code." msgstr "Geen bevestigingskode." +#. TRANS: Client error displayed when providing a non-existing confirmation code in the contact address confirmation action. #: actions/confirmaddress.php:80 #, fuzzy msgid "Confirmation code not found." msgstr "Geen bevestigingskode." -#: actions/confirmaddress.php:85 +#. TRANS: Client error displayed when not providing a confirmation code for another user in the contact address confirmation action. +#: actions/confirmaddress.php:86 #, fuzzy msgid "That confirmation code is not for you!" msgstr "Geen bevestigingskode." -#. TRANS: Server error for an unknow address type, which can be 'email', 'jabber', or 'sms'. -#: actions/confirmaddress.php:91 +#. TRANS: Server error for a unknow address type %s, which can be 'email', 'jabber', or 'sms'. +#: actions/confirmaddress.php:92 #, php-format msgid "Unrecognized address type %s." msgstr "" -#. TRANS: Client error for an already confirmed email/jabbel/sms address. -#: actions/confirmaddress.php:96 +#. TRANS: Client error for an already confirmed email/jabber/sms address. +#: actions/confirmaddress.php:97 #, fuzzy msgid "That address has already been confirmed." msgstr "Die E-posadres bestaan reeds." +#. TRANS: Server error displayed when a user update to the database fails in the contact address confirmation action. #. TRANS: Server error thrown on database error updating e-mail preferences. #. TRANS: Server error thrown on database error removing a registered e-mail address. #. TRANS: Server error thrown on database error updating IM preferences. @@ -1263,7 +1344,7 @@ msgstr "Die E-posadres bestaan reeds." #. TRANS: Server error thrown when user profile settings could not be updated. #. TRANS: Server error thrown on database error updating SMS preferences. #. TRANS: Server error thrown on database error removing a registered SMS phone number. -#: actions/confirmaddress.php:116 actions/emailsettings.php:331 +#: actions/confirmaddress.php:118 actions/emailsettings.php:331 #: actions/emailsettings.php:477 actions/imsettings.php:283 #: actions/imsettings.php:442 actions/othersettings.php:174 #: actions/profilesettings.php:326 actions/smssettings.php:308 @@ -1271,27 +1352,32 @@ msgstr "Die E-posadres bestaan reeds." msgid "Couldn't update user." msgstr "Kon nie gebruiker opdateer nie." -#. TRANS: Server error thrown on database error canceling e-mail address confirmation. -#. TRANS: Server error thrown on database error canceling SMS phone number confirmation. -#: actions/confirmaddress.php:128 actions/emailsettings.php:437 -#: actions/smssettings.php:422 -msgid "Couldn't delete email confirmation." +#. TRANS: Server error displayed when an address confirmation code deletion from the +#. TRANS: database fails in the contact address confirmation action. +#: actions/confirmaddress.php:132 +#, fuzzy +msgid "Could not delete address confirmation." msgstr "Kon nie e-posbevestiging verwyder nie." -#: actions/confirmaddress.php:146 +#. TRANS: Title for the contact address confirmation action. +#: actions/confirmaddress.php:150 msgid "Confirm address" msgstr "Bevestig adres" -#: actions/confirmaddress.php:161 +#. TRANS: Success message for the contact address confirmation action. +#. TRANS: %s can be 'email', 'jabber', or 'sms'. +#: actions/confirmaddress.php:166 #, php-format msgid "The address \"%s\" has been confirmed for your account." msgstr "" -#: actions/conversation.php:99 +#. TRANS: Title for page with a conversion (multiple notices in context). +#: actions/conversation.php:96 msgid "Conversation" msgstr "Gesprek" -#: actions/conversation.php:154 lib/mailbox.php:116 lib/noticelist.php:87 +#. TRANS: Header on conversation page. Hidden by default (h2). +#: actions/conversation.php:149 lib/mailbox.php:116 lib/noticelist.php:87 #: lib/profileaction.php:229 lib/searchgroupnav.php:82 msgid "Notices" msgstr "Kennisgewings" @@ -1396,11 +1482,13 @@ msgstr "Moenie hierdie kennisgewing verwyder nie" msgid "Delete this group" msgstr "Verwyder die gebruiker" +#. TRANS: Client error displayed when trying to unblock a user from a group while not logged in. +#. TRANS: Client error displayed trying a change a subscription while not logged in. #. TRANS: Client error message thrown when trying to access the admin panel while not logged in. #: actions/deletenotice.php:50 actions/disfavor.php:61 actions/favor.php:62 -#: actions/groupblock.php:61 actions/groupunblock.php:61 actions/logout.php:69 +#: actions/groupblock.php:61 actions/groupunblock.php:60 actions/logout.php:69 #: actions/makeadmin.php:61 actions/newmessage.php:87 actions/newnotice.php:88 -#: actions/nudge.php:63 actions/subedit.php:31 actions/subscribe.php:96 +#: actions/nudge.php:63 actions/subedit.php:33 actions/subscribe.php:96 #: actions/tagother.php:33 actions/unsubscribe.php:52 #: lib/adminpanelaction.php:71 lib/profileformaction.php:64 #: lib/settingsaction.php:72 @@ -1703,49 +1791,49 @@ msgstr "Die \"callback\"-URL is nie geldig nie." msgid "Could not update application." msgstr "Dit was nie moontlik om die applikasie by te werk nie." -#: actions/editgroup.php:56 +#. TRANS: Title for form to edit a group. %s is a group nickname. +#: actions/editgroup.php:55 #, php-format msgid "Edit %s group" msgstr "Groep %s wysig" +#. TRANS: Client error displayed trying to edit a group while not logged in. +#. TRANS: Client error displayed trying to create a group while not logged in. #: actions/editgroup.php:68 actions/grouplogo.php:70 actions/newgroup.php:65 msgid "You must be logged in to create a group." msgstr "U moet aangeteken wees alvorens u 'n groep kan skep." -#: actions/editgroup.php:107 actions/editgroup.php:172 +#. TRANS: Client error displayed trying to edit a group while not being a group admin. +#: actions/editgroup.php:110 actions/editgroup.php:176 #: actions/groupdesignsettings.php:107 actions/grouplogo.php:109 msgid "You must be an admin to edit the group." msgstr "U moet 'n administrateur wees alvorens u 'n groep kan wysig." -#: actions/editgroup.php:158 +#. TRANS: Form instructions for group edit form. +#: actions/editgroup.php:161 msgid "Use this form to edit the group." msgstr "Gebruik hierdie vorm om die groep te wysig." -#: actions/editgroup.php:205 -#, php-format -msgid "Description is too long (max %d chars)." -msgstr "Die beskrywing is te lank (die maksimum is %d karakters)." - -#: actions/editgroup.php:219 -#, php-format -msgid "Too many aliases! Maximum %d." -msgstr "Te veel aliasse! Die maksimum aantal is %d." - -#: actions/editgroup.php:228 actions/newgroup.php:177 +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. +#: actions/editgroup.php:248 actions/newgroup.php:184 #, php-format msgid "Invalid alias: \"%s\"" msgstr "Ongeldige alias: \"%s\"" -#: actions/editgroup.php:258 +#. TRANS: Server error displayed when editing a group fails. +#: actions/editgroup.php:281 msgid "Could not update group." msgstr "Dit was nie moontlik om die groep by te werk nie." +#. TRANS: Server error displayed when group aliases could not be added. #. TRANS: Server exception thrown when creating group aliases failed. -#: actions/editgroup.php:264 classes/User_group.php:513 +#: actions/editgroup.php:288 classes/User_group.php:513 msgid "Could not create aliases." msgstr "Dit was nie moontlik om die aliasse te skep nie." -#: actions/editgroup.php:280 +#. TRANS: Group edit form success message. +#: actions/editgroup.php:305 msgid "Options saved." msgstr "Opsies is gestoor." @@ -1937,6 +2025,12 @@ msgstr "Geen bevestigingskode." msgid "That is the wrong email address." msgstr "Dit is die verkeerde IM-adres." +#. TRANS: Server error thrown on database error canceling e-mail address confirmation. +#. TRANS: Server error thrown on database error canceling SMS phone number confirmation. +#: actions/emailsettings.php:437 actions/smssettings.php:422 +msgid "Couldn't delete email confirmation." +msgstr "Kon nie e-posbevestiging verwyder nie." + #. TRANS: Message given after successfully canceling e-mail address confirmation. #: actions/emailsettings.php:442 msgid "Email confirmation cancelled." @@ -2119,19 +2213,23 @@ msgstr "Jy kan nie gebruikers op hierdie webwerf stilmaak nie." msgid "User already has this role." msgstr "Hierdie gebruiker is reeds stilgemaak." +#. TRANS: Client error displayed when trying to unblock a user from a group without providing a profile. +#. TRANS: Client error displayed trying a change a subscription without providing a profile. #: actions/groupblock.php:71 actions/groupunblock.php:71 -#: actions/makeadmin.php:71 actions/subedit.php:46 +#: actions/makeadmin.php:71 actions/subedit.php:49 #: lib/profileformaction.php:79 msgid "No profile specified." msgstr "Geen profiel verskaf nie." -#: actions/groupblock.php:76 actions/groupunblock.php:76 -#: actions/makeadmin.php:76 actions/subedit.php:53 actions/tagother.php:46 +#. TRANS: Client error displayed when trying to unblock a user from a group without providing an existing profile. +#. TRANS: Client error displayed trying a change a subscription for a non-existant profile ID. +#: actions/groupblock.php:76 actions/groupunblock.php:77 +#: actions/makeadmin.php:76 actions/subedit.php:57 actions/tagother.php:46 #: actions/unsubscribe.php:84 lib/profileformaction.php:86 msgid "No profile with that ID." msgstr "Daar is geen profiel met daardie ID nie." -#: actions/groupblock.php:81 actions/groupunblock.php:81 +#: actions/groupblock.php:81 actions/groupunblock.php:82 #: actions/makeadmin.php:81 msgid "No group specified." msgstr "Geen groep verskaf nie." @@ -2219,6 +2317,14 @@ msgid "" "You can upload a logo image for your group. The maximum file size is %s." msgstr "" +#: actions/grouplogo.php:236 +msgid "Upload" +msgstr "Oplaai" + +#: actions/grouplogo.php:289 +msgid "Crop" +msgstr "Uitsny" + #: actions/grouplogo.php:365 msgid "Pick a square area of the image to be the logo." msgstr "" @@ -2353,16 +2459,19 @@ msgid "" "action.newgroup%%) yourself!" msgstr "" -#: actions/groupunblock.php:91 +#. TRANS: Client error displayed when trying to unblock a user from a group without being an administrator for the group. +#: actions/groupunblock.php:94 msgid "Only an admin can unblock group members." msgstr "" -#: actions/groupunblock.php:95 +#. TRANS: Client error displayed when trying to unblock a non-blocked user from a group. +#: actions/groupunblock.php:99 #, fuzzy msgid "User is not blocked from group." msgstr "Gee gebruiker weer toegang tot die groep" -#: actions/groupunblock.php:128 actions/unblock.php:86 +#. TRANS: Server error displayed when unblocking a user from a group fails because of an unknown error. +#: actions/groupunblock.php:131 actions/unblock.php:86 msgid "Error removing the block." msgstr "" @@ -2909,10 +3018,12 @@ msgstr "Die organisasienaam is te lang (maksimum 255 karakters)." msgid "Could not create application." msgstr "Dit was nie moontlik om die applikasie te skep nie." +#. TRANS: Title for form to create a group. #: actions/newgroup.php:53 msgid "New group" msgstr "Nuwe groep" +#. TRANS: Form instructions for group create form. #: actions/newgroup.php:110 #, fuzzy msgid "Use this form to create a new group." @@ -3616,8 +3727,9 @@ msgstr "" "spasies bevat nie." #. TRANS: Field label in form for profile settings. +#. TRANS: Label for full group name (dt). Text hidden by default. #: actions/profilesettings.php:117 actions/register.php:457 -#: actions/showgroup.php:256 actions/tagother.php:104 +#: actions/showgroup.php:257 actions/tagother.php:104 #: lib/groupeditform.php:157 lib/userprofile.php:150 msgid "Full name" msgstr "Volledige naam" @@ -3656,8 +3768,9 @@ msgid "Bio" msgstr "Bio" #. TRANS: Field label in form for profile settings. +#. TRANS: Label for group location (dt). Text hidden by default. #: actions/profilesettings.php:149 actions/register.php:485 -#: actions/showgroup.php:265 actions/tagother.php:112 +#: actions/showgroup.php:267 actions/tagother.php:112 #: actions/userauthorization.php:166 lib/groupeditform.php:177 #: lib/userprofile.php:165 msgid "Location" @@ -4365,7 +4478,8 @@ msgstr "Organisasie" msgid "Description" msgstr "Beskrywing" -#: actions/showapplication.php:192 actions/showgroup.php:442 +#. TRANS: Header for group statistics on a group page (h2). +#: actions/showapplication.php:192 actions/showgroup.php:453 #: lib/profileaction.php:187 msgid "Statistics" msgstr "Statistieke" @@ -4384,6 +4498,11 @@ msgstr "Die applikasie is nie gevind nie." msgid "Reset key & secret" msgstr "" +#: actions/showapplication.php:252 lib/deletegroupform.php:121 +#: lib/deleteuserform.php:66 lib/noticelist.php:667 +msgid "Delete" +msgstr "Skrap" + #: actions/showapplication.php:261 #, fuzzy msgid "Application info" @@ -4471,77 +4590,106 @@ msgstr "" msgid "This is a way to share what you like." msgstr "" -#: actions/showgroup.php:82 +#. TRANS: Page title for first group page. %s is a group name. +#: actions/showgroup.php:80 #, php-format msgid "%s group" msgstr "%s groep" +#. TRANS: Page title for any but first group page. +#. TRANS: %1$s is a group name, $2$s is a page number. #: actions/showgroup.php:84 #, php-format msgid "%1$s group, page %2$d" msgstr "Groep %1$s, bladsy %2$d" -#: actions/showgroup.php:227 +#. TRANS: Group profile header (h2). Text hidden by default. +#: actions/showgroup.php:225 msgid "Group profile" msgstr "Groepsprofiel" -#: actions/showgroup.php:272 actions/tagother.php:118 +#. TRANS: Label for group URL (dt). Text hidden by default. +#: actions/showgroup.php:275 actions/tagother.php:118 #: actions/userauthorization.php:175 lib/userprofile.php:178 msgid "URL" msgstr "URL" -#: actions/showgroup.php:283 actions/tagother.php:128 +#. TRANS: Label for group description or group note (dt). Text hidden by default. +#: actions/showgroup.php:287 actions/tagother.php:128 #: actions/userauthorization.php:187 lib/userprofile.php:195 msgid "Note" msgstr "Nota" -#: actions/showgroup.php:293 lib/groupeditform.php:184 +#. TRANS: Label for group aliases (dt). Text hidden by default. +#: actions/showgroup.php:298 lib/groupeditform.php:184 msgid "Aliases" msgstr "Aliasse" -#: actions/showgroup.php:302 +#. TRANS: Group actions header (h2). Text hidden by default. +#: actions/showgroup.php:309 msgid "Group actions" msgstr "Groepsaksies" -#: actions/showgroup.php:344 +#. TRANS: Tooltip for feed link. %s is a group nickname. +#: actions/showgroup.php:350 #, fuzzy, php-format msgid "Notice feed for %s group (RSS 1.0)" msgstr "Voer vir vriende van %s (RSS 1.0)" -#: actions/showgroup.php:350 +#. TRANS: Tooltip for feed link. %s is a group nickname. +#: actions/showgroup.php:357 #, fuzzy, php-format msgid "Notice feed for %s group (RSS 2.0)" msgstr "Voer vir vriende van %s (RSS 2.0)" -#: actions/showgroup.php:356 +#. TRANS: Tooltip for feed link. %s is a group nickname. +#: actions/showgroup.php:364 #, fuzzy, php-format msgid "Notice feed for %s group (Atom)" msgstr "Voer vir vriende van %s (Atom)" -#: actions/showgroup.php:361 +#. TRANS: Tooltip for feed link. %s is a group nickname. +#: actions/showgroup.php:370 #, php-format msgid "FOAF for %s group" msgstr "Vriend van 'n vriend vir die groep %s" -#: actions/showgroup.php:399 actions/showgroup.php:451 +#. TRANS: Header for mini list of group members on a group page (h2). +#: actions/showgroup.php:407 msgid "Members" msgstr "Lede" -#: actions/showgroup.php:404 lib/profileaction.php:117 +#. TRANS: Description for mini list of group members on a group page when the group has no members. +#: actions/showgroup.php:413 lib/profileaction.php:117 #: lib/profileaction.php:152 lib/profileaction.php:255 lib/section.php:95 #: lib/subscriptionlist.php:127 lib/tagcloudsection.php:71 msgid "(None)" msgstr "(geen)" -#: actions/showgroup.php:410 +#. TRANS: Link to all group members from mini list of group members if group has more than n members. +#: actions/showgroup.php:422 msgid "All members" msgstr "Alle lede" -#: actions/showgroup.php:445 +#. TRANS: Label for creation date in statistics on group page. +#: actions/showgroup.php:458 +#, fuzzy +msgctxt "LABEL" msgid "Created" msgstr "Geskep" -#: actions/showgroup.php:461 +#. TRANS: Label for member count in statistics on group page. +#: actions/showgroup.php:466 +#, fuzzy +msgctxt "LABEL" +msgid "Members" +msgstr "Lede" + +#. TRANS: Notice on group pages for anonymous users for StatusNet sites that accept new registrations. +#. TRANS: **%s** is the group alias, %%%%site.name%%%% is the site name, +#. TRANS: %%%%action.register%%%% is the URL for registration, %%%%doc.help%%%% is a URL to help. +#. TRANS: This message contains Markdown links. Ensure they are formatted correctly: [Description](link). +#: actions/showgroup.php:481 #, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -4551,7 +4699,10 @@ msgid "" "of this group and many more! ([Read more](%%%%doc.help%%%%))" msgstr "" -#: actions/showgroup.php:467 +#. TRANS: Notice on group pages for anonymous users for StatusNet sites that accept no new registrations. +#. TRANS: **%s** is the group alias, %%%%site.name%%%% is the site name, +#. TRANS: This message contains Markdown links. Ensure they are formatted correctly: [Description](link). +#: actions/showgroup.php:491 #, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -4560,24 +4711,31 @@ msgid "" "their life and interests. " msgstr "" -#: actions/showgroup.php:495 +#. TRANS: Header for list of group administrators on a group page (h2). +#: actions/showgroup.php:520 msgid "Admins" msgstr "Administrateurs" -#: actions/showmessage.php:81 +#. TRANS: Client error displayed requesting a single message that does not exist. +#: actions/showmessage.php:79 msgid "No such message." msgstr "Die boodskap bestaan nie." -#: actions/showmessage.php:98 +#. TRANS: Client error displayed requesting a single direct message the requesting user was not a party in. +#: actions/showmessage.php:97 msgid "Only the sender and recipient may read this message." msgstr "" -#: actions/showmessage.php:108 +#. TRANS: Page title for single direct message display when viewing user is the sender. +#. TRANS: %1$s is the addressed user's nickname, $2$s is a timestamp. +#: actions/showmessage.php:110 #, fuzzy, php-format msgid "Message to %1$s on %2$s" msgstr "Opdaterings van %1$s op %2$s." -#: actions/showmessage.php:113 +#. TRANS: Page title for single message display. +#. TRANS: %1$s is the sending user's nickname, $2$s is a timestamp. +#: actions/showmessage.php:118 #, fuzzy, php-format msgid "Message from %1$s on %2$s" msgstr "Opdaterings van %1$s op %2$s." @@ -5025,13 +5183,15 @@ msgstr "" msgid "Save snapshot settings" msgstr "Stoor toegangsinstellings" -#: actions/subedit.php:70 +#. TRANS: Client error displayed trying a change a subscription for a non-subscribed profile. +#: actions/subedit.php:75 #, fuzzy msgid "You are not subscribed to that profile." msgstr "U volg hierdie gebruiker:" +#. TRANS: Server error displayed when updating a subscription fails with a database error. #. TRANS: Exception thrown when a subscription could not be stored on the server. -#: actions/subedit.php:83 classes/Subscription.php:136 +#: actions/subedit.php:89 classes/Subscription.php:136 #, fuzzy msgid "Could not save subscription." msgstr "Kon nie die profiel stoor nie." @@ -5829,12 +5989,12 @@ msgid "Welcome to %1$s, @%2$s!" msgstr "Welkom by %1$s, @%2$s!" #. TRANS: Server exception. -#: classes/User.php:902 +#: classes/User.php:912 msgid "No single user defined for single-user mode." msgstr "" #. TRANS: Server exception. -#: classes/User.php:906 +#: classes/User.php:916 msgid "Single-user mode code called when not enabled." msgstr "" @@ -6987,7 +7147,8 @@ msgstr "Atom" msgid "FOAF" msgstr "Vriende van vriende (FOAF)" -#: lib/feedlist.php:65 +#. TRANS: Header for feed links (h2). +#: lib/feedlist.php:66 msgid "Feeds" msgstr "" @@ -7150,41 +7311,59 @@ msgstr "" msgid "Unsupported image file format." msgstr "Nie-ondersteunde formaat." -#: lib/imagefile.php:88 +#. TRANS: Exception thrown when too large a file is uploaded. +#. TRANS: %s is the maximum file size, for example "500b", "10kB" or "2MB". +#: lib/imagefile.php:90 #, fuzzy, php-format msgid "That file is too big. The maximum file size is %s." msgstr "Die kennisgewing is te lank. Gebruik maksimum %d karakters." -#: lib/imagefile.php:93 +#: lib/imagefile.php:95 #, fuzzy msgid "Partial upload." msgstr "Geen lêer opgelaai nie." #. TRANS: Client exception thrown when a file upload operation has failed with an unknown reason. -#: lib/imagefile.php:101 lib/mediafile.php:179 +#: lib/imagefile.php:103 lib/mediafile.php:179 msgid "System error uploading file." msgstr "" -#: lib/imagefile.php:109 +#: lib/imagefile.php:111 msgid "Not an image or corrupt file." msgstr "" -#: lib/imagefile.php:122 +#: lib/imagefile.php:124 #, fuzzy msgid "Lost our file." msgstr "Die lêer bestaan nie." -#: lib/imagefile.php:163 lib/imagefile.php:224 +#: lib/imagefile.php:165 lib/imagefile.php:226 msgid "Unknown file type" msgstr "Onbekende lêertipe" -#: lib/imagefile.php:244 -msgid "MB" -msgstr "MB" +#. TRANS: Number of megabytes. %d is the number. +#: lib/imagefile.php:248 +#, fuzzy, php-format +msgid "%dMB" +msgid_plural "%dMB" +msgstr[0] "MB" +msgstr[1] "MB" -#: lib/imagefile.php:246 -msgid "kB" -msgstr "kB" +#. TRANS: Number of kilobytes. %d is the number. +#: lib/imagefile.php:252 +#, fuzzy, php-format +msgid "%dkB" +msgid_plural "%dkB" +msgstr[0] "kB" +msgstr[1] "kB" + +#. TRANS: Number of bytes. %d is the number. +#: lib/imagefile.php:255 +#, php-format +msgid "%dB" +msgid_plural "%dB" +msgstr[0] "" +msgstr[1] "" #: lib/jabber.php:387 #, php-format @@ -7992,6 +8171,13 @@ msgstr "Kon nie die profiel stoor nie." msgid "Top posters" msgstr "Mees aktiewe gebruikers" +#. TRANS: Title for the form to unblock a user. +#: lib/unblockform.php:67 +#, fuzzy +msgctxt "TITLE" +msgid "Unblock" +msgstr "Deblokkeer" + #: lib/unsandboxform.php:69 msgid "Unsandbox" msgstr "" @@ -8181,3 +8367,9 @@ msgstr "Geen groep verskaf nie." #, php-format msgid "%d entries in backup." msgstr "" + +#~ msgid "Description is too long (max %d chars)." +#~ msgstr "Die beskrywing is te lank (die maksimum is %d karakters)." + +#~ msgid "Too many aliases! Maximum %d." +#~ msgstr "Te veel aliasse! Die maksimum aantal is %d." diff --git a/locale/ar/LC_MESSAGES/statusnet.po b/locale/ar/LC_MESSAGES/statusnet.po index 005a5dc820..dbaf0b84a7 100644 --- a/locale/ar/LC_MESSAGES/statusnet.po +++ b/locale/ar/LC_MESSAGES/statusnet.po @@ -11,19 +11,19 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet - Core\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-10-27 23:43+0000\n" -"PO-Revision-Date: 2010-10-28 23:08:44+0000\n" +"POT-Creation-Date: 2010-10-30 23:18+0000\n" +"PO-Revision-Date: 2010-10-30 23:19:49+0000\n" "Language-Team: Arabic \n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r75629); Translate extension (2010-09-17)\n" +"X-Generator: MediaWiki 1.17alpha (r75708); Translate extension (2010-09-17)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: ar\n" "X-Message-Group: #out-statusnet-core\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" -"X-POT-Import-Date: 2010-10-28 00:13:15+0000\n" +"X-POT-Import-Date: 2010-10-30 09:48:40+0000\n" #. TRANS: Page title for Access admin panel that allows configuring site access. #. TRANS: Menu item for site administration @@ -119,6 +119,7 @@ msgstr "لا صفحة كهذه." #. TRANS: Client error displayed when requesting most recent dents by user and friends for a non-existing user. #. TRANS: Client error displayed when requesting most recent mentions for a non-existing user. #. TRANS: Client error displayed requesting most recent notices for a non-existing user. +#. TRANS: Client error displayed trying to get an avatar for a non-existing user. #. TRANS: Error text shown when trying to send a direct message to a user that does not exist. #: actions/all.php:80 actions/apiaccountupdatedeliverydevice.php:110 #: actions/apiaccountupdateprofile.php:103 @@ -131,7 +132,7 @@ msgstr "لا صفحة كهذه." #: actions/apistatusesupdate.php:230 actions/apisubscriptions.php:85 #: actions/apitimelinefavorites.php:70 actions/apitimelinefriends.php:173 #: actions/apitimelinehome.php:78 actions/apitimelinementions.php:77 -#: actions/apitimelineuser.php:79 actions/avatarbynickname.php:75 +#: actions/apitimelineuser.php:79 actions/avatarbynickname.php:79 #: 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 @@ -303,11 +304,12 @@ msgstr "تعذّر تحديث المستخدم." #. TRANS: Client error displayed a user has no profile updating profile colours. #. TRANS: Client error displayed if a user profile could not be found updating a profile image. #. TRANS: Client error displayed when requesting user information for a user without a profile. +#. TRANS: Client error displayed trying to get an avatar for a user without a profile. #: actions/apiaccountupdateprofile.php:111 #: actions/apiaccountupdateprofilebackgroundimage.php:199 #: actions/apiaccountupdateprofilecolors.php:183 #: actions/apiaccountupdateprofileimage.php:130 actions/apiusershow.php:108 -#: actions/avatarbynickname.php:80 actions/foaf.php:65 actions/hcard.php:74 +#: actions/avatarbynickname.php:85 actions/foaf.php:65 actions/hcard.php:74 #: actions/replies.php:80 actions/usergroups.php:100 lib/galleryaction.php:66 #: lib/profileaction.php:84 msgid "User has no profile." @@ -322,7 +324,7 @@ msgstr "لم يمكن حفظ الملف." #. TRANS: %s is the number of bytes of the CONTENT_LENGTH. #: actions/apiaccountupdateprofilebackgroundimage.php:108 #: actions/apiaccountupdateprofileimage.php:95 actions/apimediaupload.php:81 -#: actions/apistatusesupdate.php:210 actions/avatarsettings.php:259 +#: actions/apistatusesupdate.php:210 actions/avatarsettings.php:269 #: actions/designadminpanel.php:125 actions/editapplication.php:121 #: actions/newapplication.php:104 actions/newnotice.php:95 #, php-format @@ -505,44 +507,54 @@ msgstr "تعذّر تحديد المستخدم المصدر." msgid "Could not find target user." msgstr "تعذّر إيجاد المستخدم الهدف." +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. #. TRANS: Validation error in form for profile settings. -#: actions/apigroupcreate.php:165 actions/editgroup.php:186 -#: actions/newgroup.php:126 actions/profilesettings.php:243 +#: actions/apigroupcreate.php:165 actions/editgroup.php:191 +#: actions/newgroup.php:127 actions/profilesettings.php:243 #: actions/register.php:212 #, fuzzy msgid "Nickname must have only lowercase letters and numbers and no spaces." msgstr "1-64 حرفًا إنجليزيًا أو رقمًا بدون نقاط أو مسافات" #. TRANS: Client error trying to create a group with a nickname this is already in use. +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. #. TRANS: Validation error in form for profile settings. -#: actions/apigroupcreate.php:175 actions/editgroup.php:190 -#: actions/newgroup.php:130 actions/profilesettings.php:277 +#: actions/apigroupcreate.php:175 actions/editgroup.php:196 +#: actions/newgroup.php:132 actions/profilesettings.php:277 #: actions/register.php:215 msgid "Nickname already in use. Try another one." msgstr "الاسم المستعار مستخدم بالفعل. جرّب اسمًا آخرًا." #. TRANS: Client error in form for group creation. +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. #. TRANS: Validation error in form for profile settings. -#: actions/apigroupcreate.php:183 actions/editgroup.php:193 -#: actions/newgroup.php:133 actions/profilesettings.php:247 +#: actions/apigroupcreate.php:183 actions/editgroup.php:200 +#: actions/newgroup.php:136 actions/profilesettings.php:247 #: actions/register.php:217 msgid "Not a valid nickname." msgstr "ليس اسمًا مستعارًا صحيحًا." #. TRANS: Client error in form for group creation. #. TRANS: Validation error shown when providing an invalid homepage URL in the "Edit application" form. +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. #. TRANS: Validation error in form for profile settings. #: actions/apigroupcreate.php:200 actions/editapplication.php:233 -#: actions/editgroup.php:199 actions/newapplication.php:211 -#: actions/newgroup.php:139 actions/profilesettings.php:252 +#: actions/editgroup.php:207 actions/newapplication.php:211 +#: actions/newgroup.php:143 actions/profilesettings.php:252 #: actions/register.php:224 msgid "Homepage is not a valid URL." msgstr "الصفحة الرئيسية ليست عنونًا صالحًا." #. TRANS: Client error in form for group creation. +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. #. TRANS: Validation error in form for profile settings. -#: actions/apigroupcreate.php:210 actions/editgroup.php:202 -#: actions/newgroup.php:142 actions/profilesettings.php:256 +#: actions/apigroupcreate.php:210 actions/editgroup.php:211 +#: actions/newgroup.php:147 actions/profilesettings.php:256 #: actions/register.php:227 #, fuzzy msgid "Full name is too long (maximum 255 characters)." @@ -551,10 +563,11 @@ msgstr "الاسم الكامل طويل جدا (الأقصى 255 حرفًا)" #. TRANS: Client error shown when providing too long a description during group creation. #. TRANS: %d is the maximum number of allowed characters. #. TRANS: Validation error shown when providing too long a description in the "Edit application" form. +#. TRANS: Group edit form validation error. #. TRANS: Form validation error in New application form. #. TRANS: %d is the maximum number of characters for the description. #: actions/apigroupcreate.php:220 actions/editapplication.php:201 -#: actions/newapplication.php:178 +#: actions/editgroup.php:216 actions/newapplication.php:178 #, fuzzy, php-format msgid "Description is too long (maximum %d character)." msgid_plural "Description is too long (maximum %d characters)." @@ -566,9 +579,11 @@ msgstr[4] "المنظمة طويلة جدا (الأقصى %d حرفا)." msgstr[5] "المنظمة طويلة جدا (الأقصى %d حرفا)." #. TRANS: Client error shown when providing too long a location during group creation. +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. #. TRANS: Validation error in form for profile settings. -#: actions/apigroupcreate.php:234 actions/editgroup.php:208 -#: actions/newgroup.php:153 actions/profilesettings.php:269 +#: actions/apigroupcreate.php:234 actions/editgroup.php:223 +#: actions/newgroup.php:159 actions/profilesettings.php:269 #: actions/register.php:236 #, fuzzy msgid "Location is too long (maximum 255 characters)." @@ -576,7 +591,12 @@ msgstr "المنظمة طويلة جدا (الأقصى 255 حرفا)." #. TRANS: Client error shown when providing too many aliases during group creation. #. TRANS: %d is the maximum number of allowed aliases. -#: actions/apigroupcreate.php:255 actions/newgroup.php:166 +#. TRANS: Group edit form validation error. +#. TRANS: %d is the maximum number of allowed aliases. +#. TRANS: Group create form validation error. +#. TRANS: %d is the maximum number of allowed aliases. +#: actions/apigroupcreate.php:255 actions/editgroup.php:236 +#: actions/newgroup.php:172 #, fuzzy, php-format msgid "Too many aliases! Maximum %d allowed." msgid_plural "Too many aliases! Maximum %d allowed." @@ -596,15 +616,19 @@ msgstr "كنية غير صالحة: \"%s\"." #. TRANS: Client error displayed when trying to use an alias during group creation that is already in use. #. TRANS: %s is the alias that is already in use. -#: actions/apigroupcreate.php:291 actions/editgroup.php:232 -#: actions/newgroup.php:181 +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. +#: actions/apigroupcreate.php:291 actions/editgroup.php:253 +#: actions/newgroup.php:189 #, fuzzy, php-format msgid "Alias \"%s\" already in use. Try another one." msgstr "الاسم المستعار مستخدم بالفعل. جرّب اسمًا آخرًا." #. TRANS: Client error displayed when trying to use an alias during group creation that is the same as the group's nickname. -#: actions/apigroupcreate.php:305 actions/editgroup.php:238 -#: actions/newgroup.php:187 +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. +#: actions/apigroupcreate.php:305 actions/editgroup.php:260 +#: actions/newgroup.php:196 msgid "Alias can't be the same as nickname." msgstr "" @@ -713,18 +737,18 @@ msgid "Request token already authorized." msgstr "لا تملك تصريحًا." #. TRANS: Form validation error in API OAuth authorisation because of an invalid session token. -#: actions/apioauthauthorize.php:147 actions/avatarsettings.php:270 +#: actions/apioauthauthorize.php:147 actions/avatarsettings.php:280 #: actions/deletenotice.php:172 actions/disfavor.php:74 #: actions/emailsettings.php:271 actions/favor.php:75 actions/geocode.php:55 #: actions/groupblock.php:66 actions/grouplogo.php:312 -#: actions/groupunblock.php:66 actions/imsettings.php:230 +#: actions/groupunblock.php:65 actions/imsettings.php:230 #: actions/invite.php:59 actions/login.php:137 actions/makeadmin.php:66 #: actions/newmessage.php:135 actions/newnotice.php:105 actions/nudge.php:80 #: actions/oauthappssettings.php:165 actions/oauthconnectionssettings.php:138 #: actions/othersettings.php:145 actions/passwordsettings.php:138 #: actions/profilesettings.php:221 actions/recoverpassword.php:350 #: actions/register.php:172 actions/remotesubscribe.php:77 -#: actions/repeat.php:83 actions/smssettings.php:256 actions/subedit.php:38 +#: actions/repeat.php:83 actions/smssettings.php:256 actions/subedit.php:40 #: actions/subscribe.php:86 actions/tagother.php:166 #: actions/unsubscribe.php:69 actions/userauthorization.php:52 #: lib/designsettings.php:294 @@ -743,12 +767,13 @@ msgid "Database error inserting oauth_token_association." msgstr "خطأ في قاعدة البيانات أثناء حذف مستخدم تطبيق OAuth." #. TRANS: Client error given on when invalid data was passed through a form in the OAuth API. +#. TRANS: Unexpected validation error on avatar upload form. #. TRANS: Client error displayed submitting invalid form data for edit application. #. TRANS: Message given submitting a form with an unknown action in e-mail settings. #. TRANS: Message given submitting a form with an unknown action in IM settings. #. TRANS: Client error when submitting a form with unexpected information. #. TRANS: Message given submitting a form with an unknown action in SMS settings. -#: actions/apioauthauthorize.php:294 actions/avatarsettings.php:283 +#: actions/apioauthauthorize.php:294 actions/avatarsettings.php:294 #: actions/designadminpanel.php:104 actions/editapplication.php:144 #: actions/emailsettings.php:290 actions/grouplogo.php:322 #: actions/imsettings.php:245 actions/newapplication.php:125 @@ -797,6 +822,7 @@ msgstr "الحساب" #. TRANS: Field label on OAuth API authorisation form. #. TRANS: Field label in form for profile settings. +#. TRANS: Label for group nickname (dt). Text hidden by default. #: actions/apioauthauthorize.php:459 actions/login.php:252 #: actions/profilesettings.php:110 actions/register.php:433 #: actions/showgroup.php:245 actions/tagother.php:94 @@ -1057,105 +1083,138 @@ msgstr "لم يتم العثور على وسيلة API." msgid "User not found." msgstr "لم يُعثرعلى المستخدم." +#. TRANS: Client error displayed trying to get a non-existing attachment. #: actions/attachment.php:73 msgid "No such attachment." msgstr "لا مرفق كهذا." -#: actions/avatarbynickname.php:59 actions/blockedfromgroup.php:73 -#: actions/editgroup.php:84 actions/groupdesignsettings.php:84 +#. TRANS: Client error displayed trying to get an avatar without providing a nickname. +#. TRANS: Client error displayed when requesting a list of blocked users for a group without providing a group nickname. +#. TRANS: Client error displayed trying to edit a group while not proving a nickname for the group to edit. +#. TRANS: Client error displayed if no nickname argument was given requesting a group page. +#: actions/avatarbynickname.php:60 actions/blockedfromgroup.php:73 +#: actions/editgroup.php:85 actions/groupdesignsettings.php:84 #: actions/grouplogo.php:86 actions/groupmembers.php:76 #: actions/grouprss.php:91 actions/showgroup.php:121 msgid "No nickname." msgstr "لا اسم مستعار." -#: actions/avatarbynickname.php:64 +#. TRANS: Client error displayed trying to get an avatar without providing an avatar size. +#: actions/avatarbynickname.php:66 msgid "No size." msgstr "لا حجم." -#: actions/avatarbynickname.php:69 +#. TRANS: Client error displayed trying to get an avatar providing an invalid avatar size. +#: actions/avatarbynickname.php:72 msgid "Invalid size." msgstr "حجم غير صالح." +#. TRANS: Title for avatar upload page. +#. TRANS: Label for group avatar (dt). Text hidden by default. #. TRANS: Link description in user account settings menu. -#: actions/avatarsettings.php:67 actions/showgroup.php:230 +#: actions/avatarsettings.php:66 actions/showgroup.php:229 #: lib/accountsettingsaction.php:113 msgid "Avatar" msgstr "أفتار" +#. TRANS: Instruction for avatar upload page. +#. TRANS: %s is the maximum file size, for example "500b", "10kB" or "2MB". #: actions/avatarsettings.php:78 #, php-format msgid "You can upload your personal avatar. The maximum file size is %s." msgstr "بإمكانك رفع أفتارك الشخصي. أقصى حجم للملف هو %s." -#: actions/avatarsettings.php:106 actions/avatarsettings.php:185 +#. TRANS: Server error displayed in avatar upload page when no matching profile can be found for a user. +#: actions/avatarsettings.php:108 actions/avatarsettings.php:192 #: actions/grouplogo.php:181 actions/remotesubscribe.php:191 #: actions/userauthorization.php:72 actions/userrss.php:108 msgid "User without matching profile." msgstr "المستخدم بدون ملف مطابق." -#: actions/avatarsettings.php:119 actions/avatarsettings.php:197 +#. TRANS: Avatar upload page form legend. +#. TRANS: Avatar upload page crop form legend. +#: actions/avatarsettings.php:122 actions/avatarsettings.php:205 #: actions/grouplogo.php:254 msgid "Avatar settings" msgstr "إعدادات الأفتار" -#: actions/avatarsettings.php:127 actions/avatarsettings.php:205 +#. TRANS: Header on avatar upload page for thumbnail of originally uploaded avatar (h2). +#. TRANS: Header on avatar upload crop form for thumbnail of originally uploaded avatar (h2). +#: actions/avatarsettings.php:131 actions/avatarsettings.php:214 #: actions/grouplogo.php:202 actions/grouplogo.php:262 msgid "Original" msgstr "الأصل" -#: actions/avatarsettings.php:142 actions/avatarsettings.php:217 +#. TRANS: Header on avatar upload page for thumbnail of to be used rendition of uploaded avatar (h2). +#. TRANS: Header on avatar upload crop form for thumbnail of to be used rendition of uploaded avatar (h2). +#: actions/avatarsettings.php:147 actions/avatarsettings.php:227 #: actions/grouplogo.php:213 actions/grouplogo.php:274 msgid "Preview" msgstr "معاينة" -#: actions/avatarsettings.php:149 actions/showapplication.php:252 -#: lib/deletegroupform.php:121 lib/deleteuserform.php:66 -#: lib/noticelist.php:667 +#. TRANS: Button on avatar upload page to delete current avatar. +#: actions/avatarsettings.php:155 +#, fuzzy +msgctxt "BUTTON" msgid "Delete" msgstr "احذف" -#: actions/avatarsettings.php:166 actions/grouplogo.php:236 +#. TRANS: Button on avatar upload page to upload an avatar. +#: actions/avatarsettings.php:173 +#, fuzzy +msgctxt "BUTTON" msgid "Upload" msgstr "ارفع" -#: actions/avatarsettings.php:231 actions/grouplogo.php:289 +#. TRANS: Button on avatar upload crop form to confirm a selected crop as avatar. +#: actions/avatarsettings.php:243 #, fuzzy +msgctxt "BUTTON" msgid "Crop" msgstr "مجموعات" -#: actions/avatarsettings.php:307 +#. TRANS: Validation error on avatar upload form when no file was uploaded. +#: actions/avatarsettings.php:318 msgid "No file uploaded." msgstr "لم يُرفع ملف." -#: actions/avatarsettings.php:334 +#. TRANS: Avatar upload form unstruction after uploading a file. +#: actions/avatarsettings.php:346 msgid "Pick a square area of the image to be your avatar" msgstr "" -#: actions/avatarsettings.php:349 actions/grouplogo.php:380 +#. TRANS: Server error displayed if an avatar upload went wrong somehow server side. +#: actions/avatarsettings.php:361 actions/grouplogo.php:380 msgid "Lost our file data." msgstr "" -#: actions/avatarsettings.php:372 +#: actions/avatarsettings.php:384 msgid "Avatar updated." msgstr "رُفع الأفتار." -#: actions/avatarsettings.php:375 +#. TRANS: Error displayed on the avatar upload page if the avatar could not be updated for an unknown reason. +#: actions/avatarsettings.php:388 msgid "Failed updating avatar." msgstr "فشل تحديث الأفتار." -#: actions/avatarsettings.php:399 +#. TRANS: Success message for deleting a user avatar. +#: actions/avatarsettings.php:412 msgid "Avatar deleted." msgstr "حُذف الأفتار." -#: actions/block.php:69 +#. TRANS: Client error displayed when blocking a user that has already been blocked. +#: actions/block.php:68 msgid "You already blocked that user." msgstr "لقد منعت مسبقا هذا المستخدم." -#: actions/block.php:107 actions/block.php:136 actions/groupblock.php:158 +#. TRANS: Title for block user page. +#. TRANS: Legend for block user form. +#: actions/block.php:106 actions/block.php:136 actions/groupblock.php:158 msgid "Block user" msgstr "امنع المستخدم" -#: actions/block.php:138 +#. TRANS: Explanation of consequences when blocking a user on the block user page. +#: actions/block.php:139 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 " @@ -1168,7 +1227,7 @@ msgstr "" #. TRANS: Button label on the delete notice form. #. TRANS: Button label on the delete user form. #. TRANS: Button label on the form to block a user from a group. -#: actions/block.php:153 actions/deleteapplication.php:154 +#: actions/block.php:154 actions/deleteapplication.php:154 #: actions/deletegroup.php:220 actions/deletenotice.php:150 #: actions/deleteuser.php:152 actions/groupblock.php:178 msgctxt "BUTTON" @@ -1177,7 +1236,7 @@ msgstr "لا" #. TRANS: Submit button title for 'No' when blocking a user. #. TRANS: Submit button title for 'No' when deleting a user. -#: actions/block.php:157 actions/deleteuser.php:156 +#: actions/block.php:158 actions/deleteuser.php:156 msgid "Do not block this user" msgstr "لا تمنع هذا المستخدم" @@ -1187,7 +1246,7 @@ msgstr "لا تمنع هذا المستخدم" #. TRANS: Button label on the delete notice form. #. TRANS: Button label on the delete user form. #. TRANS: Button label on the form to block a user from a group. -#: actions/block.php:160 actions/deleteapplication.php:161 +#: actions/block.php:161 actions/deleteapplication.php:161 #: actions/deletegroup.php:227 actions/deletenotice.php:157 #: actions/deleteuser.php:159 actions/groupblock.php:185 msgctxt "BUTTON" @@ -1196,92 +1255,113 @@ msgstr "نعم" #. TRANS: Submit button title for 'Yes' when blocking a user. #. TRANS: Description of the form to block a user. -#: actions/block.php:164 lib/blockform.php:79 +#: actions/block.php:165 lib/blockform.php:79 msgid "Block this user" msgstr "امنع هذا المستخدم" -#: actions/block.php:187 +#. TRANS: Server error displayed when blocking a user fails. +#: actions/block.php:189 msgid "Failed to save block information." msgstr "فشل حفظ معلومات المنع." +#. TRANS: Client error displayed when requesting a list of blocked users for a non-local group. +#. TRANS: Client error displayed when requesting a list of blocked users for a non-existing group. #. TRANS: Client error when trying to delete a non-local group. #. TRANS: Client error when trying to delete a non-existing group. +#. TRANS: Client error displayed trying to edit a non-existing group. +#. TRANS: Client error displayed when trying to unblock a user from a non-existing group. +#. TRANS: Client error displayed if no remote group with a given name was found requesting group page. +#. TRANS: Client error displayed if no local group with a given name was found requesting group page. #. TRANS: Command exception text shown when a group is requested that does not exist. #. TRANS: Error text shown when trying to leave a group that does not exist. -#: actions/blockedfromgroup.php:80 actions/blockedfromgroup.php:87 +#: actions/blockedfromgroup.php:81 actions/blockedfromgroup.php:89 #: actions/deletegroup.php:87 actions/deletegroup.php:100 -#: actions/editgroup.php:100 actions/foafgroup.php:44 actions/foafgroup.php:62 +#: actions/editgroup.php:102 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/groupunblock.php:88 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:168 +#: actions/showgroup.php:139 actions/showgroup.php:148 lib/command.php:168 #: lib/command.php:380 msgid "No such group." msgstr "لا مجموعة كهذه." -#: actions/blockedfromgroup.php:97 +#. TRANS: Title for first page with list of users blocked from a group. +#. TRANS: %s is a group nickname. +#: actions/blockedfromgroup.php:101 #, fuzzy, php-format msgid "%s blocked profiles" msgstr "%1$s ملفات ممنوعة, الصفحة %2$d" -#: actions/blockedfromgroup.php:100 +#. TRANS: Title for any but the first page with list of users blocked from a group. +#. TRANS: %1$s is a group nickname, %2$d is a page number. +#: actions/blockedfromgroup.php:106 #, php-format msgid "%1$s blocked profiles, page %2$d" msgstr "%1$s ملفات ممنوعة, الصفحة %2$d" -#: actions/blockedfromgroup.php:115 +#. TRANS: Instructions for list of users blocked from a group. +#: actions/blockedfromgroup.php:122 #, fuzzy msgid "A list of the users blocked from joining this group." msgstr "قائمة بمستخدمي هذه المجموعة." -#: actions/blockedfromgroup.php:288 +#. TRANS: Form legend for unblocking a user from a group. +#: actions/blockedfromgroup.php:291 msgid "Unblock user from group" msgstr "ألغ منع المستخدم من المجموعة" -#. TRANS: Title for the form to unblock a user. -#: actions/blockedfromgroup.php:320 lib/unblockform.php:70 +#. TRANS: Button text for unblocking a user from a group. +#: actions/blockedfromgroup.php:323 +#, fuzzy +msgctxt "BUTTON" msgid "Unblock" msgstr "ألغِ المنع" +#. TRANS: Tooltip for button for unblocking a user from a group. #. TRANS: Description of the form to unblock a user. -#: actions/blockedfromgroup.php:320 lib/unblockform.php:82 +#: actions/blockedfromgroup.php:327 lib/unblockform.php:78 msgid "Unblock this user" msgstr "ألغِ منع هذا المستخدم" #. TRANS: Title for mini-posting window loaded from bookmarklet. +#. TRANS: %s is the StatusNet site name. #: actions/bookmarklet.php:51 #, php-format msgid "Post to %s" msgstr "أرسل إلى %s" -#: actions/confirmaddress.php:75 +#. TRANS: Client error displayed when not providing a confirmation code in the contact address confirmation action. +#: actions/confirmaddress.php:74 msgid "No confirmation code." msgstr "لا رمز تأكيد." +#. TRANS: Client error displayed when providing a non-existing confirmation code in the contact address confirmation action. #: actions/confirmaddress.php:80 msgid "Confirmation code not found." msgstr "لم يوجد رمز التأكيد." -#: actions/confirmaddress.php:85 +#. TRANS: Client error displayed when not providing a confirmation code for another user in the contact address confirmation action. +#: actions/confirmaddress.php:86 msgid "That confirmation code is not for you!" msgstr "رمز التأكيد ليس لك!" -#. TRANS: Server error for an unknow address type, which can be 'email', 'jabber', or 'sms'. -#: actions/confirmaddress.php:91 +#. TRANS: Server error for a unknow address type %s, which can be 'email', 'jabber', or 'sms'. +#: actions/confirmaddress.php:92 #, php-format msgid "Unrecognized address type %s." msgstr "" -#. TRANS: Client error for an already confirmed email/jabbel/sms address. -#: actions/confirmaddress.php:96 +#. TRANS: Client error for an already confirmed email/jabber/sms address. +#: actions/confirmaddress.php:97 #, fuzzy msgid "That address has already been confirmed." msgstr "هذا البريد الإلكتروني ملك مستخدم آخر بالفعل." +#. TRANS: Server error displayed when a user update to the database fails in the contact address confirmation action. #. TRANS: Server error thrown on database error updating e-mail preferences. #. TRANS: Server error thrown on database error removing a registered e-mail address. #. TRANS: Server error thrown on database error updating IM preferences. @@ -1289,7 +1369,7 @@ msgstr "هذا البريد الإلكتروني ملك مستخدم آخر با #. TRANS: Server error thrown when user profile settings could not be updated. #. TRANS: Server error thrown on database error updating SMS preferences. #. TRANS: Server error thrown on database error removing a registered SMS phone number. -#: actions/confirmaddress.php:116 actions/emailsettings.php:331 +#: actions/confirmaddress.php:118 actions/emailsettings.php:331 #: actions/emailsettings.php:477 actions/imsettings.php:283 #: actions/imsettings.php:442 actions/othersettings.php:174 #: actions/profilesettings.php:326 actions/smssettings.php:308 @@ -1297,27 +1377,32 @@ msgstr "هذا البريد الإلكتروني ملك مستخدم آخر با msgid "Couldn't update user." msgstr "تعذّر تحديث المستخدم." -#. TRANS: Server error thrown on database error canceling e-mail address confirmation. -#. TRANS: Server error thrown on database error canceling SMS phone number confirmation. -#: actions/confirmaddress.php:128 actions/emailsettings.php:437 -#: actions/smssettings.php:422 -msgid "Couldn't delete email confirmation." -msgstr "تعذّر حذف تأكيد البريد الإلكتروني." +#. TRANS: Server error displayed when an address confirmation code deletion from the +#. TRANS: database fails in the contact address confirmation action. +#: actions/confirmaddress.php:132 +#, fuzzy +msgid "Could not delete address confirmation." +msgstr "تعذّر حذف تأكيد البريد المراسلة الفورية." -#: actions/confirmaddress.php:146 +#. TRANS: Title for the contact address confirmation action. +#: actions/confirmaddress.php:150 msgid "Confirm address" msgstr "أكد العنوان" -#: actions/confirmaddress.php:161 +#. TRANS: Success message for the contact address confirmation action. +#. TRANS: %s can be 'email', 'jabber', or 'sms'. +#: actions/confirmaddress.php:166 #, php-format msgid "The address \"%s\" has been confirmed for your account." msgstr "" -#: actions/conversation.php:99 +#. TRANS: Title for page with a conversion (multiple notices in context). +#: actions/conversation.php:96 msgid "Conversation" msgstr "محادثة" -#: actions/conversation.php:154 lib/mailbox.php:116 lib/noticelist.php:87 +#. TRANS: Header on conversation page. Hidden by default (h2). +#: actions/conversation.php:149 lib/mailbox.php:116 lib/noticelist.php:87 #: lib/profileaction.php:229 lib/searchgroupnav.php:82 msgid "Notices" msgstr "الإشعارات" @@ -1423,11 +1508,13 @@ msgstr "لا تحذف هذا الإشعار" msgid "Delete this group" msgstr "احذف هذا المستخدم" +#. TRANS: Client error displayed when trying to unblock a user from a group while not logged in. +#. TRANS: Client error displayed trying a change a subscription while not logged in. #. TRANS: Client error message thrown when trying to access the admin panel while not logged in. #: actions/deletenotice.php:50 actions/disfavor.php:61 actions/favor.php:62 -#: actions/groupblock.php:61 actions/groupunblock.php:61 actions/logout.php:69 +#: actions/groupblock.php:61 actions/groupunblock.php:60 actions/logout.php:69 #: actions/makeadmin.php:61 actions/newmessage.php:87 actions/newnotice.php:88 -#: actions/nudge.php:63 actions/subedit.php:31 actions/subscribe.php:96 +#: actions/nudge.php:63 actions/subedit.php:33 actions/subscribe.php:96 #: actions/tagother.php:33 actions/unsubscribe.php:52 #: lib/adminpanelaction.php:71 lib/profileformaction.php:64 #: lib/settingsaction.php:72 @@ -1729,49 +1816,49 @@ msgstr "مسار المصدر ليس صحيحا." msgid "Could not update application." msgstr "لم يمكن تحديث التطبيق." -#: actions/editgroup.php:56 +#. TRANS: Title for form to edit a group. %s is a group nickname. +#: actions/editgroup.php:55 #, php-format msgid "Edit %s group" msgstr "عدّل مجموعة %s" +#. TRANS: Client error displayed trying to edit a group while not logged in. +#. TRANS: Client error displayed trying to create a group while not logged in. #: actions/editgroup.php:68 actions/grouplogo.php:70 actions/newgroup.php:65 msgid "You must be logged in to create a group." msgstr "يجب أن تكون والجًا لتنشئ مجموعة." -#: actions/editgroup.php:107 actions/editgroup.php:172 +#. TRANS: Client error displayed trying to edit a group while not being a group admin. +#: actions/editgroup.php:110 actions/editgroup.php:176 #: actions/groupdesignsettings.php:107 actions/grouplogo.php:109 msgid "You must be an admin to edit the group." msgstr "يجب أن تكون إداريا لتعدل المجموعة." -#: actions/editgroup.php:158 +#. TRANS: Form instructions for group edit form. +#: actions/editgroup.php:161 msgid "Use this form to edit the group." msgstr "استخدم هذا النموذج لتعديل المجموعة." -#: actions/editgroup.php:205 -#, fuzzy, php-format -msgid "Description is too long (max %d chars)." -msgstr "المنظمة طويلة جدا (الأقصى %d حرفا)." - -#: actions/editgroup.php:219 -#, php-format -msgid "Too many aliases! Maximum %d." -msgstr "كنيات كيرة! العدد الأقصى هو %d." - -#: actions/editgroup.php:228 actions/newgroup.php:177 +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. +#: actions/editgroup.php:248 actions/newgroup.php:184 #, php-format msgid "Invalid alias: \"%s\"" msgstr "كنية غير صالحة: \"%s\"" -#: actions/editgroup.php:258 +#. TRANS: Server error displayed when editing a group fails. +#: actions/editgroup.php:281 msgid "Could not update group." msgstr "تعذر تحديث المجموعة." +#. TRANS: Server error displayed when group aliases could not be added. #. TRANS: Server exception thrown when creating group aliases failed. -#: actions/editgroup.php:264 classes/User_group.php:513 +#: actions/editgroup.php:288 classes/User_group.php:513 msgid "Could not create aliases." msgstr "تعذّر إنشاء الكنى." -#: actions/editgroup.php:280 +#. TRANS: Group edit form success message. +#: actions/editgroup.php:305 msgid "Options saved." msgstr "حُفظت الخيارات." @@ -1960,6 +2047,12 @@ msgstr "أُلغي تأكيد المراسلة الفورية." msgid "That is the wrong email address." msgstr "هذا عنوان بريد إلكتروني خطأ." +#. TRANS: Server error thrown on database error canceling e-mail address confirmation. +#. TRANS: Server error thrown on database error canceling SMS phone number confirmation. +#: actions/emailsettings.php:437 actions/smssettings.php:422 +msgid "Couldn't delete email confirmation." +msgstr "تعذّر حذف تأكيد البريد الإلكتروني." + #. TRANS: Message given after successfully canceling e-mail address confirmation. #: actions/emailsettings.php:442 msgid "Email confirmation cancelled." @@ -2138,19 +2231,23 @@ msgstr "لا يمكنك سحب أدوار المستخدمين على هذا ا msgid "User already has this role." msgstr "لدى المستخدم هذا الدور من قبل." +#. TRANS: Client error displayed when trying to unblock a user from a group without providing a profile. +#. TRANS: Client error displayed trying a change a subscription without providing a profile. #: actions/groupblock.php:71 actions/groupunblock.php:71 -#: actions/makeadmin.php:71 actions/subedit.php:46 +#: actions/makeadmin.php:71 actions/subedit.php:49 #: lib/profileformaction.php:79 msgid "No profile specified." msgstr "لا ملف شخصي مُحدّد." -#: actions/groupblock.php:76 actions/groupunblock.php:76 -#: actions/makeadmin.php:76 actions/subedit.php:53 actions/tagother.php:46 +#. TRANS: Client error displayed when trying to unblock a user from a group without providing an existing profile. +#. TRANS: Client error displayed trying a change a subscription for a non-existant profile ID. +#: actions/groupblock.php:76 actions/groupunblock.php:77 +#: actions/makeadmin.php:76 actions/subedit.php:57 actions/tagother.php:46 #: actions/unsubscribe.php:84 lib/profileformaction.php:86 msgid "No profile with that ID." msgstr "لا ملف شخصي بهذه الهوية." -#: actions/groupblock.php:81 actions/groupunblock.php:81 +#: actions/groupblock.php:81 actions/groupunblock.php:82 #: actions/makeadmin.php:81 msgid "No group specified." msgstr "لا مجموعة مُحدّدة." @@ -2232,6 +2329,15 @@ msgid "" "You can upload a logo image for your group. The maximum file size is %s." msgstr "بإمكانك رفع صورة شعار مجموعتك. أقصى حجم للملف هو %s." +#: actions/grouplogo.php:236 +msgid "Upload" +msgstr "ارفع" + +#: actions/grouplogo.php:289 +#, fuzzy +msgid "Crop" +msgstr "مجموعات" + #: actions/grouplogo.php:365 msgid "Pick a square area of the image to be the logo." msgstr "" @@ -2369,15 +2475,18 @@ msgid "" "action.newgroup%%) yourself!" msgstr "" -#: actions/groupunblock.php:91 +#. TRANS: Client error displayed when trying to unblock a user from a group without being an administrator for the group. +#: actions/groupunblock.php:94 msgid "Only an admin can unblock group members." msgstr "" -#: actions/groupunblock.php:95 +#. TRANS: Client error displayed when trying to unblock a non-blocked user from a group. +#: actions/groupunblock.php:99 msgid "User is not blocked from group." msgstr "المستخدم ليس ممنوعًا من المجموعة." -#: actions/groupunblock.php:128 actions/unblock.php:86 +#. TRANS: Server error displayed when unblocking a user from a group fails because of an unknown error. +#: actions/groupunblock.php:131 actions/unblock.php:86 msgid "Error removing the block." msgstr "خطأ أثناء منع الحجب." @@ -2939,10 +3048,12 @@ msgstr "المنظمة طويلة جدا (الأقصى 255 حرفا)." msgid "Could not create application." msgstr "لم يمكن إنشاء التطبيق." +#. TRANS: Title for form to create a group. #: actions/newgroup.php:53 msgid "New group" msgstr "مجموعة جديدة" +#. TRANS: Form instructions for group create form. #: actions/newgroup.php:110 msgid "Use this form to create a new group." msgstr "استخدم هذا النموذج لإنشاء مجموعة جديدة." @@ -3636,8 +3747,9 @@ msgid "1-64 lowercase letters or numbers, no punctuation or spaces." msgstr "1-64 حرفًا إنجليزيًا أو رقمًا بدون نقاط أو مسافات" #. TRANS: Field label in form for profile settings. +#. TRANS: Label for full group name (dt). Text hidden by default. #: actions/profilesettings.php:117 actions/register.php:457 -#: actions/showgroup.php:256 actions/tagother.php:104 +#: actions/showgroup.php:257 actions/tagother.php:104 #: lib/groupeditform.php:157 lib/userprofile.php:150 msgid "Full name" msgstr "الاسم الكامل" @@ -3681,8 +3793,9 @@ msgid "Bio" msgstr "السيرة" #. TRANS: Field label in form for profile settings. +#. TRANS: Label for group location (dt). Text hidden by default. #: actions/profilesettings.php:149 actions/register.php:485 -#: actions/showgroup.php:265 actions/tagother.php:112 +#: actions/showgroup.php:267 actions/tagother.php:112 #: actions/userauthorization.php:166 lib/groupeditform.php:177 #: lib/userprofile.php:165 msgid "Location" @@ -4373,7 +4486,8 @@ msgstr "المنظمة" msgid "Description" msgstr "الوصف" -#: actions/showapplication.php:192 actions/showgroup.php:442 +#. TRANS: Header for group statistics on a group page (h2). +#: actions/showapplication.php:192 actions/showgroup.php:453 #: lib/profileaction.php:187 msgid "Statistics" msgstr "إحصاءات" @@ -4392,6 +4506,11 @@ msgstr "معلومات التطبيق" msgid "Reset key & secret" msgstr "" +#: actions/showapplication.php:252 lib/deletegroupform.php:121 +#: lib/deleteuserform.php:66 lib/noticelist.php:667 +msgid "Delete" +msgstr "احذف" + #: actions/showapplication.php:261 msgid "Application info" msgstr "معلومات التطبيق" @@ -4480,78 +4599,107 @@ msgstr "" msgid "This is a way to share what you like." msgstr "إنها إحدى وسائل مشاركة ما تحب." -#: actions/showgroup.php:82 +#. TRANS: Page title for first group page. %s is a group name. +#: actions/showgroup.php:80 #, php-format msgid "%s group" msgstr "مجموعة %s" +#. TRANS: Page title for any but first group page. +#. TRANS: %1$s is a group name, $2$s is a page number. #: actions/showgroup.php:84 #, php-format msgid "%1$s group, page %2$d" msgstr "مجموعة %1$s، الصفحة %2$d" -#: actions/showgroup.php:227 +#. TRANS: Group profile header (h2). Text hidden by default. +#: actions/showgroup.php:225 msgid "Group profile" msgstr "ملف المجموعة الشخصي" -#: actions/showgroup.php:272 actions/tagother.php:118 +#. TRANS: Label for group URL (dt). Text hidden by default. +#: actions/showgroup.php:275 actions/tagother.php:118 #: actions/userauthorization.php:175 lib/userprofile.php:178 msgid "URL" msgstr "مسار" -#: actions/showgroup.php:283 actions/tagother.php:128 +#. TRANS: Label for group description or group note (dt). Text hidden by default. +#: actions/showgroup.php:287 actions/tagother.php:128 #: actions/userauthorization.php:187 lib/userprofile.php:195 msgid "Note" msgstr "ملاحظة" -#: actions/showgroup.php:293 lib/groupeditform.php:184 +#. TRANS: Label for group aliases (dt). Text hidden by default. +#: actions/showgroup.php:298 lib/groupeditform.php:184 msgid "Aliases" msgstr "الكنى" -#: actions/showgroup.php:302 +#. TRANS: Group actions header (h2). Text hidden by default. +#: actions/showgroup.php:309 #, fuzzy msgid "Group actions" msgstr "تصرفات المستخدم" -#: actions/showgroup.php:344 +#. TRANS: Tooltip for feed link. %s is a group nickname. +#: actions/showgroup.php:350 #, php-format msgid "Notice feed for %s group (RSS 1.0)" msgstr "" -#: actions/showgroup.php:350 +#. TRANS: Tooltip for feed link. %s is a group nickname. +#: actions/showgroup.php:357 #, php-format msgid "Notice feed for %s group (RSS 2.0)" msgstr "" -#: actions/showgroup.php:356 +#. TRANS: Tooltip for feed link. %s is a group nickname. +#: actions/showgroup.php:364 #, php-format msgid "Notice feed for %s group (Atom)" msgstr "" -#: actions/showgroup.php:361 +#. TRANS: Tooltip for feed link. %s is a group nickname. +#: actions/showgroup.php:370 #, fuzzy, php-format msgid "FOAF for %s group" msgstr "مجموعة %s" -#: actions/showgroup.php:399 actions/showgroup.php:451 +#. TRANS: Header for mini list of group members on a group page (h2). +#: actions/showgroup.php:407 msgid "Members" msgstr "الأعضاء" -#: actions/showgroup.php:404 lib/profileaction.php:117 +#. TRANS: Description for mini list of group members on a group page when the group has no members. +#: actions/showgroup.php:413 lib/profileaction.php:117 #: lib/profileaction.php:152 lib/profileaction.php:255 lib/section.php:95 #: lib/subscriptionlist.php:127 lib/tagcloudsection.php:71 msgid "(None)" msgstr "(لا شيء)" -#: actions/showgroup.php:410 +#. TRANS: Link to all group members from mini list of group members if group has more than n members. +#: actions/showgroup.php:422 msgid "All members" msgstr "جميع الأعضاء" -#: actions/showgroup.php:445 +#. TRANS: Label for creation date in statistics on group page. +#: actions/showgroup.php:458 +#, fuzzy +msgctxt "LABEL" msgid "Created" msgstr "أنشئت" -#: actions/showgroup.php:461 +#. TRANS: Label for member count in statistics on group page. +#: actions/showgroup.php:466 +#, fuzzy +msgctxt "LABEL" +msgid "Members" +msgstr "الأعضاء" + +#. TRANS: Notice on group pages for anonymous users for StatusNet sites that accept new registrations. +#. TRANS: **%s** is the group alias, %%%%site.name%%%% is the site name, +#. TRANS: %%%%action.register%%%% is the URL for registration, %%%%doc.help%%%% is a URL to help. +#. TRANS: This message contains Markdown links. Ensure they are formatted correctly: [Description](link). +#: actions/showgroup.php:481 #, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -4566,7 +4714,10 @@ msgstr "" "[انضم الآن](%%%%action.register%%%%) لتصبح عضوًا في هذه المجموعة ومجموعات " "أخرى عديدة! ([اقرأ المزيد](%%%%doc.help%%%%))" -#: actions/showgroup.php:467 +#. TRANS: Notice on group pages for anonymous users for StatusNet sites that accept no new registrations. +#. TRANS: **%s** is the group alias, %%%%site.name%%%% is the site name, +#. TRANS: This message contains Markdown links. Ensure they are formatted correctly: [Description](link). +#: actions/showgroup.php:491 #, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -4578,24 +4729,31 @@ msgstr "" "en.wikipedia.org/wiki/Micro-blogging) المبنية على البرنامج الحر [StatusNet]" "(http://status.net/). يتشارك أعضاؤها رسائل قصيرة عن حياتهم واهتماماتهم. " -#: actions/showgroup.php:495 +#. TRANS: Header for list of group administrators on a group page (h2). +#: actions/showgroup.php:520 msgid "Admins" msgstr "الإداريون" -#: actions/showmessage.php:81 +#. TRANS: Client error displayed requesting a single message that does not exist. +#: actions/showmessage.php:79 msgid "No such message." msgstr "لا رسالة كهذه." -#: actions/showmessage.php:98 +#. TRANS: Client error displayed requesting a single direct message the requesting user was not a party in. +#: actions/showmessage.php:97 msgid "Only the sender and recipient may read this message." msgstr "يحق للمُرسل والمستلم فقط قراءة هذه الرسالة." -#: actions/showmessage.php:108 +#. TRANS: Page title for single direct message display when viewing user is the sender. +#. TRANS: %1$s is the addressed user's nickname, $2$s is a timestamp. +#: actions/showmessage.php:110 #, fuzzy, php-format msgid "Message to %1$s on %2$s" msgstr "الإشعارات التي فضلها %1$s في %2$s!" -#: actions/showmessage.php:113 +#. TRANS: Page title for single message display. +#. TRANS: %1$s is the sending user's nickname, $2$s is a timestamp. +#: actions/showmessage.php:118 #, fuzzy, php-format msgid "Message from %1$s on %2$s" msgstr "نتائج البحث ل\"%1$s\" على %2$s" @@ -5036,13 +5194,15 @@ msgstr "" msgid "Save snapshot settings" msgstr "اذف إعدادت الموقع" -#: actions/subedit.php:70 +#. TRANS: Client error displayed trying a change a subscription for a non-subscribed profile. +#: actions/subedit.php:75 #, fuzzy msgid "You are not subscribed to that profile." msgstr "لست مُشتركًا بأي أحد." +#. TRANS: Server error displayed when updating a subscription fails with a database error. #. TRANS: Exception thrown when a subscription could not be stored on the server. -#: actions/subedit.php:83 classes/Subscription.php:136 +#: actions/subedit.php:89 classes/Subscription.php:136 msgid "Could not save subscription." msgstr "تعذّر حفظ الاشتراك." @@ -5819,12 +5979,12 @@ msgid "Welcome to %1$s, @%2$s!" msgstr "أهلا بكم في %1$s يا @%2$s!" #. TRANS: Server exception. -#: classes/User.php:902 +#: classes/User.php:912 msgid "No single user defined for single-user mode." msgstr "" #. TRANS: Server exception. -#: classes/User.php:906 +#: classes/User.php:916 msgid "Single-user mode code called when not enabled." msgstr "" @@ -7009,7 +7169,8 @@ msgstr "أتوم" msgid "FOAF" msgstr "FOAF" -#: lib/feedlist.php:65 +#. TRANS: Header for feed links (h2). +#: lib/feedlist.php:66 msgid "Feeds" msgstr "" @@ -7170,41 +7331,71 @@ msgstr "" msgid "Unsupported image file format." msgstr "نسق غير مدعوم." -#: lib/imagefile.php:88 +#. TRANS: Exception thrown when too large a file is uploaded. +#. TRANS: %s is the maximum file size, for example "500b", "10kB" or "2MB". +#: lib/imagefile.php:90 #, php-format msgid "That file is too big. The maximum file size is %s." msgstr "هذا الملف كبير جدًا. إن أقصى حجم للملفات هو %s." -#: lib/imagefile.php:93 +#: lib/imagefile.php:95 #, fuzzy msgid "Partial upload." msgstr "لم يُرفع ملف." #. TRANS: Client exception thrown when a file upload operation has failed with an unknown reason. -#: lib/imagefile.php:101 lib/mediafile.php:179 +#: lib/imagefile.php:103 lib/mediafile.php:179 msgid "System error uploading file." msgstr "" -#: lib/imagefile.php:109 +#: lib/imagefile.php:111 msgid "Not an image or corrupt file." msgstr "" -#: lib/imagefile.php:122 +#: lib/imagefile.php:124 #, fuzzy msgid "Lost our file." msgstr "لا ملف كهذا." -#: lib/imagefile.php:163 lib/imagefile.php:224 +#: lib/imagefile.php:165 lib/imagefile.php:226 msgid "Unknown file type" msgstr "نوع ملف غير معروف" -#: lib/imagefile.php:244 -msgid "MB" -msgstr "ميجابايت" +#. TRANS: Number of megabytes. %d is the number. +#: lib/imagefile.php:248 +#, fuzzy, php-format +msgid "%dMB" +msgid_plural "%dMB" +msgstr[0] "ميجابايت" +msgstr[1] "ميجابايت" +msgstr[2] "ميجابايت" +msgstr[3] "ميجابايت" +msgstr[4] "ميجابايت" +msgstr[5] "ميجابايت" -#: lib/imagefile.php:246 -msgid "kB" -msgstr "كيلوبايت" +#. TRANS: Number of kilobytes. %d is the number. +#: lib/imagefile.php:252 +#, fuzzy, php-format +msgid "%dkB" +msgid_plural "%dkB" +msgstr[0] "كيلوبايت" +msgstr[1] "كيلوبايت" +msgstr[2] "كيلوبايت" +msgstr[3] "كيلوبايت" +msgstr[4] "كيلوبايت" +msgstr[5] "كيلوبايت" + +#. TRANS: Number of bytes. %d is the number. +#: lib/imagefile.php:255 +#, php-format +msgid "%dB" +msgid_plural "%dB" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" +msgstr[3] "" +msgstr[4] "" +msgstr[5] "" #: lib/jabber.php:387 #, php-format @@ -8014,6 +8205,13 @@ msgstr "خطأ أثناء تحديث الملف الشخصي البعيد." msgid "Top posters" msgstr "أعلى المرسلين" +#. TRANS: Title for the form to unblock a user. +#: lib/unblockform.php:67 +#, fuzzy +msgctxt "TITLE" +msgid "Unblock" +msgstr "ألغِ المنع" + #: lib/unsandboxform.php:69 #, fuzzy msgid "Unsandbox" @@ -8215,3 +8413,10 @@ msgstr "لا هوية مستخدم محددة." #, php-format msgid "%d entries in backup." msgstr "" + +#, fuzzy +#~ msgid "Description is too long (max %d chars)." +#~ msgstr "المنظمة طويلة جدا (الأقصى %d حرفا)." + +#~ msgid "Too many aliases! Maximum %d." +#~ msgstr "كنيات كيرة! العدد الأقصى هو %d." diff --git a/locale/arz/LC_MESSAGES/statusnet.po b/locale/arz/LC_MESSAGES/statusnet.po index 2f79e0763e..f6052299e2 100644 --- a/locale/arz/LC_MESSAGES/statusnet.po +++ b/locale/arz/LC_MESSAGES/statusnet.po @@ -11,19 +11,19 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet - Core\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-10-27 23:43+0000\n" -"PO-Revision-Date: 2010-10-28 23:08:45+0000\n" +"POT-Creation-Date: 2010-10-30 23:18+0000\n" +"PO-Revision-Date: 2010-10-30 23:19:50+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 (r75629); Translate extension (2010-09-17)\n" +"X-Generator: MediaWiki 1.17alpha (r75708); Translate extension (2010-09-17)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: arz\n" "X-Message-Group: #out-statusnet-core\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" -"X-POT-Import-Date: 2010-10-28 00:13:15+0000\n" +"X-POT-Import-Date: 2010-10-30 09:48:40+0000\n" #. TRANS: Page title for Access admin panel that allows configuring site access. #. TRANS: Menu item for site administration @@ -123,6 +123,7 @@ msgstr "لا وسم كهذا." #. TRANS: Client error displayed when requesting most recent dents by user and friends for a non-existing user. #. TRANS: Client error displayed when requesting most recent mentions for a non-existing user. #. TRANS: Client error displayed requesting most recent notices for a non-existing user. +#. TRANS: Client error displayed trying to get an avatar for a non-existing user. #. TRANS: Error text shown when trying to send a direct message to a user that does not exist. #: actions/all.php:80 actions/apiaccountupdatedeliverydevice.php:110 #: actions/apiaccountupdateprofile.php:103 @@ -135,7 +136,7 @@ msgstr "لا وسم كهذا." #: actions/apistatusesupdate.php:230 actions/apisubscriptions.php:85 #: actions/apitimelinefavorites.php:70 actions/apitimelinefriends.php:173 #: actions/apitimelinehome.php:78 actions/apitimelinementions.php:77 -#: actions/apitimelineuser.php:79 actions/avatarbynickname.php:75 +#: actions/apitimelineuser.php:79 actions/avatarbynickname.php:79 #: 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 @@ -307,11 +308,12 @@ msgstr "تعذّر تحديث المستخدم." #. TRANS: Client error displayed a user has no profile updating profile colours. #. TRANS: Client error displayed if a user profile could not be found updating a profile image. #. TRANS: Client error displayed when requesting user information for a user without a profile. +#. TRANS: Client error displayed trying to get an avatar for a user without a profile. #: actions/apiaccountupdateprofile.php:111 #: actions/apiaccountupdateprofilebackgroundimage.php:199 #: actions/apiaccountupdateprofilecolors.php:183 #: actions/apiaccountupdateprofileimage.php:130 actions/apiusershow.php:108 -#: actions/avatarbynickname.php:80 actions/foaf.php:65 actions/hcard.php:74 +#: actions/avatarbynickname.php:85 actions/foaf.php:65 actions/hcard.php:74 #: actions/replies.php:80 actions/usergroups.php:100 lib/galleryaction.php:66 #: lib/profileaction.php:84 msgid "User has no profile." @@ -326,7 +328,7 @@ msgstr "لم يمكن حفظ الملف." #. TRANS: %s is the number of bytes of the CONTENT_LENGTH. #: actions/apiaccountupdateprofilebackgroundimage.php:108 #: actions/apiaccountupdateprofileimage.php:95 actions/apimediaupload.php:81 -#: actions/apistatusesupdate.php:210 actions/avatarsettings.php:259 +#: actions/apistatusesupdate.php:210 actions/avatarsettings.php:269 #: actions/designadminpanel.php:125 actions/editapplication.php:121 #: actions/newapplication.php:104 actions/newnotice.php:95 #, php-format @@ -510,43 +512,53 @@ msgstr "تعذّر إيجاد المستخدم الهدف." msgid "Could not find target user." msgstr "تعذّر إيجاد المستخدم الهدف." +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. #. TRANS: Validation error in form for profile settings. -#: actions/apigroupcreate.php:165 actions/editgroup.php:186 -#: actions/newgroup.php:126 actions/profilesettings.php:243 +#: actions/apigroupcreate.php:165 actions/editgroup.php:191 +#: actions/newgroup.php:127 actions/profilesettings.php:243 #: actions/register.php:212 msgid "Nickname must have only lowercase letters and numbers and no spaces." msgstr "" #. TRANS: Client error trying to create a group with a nickname this is already in use. +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. #. TRANS: Validation error in form for profile settings. -#: actions/apigroupcreate.php:175 actions/editgroup.php:190 -#: actions/newgroup.php:130 actions/profilesettings.php:277 +#: actions/apigroupcreate.php:175 actions/editgroup.php:196 +#: actions/newgroup.php:132 actions/profilesettings.php:277 #: actions/register.php:215 msgid "Nickname already in use. Try another one." msgstr "" #. TRANS: Client error in form for group creation. +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. #. TRANS: Validation error in form for profile settings. -#: actions/apigroupcreate.php:183 actions/editgroup.php:193 -#: actions/newgroup.php:133 actions/profilesettings.php:247 +#: actions/apigroupcreate.php:183 actions/editgroup.php:200 +#: actions/newgroup.php:136 actions/profilesettings.php:247 #: actions/register.php:217 msgid "Not a valid nickname." msgstr "ليس اسمًا مستعارًا صحيحًا." #. TRANS: Client error in form for group creation. #. TRANS: Validation error shown when providing an invalid homepage URL in the "Edit application" form. +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. #. TRANS: Validation error in form for profile settings. #: actions/apigroupcreate.php:200 actions/editapplication.php:233 -#: actions/editgroup.php:199 actions/newapplication.php:211 -#: actions/newgroup.php:139 actions/profilesettings.php:252 +#: actions/editgroup.php:207 actions/newapplication.php:211 +#: actions/newgroup.php:143 actions/profilesettings.php:252 #: actions/register.php:224 msgid "Homepage is not a valid URL." msgstr "الصفحه الرئيسيه ليست عنونًا صالحًا." #. TRANS: Client error in form for group creation. +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. #. TRANS: Validation error in form for profile settings. -#: actions/apigroupcreate.php:210 actions/editgroup.php:202 -#: actions/newgroup.php:142 actions/profilesettings.php:256 +#: actions/apigroupcreate.php:210 actions/editgroup.php:211 +#: actions/newgroup.php:147 actions/profilesettings.php:256 #: actions/register.php:227 #, fuzzy msgid "Full name is too long (maximum 255 characters)." @@ -555,10 +567,11 @@ msgstr "الاسم الكامل طويل جدا (الأقصى 255 حرفًا)" #. TRANS: Client error shown when providing too long a description during group creation. #. TRANS: %d is the maximum number of allowed characters. #. TRANS: Validation error shown when providing too long a description in the "Edit application" form. +#. TRANS: Group edit form validation error. #. TRANS: Form validation error in New application form. #. TRANS: %d is the maximum number of characters for the description. #: actions/apigroupcreate.php:220 actions/editapplication.php:201 -#: actions/newapplication.php:178 +#: actions/editgroup.php:216 actions/newapplication.php:178 #, fuzzy, php-format msgid "Description is too long (maximum %d character)." msgid_plural "Description is too long (maximum %d characters)." @@ -570,9 +583,11 @@ msgstr[4] "المنظمه طويله جدا (اكتر حاجه %d رمز)." msgstr[5] "المنظمه طويله جدا (اكتر حاجه %d رمز)." #. TRANS: Client error shown when providing too long a location during group creation. +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. #. TRANS: Validation error in form for profile settings. -#: actions/apigroupcreate.php:234 actions/editgroup.php:208 -#: actions/newgroup.php:153 actions/profilesettings.php:269 +#: actions/apigroupcreate.php:234 actions/editgroup.php:223 +#: actions/newgroup.php:159 actions/profilesettings.php:269 #: actions/register.php:236 #, fuzzy msgid "Location is too long (maximum 255 characters)." @@ -580,7 +595,12 @@ msgstr "المنظمه طويله جدا (اكتر حاجه 255 رمز)." #. TRANS: Client error shown when providing too many aliases during group creation. #. TRANS: %d is the maximum number of allowed aliases. -#: actions/apigroupcreate.php:255 actions/newgroup.php:166 +#. TRANS: Group edit form validation error. +#. TRANS: %d is the maximum number of allowed aliases. +#. TRANS: Group create form validation error. +#. TRANS: %d is the maximum number of allowed aliases. +#: actions/apigroupcreate.php:255 actions/editgroup.php:236 +#: actions/newgroup.php:172 #, php-format msgid "Too many aliases! Maximum %d allowed." msgid_plural "Too many aliases! Maximum %d allowed." @@ -600,15 +620,19 @@ msgstr "كنيه غير صالحة: \"%s\"" #. TRANS: Client error displayed when trying to use an alias during group creation that is already in use. #. TRANS: %s is the alias that is already in use. -#: actions/apigroupcreate.php:291 actions/editgroup.php:232 -#: actions/newgroup.php:181 +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. +#: actions/apigroupcreate.php:291 actions/editgroup.php:253 +#: actions/newgroup.php:189 #, php-format msgid "Alias \"%s\" already in use. Try another one." msgstr "" #. TRANS: Client error displayed when trying to use an alias during group creation that is the same as the group's nickname. -#: actions/apigroupcreate.php:305 actions/editgroup.php:238 -#: actions/newgroup.php:187 +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. +#: actions/apigroupcreate.php:305 actions/editgroup.php:260 +#: actions/newgroup.php:196 msgid "Alias can't be the same as nickname." msgstr "" @@ -718,18 +742,18 @@ msgid "Request token already authorized." msgstr "لا تملك تصريحًا." #. TRANS: Form validation error in API OAuth authorisation because of an invalid session token. -#: actions/apioauthauthorize.php:147 actions/avatarsettings.php:270 +#: actions/apioauthauthorize.php:147 actions/avatarsettings.php:280 #: actions/deletenotice.php:172 actions/disfavor.php:74 #: actions/emailsettings.php:271 actions/favor.php:75 actions/geocode.php:55 #: actions/groupblock.php:66 actions/grouplogo.php:312 -#: actions/groupunblock.php:66 actions/imsettings.php:230 +#: actions/groupunblock.php:65 actions/imsettings.php:230 #: actions/invite.php:59 actions/login.php:137 actions/makeadmin.php:66 #: actions/newmessage.php:135 actions/newnotice.php:105 actions/nudge.php:80 #: actions/oauthappssettings.php:165 actions/oauthconnectionssettings.php:138 #: actions/othersettings.php:145 actions/passwordsettings.php:138 #: actions/profilesettings.php:221 actions/recoverpassword.php:350 #: actions/register.php:172 actions/remotesubscribe.php:77 -#: actions/repeat.php:83 actions/smssettings.php:256 actions/subedit.php:38 +#: actions/repeat.php:83 actions/smssettings.php:256 actions/subedit.php:40 #: actions/subscribe.php:86 actions/tagother.php:166 #: actions/unsubscribe.php:69 actions/userauthorization.php:52 #: lib/designsettings.php:294 @@ -748,12 +772,13 @@ msgid "Database error inserting oauth_token_association." msgstr "خطأ قاعده البيانات أثناء إدخال المستخدم OAuth app" #. TRANS: Client error given on when invalid data was passed through a form in the OAuth API. +#. TRANS: Unexpected validation error on avatar upload form. #. TRANS: Client error displayed submitting invalid form data for edit application. #. TRANS: Message given submitting a form with an unknown action in e-mail settings. #. TRANS: Message given submitting a form with an unknown action in IM settings. #. TRANS: Client error when submitting a form with unexpected information. #. TRANS: Message given submitting a form with an unknown action in SMS settings. -#: actions/apioauthauthorize.php:294 actions/avatarsettings.php:283 +#: actions/apioauthauthorize.php:294 actions/avatarsettings.php:294 #: actions/designadminpanel.php:104 actions/editapplication.php:144 #: actions/emailsettings.php:290 actions/grouplogo.php:322 #: actions/imsettings.php:245 actions/newapplication.php:125 @@ -802,6 +827,7 @@ msgstr "الحساب" #. TRANS: Field label on OAuth API authorisation form. #. TRANS: Field label in form for profile settings. +#. TRANS: Label for group nickname (dt). Text hidden by default. #: actions/apioauthauthorize.php:459 actions/login.php:252 #: actions/profilesettings.php:110 actions/register.php:433 #: actions/showgroup.php:245 actions/tagother.php:94 @@ -1065,106 +1091,139 @@ msgstr "الـ API method مش موجوده." msgid "User not found." msgstr "الـ API method مش موجوده." +#. TRANS: Client error displayed trying to get a non-existing attachment. #: actions/attachment.php:73 msgid "No such attachment." msgstr "لا مرفق كهذا." -#: actions/avatarbynickname.php:59 actions/blockedfromgroup.php:73 -#: actions/editgroup.php:84 actions/groupdesignsettings.php:84 +#. TRANS: Client error displayed trying to get an avatar without providing a nickname. +#. TRANS: Client error displayed when requesting a list of blocked users for a group without providing a group nickname. +#. TRANS: Client error displayed trying to edit a group while not proving a nickname for the group to edit. +#. TRANS: Client error displayed if no nickname argument was given requesting a group page. +#: actions/avatarbynickname.php:60 actions/blockedfromgroup.php:73 +#: actions/editgroup.php:85 actions/groupdesignsettings.php:84 #: actions/grouplogo.php:86 actions/groupmembers.php:76 #: actions/grouprss.php:91 actions/showgroup.php:121 msgid "No nickname." msgstr "لا اسم مستعار." -#: actions/avatarbynickname.php:64 +#. TRANS: Client error displayed trying to get an avatar without providing an avatar size. +#: actions/avatarbynickname.php:66 msgid "No size." msgstr "لا حجم." -#: actions/avatarbynickname.php:69 +#. TRANS: Client error displayed trying to get an avatar providing an invalid avatar size. +#: actions/avatarbynickname.php:72 msgid "Invalid size." msgstr "حجم غير صالح." +#. TRANS: Title for avatar upload page. +#. TRANS: Label for group avatar (dt). Text hidden by default. #. TRANS: Link description in user account settings menu. -#: actions/avatarsettings.php:67 actions/showgroup.php:230 +#: actions/avatarsettings.php:66 actions/showgroup.php:229 #: lib/accountsettingsaction.php:113 msgid "Avatar" msgstr "أفتار" +#. TRANS: Instruction for avatar upload page. +#. TRANS: %s is the maximum file size, for example "500b", "10kB" or "2MB". #: actions/avatarsettings.php:78 #, fuzzy, php-format msgid "You can upload your personal avatar. The maximum file size is %s." msgstr "تستطيع رفع صورتك الشخصيه. أقصى حجم للملف هو 2 م.ب." -#: actions/avatarsettings.php:106 actions/avatarsettings.php:185 +#. TRANS: Server error displayed in avatar upload page when no matching profile can be found for a user. +#: actions/avatarsettings.php:108 actions/avatarsettings.php:192 #: actions/grouplogo.php:181 actions/remotesubscribe.php:191 #: actions/userauthorization.php:72 actions/userrss.php:108 msgid "User without matching profile." msgstr "يوزر من-غير پروفايل زيّه." -#: actions/avatarsettings.php:119 actions/avatarsettings.php:197 +#. TRANS: Avatar upload page form legend. +#. TRANS: Avatar upload page crop form legend. +#: actions/avatarsettings.php:122 actions/avatarsettings.php:205 #: actions/grouplogo.php:254 msgid "Avatar settings" msgstr "إعدادات الأفتار" -#: actions/avatarsettings.php:127 actions/avatarsettings.php:205 +#. TRANS: Header on avatar upload page for thumbnail of originally uploaded avatar (h2). +#. TRANS: Header on avatar upload crop form for thumbnail of originally uploaded avatar (h2). +#: actions/avatarsettings.php:131 actions/avatarsettings.php:214 #: actions/grouplogo.php:202 actions/grouplogo.php:262 msgid "Original" msgstr "الأصلي" -#: actions/avatarsettings.php:142 actions/avatarsettings.php:217 +#. TRANS: Header on avatar upload page for thumbnail of to be used rendition of uploaded avatar (h2). +#. TRANS: Header on avatar upload crop form for thumbnail of to be used rendition of uploaded avatar (h2). +#: actions/avatarsettings.php:147 actions/avatarsettings.php:227 #: actions/grouplogo.php:213 actions/grouplogo.php:274 msgid "Preview" msgstr "عاين" -#: actions/avatarsettings.php:149 actions/showapplication.php:252 -#: lib/deletegroupform.php:121 lib/deleteuserform.php:66 -#: lib/noticelist.php:667 +#. TRANS: Button on avatar upload page to delete current avatar. +#: actions/avatarsettings.php:155 +#, fuzzy +msgctxt "BUTTON" msgid "Delete" msgstr "احذف" -#: actions/avatarsettings.php:166 actions/grouplogo.php:236 +#. TRANS: Button on avatar upload page to upload an avatar. +#: actions/avatarsettings.php:173 +#, fuzzy +msgctxt "BUTTON" msgid "Upload" msgstr "ارفع" -#: actions/avatarsettings.php:231 actions/grouplogo.php:289 +#. TRANS: Button on avatar upload crop form to confirm a selected crop as avatar. +#: actions/avatarsettings.php:243 #, fuzzy +msgctxt "BUTTON" msgid "Crop" msgstr "مجموعات" -#: actions/avatarsettings.php:307 +#. TRANS: Validation error on avatar upload form when no file was uploaded. +#: actions/avatarsettings.php:318 #, fuzzy msgid "No file uploaded." msgstr "لا ملف شخصى مُحدّد." -#: actions/avatarsettings.php:334 +#. TRANS: Avatar upload form unstruction after uploading a file. +#: actions/avatarsettings.php:346 msgid "Pick a square area of the image to be your avatar" msgstr "" -#: actions/avatarsettings.php:349 actions/grouplogo.php:380 +#. TRANS: Server error displayed if an avatar upload went wrong somehow server side. +#: actions/avatarsettings.php:361 actions/grouplogo.php:380 msgid "Lost our file data." msgstr "" -#: actions/avatarsettings.php:372 +#: actions/avatarsettings.php:384 msgid "Avatar updated." msgstr "رُفع الأفتار." -#: actions/avatarsettings.php:375 +#. TRANS: Error displayed on the avatar upload page if the avatar could not be updated for an unknown reason. +#: actions/avatarsettings.php:388 msgid "Failed updating avatar." msgstr "فشل تحديث الأفتار." -#: actions/avatarsettings.php:399 +#. TRANS: Success message for deleting a user avatar. +#: actions/avatarsettings.php:412 msgid "Avatar deleted." msgstr "حُذف الأفتار." -#: actions/block.php:69 +#. TRANS: Client error displayed when blocking a user that has already been blocked. +#: actions/block.php:68 msgid "You already blocked that user." msgstr "لقد منعت مسبقا هذا المستخدم." -#: actions/block.php:107 actions/block.php:136 actions/groupblock.php:158 +#. TRANS: Title for block user page. +#. TRANS: Legend for block user form. +#: actions/block.php:106 actions/block.php:136 actions/groupblock.php:158 msgid "Block user" msgstr "امنع المستخدم" -#: actions/block.php:138 +#. TRANS: Explanation of consequences when blocking a user on the block user page. +#: actions/block.php:139 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 " @@ -1177,7 +1236,7 @@ msgstr "" #. TRANS: Button label on the delete notice form. #. TRANS: Button label on the delete user form. #. TRANS: Button label on the form to block a user from a group. -#: actions/block.php:153 actions/deleteapplication.php:154 +#: actions/block.php:154 actions/deleteapplication.php:154 #: actions/deletegroup.php:220 actions/deletenotice.php:150 #: actions/deleteuser.php:152 actions/groupblock.php:178 msgctxt "BUTTON" @@ -1186,7 +1245,7 @@ msgstr "ملاحظة" #. TRANS: Submit button title for 'No' when blocking a user. #. TRANS: Submit button title for 'No' when deleting a user. -#: actions/block.php:157 actions/deleteuser.php:156 +#: actions/block.php:158 actions/deleteuser.php:156 msgid "Do not block this user" msgstr "لا تمنع هذا المستخدم" @@ -1196,7 +1255,7 @@ msgstr "لا تمنع هذا المستخدم" #. TRANS: Button label on the delete notice form. #. TRANS: Button label on the delete user form. #. TRANS: Button label on the form to block a user from a group. -#: actions/block.php:160 actions/deleteapplication.php:161 +#: actions/block.php:161 actions/deleteapplication.php:161 #: actions/deletegroup.php:227 actions/deletenotice.php:157 #: actions/deleteuser.php:159 actions/groupblock.php:185 #, fuzzy @@ -1206,92 +1265,113 @@ msgstr "نعم" #. TRANS: Submit button title for 'Yes' when blocking a user. #. TRANS: Description of the form to block a user. -#: actions/block.php:164 lib/blockform.php:79 +#: actions/block.php:165 lib/blockform.php:79 msgid "Block this user" msgstr "امنع هذا المستخدم" -#: actions/block.php:187 +#. TRANS: Server error displayed when blocking a user fails. +#: actions/block.php:189 msgid "Failed to save block information." msgstr "فشل حفظ معلومات المنع." +#. TRANS: Client error displayed when requesting a list of blocked users for a non-local group. +#. TRANS: Client error displayed when requesting a list of blocked users for a non-existing group. #. TRANS: Client error when trying to delete a non-local group. #. TRANS: Client error when trying to delete a non-existing group. +#. TRANS: Client error displayed trying to edit a non-existing group. +#. TRANS: Client error displayed when trying to unblock a user from a non-existing group. +#. TRANS: Client error displayed if no remote group with a given name was found requesting group page. +#. TRANS: Client error displayed if no local group with a given name was found requesting group page. #. TRANS: Command exception text shown when a group is requested that does not exist. #. TRANS: Error text shown when trying to leave a group that does not exist. -#: actions/blockedfromgroup.php:80 actions/blockedfromgroup.php:87 +#: actions/blockedfromgroup.php:81 actions/blockedfromgroup.php:89 #: actions/deletegroup.php:87 actions/deletegroup.php:100 -#: actions/editgroup.php:100 actions/foafgroup.php:44 actions/foafgroup.php:62 +#: actions/editgroup.php:102 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/groupunblock.php:88 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:168 +#: actions/showgroup.php:139 actions/showgroup.php:148 lib/command.php:168 #: lib/command.php:380 msgid "No such group." msgstr "لا مجموعه كهذه." -#: actions/blockedfromgroup.php:97 +#. TRANS: Title for first page with list of users blocked from a group. +#. TRANS: %s is a group nickname. +#: actions/blockedfromgroup.php:101 #, fuzzy, php-format msgid "%s blocked profiles" msgstr "%1$s فايلات معمول ليها بلوك, الصفحه %2$d" -#: actions/blockedfromgroup.php:100 +#. TRANS: Title for any but the first page with list of users blocked from a group. +#. TRANS: %1$s is a group nickname, %2$d is a page number. +#: actions/blockedfromgroup.php:106 #, php-format msgid "%1$s blocked profiles, page %2$d" msgstr "%1$s فايلات معمول ليها بلوك, الصفحه %2$d" -#: actions/blockedfromgroup.php:115 +#. TRANS: Instructions for list of users blocked from a group. +#: actions/blockedfromgroup.php:122 #, fuzzy msgid "A list of the users blocked from joining this group." msgstr "قائمه بمستخدمى هذه المجموعه." -#: actions/blockedfromgroup.php:288 +#. TRANS: Form legend for unblocking a user from a group. +#: actions/blockedfromgroup.php:291 msgid "Unblock user from group" msgstr "ألغ منع المستخدم من المجموعة" -#. TRANS: Title for the form to unblock a user. -#: actions/blockedfromgroup.php:320 lib/unblockform.php:70 +#. TRANS: Button text for unblocking a user from a group. +#: actions/blockedfromgroup.php:323 +#, fuzzy +msgctxt "BUTTON" msgid "Unblock" msgstr "ألغِ المنع" +#. TRANS: Tooltip for button for unblocking a user from a group. #. TRANS: Description of the form to unblock a user. -#: actions/blockedfromgroup.php:320 lib/unblockform.php:82 +#: actions/blockedfromgroup.php:327 lib/unblockform.php:78 msgid "Unblock this user" msgstr "ألغِ منع هذا المستخدم" #. TRANS: Title for mini-posting window loaded from bookmarklet. +#. TRANS: %s is the StatusNet site name. #: actions/bookmarklet.php:51 #, fuzzy, php-format msgid "Post to %s" msgstr "مجموعات %s" -#: actions/confirmaddress.php:75 +#. TRANS: Client error displayed when not providing a confirmation code in the contact address confirmation action. +#: actions/confirmaddress.php:74 msgid "No confirmation code." msgstr "لا رمز تأكيد." +#. TRANS: Client error displayed when providing a non-existing confirmation code in the contact address confirmation action. #: actions/confirmaddress.php:80 msgid "Confirmation code not found." msgstr "لم يوجد رمز التأكيد." -#: actions/confirmaddress.php:85 +#. TRANS: Client error displayed when not providing a confirmation code for another user in the contact address confirmation action. +#: actions/confirmaddress.php:86 msgid "That confirmation code is not for you!" msgstr "رمز التأكيد ليس لك!" -#. TRANS: Server error for an unknow address type, which can be 'email', 'jabber', or 'sms'. -#: actions/confirmaddress.php:91 +#. TRANS: Server error for a unknow address type %s, which can be 'email', 'jabber', or 'sms'. +#: actions/confirmaddress.php:92 #, php-format msgid "Unrecognized address type %s." msgstr "" -#. TRANS: Client error for an already confirmed email/jabbel/sms address. -#: actions/confirmaddress.php:96 +#. TRANS: Client error for an already confirmed email/jabber/sms address. +#: actions/confirmaddress.php:97 #, fuzzy msgid "That address has already been confirmed." msgstr "هذا البريد الإلكترونى ملك مستخدم آخر بالفعل." +#. TRANS: Server error displayed when a user update to the database fails in the contact address confirmation action. #. TRANS: Server error thrown on database error updating e-mail preferences. #. TRANS: Server error thrown on database error removing a registered e-mail address. #. TRANS: Server error thrown on database error updating IM preferences. @@ -1299,7 +1379,7 @@ msgstr "هذا البريد الإلكترونى ملك مستخدم آخر با #. TRANS: Server error thrown when user profile settings could not be updated. #. TRANS: Server error thrown on database error updating SMS preferences. #. TRANS: Server error thrown on database error removing a registered SMS phone number. -#: actions/confirmaddress.php:116 actions/emailsettings.php:331 +#: actions/confirmaddress.php:118 actions/emailsettings.php:331 #: actions/emailsettings.php:477 actions/imsettings.php:283 #: actions/imsettings.php:442 actions/othersettings.php:174 #: actions/profilesettings.php:326 actions/smssettings.php:308 @@ -1307,27 +1387,32 @@ msgstr "هذا البريد الإلكترونى ملك مستخدم آخر با msgid "Couldn't update user." msgstr "تعذّر تحديث المستخدم." -#. TRANS: Server error thrown on database error canceling e-mail address confirmation. -#. TRANS: Server error thrown on database error canceling SMS phone number confirmation. -#: actions/confirmaddress.php:128 actions/emailsettings.php:437 -#: actions/smssettings.php:422 -msgid "Couldn't delete email confirmation." +#. TRANS: Server error displayed when an address confirmation code deletion from the +#. TRANS: database fails in the contact address confirmation action. +#: actions/confirmaddress.php:132 +#, fuzzy +msgid "Could not delete address confirmation." msgstr "تعذّر حذف تأكيد البريد الإلكترونى." -#: actions/confirmaddress.php:146 +#. TRANS: Title for the contact address confirmation action. +#: actions/confirmaddress.php:150 msgid "Confirm address" msgstr "اكد العنوان" -#: actions/confirmaddress.php:161 +#. TRANS: Success message for the contact address confirmation action. +#. TRANS: %s can be 'email', 'jabber', or 'sms'. +#: actions/confirmaddress.php:166 #, php-format msgid "The address \"%s\" has been confirmed for your account." msgstr "" -#: actions/conversation.php:99 +#. TRANS: Title for page with a conversion (multiple notices in context). +#: actions/conversation.php:96 msgid "Conversation" msgstr "محادثة" -#: actions/conversation.php:154 lib/mailbox.php:116 lib/noticelist.php:87 +#. TRANS: Header on conversation page. Hidden by default (h2). +#: actions/conversation.php:149 lib/mailbox.php:116 lib/noticelist.php:87 #: lib/profileaction.php:229 lib/searchgroupnav.php:82 msgid "Notices" msgstr "الإشعارات" @@ -1436,11 +1521,13 @@ msgstr "لا تحذف هذا الإشعار" msgid "Delete this group" msgstr "احذف هذا المستخدم" +#. TRANS: Client error displayed when trying to unblock a user from a group while not logged in. +#. TRANS: Client error displayed trying a change a subscription while not logged in. #. TRANS: Client error message thrown when trying to access the admin panel while not logged in. #: actions/deletenotice.php:50 actions/disfavor.php:61 actions/favor.php:62 -#: actions/groupblock.php:61 actions/groupunblock.php:61 actions/logout.php:69 +#: actions/groupblock.php:61 actions/groupunblock.php:60 actions/logout.php:69 #: actions/makeadmin.php:61 actions/newmessage.php:87 actions/newnotice.php:88 -#: actions/nudge.php:63 actions/subedit.php:31 actions/subscribe.php:96 +#: actions/nudge.php:63 actions/subedit.php:33 actions/subscribe.php:96 #: actions/tagother.php:33 actions/unsubscribe.php:52 #: lib/adminpanelaction.php:71 lib/profileformaction.php:64 #: lib/settingsaction.php:72 @@ -1745,49 +1832,49 @@ msgstr "الSource URL مش مظبوط." msgid "Could not update application." msgstr "ما نفعش تحديث الapplication." -#: actions/editgroup.php:56 +#. TRANS: Title for form to edit a group. %s is a group nickname. +#: actions/editgroup.php:55 #, php-format msgid "Edit %s group" msgstr "عدّل مجموعه %s" +#. TRANS: Client error displayed trying to edit a group while not logged in. +#. TRANS: Client error displayed trying to create a group while not logged in. #: actions/editgroup.php:68 actions/grouplogo.php:70 actions/newgroup.php:65 msgid "You must be logged in to create a group." msgstr "يجب أن تكون والجًا لتنشئ مجموعه." -#: actions/editgroup.php:107 actions/editgroup.php:172 +#. TRANS: Client error displayed trying to edit a group while not being a group admin. +#: actions/editgroup.php:110 actions/editgroup.php:176 #: actions/groupdesignsettings.php:107 actions/grouplogo.php:109 msgid "You must be an admin to edit the group." msgstr "لازم تكون ادارى علشان تعدّل الجروپ." -#: actions/editgroup.php:158 +#. TRANS: Form instructions for group edit form. +#: actions/editgroup.php:161 msgid "Use this form to edit the group." msgstr "استخدم هذا النموذج لتعديل المجموعه." -#: actions/editgroup.php:205 -#, fuzzy, php-format -msgid "Description is too long (max %d chars)." -msgstr "المنظمه طويله جدا (اكتر حاجه %d رمز)." - -#: actions/editgroup.php:219 -#, php-format -msgid "Too many aliases! Maximum %d." -msgstr "" - -#: actions/editgroup.php:228 actions/newgroup.php:177 +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. +#: actions/editgroup.php:248 actions/newgroup.php:184 #, php-format msgid "Invalid alias: \"%s\"" msgstr "كنيه غير صالحة: \"%s\"" -#: actions/editgroup.php:258 +#. TRANS: Server error displayed when editing a group fails. +#: actions/editgroup.php:281 msgid "Could not update group." msgstr "تعذر تحديث المجموعه." +#. TRANS: Server error displayed when group aliases could not be added. #. TRANS: Server exception thrown when creating group aliases failed. -#: actions/editgroup.php:264 classes/User_group.php:513 +#: actions/editgroup.php:288 classes/User_group.php:513 msgid "Could not create aliases." msgstr "تعذّر إنشاء الكنى." -#: actions/editgroup.php:280 +#. TRANS: Group edit form success message. +#: actions/editgroup.php:305 msgid "Options saved." msgstr "حُفظت الخيارات." @@ -1982,6 +2069,12 @@ msgstr "لا رمز تأكيد." msgid "That is the wrong email address." msgstr "هذا عنوان محادثه فوريه خاطئ." +#. TRANS: Server error thrown on database error canceling e-mail address confirmation. +#. TRANS: Server error thrown on database error canceling SMS phone number confirmation. +#: actions/emailsettings.php:437 actions/smssettings.php:422 +msgid "Couldn't delete email confirmation." +msgstr "تعذّر حذف تأكيد البريد الإلكترونى." + #. TRANS: Message given after successfully canceling e-mail address confirmation. #: actions/emailsettings.php:442 msgid "Email confirmation cancelled." @@ -2166,19 +2259,23 @@ msgstr "لا يمكنك إسكات المستخدمين على هذا الموق msgid "User already has this role." msgstr "المستخدم مسكت من قبل." +#. TRANS: Client error displayed when trying to unblock a user from a group without providing a profile. +#. TRANS: Client error displayed trying a change a subscription without providing a profile. #: actions/groupblock.php:71 actions/groupunblock.php:71 -#: actions/makeadmin.php:71 actions/subedit.php:46 +#: actions/makeadmin.php:71 actions/subedit.php:49 #: lib/profileformaction.php:79 msgid "No profile specified." msgstr "لا ملف شخصى مُحدّد." -#: actions/groupblock.php:76 actions/groupunblock.php:76 -#: actions/makeadmin.php:76 actions/subedit.php:53 actions/tagother.php:46 +#. TRANS: Client error displayed when trying to unblock a user from a group without providing an existing profile. +#. TRANS: Client error displayed trying a change a subscription for a non-existant profile ID. +#: actions/groupblock.php:76 actions/groupunblock.php:77 +#: actions/makeadmin.php:76 actions/subedit.php:57 actions/tagother.php:46 #: actions/unsubscribe.php:84 lib/profileformaction.php:86 msgid "No profile with that ID." msgstr "لا ملف شخصى بهذه الهويه." -#: actions/groupblock.php:81 actions/groupunblock.php:81 +#: actions/groupblock.php:81 actions/groupunblock.php:82 #: actions/makeadmin.php:81 msgid "No group specified." msgstr "لا مجموعه مُحدّده." @@ -2260,6 +2357,15 @@ msgid "" "You can upload a logo image for your group. The maximum file size is %s." msgstr "تستطيع رفع صورتك الشخصيه. أقصى حجم للملف هو 2 م.ب." +#: actions/grouplogo.php:236 +msgid "Upload" +msgstr "ارفع" + +#: actions/grouplogo.php:289 +#, fuzzy +msgid "Crop" +msgstr "مجموعات" + #: actions/grouplogo.php:365 msgid "Pick a square area of the image to be the logo." msgstr "" @@ -2392,15 +2498,18 @@ msgid "" "action.newgroup%%) yourself!" msgstr "" -#: actions/groupunblock.php:91 +#. TRANS: Client error displayed when trying to unblock a user from a group without being an administrator for the group. +#: actions/groupunblock.php:94 msgid "Only an admin can unblock group members." msgstr "" -#: actions/groupunblock.php:95 +#. TRANS: Client error displayed when trying to unblock a non-blocked user from a group. +#: actions/groupunblock.php:99 msgid "User is not blocked from group." msgstr "المستخدم ليس ممنوعًا من المجموعه." -#: actions/groupunblock.php:128 actions/unblock.php:86 +#. TRANS: Server error displayed when unblocking a user from a group fails because of an unknown error. +#: actions/groupunblock.php:131 actions/unblock.php:86 msgid "Error removing the block." msgstr "خطأ أثناء منع الحجب." @@ -2968,10 +3077,12 @@ msgstr "المنظمه طويله جدا (اكتر حاجه 255 رمز)." msgid "Could not create application." msgstr "مش ممكن إنشاء الapplication." +#. TRANS: Title for form to create a group. #: actions/newgroup.php:53 msgid "New group" msgstr "مجموعه جديدة" +#. TRANS: Form instructions for group create form. #: actions/newgroup.php:110 msgid "Use this form to create a new group." msgstr "استخدم هذا النموذج لإنشاء مجموعه جديده." @@ -3662,8 +3773,9 @@ msgid "1-64 lowercase letters or numbers, no punctuation or spaces." msgstr "" #. TRANS: Field label in form for profile settings. +#. TRANS: Label for full group name (dt). Text hidden by default. #: actions/profilesettings.php:117 actions/register.php:457 -#: actions/showgroup.php:256 actions/tagother.php:104 +#: actions/showgroup.php:257 actions/tagother.php:104 #: lib/groupeditform.php:157 lib/userprofile.php:150 msgid "Full name" msgstr "الاسم الكامل" @@ -3706,8 +3818,9 @@ msgid "Bio" msgstr "السيرة" #. TRANS: Field label in form for profile settings. +#. TRANS: Label for group location (dt). Text hidden by default. #: actions/profilesettings.php:149 actions/register.php:485 -#: actions/showgroup.php:265 actions/tagother.php:112 +#: actions/showgroup.php:267 actions/tagother.php:112 #: actions/userauthorization.php:166 lib/groupeditform.php:177 #: lib/userprofile.php:165 msgid "Location" @@ -4399,7 +4512,8 @@ msgstr "المنظمه" msgid "Description" msgstr "الوصف" -#: actions/showapplication.php:192 actions/showgroup.php:442 +#. TRANS: Header for group statistics on a group page (h2). +#: actions/showapplication.php:192 actions/showgroup.php:453 #: lib/profileaction.php:187 msgid "Statistics" msgstr "إحصاءات" @@ -4418,6 +4532,11 @@ msgstr "OAuth applications" msgid "Reset key & secret" msgstr "" +#: actions/showapplication.php:252 lib/deletegroupform.php:121 +#: lib/deleteuserform.php:66 lib/noticelist.php:667 +msgid "Delete" +msgstr "احذف" + #: actions/showapplication.php:261 #, fuzzy msgid "Application info" @@ -4508,78 +4627,107 @@ msgstr "" msgid "This is a way to share what you like." msgstr "إنها إحدى وسائل مشاركه ما تحب." -#: actions/showgroup.php:82 +#. TRANS: Page title for first group page. %s is a group name. +#: actions/showgroup.php:80 #, php-format msgid "%s group" msgstr "مجموعه %s" +#. TRANS: Page title for any but first group page. +#. TRANS: %1$s is a group name, $2$s is a page number. #: actions/showgroup.php:84 #, php-format msgid "%1$s group, page %2$d" msgstr "%1$s اعضاء الجروپ, صفحه %2$d" -#: actions/showgroup.php:227 +#. TRANS: Group profile header (h2). Text hidden by default. +#: actions/showgroup.php:225 msgid "Group profile" msgstr "ملف المجموعه الشخصي" -#: actions/showgroup.php:272 actions/tagother.php:118 +#. TRANS: Label for group URL (dt). Text hidden by default. +#: actions/showgroup.php:275 actions/tagother.php:118 #: actions/userauthorization.php:175 lib/userprofile.php:178 msgid "URL" msgstr "مسار" -#: actions/showgroup.php:283 actions/tagother.php:128 +#. TRANS: Label for group description or group note (dt). Text hidden by default. +#: actions/showgroup.php:287 actions/tagother.php:128 #: actions/userauthorization.php:187 lib/userprofile.php:195 msgid "Note" msgstr "ملاحظة" -#: actions/showgroup.php:293 lib/groupeditform.php:184 +#. TRANS: Label for group aliases (dt). Text hidden by default. +#: actions/showgroup.php:298 lib/groupeditform.php:184 msgid "Aliases" msgstr "الكنى" -#: actions/showgroup.php:302 +#. TRANS: Group actions header (h2). Text hidden by default. +#: actions/showgroup.php:309 #, fuzzy msgid "Group actions" msgstr "تصرفات المستخدم" -#: actions/showgroup.php:344 +#. TRANS: Tooltip for feed link. %s is a group nickname. +#: actions/showgroup.php:350 #, php-format msgid "Notice feed for %s group (RSS 1.0)" msgstr "" -#: actions/showgroup.php:350 +#. TRANS: Tooltip for feed link. %s is a group nickname. +#: actions/showgroup.php:357 #, php-format msgid "Notice feed for %s group (RSS 2.0)" msgstr "" -#: actions/showgroup.php:356 +#. TRANS: Tooltip for feed link. %s is a group nickname. +#: actions/showgroup.php:364 #, php-format msgid "Notice feed for %s group (Atom)" msgstr "" -#: actions/showgroup.php:361 +#. TRANS: Tooltip for feed link. %s is a group nickname. +#: actions/showgroup.php:370 #, fuzzy, php-format msgid "FOAF for %s group" msgstr "مجموعه %s" -#: actions/showgroup.php:399 actions/showgroup.php:451 +#. TRANS: Header for mini list of group members on a group page (h2). +#: actions/showgroup.php:407 msgid "Members" msgstr "الأعضاء" -#: actions/showgroup.php:404 lib/profileaction.php:117 +#. TRANS: Description for mini list of group members on a group page when the group has no members. +#: actions/showgroup.php:413 lib/profileaction.php:117 #: lib/profileaction.php:152 lib/profileaction.php:255 lib/section.php:95 #: lib/subscriptionlist.php:127 lib/tagcloudsection.php:71 msgid "(None)" msgstr "(لا شيء)" -#: actions/showgroup.php:410 +#. TRANS: Link to all group members from mini list of group members if group has more than n members. +#: actions/showgroup.php:422 msgid "All members" msgstr "جميع الأعضاء" -#: actions/showgroup.php:445 +#. TRANS: Label for creation date in statistics on group page. +#: actions/showgroup.php:458 +#, fuzzy +msgctxt "LABEL" msgid "Created" msgstr "أنشئ" -#: actions/showgroup.php:461 +#. TRANS: Label for member count in statistics on group page. +#: actions/showgroup.php:466 +#, fuzzy +msgctxt "LABEL" +msgid "Members" +msgstr "الأعضاء" + +#. TRANS: Notice on group pages for anonymous users for StatusNet sites that accept new registrations. +#. TRANS: **%s** is the group alias, %%%%site.name%%%% is the site name, +#. TRANS: %%%%action.register%%%% is the URL for registration, %%%%doc.help%%%% is a URL to help. +#. TRANS: This message contains Markdown links. Ensure they are formatted correctly: [Description](link). +#: actions/showgroup.php:481 #, fuzzy, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -4593,7 +4741,10 @@ msgstr "" "الآن](%%action.register%%) لتشارك اشعاراتك مع أصدقائك وعائلتك وزملائك! " "([اقرأ المزيد](%%doc.help%%))" -#: actions/showgroup.php:467 +#. TRANS: Notice on group pages for anonymous users for StatusNet sites that accept no new registrations. +#. TRANS: **%s** is the group alias, %%%%site.name%%%% is the site name, +#. TRANS: This message contains Markdown links. Ensure they are formatted correctly: [Description](link). +#: actions/showgroup.php:491 #, fuzzy, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -4604,24 +4755,31 @@ msgstr "" "هنا %%site.name%%، خدمه [التدوين المُصغّر](http://en.wikipedia.org/wiki/Micro-" "blogging) المبنيه على البرنامج الحر [StatusNet](http://status.net/)." -#: actions/showgroup.php:495 +#. TRANS: Header for list of group administrators on a group page (h2). +#: actions/showgroup.php:520 msgid "Admins" msgstr "الإداريون" -#: actions/showmessage.php:81 +#. TRANS: Client error displayed requesting a single message that does not exist. +#: actions/showmessage.php:79 msgid "No such message." msgstr "لا رساله كهذه." -#: actions/showmessage.php:98 +#. TRANS: Client error displayed requesting a single direct message the requesting user was not a party in. +#: actions/showmessage.php:97 msgid "Only the sender and recipient may read this message." msgstr "يحق للمُرسل والمستلم فقط قراءه هذه الرساله." -#: actions/showmessage.php:108 +#. TRANS: Page title for single direct message display when viewing user is the sender. +#. TRANS: %1$s is the addressed user's nickname, $2$s is a timestamp. +#: actions/showmessage.php:110 #, fuzzy, php-format msgid "Message to %1$s on %2$s" msgstr "أهلا بكم فى %1$s يا @%2$s!" -#: actions/showmessage.php:113 +#. TRANS: Page title for single message display. +#. TRANS: %1$s is the sending user's nickname, $2$s is a timestamp. +#: actions/showmessage.php:118 #, fuzzy, php-format msgid "Message from %1$s on %2$s" msgstr "نتايج التدوير لـ\"%1$s\" على %2$s" @@ -5071,13 +5229,15 @@ msgstr "" msgid "Save snapshot settings" msgstr "اذف إعدادت الموقع" -#: actions/subedit.php:70 +#. TRANS: Client error displayed trying a change a subscription for a non-subscribed profile. +#: actions/subedit.php:75 #, fuzzy msgid "You are not subscribed to that profile." msgstr "لست مُشتركًا بأى أحد." +#. TRANS: Server error displayed when updating a subscription fails with a database error. #. TRANS: Exception thrown when a subscription could not be stored on the server. -#: actions/subedit.php:83 classes/Subscription.php:136 +#: actions/subedit.php:89 classes/Subscription.php:136 msgid "Could not save subscription." msgstr "تعذّر حفظ الاشتراك." @@ -5854,12 +6014,12 @@ msgid "Welcome to %1$s, @%2$s!" msgstr "أهلا بكم فى %1$s يا @%2$s!" #. TRANS: Server exception. -#: classes/User.php:902 +#: classes/User.php:912 msgid "No single user defined for single-user mode." msgstr "" #. TRANS: Server exception. -#: classes/User.php:906 +#: classes/User.php:916 msgid "Single-user mode code called when not enabled." msgstr "" @@ -7032,7 +7192,8 @@ msgstr "أتوم" msgid "FOAF" msgstr "FOAF" -#: lib/feedlist.php:65 +#. TRANS: Header for feed links (h2). +#: lib/feedlist.php:66 msgid "Feeds" msgstr "" @@ -7192,41 +7353,71 @@ msgstr "" msgid "Unsupported image file format." msgstr "نسق غير مدعوم." -#: lib/imagefile.php:88 +#. TRANS: Exception thrown when too large a file is uploaded. +#. TRANS: %s is the maximum file size, for example "500b", "10kB" or "2MB". +#: lib/imagefile.php:90 #, php-format msgid "That file is too big. The maximum file size is %s." msgstr "هذا الملف كبير جدًا. إن أقصى حجم للملفات هو %s." -#: lib/imagefile.php:93 +#: lib/imagefile.php:95 #, fuzzy msgid "Partial upload." msgstr "رُفع الأفتار." #. TRANS: Client exception thrown when a file upload operation has failed with an unknown reason. -#: lib/imagefile.php:101 lib/mediafile.php:179 +#: lib/imagefile.php:103 lib/mediafile.php:179 msgid "System error uploading file." msgstr "" -#: lib/imagefile.php:109 +#: lib/imagefile.php:111 msgid "Not an image or corrupt file." msgstr "" -#: lib/imagefile.php:122 +#: lib/imagefile.php:124 #, fuzzy msgid "Lost our file." msgstr "لا ملف كهذا." -#: lib/imagefile.php:163 lib/imagefile.php:224 +#: lib/imagefile.php:165 lib/imagefile.php:226 msgid "Unknown file type" msgstr "نوع ملف غير معروف" -#: lib/imagefile.php:244 -msgid "MB" -msgstr "ميجابايت" +#. TRANS: Number of megabytes. %d is the number. +#: lib/imagefile.php:248 +#, fuzzy, php-format +msgid "%dMB" +msgid_plural "%dMB" +msgstr[0] "ميجابايت" +msgstr[1] "ميجابايت" +msgstr[2] "ميجابايت" +msgstr[3] "ميجابايت" +msgstr[4] "ميجابايت" +msgstr[5] "ميجابايت" -#: lib/imagefile.php:246 -msgid "kB" -msgstr "كيلوبايت" +#. TRANS: Number of kilobytes. %d is the number. +#: lib/imagefile.php:252 +#, fuzzy, php-format +msgid "%dkB" +msgid_plural "%dkB" +msgstr[0] "كيلوبايت" +msgstr[1] "كيلوبايت" +msgstr[2] "كيلوبايت" +msgstr[3] "كيلوبايت" +msgstr[4] "كيلوبايت" +msgstr[5] "كيلوبايت" + +#. TRANS: Number of bytes. %d is the number. +#: lib/imagefile.php:255 +#, php-format +msgid "%dB" +msgid_plural "%dB" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" +msgstr[3] "" +msgstr[4] "" +msgstr[5] "" #: lib/jabber.php:387 #, php-format @@ -8017,6 +8208,13 @@ msgstr "خطأ أثناء منع الحجب." msgid "Top posters" msgstr "أعلى المرسلين" +#. TRANS: Title for the form to unblock a user. +#: lib/unblockform.php:67 +#, fuzzy +msgctxt "TITLE" +msgid "Unblock" +msgstr "ألغِ المنع" + #: lib/unsandboxform.php:69 #, fuzzy msgid "Unsandbox" @@ -8220,3 +8418,7 @@ msgstr "ما فيش ID متحدد لليوزر." #, php-format msgid "%d entries in backup." msgstr "" + +#, fuzzy +#~ msgid "Description is too long (max %d chars)." +#~ msgstr "المنظمه طويله جدا (اكتر حاجه %d رمز)." diff --git a/locale/bg/LC_MESSAGES/statusnet.po b/locale/bg/LC_MESSAGES/statusnet.po index 1be9f60d0a..78ce578d22 100644 --- a/locale/bg/LC_MESSAGES/statusnet.po +++ b/locale/bg/LC_MESSAGES/statusnet.po @@ -10,17 +10,17 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet - Core\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-10-27 23:43+0000\n" -"PO-Revision-Date: 2010-10-28 23:08:46+0000\n" +"POT-Creation-Date: 2010-10-30 23:18+0000\n" +"PO-Revision-Date: 2010-10-30 23:19:53+0000\n" "Language-Team: Bulgarian \n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r75629); Translate extension (2010-09-17)\n" +"X-Generator: MediaWiki 1.17alpha (r75708); Translate extension (2010-09-17)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: bg\n" "X-Message-Group: #out-statusnet-core\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-POT-Import-Date: 2010-10-28 00:13:15+0000\n" +"X-POT-Import-Date: 2010-10-30 09:48:40+0000\n" #. TRANS: Page title for Access admin panel that allows configuring site access. #. TRANS: Menu item for site administration @@ -116,6 +116,7 @@ msgstr "Няма такака страница." #. TRANS: Client error displayed when requesting most recent dents by user and friends for a non-existing user. #. TRANS: Client error displayed when requesting most recent mentions for a non-existing user. #. TRANS: Client error displayed requesting most recent notices for a non-existing user. +#. TRANS: Client error displayed trying to get an avatar for a non-existing user. #. TRANS: Error text shown when trying to send a direct message to a user that does not exist. #: actions/all.php:80 actions/apiaccountupdatedeliverydevice.php:110 #: actions/apiaccountupdateprofile.php:103 @@ -128,7 +129,7 @@ msgstr "Няма такака страница." #: actions/apistatusesupdate.php:230 actions/apisubscriptions.php:85 #: actions/apitimelinefavorites.php:70 actions/apitimelinefriends.php:173 #: actions/apitimelinehome.php:78 actions/apitimelinementions.php:77 -#: actions/apitimelineuser.php:79 actions/avatarbynickname.php:75 +#: actions/apitimelineuser.php:79 actions/avatarbynickname.php:79 #: 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 @@ -298,11 +299,12 @@ msgstr "Грешка при обновяване на потребителя." #. TRANS: Client error displayed a user has no profile updating profile colours. #. TRANS: Client error displayed if a user profile could not be found updating a profile image. #. TRANS: Client error displayed when requesting user information for a user without a profile. +#. TRANS: Client error displayed trying to get an avatar for a user without a profile. #: actions/apiaccountupdateprofile.php:111 #: actions/apiaccountupdateprofilebackgroundimage.php:199 #: actions/apiaccountupdateprofilecolors.php:183 #: actions/apiaccountupdateprofileimage.php:130 actions/apiusershow.php:108 -#: actions/avatarbynickname.php:80 actions/foaf.php:65 actions/hcard.php:74 +#: actions/avatarbynickname.php:85 actions/foaf.php:65 actions/hcard.php:74 #: actions/replies.php:80 actions/usergroups.php:100 lib/galleryaction.php:66 #: lib/profileaction.php:84 msgid "User has no profile." @@ -317,7 +319,7 @@ msgstr "Грешка при запазване на профила." #. TRANS: %s is the number of bytes of the CONTENT_LENGTH. #: actions/apiaccountupdateprofilebackgroundimage.php:108 #: actions/apiaccountupdateprofileimage.php:95 actions/apimediaupload.php:81 -#: actions/apistatusesupdate.php:210 actions/avatarsettings.php:259 +#: actions/apistatusesupdate.php:210 actions/avatarsettings.php:269 #: actions/designadminpanel.php:125 actions/editapplication.php:121 #: actions/newapplication.php:104 actions/newnotice.php:95 #, php-format @@ -496,9 +498,11 @@ msgstr "Целевият потребител не беше открит." msgid "Could not find target user." msgstr "Целевият потребител не беше открит." +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. #. TRANS: Validation error in form for profile settings. -#: actions/apigroupcreate.php:165 actions/editgroup.php:186 -#: actions/newgroup.php:126 actions/profilesettings.php:243 +#: actions/apigroupcreate.php:165 actions/editgroup.php:191 +#: actions/newgroup.php:127 actions/profilesettings.php:243 #: actions/register.php:212 msgid "Nickname must have only lowercase letters and numbers and no spaces." msgstr "" @@ -506,35 +510,43 @@ msgstr "" "между тях." #. TRANS: Client error trying to create a group with a nickname this is already in use. +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. #. TRANS: Validation error in form for profile settings. -#: actions/apigroupcreate.php:175 actions/editgroup.php:190 -#: actions/newgroup.php:130 actions/profilesettings.php:277 +#: actions/apigroupcreate.php:175 actions/editgroup.php:196 +#: actions/newgroup.php:132 actions/profilesettings.php:277 #: actions/register.php:215 msgid "Nickname already in use. Try another one." msgstr "Опитайте друг псевдоним, този вече е зает." #. TRANS: Client error in form for group creation. +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. #. TRANS: Validation error in form for profile settings. -#: actions/apigroupcreate.php:183 actions/editgroup.php:193 -#: actions/newgroup.php:133 actions/profilesettings.php:247 +#: actions/apigroupcreate.php:183 actions/editgroup.php:200 +#: actions/newgroup.php:136 actions/profilesettings.php:247 #: actions/register.php:217 msgid "Not a valid nickname." msgstr "Неправилен псевдоним." #. TRANS: Client error in form for group creation. #. TRANS: Validation error shown when providing an invalid homepage URL in the "Edit application" form. +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. #. TRANS: Validation error in form for profile settings. #: actions/apigroupcreate.php:200 actions/editapplication.php:233 -#: actions/editgroup.php:199 actions/newapplication.php:211 -#: actions/newgroup.php:139 actions/profilesettings.php:252 +#: actions/editgroup.php:207 actions/newapplication.php:211 +#: actions/newgroup.php:143 actions/profilesettings.php:252 #: actions/register.php:224 msgid "Homepage is not a valid URL." msgstr "Адресът на личната страница не е правилен URL." #. TRANS: Client error in form for group creation. +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. #. TRANS: Validation error in form for profile settings. -#: actions/apigroupcreate.php:210 actions/editgroup.php:202 -#: actions/newgroup.php:142 actions/profilesettings.php:256 +#: actions/apigroupcreate.php:210 actions/editgroup.php:211 +#: actions/newgroup.php:147 actions/profilesettings.php:256 #: actions/register.php:227 #, fuzzy msgid "Full name is too long (maximum 255 characters)." @@ -543,10 +555,11 @@ msgstr "Пълното име е твърде дълго (макс. 255 знак #. TRANS: Client error shown when providing too long a description during group creation. #. TRANS: %d is the maximum number of allowed characters. #. TRANS: Validation error shown when providing too long a description in the "Edit application" form. +#. TRANS: Group edit form validation error. #. TRANS: Form validation error in New application form. #. TRANS: %d is the maximum number of characters for the description. #: actions/apigroupcreate.php:220 actions/editapplication.php:201 -#: actions/newapplication.php:178 +#: actions/editgroup.php:216 actions/newapplication.php:178 #, fuzzy, php-format msgid "Description is too long (maximum %d character)." msgid_plural "Description is too long (maximum %d characters)." @@ -554,9 +567,11 @@ msgstr[0] "Описанието е твърде дълго (до %d символ msgstr[1] "Описанието е твърде дълго (до %d символа)." #. TRANS: Client error shown when providing too long a location during group creation. +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. #. TRANS: Validation error in form for profile settings. -#: actions/apigroupcreate.php:234 actions/editgroup.php:208 -#: actions/newgroup.php:153 actions/profilesettings.php:269 +#: actions/apigroupcreate.php:234 actions/editgroup.php:223 +#: actions/newgroup.php:159 actions/profilesettings.php:269 #: actions/register.php:236 #, fuzzy msgid "Location is too long (maximum 255 characters)." @@ -564,7 +579,12 @@ msgstr "Името на местоположението е твърде дъл #. TRANS: Client error shown when providing too many aliases during group creation. #. TRANS: %d is the maximum number of allowed aliases. -#: actions/apigroupcreate.php:255 actions/newgroup.php:166 +#. TRANS: Group edit form validation error. +#. TRANS: %d is the maximum number of allowed aliases. +#. TRANS: Group create form validation error. +#. TRANS: %d is the maximum number of allowed aliases. +#: actions/apigroupcreate.php:255 actions/editgroup.php:236 +#: actions/newgroup.php:172 #, php-format msgid "Too many aliases! Maximum %d allowed." msgid_plural "Too many aliases! Maximum %d allowed." @@ -580,15 +600,19 @@ msgstr "Неправилен псевдоним: \"%s\"" #. TRANS: Client error displayed when trying to use an alias during group creation that is already in use. #. TRANS: %s is the alias that is already in use. -#: actions/apigroupcreate.php:291 actions/editgroup.php:232 -#: actions/newgroup.php:181 +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. +#: actions/apigroupcreate.php:291 actions/editgroup.php:253 +#: actions/newgroup.php:189 #, php-format msgid "Alias \"%s\" already in use. Try another one." msgstr "Псевдонимът \"%s\" вече е зает. Опитайте друг." #. TRANS: Client error displayed when trying to use an alias during group creation that is the same as the group's nickname. -#: actions/apigroupcreate.php:305 actions/editgroup.php:238 -#: actions/newgroup.php:187 +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. +#: actions/apigroupcreate.php:305 actions/editgroup.php:260 +#: actions/newgroup.php:196 msgid "Alias can't be the same as nickname." msgstr "" @@ -696,18 +720,18 @@ msgid "Request token already authorized." msgstr "Не сте абонирани за никого." #. TRANS: Form validation error in API OAuth authorisation because of an invalid session token. -#: actions/apioauthauthorize.php:147 actions/avatarsettings.php:270 +#: actions/apioauthauthorize.php:147 actions/avatarsettings.php:280 #: actions/deletenotice.php:172 actions/disfavor.php:74 #: actions/emailsettings.php:271 actions/favor.php:75 actions/geocode.php:55 #: actions/groupblock.php:66 actions/grouplogo.php:312 -#: actions/groupunblock.php:66 actions/imsettings.php:230 +#: actions/groupunblock.php:65 actions/imsettings.php:230 #: actions/invite.php:59 actions/login.php:137 actions/makeadmin.php:66 #: actions/newmessage.php:135 actions/newnotice.php:105 actions/nudge.php:80 #: actions/oauthappssettings.php:165 actions/oauthconnectionssettings.php:138 #: actions/othersettings.php:145 actions/passwordsettings.php:138 #: actions/profilesettings.php:221 actions/recoverpassword.php:350 #: actions/register.php:172 actions/remotesubscribe.php:77 -#: actions/repeat.php:83 actions/smssettings.php:256 actions/subedit.php:38 +#: actions/repeat.php:83 actions/smssettings.php:256 actions/subedit.php:40 #: actions/subscribe.php:86 actions/tagother.php:166 #: actions/unsubscribe.php:69 actions/userauthorization.php:52 #: lib/designsettings.php:294 @@ -726,12 +750,13 @@ msgid "Database error inserting oauth_token_association." msgstr "Грешка в базата от данни — отговор при вмъкването: %s" #. TRANS: Client error given on when invalid data was passed through a form in the OAuth API. +#. TRANS: Unexpected validation error on avatar upload form. #. TRANS: Client error displayed submitting invalid form data for edit application. #. TRANS: Message given submitting a form with an unknown action in e-mail settings. #. TRANS: Message given submitting a form with an unknown action in IM settings. #. TRANS: Client error when submitting a form with unexpected information. #. TRANS: Message given submitting a form with an unknown action in SMS settings. -#: actions/apioauthauthorize.php:294 actions/avatarsettings.php:283 +#: actions/apioauthauthorize.php:294 actions/avatarsettings.php:294 #: actions/designadminpanel.php:104 actions/editapplication.php:144 #: actions/emailsettings.php:290 actions/grouplogo.php:322 #: actions/imsettings.php:245 actions/newapplication.php:125 @@ -780,6 +805,7 @@ msgstr "Сметка" #. TRANS: Field label on OAuth API authorisation form. #. TRANS: Field label in form for profile settings. +#. TRANS: Label for group nickname (dt). Text hidden by default. #: actions/apioauthauthorize.php:459 actions/login.php:252 #: actions/profilesettings.php:110 actions/register.php:433 #: actions/showgroup.php:245 actions/tagother.php:94 @@ -1029,105 +1055,139 @@ msgstr "Методът в API все още се разработва." msgid "User not found." msgstr "Не е открит методът в API." +#. TRANS: Client error displayed trying to get a non-existing attachment. #: actions/attachment.php:73 msgid "No such attachment." msgstr "Няма прикачени файлове." -#: actions/avatarbynickname.php:59 actions/blockedfromgroup.php:73 -#: actions/editgroup.php:84 actions/groupdesignsettings.php:84 +#. TRANS: Client error displayed trying to get an avatar without providing a nickname. +#. TRANS: Client error displayed when requesting a list of blocked users for a group without providing a group nickname. +#. TRANS: Client error displayed trying to edit a group while not proving a nickname for the group to edit. +#. TRANS: Client error displayed if no nickname argument was given requesting a group page. +#: actions/avatarbynickname.php:60 actions/blockedfromgroup.php:73 +#: actions/editgroup.php:85 actions/groupdesignsettings.php:84 #: actions/grouplogo.php:86 actions/groupmembers.php:76 #: actions/grouprss.php:91 actions/showgroup.php:121 msgid "No nickname." msgstr "Няма псевдоним." -#: actions/avatarbynickname.php:64 +#. TRANS: Client error displayed trying to get an avatar without providing an avatar size. +#: actions/avatarbynickname.php:66 msgid "No size." msgstr "Няма размер." -#: actions/avatarbynickname.php:69 +#. TRANS: Client error displayed trying to get an avatar providing an invalid avatar size. +#: actions/avatarbynickname.php:72 msgid "Invalid size." msgstr "Неправилен размер." +#. TRANS: Title for avatar upload page. +#. TRANS: Label for group avatar (dt). Text hidden by default. #. TRANS: Link description in user account settings menu. -#: actions/avatarsettings.php:67 actions/showgroup.php:230 +#: actions/avatarsettings.php:66 actions/showgroup.php:229 #: lib/accountsettingsaction.php:113 msgid "Avatar" msgstr "Аватар" +#. TRANS: Instruction for avatar upload page. +#. TRANS: %s is the maximum file size, for example "500b", "10kB" or "2MB". #: actions/avatarsettings.php:78 #, php-format msgid "You can upload your personal avatar. The maximum file size is %s." msgstr "" "Можете да качите личен аватар тук. Максималната големина на файла е %s." -#: actions/avatarsettings.php:106 actions/avatarsettings.php:185 +#. TRANS: Server error displayed in avatar upload page when no matching profile can be found for a user. +#: actions/avatarsettings.php:108 actions/avatarsettings.php:192 #: actions/grouplogo.php:181 actions/remotesubscribe.php:191 #: actions/userauthorization.php:72 actions/userrss.php:108 msgid "User without matching profile." msgstr "Потребителят няма профил." -#: actions/avatarsettings.php:119 actions/avatarsettings.php:197 +#. TRANS: Avatar upload page form legend. +#. TRANS: Avatar upload page crop form legend. +#: actions/avatarsettings.php:122 actions/avatarsettings.php:205 #: actions/grouplogo.php:254 msgid "Avatar settings" msgstr "Настройки за аватар" -#: actions/avatarsettings.php:127 actions/avatarsettings.php:205 +#. TRANS: Header on avatar upload page for thumbnail of originally uploaded avatar (h2). +#. TRANS: Header on avatar upload crop form for thumbnail of originally uploaded avatar (h2). +#: actions/avatarsettings.php:131 actions/avatarsettings.php:214 #: actions/grouplogo.php:202 actions/grouplogo.php:262 msgid "Original" msgstr "Оригинал" -#: actions/avatarsettings.php:142 actions/avatarsettings.php:217 +#. TRANS: Header on avatar upload page for thumbnail of to be used rendition of uploaded avatar (h2). +#. TRANS: Header on avatar upload crop form for thumbnail of to be used rendition of uploaded avatar (h2). +#: actions/avatarsettings.php:147 actions/avatarsettings.php:227 #: actions/grouplogo.php:213 actions/grouplogo.php:274 msgid "Preview" msgstr "Преглед" -#: actions/avatarsettings.php:149 actions/showapplication.php:252 -#: lib/deletegroupform.php:121 lib/deleteuserform.php:66 -#: lib/noticelist.php:667 +#. TRANS: Button on avatar upload page to delete current avatar. +#: actions/avatarsettings.php:155 +#, fuzzy +msgctxt "BUTTON" msgid "Delete" msgstr "Изтриване" -#: actions/avatarsettings.php:166 actions/grouplogo.php:236 +#. TRANS: Button on avatar upload page to upload an avatar. +#: actions/avatarsettings.php:173 +#, fuzzy +msgctxt "BUTTON" msgid "Upload" msgstr "Качване" -#: actions/avatarsettings.php:231 actions/grouplogo.php:289 +#. TRANS: Button on avatar upload crop form to confirm a selected crop as avatar. +#: actions/avatarsettings.php:243 +#, fuzzy +msgctxt "BUTTON" msgid "Crop" msgstr "Изрязване" -#: actions/avatarsettings.php:307 +#. TRANS: Validation error on avatar upload form when no file was uploaded. +#: actions/avatarsettings.php:318 msgid "No file uploaded." msgstr "Няма качен файл." -#: actions/avatarsettings.php:334 +#. TRANS: Avatar upload form unstruction after uploading a file. +#: actions/avatarsettings.php:346 msgid "Pick a square area of the image to be your avatar" msgstr "Изберете квадратна област от изображението за аватар" -#: actions/avatarsettings.php:349 actions/grouplogo.php:380 +#. TRANS: Server error displayed if an avatar upload went wrong somehow server side. +#: actions/avatarsettings.php:361 actions/grouplogo.php:380 msgid "Lost our file data." msgstr "" -#: actions/avatarsettings.php:372 +#: actions/avatarsettings.php:384 msgid "Avatar updated." msgstr "Аватарът е обновен." -#: actions/avatarsettings.php:375 +#. TRANS: Error displayed on the avatar upload page if the avatar could not be updated for an unknown reason. +#: actions/avatarsettings.php:388 msgid "Failed updating avatar." msgstr "Неуспешно обновяване на аватара." -#: actions/avatarsettings.php:399 +#. TRANS: Success message for deleting a user avatar. +#: actions/avatarsettings.php:412 msgid "Avatar deleted." msgstr "Аватарът е изтрит." -#: actions/block.php:69 +#. TRANS: Client error displayed when blocking a user that has already been blocked. +#: actions/block.php:68 msgid "You already blocked that user." msgstr "Вече сте блокирали този потребител." -#: actions/block.php:107 actions/block.php:136 actions/groupblock.php:158 +#. TRANS: Title for block user page. +#. TRANS: Legend for block user form. +#: actions/block.php:106 actions/block.php:136 actions/groupblock.php:158 msgid "Block user" msgstr "Блокиране на потребителя" -#: actions/block.php:138 +#. TRANS: Explanation of consequences when blocking a user on the block user page. +#: actions/block.php:139 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 " @@ -1140,7 +1200,7 @@ msgstr "" #. TRANS: Button label on the delete notice form. #. TRANS: Button label on the delete user form. #. TRANS: Button label on the form to block a user from a group. -#: actions/block.php:153 actions/deleteapplication.php:154 +#: actions/block.php:154 actions/deleteapplication.php:154 #: actions/deletegroup.php:220 actions/deletenotice.php:150 #: actions/deleteuser.php:152 actions/groupblock.php:178 msgctxt "BUTTON" @@ -1149,7 +1209,7 @@ msgstr "Не" #. TRANS: Submit button title for 'No' when blocking a user. #. TRANS: Submit button title for 'No' when deleting a user. -#: actions/block.php:157 actions/deleteuser.php:156 +#: actions/block.php:158 actions/deleteuser.php:156 msgid "Do not block this user" msgstr "Да не се блокира този потребител" @@ -1159,7 +1219,7 @@ msgstr "Да не се блокира този потребител" #. TRANS: Button label on the delete notice form. #. TRANS: Button label on the delete user form. #. TRANS: Button label on the form to block a user from a group. -#: actions/block.php:160 actions/deleteapplication.php:161 +#: actions/block.php:161 actions/deleteapplication.php:161 #: actions/deletegroup.php:227 actions/deletenotice.php:157 #: actions/deleteuser.php:159 actions/groupblock.php:185 msgctxt "BUTTON" @@ -1168,91 +1228,112 @@ msgstr "Да" #. TRANS: Submit button title for 'Yes' when blocking a user. #. TRANS: Description of the form to block a user. -#: actions/block.php:164 lib/blockform.php:79 +#: actions/block.php:165 lib/blockform.php:79 msgid "Block this user" msgstr "Блокиране на потребителя" -#: actions/block.php:187 +#. TRANS: Server error displayed when blocking a user fails. +#: actions/block.php:189 msgid "Failed to save block information." msgstr "Грешка при записване данните за блокирането." +#. TRANS: Client error displayed when requesting a list of blocked users for a non-local group. +#. TRANS: Client error displayed when requesting a list of blocked users for a non-existing group. #. TRANS: Client error when trying to delete a non-local group. #. TRANS: Client error when trying to delete a non-existing group. +#. TRANS: Client error displayed trying to edit a non-existing group. +#. TRANS: Client error displayed when trying to unblock a user from a non-existing group. +#. TRANS: Client error displayed if no remote group with a given name was found requesting group page. +#. TRANS: Client error displayed if no local group with a given name was found requesting group page. #. TRANS: Command exception text shown when a group is requested that does not exist. #. TRANS: Error text shown when trying to leave a group that does not exist. -#: actions/blockedfromgroup.php:80 actions/blockedfromgroup.php:87 +#: actions/blockedfromgroup.php:81 actions/blockedfromgroup.php:89 #: actions/deletegroup.php:87 actions/deletegroup.php:100 -#: actions/editgroup.php:100 actions/foafgroup.php:44 actions/foafgroup.php:62 +#: actions/editgroup.php:102 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/groupunblock.php:88 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:168 +#: actions/showgroup.php:139 actions/showgroup.php:148 lib/command.php:168 #: lib/command.php:380 msgid "No such group." msgstr "Няма такава група" -#: actions/blockedfromgroup.php:97 +#. TRANS: Title for first page with list of users blocked from a group. +#. TRANS: %s is a group nickname. +#: actions/blockedfromgroup.php:101 #, php-format msgid "%s blocked profiles" msgstr "Блокирани за %s" -#: actions/blockedfromgroup.php:100 +#. TRANS: Title for any but the first page with list of users blocked from a group. +#. TRANS: %1$s is a group nickname, %2$d is a page number. +#: actions/blockedfromgroup.php:106 #, php-format msgid "%1$s blocked profiles, page %2$d" msgstr "%1$s и приятели, страница %2$d" -#: actions/blockedfromgroup.php:115 +#. TRANS: Instructions for list of users blocked from a group. +#: actions/blockedfromgroup.php:122 #, fuzzy msgid "A list of the users blocked from joining this group." msgstr "Списък с потребителите в тази група." -#: actions/blockedfromgroup.php:288 +#. TRANS: Form legend for unblocking a user from a group. +#: actions/blockedfromgroup.php:291 msgid "Unblock user from group" msgstr "Разблокиране на потребителя от групата" -#. TRANS: Title for the form to unblock a user. -#: actions/blockedfromgroup.php:320 lib/unblockform.php:70 +#. TRANS: Button text for unblocking a user from a group. +#: actions/blockedfromgroup.php:323 +#, fuzzy +msgctxt "BUTTON" msgid "Unblock" msgstr "Разблокиране" +#. TRANS: Tooltip for button for unblocking a user from a group. #. TRANS: Description of the form to unblock a user. -#: actions/blockedfromgroup.php:320 lib/unblockform.php:82 +#: actions/blockedfromgroup.php:327 lib/unblockform.php:78 msgid "Unblock this user" msgstr "Разблокиране на този потребител" #. TRANS: Title for mini-posting window loaded from bookmarklet. +#. TRANS: %s is the StatusNet site name. #: actions/bookmarklet.php:51 #, php-format msgid "Post to %s" msgstr "групи в %s" -#: actions/confirmaddress.php:75 +#. TRANS: Client error displayed when not providing a confirmation code in the contact address confirmation action. +#: actions/confirmaddress.php:74 msgid "No confirmation code." msgstr "Няма код за потвърждение." +#. TRANS: Client error displayed when providing a non-existing confirmation code in the contact address confirmation action. #: actions/confirmaddress.php:80 msgid "Confirmation code not found." msgstr "Кодът за потвърждение не е открит." -#: actions/confirmaddress.php:85 +#. TRANS: Client error displayed when not providing a confirmation code for another user in the contact address confirmation action. +#: actions/confirmaddress.php:86 msgid "That confirmation code is not for you!" msgstr "Този код за потвърждение не е за вас!" -#. TRANS: Server error for an unknow address type, which can be 'email', 'jabber', or 'sms'. -#: actions/confirmaddress.php:91 +#. TRANS: Server error for a unknow address type %s, which can be 'email', 'jabber', or 'sms'. +#: actions/confirmaddress.php:92 #, fuzzy, php-format msgid "Unrecognized address type %s." msgstr "Неразпознат вид адрес %s" -#. TRANS: Client error for an already confirmed email/jabbel/sms address. -#: actions/confirmaddress.php:96 +#. TRANS: Client error for an already confirmed email/jabber/sms address. +#: actions/confirmaddress.php:97 msgid "That address has already been confirmed." msgstr "Този адрес е вече потвърден." +#. TRANS: Server error displayed when a user update to the database fails in the contact address confirmation action. #. TRANS: Server error thrown on database error updating e-mail preferences. #. TRANS: Server error thrown on database error removing a registered e-mail address. #. TRANS: Server error thrown on database error updating IM preferences. @@ -1260,7 +1341,7 @@ msgstr "Този адрес е вече потвърден." #. TRANS: Server error thrown when user profile settings could not be updated. #. TRANS: Server error thrown on database error updating SMS preferences. #. TRANS: Server error thrown on database error removing a registered SMS phone number. -#: actions/confirmaddress.php:116 actions/emailsettings.php:331 +#: actions/confirmaddress.php:118 actions/emailsettings.php:331 #: actions/emailsettings.php:477 actions/imsettings.php:283 #: actions/imsettings.php:442 actions/othersettings.php:174 #: actions/profilesettings.php:326 actions/smssettings.php:308 @@ -1268,27 +1349,32 @@ msgstr "Този адрес е вече потвърден." msgid "Couldn't update user." msgstr "Грешка при обновяване на потребителя." -#. TRANS: Server error thrown on database error canceling e-mail address confirmation. -#. TRANS: Server error thrown on database error canceling SMS phone number confirmation. -#: actions/confirmaddress.php:128 actions/emailsettings.php:437 -#: actions/smssettings.php:422 -msgid "Couldn't delete email confirmation." +#. TRANS: Server error displayed when an address confirmation code deletion from the +#. TRANS: database fails in the contact address confirmation action. +#: actions/confirmaddress.php:132 +#, fuzzy +msgid "Could not delete address confirmation." msgstr "Грешка при изтриване потвърждението по е-поща." -#: actions/confirmaddress.php:146 +#. TRANS: Title for the contact address confirmation action. +#: actions/confirmaddress.php:150 msgid "Confirm address" msgstr "Потвърждаване на адрес" -#: actions/confirmaddress.php:161 +#. TRANS: Success message for the contact address confirmation action. +#. TRANS: %s can be 'email', 'jabber', or 'sms'. +#: actions/confirmaddress.php:166 #, php-format msgid "The address \"%s\" has been confirmed for your account." msgstr "Адресът \"%s\" е потвърден за сметката ви." -#: actions/conversation.php:99 +#. TRANS: Title for page with a conversion (multiple notices in context). +#: actions/conversation.php:96 msgid "Conversation" msgstr "Разговор" -#: actions/conversation.php:154 lib/mailbox.php:116 lib/noticelist.php:87 +#. TRANS: Header on conversation page. Hidden by default (h2). +#: actions/conversation.php:149 lib/mailbox.php:116 lib/noticelist.php:87 #: lib/profileaction.php:229 lib/searchgroupnav.php:82 msgid "Notices" msgstr "Бележки" @@ -1394,11 +1480,13 @@ msgstr "Да не се изтрива бележката" msgid "Delete this group" msgstr "Изтриване на този потребител" +#. TRANS: Client error displayed when trying to unblock a user from a group while not logged in. +#. TRANS: Client error displayed trying a change a subscription while not logged in. #. TRANS: Client error message thrown when trying to access the admin panel while not logged in. #: actions/deletenotice.php:50 actions/disfavor.php:61 actions/favor.php:62 -#: actions/groupblock.php:61 actions/groupunblock.php:61 actions/logout.php:69 +#: actions/groupblock.php:61 actions/groupunblock.php:60 actions/logout.php:69 #: actions/makeadmin.php:61 actions/newmessage.php:87 actions/newnotice.php:88 -#: actions/nudge.php:63 actions/subedit.php:31 actions/subscribe.php:96 +#: actions/nudge.php:63 actions/subedit.php:33 actions/subscribe.php:96 #: actions/tagother.php:33 actions/unsubscribe.php:52 #: lib/adminpanelaction.php:71 lib/profileformaction.php:64 #: lib/settingsaction.php:72 @@ -1713,51 +1801,51 @@ msgstr "" msgid "Could not update application." msgstr "Грешка при обновяване на групата." -#: actions/editgroup.php:56 +#. TRANS: Title for form to edit a group. %s is a group nickname. +#: actions/editgroup.php:55 #, php-format msgid "Edit %s group" msgstr "Редактиране на групата %s" +#. TRANS: Client error displayed trying to edit a group while not logged in. +#. TRANS: Client error displayed trying to create a group while not logged in. #: actions/editgroup.php:68 actions/grouplogo.php:70 actions/newgroup.php:65 msgid "You must be logged in to create a group." msgstr "За да създавате група, трябва да сте влезли." -#: actions/editgroup.php:107 actions/editgroup.php:172 +#. TRANS: Client error displayed trying to edit a group while not being a group admin. +#: actions/editgroup.php:110 actions/editgroup.php:176 #: actions/groupdesignsettings.php:107 actions/grouplogo.php:109 msgid "You must be an admin to edit the group." msgstr "За да редактирате група, трябва да сте влезли." -#: actions/editgroup.php:158 +#. TRANS: Form instructions for group edit form. +#: actions/editgroup.php:161 #, fuzzy msgid "Use this form to edit the group." msgstr "Използвайте тази бланка за създаване на нова група." -#: actions/editgroup.php:205 -#, php-format -msgid "Description is too long (max %d chars)." -msgstr "Описанието е твърде дълго (до %d символа)." - -#: actions/editgroup.php:219 -#, php-format -msgid "Too many aliases! Maximum %d." -msgstr "" - -#: actions/editgroup.php:228 actions/newgroup.php:177 +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. +#: actions/editgroup.php:248 actions/newgroup.php:184 #, php-format msgid "Invalid alias: \"%s\"" msgstr "Неправилен псевдоним: \"%s\"" -#: actions/editgroup.php:258 +#. TRANS: Server error displayed when editing a group fails. +#: actions/editgroup.php:281 msgid "Could not update group." msgstr "Грешка при обновяване на групата." +#. TRANS: Server error displayed when group aliases could not be added. #. TRANS: Server exception thrown when creating group aliases failed. -#: actions/editgroup.php:264 classes/User_group.php:513 +#: actions/editgroup.php:288 classes/User_group.php:513 #, fuzzy msgid "Could not create aliases." msgstr "Грешка при отбелязване като любима." -#: actions/editgroup.php:280 +#. TRANS: Group edit form success message. +#: actions/editgroup.php:305 msgid "Options saved." msgstr "Настройките са запазени." @@ -1952,6 +2040,12 @@ msgstr "Няма потвърждения, очакващи да бъдат от msgid "That is the wrong email address." msgstr "Грешен IM адрес." +#. TRANS: Server error thrown on database error canceling e-mail address confirmation. +#. TRANS: Server error thrown on database error canceling SMS phone number confirmation. +#: actions/emailsettings.php:437 actions/smssettings.php:422 +msgid "Couldn't delete email confirmation." +msgstr "Грешка при изтриване потвърждението по е-поща." + #. TRANS: Message given after successfully canceling e-mail address confirmation. #: actions/emailsettings.php:442 msgid "Email confirmation cancelled." @@ -2132,19 +2226,23 @@ msgstr "Не можете да заглушавате потребители н msgid "User already has this role." msgstr "Потребителят вече е заглушен." +#. TRANS: Client error displayed when trying to unblock a user from a group without providing a profile. +#. TRANS: Client error displayed trying a change a subscription without providing a profile. #: actions/groupblock.php:71 actions/groupunblock.php:71 -#: actions/makeadmin.php:71 actions/subedit.php:46 +#: actions/makeadmin.php:71 actions/subedit.php:49 #: lib/profileformaction.php:79 msgid "No profile specified." msgstr "Не е указан профил." -#: actions/groupblock.php:76 actions/groupunblock.php:76 -#: actions/makeadmin.php:76 actions/subedit.php:53 actions/tagother.php:46 +#. TRANS: Client error displayed when trying to unblock a user from a group without providing an existing profile. +#. TRANS: Client error displayed trying a change a subscription for a non-existant profile ID. +#: actions/groupblock.php:76 actions/groupunblock.php:77 +#: actions/makeadmin.php:76 actions/subedit.php:57 actions/tagother.php:46 #: actions/unsubscribe.php:84 lib/profileformaction.php:86 msgid "No profile with that ID." msgstr "Не е открит профил с такъв идентификатор." -#: actions/groupblock.php:81 actions/groupunblock.php:81 +#: actions/groupblock.php:81 actions/groupunblock.php:82 #: actions/makeadmin.php:81 msgid "No group specified." msgstr "Не е указана група." @@ -2228,6 +2326,14 @@ msgid "" msgstr "" "Можете да качите личен аватар тук. Максималната големина на файла е %s." +#: actions/grouplogo.php:236 +msgid "Upload" +msgstr "Качване" + +#: actions/grouplogo.php:289 +msgid "Crop" +msgstr "Изрязване" + #: actions/grouplogo.php:365 #, fuzzy msgid "Pick a square area of the image to be the logo." @@ -2363,16 +2469,19 @@ msgid "" "action.newgroup%%) yourself!" msgstr "" -#: actions/groupunblock.php:91 +#. TRANS: Client error displayed when trying to unblock a user from a group without being an administrator for the group. +#: actions/groupunblock.php:94 #, fuzzy msgid "Only an admin can unblock group members." msgstr "Само администратор може да блокира членове от групата." -#: actions/groupunblock.php:95 +#. TRANS: Client error displayed when trying to unblock a non-blocked user from a group. +#: actions/groupunblock.php:99 msgid "User is not blocked from group." msgstr "Потребителят вече е блокиран за групата." -#: actions/groupunblock.php:128 actions/unblock.php:86 +#. TRANS: Server error displayed when unblocking a user from a group fails because of an unknown error. +#: actions/groupunblock.php:131 actions/unblock.php:86 msgid "Error removing the block." msgstr "Грешка при повтаряне на бележката." @@ -2969,10 +3078,12 @@ msgstr "Името на организацията е твърде дълго ( msgid "Could not create application." msgstr "Грешка при отбелязване като любима." +#. TRANS: Title for form to create a group. #: actions/newgroup.php:53 msgid "New group" msgstr "Нова група" +#. TRANS: Form instructions for group create form. #: actions/newgroup.php:110 msgid "Use this form to create a new group." msgstr "Използвайте тази бланка за създаване на нова група." @@ -3665,8 +3776,9 @@ msgid "1-64 lowercase letters or numbers, no punctuation or spaces." msgstr "От 1 до 64 малки букви или цифри, без пунктоация и интервали" #. TRANS: Field label in form for profile settings. +#. TRANS: Label for full group name (dt). Text hidden by default. #: actions/profilesettings.php:117 actions/register.php:457 -#: actions/showgroup.php:256 actions/tagother.php:104 +#: actions/showgroup.php:257 actions/tagother.php:104 #: lib/groupeditform.php:157 lib/userprofile.php:150 msgid "Full name" msgstr "Пълно име" @@ -3706,8 +3818,9 @@ msgid "Bio" msgstr "За мен" #. TRANS: Field label in form for profile settings. +#. TRANS: Label for group location (dt). Text hidden by default. #: actions/profilesettings.php:149 actions/register.php:485 -#: actions/showgroup.php:265 actions/tagother.php:112 +#: actions/showgroup.php:267 actions/tagother.php:112 #: actions/userauthorization.php:166 lib/groupeditform.php:177 #: lib/userprofile.php:165 msgid "Location" @@ -4411,7 +4524,8 @@ msgstr "Организация" msgid "Description" msgstr "Описание" -#: actions/showapplication.php:192 actions/showgroup.php:442 +#. TRANS: Header for group statistics on a group page (h2). +#: actions/showapplication.php:192 actions/showgroup.php:453 #: lib/profileaction.php:187 msgid "Statistics" msgstr "Статистики" @@ -4430,6 +4544,11 @@ msgstr "Данни за приложението" msgid "Reset key & secret" msgstr "" +#: actions/showapplication.php:252 lib/deletegroupform.php:121 +#: lib/deleteuserform.php:66 lib/noticelist.php:667 +msgid "Delete" +msgstr "Изтриване" + #: actions/showapplication.php:261 msgid "Application info" msgstr "Данни за приложението" @@ -4515,78 +4634,107 @@ msgstr "" msgid "This is a way to share what you like." msgstr "Така можете да споделите какво харесвате." -#: actions/showgroup.php:82 +#. TRANS: Page title for first group page. %s is a group name. +#: actions/showgroup.php:80 #, php-format msgid "%s group" msgstr "Група %s" +#. TRANS: Page title for any but first group page. +#. TRANS: %1$s is a group name, $2$s is a page number. #: actions/showgroup.php:84 #, php-format msgid "%1$s group, page %2$d" msgstr "%1$s, страница %2$d" -#: actions/showgroup.php:227 +#. TRANS: Group profile header (h2). Text hidden by default. +#: actions/showgroup.php:225 msgid "Group profile" msgstr "Профил на групата" -#: actions/showgroup.php:272 actions/tagother.php:118 +#. TRANS: Label for group URL (dt). Text hidden by default. +#: actions/showgroup.php:275 actions/tagother.php:118 #: actions/userauthorization.php:175 lib/userprofile.php:178 msgid "URL" msgstr "URL" -#: actions/showgroup.php:283 actions/tagother.php:128 +#. TRANS: Label for group description or group note (dt). Text hidden by default. +#: actions/showgroup.php:287 actions/tagother.php:128 #: actions/userauthorization.php:187 lib/userprofile.php:195 msgid "Note" msgstr "Бележка" -#: actions/showgroup.php:293 lib/groupeditform.php:184 +#. TRANS: Label for group aliases (dt). Text hidden by default. +#: actions/showgroup.php:298 lib/groupeditform.php:184 msgid "Aliases" msgstr "Псевдоними" -#: actions/showgroup.php:302 +#. TRANS: Group actions header (h2). Text hidden by default. +#: actions/showgroup.php:309 #, fuzzy msgid "Group actions" msgstr "Потребителски действия" -#: actions/showgroup.php:344 +#. TRANS: Tooltip for feed link. %s is a group nickname. +#: actions/showgroup.php:350 #, php-format msgid "Notice feed for %s group (RSS 1.0)" msgstr "Емисия с бележки на %s (RSS 1.0)" -#: actions/showgroup.php:350 +#. TRANS: Tooltip for feed link. %s is a group nickname. +#: actions/showgroup.php:357 #, php-format msgid "Notice feed for %s group (RSS 2.0)" msgstr "Емисия с бележки на %s (RSS 2.0)" -#: actions/showgroup.php:356 +#. TRANS: Tooltip for feed link. %s is a group nickname. +#: actions/showgroup.php:364 #, php-format msgid "Notice feed for %s group (Atom)" msgstr "Емисия с бележки на %s (Atom)" -#: actions/showgroup.php:361 +#. TRANS: Tooltip for feed link. %s is a group nickname. +#: actions/showgroup.php:370 #, php-format msgid "FOAF for %s group" msgstr "Изходяща кутия за %s" -#: actions/showgroup.php:399 actions/showgroup.php:451 +#. TRANS: Header for mini list of group members on a group page (h2). +#: actions/showgroup.php:407 msgid "Members" msgstr "Членове" -#: actions/showgroup.php:404 lib/profileaction.php:117 +#. TRANS: Description for mini list of group members on a group page when the group has no members. +#: actions/showgroup.php:413 lib/profileaction.php:117 #: lib/profileaction.php:152 lib/profileaction.php:255 lib/section.php:95 #: lib/subscriptionlist.php:127 lib/tagcloudsection.php:71 msgid "(None)" msgstr "(Без)" -#: actions/showgroup.php:410 +#. TRANS: Link to all group members from mini list of group members if group has more than n members. +#: actions/showgroup.php:422 msgid "All members" msgstr "Всички членове" -#: actions/showgroup.php:445 +#. TRANS: Label for creation date in statistics on group page. +#: actions/showgroup.php:458 +#, fuzzy +msgctxt "LABEL" msgid "Created" msgstr "Създадена на" -#: actions/showgroup.php:461 +#. TRANS: Label for member count in statistics on group page. +#: actions/showgroup.php:466 +#, fuzzy +msgctxt "LABEL" +msgid "Members" +msgstr "Членове" + +#. TRANS: Notice on group pages for anonymous users for StatusNet sites that accept new registrations. +#. TRANS: **%s** is the group alias, %%%%site.name%%%% is the site name, +#. TRANS: %%%%action.register%%%% is the URL for registration, %%%%doc.help%%%% is a URL to help. +#. TRANS: This message contains Markdown links. Ensure they are formatted correctly: [Description](link). +#: actions/showgroup.php:481 #, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -4596,7 +4744,10 @@ msgid "" "of this group and many more! ([Read more](%%%%doc.help%%%%))" msgstr "" -#: actions/showgroup.php:467 +#. TRANS: Notice on group pages for anonymous users for StatusNet sites that accept no new registrations. +#. TRANS: **%s** is the group alias, %%%%site.name%%%% is the site name, +#. TRANS: This message contains Markdown links. Ensure they are formatted correctly: [Description](link). +#: actions/showgroup.php:491 #, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -4605,24 +4756,31 @@ msgid "" "their life and interests. " msgstr "" -#: actions/showgroup.php:495 +#. TRANS: Header for list of group administrators on a group page (h2). +#: actions/showgroup.php:520 msgid "Admins" msgstr "Администратори" -#: actions/showmessage.php:81 +#. TRANS: Client error displayed requesting a single message that does not exist. +#: actions/showmessage.php:79 msgid "No such message." msgstr "Няма такова съобщение" -#: actions/showmessage.php:98 +#. TRANS: Client error displayed requesting a single direct message the requesting user was not a party in. +#: actions/showmessage.php:97 msgid "Only the sender and recipient may read this message." msgstr "Само подателят и получателят могат да четат това съобщение." -#: actions/showmessage.php:108 +#. TRANS: Page title for single direct message display when viewing user is the sender. +#. TRANS: %1$s is the addressed user's nickname, $2$s is a timestamp. +#: actions/showmessage.php:110 #, php-format msgid "Message to %1$s on %2$s" msgstr "Съобщение до %1$s в %2$s" -#: actions/showmessage.php:113 +#. TRANS: Page title for single message display. +#. TRANS: %1$s is the sending user's nickname, $2$s is a timestamp. +#: actions/showmessage.php:118 #, php-format msgid "Message from %1$s on %2$s" msgstr "Съобщение от %1$s в %2$s" @@ -5061,12 +5219,14 @@ msgstr "" msgid "Save snapshot settings" msgstr "Запазване настройките на сайта" -#: actions/subedit.php:70 +#. TRANS: Client error displayed trying a change a subscription for a non-subscribed profile. +#: actions/subedit.php:75 msgid "You are not subscribed to that profile." msgstr "Не сте абонирани за този профил" +#. TRANS: Server error displayed when updating a subscription fails with a database error. #. TRANS: Exception thrown when a subscription could not be stored on the server. -#: actions/subedit.php:83 classes/Subscription.php:136 +#: actions/subedit.php:89 classes/Subscription.php:136 msgid "Could not save subscription." msgstr "Грешка при добавяне на нов абонамент." @@ -5867,12 +6027,12 @@ msgid "Welcome to %1$s, @%2$s!" msgstr "Добре дошли в %1$s, @%2$s!" #. TRANS: Server exception. -#: classes/User.php:902 +#: classes/User.php:912 msgid "No single user defined for single-user mode." msgstr "" #. TRANS: Server exception. -#: classes/User.php:906 +#: classes/User.php:916 msgid "Single-user mode code called when not enabled." msgstr "" @@ -7024,7 +7184,8 @@ msgstr "Atom" msgid "FOAF" msgstr "FOAF" -#: lib/feedlist.php:65 +#. TRANS: Header for feed links (h2). +#: lib/feedlist.php:66 msgid "Feeds" msgstr "" @@ -7183,39 +7344,57 @@ msgstr "Страницата не е достъпна във вида медия msgid "Unsupported image file format." msgstr "Форматът на файла с изображението не се поддържа." -#: lib/imagefile.php:88 +#. TRANS: Exception thrown when too large a file is uploaded. +#. TRANS: %s is the maximum file size, for example "500b", "10kB" or "2MB". +#: lib/imagefile.php:90 #, fuzzy, php-format msgid "That file is too big. The maximum file size is %s." msgstr "Може да качите лого за групата ви." -#: lib/imagefile.php:93 +#: lib/imagefile.php:95 msgid "Partial upload." msgstr "Частично качване на файла." #. TRANS: Client exception thrown when a file upload operation has failed with an unknown reason. -#: lib/imagefile.php:101 lib/mediafile.php:179 +#: lib/imagefile.php:103 lib/mediafile.php:179 msgid "System error uploading file." msgstr "Системна грешка при качване на файл." -#: lib/imagefile.php:109 +#: lib/imagefile.php:111 msgid "Not an image or corrupt file." msgstr "Файлът не е изображение или е повреден." -#: lib/imagefile.php:122 +#: lib/imagefile.php:124 msgid "Lost our file." msgstr "Няма такъв файл." -#: lib/imagefile.php:163 lib/imagefile.php:224 +#: lib/imagefile.php:165 lib/imagefile.php:226 msgid "Unknown file type" msgstr "Неподдържан вид файл" -#: lib/imagefile.php:244 -msgid "MB" -msgstr "MB" +#. TRANS: Number of megabytes. %d is the number. +#: lib/imagefile.php:248 +#, fuzzy, php-format +msgid "%dMB" +msgid_plural "%dMB" +msgstr[0] "MB" +msgstr[1] "MB" -#: lib/imagefile.php:246 -msgid "kB" -msgstr "kB" +#. TRANS: Number of kilobytes. %d is the number. +#: lib/imagefile.php:252 +#, fuzzy, php-format +msgid "%dkB" +msgid_plural "%dkB" +msgstr[0] "kB" +msgstr[1] "kB" + +#. TRANS: Number of bytes. %d is the number. +#: lib/imagefile.php:255 +#, php-format +msgid "%dB" +msgid_plural "%dB" +msgstr[0] "" +msgstr[1] "" #: lib/jabber.php:387 #, php-format @@ -8014,6 +8193,13 @@ msgstr "Грешка при изпращане на прякото съобще msgid "Top posters" msgstr "Най-често пишещи" +#. TRANS: Title for the form to unblock a user. +#: lib/unblockform.php:67 +#, fuzzy +msgctxt "TITLE" +msgid "Unblock" +msgstr "Разблокиране" + #: lib/unsandboxform.php:69 msgid "Unsandbox" msgstr "" @@ -8201,3 +8387,6 @@ msgstr "Не е указана група." #, php-format msgid "%d entries in backup." msgstr "" + +#~ msgid "Description is too long (max %d chars)." +#~ msgstr "Описанието е твърде дълго (до %d символа)." diff --git a/locale/br/LC_MESSAGES/statusnet.po b/locale/br/LC_MESSAGES/statusnet.po index 9af1591ac6..93e5c729ac 100644 --- a/locale/br/LC_MESSAGES/statusnet.po +++ b/locale/br/LC_MESSAGES/statusnet.po @@ -11,17 +11,17 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet - Core\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-10-27 23:43+0000\n" -"PO-Revision-Date: 2010-10-28 23:08:47+0000\n" +"POT-Creation-Date: 2010-10-30 23:18+0000\n" +"PO-Revision-Date: 2010-10-30 23:19:55+0000\n" "Language-Team: Breton \n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r75629); Translate extension (2010-09-17)\n" +"X-Generator: MediaWiki 1.17alpha (r75708); Translate extension (2010-09-17)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: br\n" "X-Message-Group: #out-statusnet-core\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" -"X-POT-Import-Date: 2010-10-28 00:13:15+0000\n" +"X-POT-Import-Date: 2010-10-30 09:48:40+0000\n" #. TRANS: Page title for Access admin panel that allows configuring site access. #. TRANS: Menu item for site administration @@ -117,6 +117,7 @@ msgstr "N'eus ket eus ar bajenn-se." #. TRANS: Client error displayed when requesting most recent dents by user and friends for a non-existing user. #. TRANS: Client error displayed when requesting most recent mentions for a non-existing user. #. TRANS: Client error displayed requesting most recent notices for a non-existing user. +#. TRANS: Client error displayed trying to get an avatar for a non-existing user. #. TRANS: Error text shown when trying to send a direct message to a user that does not exist. #: actions/all.php:80 actions/apiaccountupdatedeliverydevice.php:110 #: actions/apiaccountupdateprofile.php:103 @@ -129,7 +130,7 @@ msgstr "N'eus ket eus ar bajenn-se." #: actions/apistatusesupdate.php:230 actions/apisubscriptions.php:85 #: actions/apitimelinefavorites.php:70 actions/apitimelinefriends.php:173 #: actions/apitimelinehome.php:78 actions/apitimelinementions.php:77 -#: actions/apitimelineuser.php:79 actions/avatarbynickname.php:75 +#: actions/apitimelineuser.php:79 actions/avatarbynickname.php:79 #: 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 @@ -303,11 +304,12 @@ msgstr "Diposubl eo hizivaat an implijer." #. TRANS: Client error displayed a user has no profile updating profile colours. #. TRANS: Client error displayed if a user profile could not be found updating a profile image. #. TRANS: Client error displayed when requesting user information for a user without a profile. +#. TRANS: Client error displayed trying to get an avatar for a user without a profile. #: actions/apiaccountupdateprofile.php:111 #: actions/apiaccountupdateprofilebackgroundimage.php:199 #: actions/apiaccountupdateprofilecolors.php:183 #: actions/apiaccountupdateprofileimage.php:130 actions/apiusershow.php:108 -#: actions/avatarbynickname.php:80 actions/foaf.php:65 actions/hcard.php:74 +#: actions/avatarbynickname.php:85 actions/foaf.php:65 actions/hcard.php:74 #: actions/replies.php:80 actions/usergroups.php:100 lib/galleryaction.php:66 #: lib/profileaction.php:84 msgid "User has no profile." @@ -322,7 +324,7 @@ msgstr "Diposubl eo enrollañ ar profil." #. TRANS: %s is the number of bytes of the CONTENT_LENGTH. #: actions/apiaccountupdateprofilebackgroundimage.php:108 #: actions/apiaccountupdateprofileimage.php:95 actions/apimediaupload.php:81 -#: actions/apistatusesupdate.php:210 actions/avatarsettings.php:259 +#: actions/apistatusesupdate.php:210 actions/avatarsettings.php:269 #: actions/designadminpanel.php:125 actions/editapplication.php:121 #: actions/newapplication.php:104 actions/newnotice.php:95 #, php-format @@ -500,44 +502,54 @@ msgstr "Diposubl eo termeniñ an implijer mammenn." msgid "Could not find target user." msgstr "Diposubl eo kavout an implijer pal." +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. #. TRANS: Validation error in form for profile settings. -#: actions/apigroupcreate.php:165 actions/editgroup.php:186 -#: actions/newgroup.php:126 actions/profilesettings.php:243 +#: actions/apigroupcreate.php:165 actions/editgroup.php:191 +#: actions/newgroup.php:127 actions/profilesettings.php:243 #: actions/register.php:212 #, fuzzy msgid "Nickname must have only lowercase letters and numbers and no spaces." msgstr "1 da 64 lizherenn vihan pe sifr, hep poentaouiñ nag esaouenn" #. TRANS: Client error trying to create a group with a nickname this is already in use. +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. #. TRANS: Validation error in form for profile settings. -#: actions/apigroupcreate.php:175 actions/editgroup.php:190 -#: actions/newgroup.php:130 actions/profilesettings.php:277 +#: actions/apigroupcreate.php:175 actions/editgroup.php:196 +#: actions/newgroup.php:132 actions/profilesettings.php:277 #: actions/register.php:215 msgid "Nickname already in use. Try another one." msgstr "Implijet eo dija al lesanv-se. Klaskit unan all." #. TRANS: Client error in form for group creation. +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. #. TRANS: Validation error in form for profile settings. -#: actions/apigroupcreate.php:183 actions/editgroup.php:193 -#: actions/newgroup.php:133 actions/profilesettings.php:247 +#: actions/apigroupcreate.php:183 actions/editgroup.php:200 +#: actions/newgroup.php:136 actions/profilesettings.php:247 #: actions/register.php:217 msgid "Not a valid nickname." msgstr "N'eo ket ul lesanv mat." #. TRANS: Client error in form for group creation. #. TRANS: Validation error shown when providing an invalid homepage URL in the "Edit application" form. +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. #. TRANS: Validation error in form for profile settings. #: actions/apigroupcreate.php:200 actions/editapplication.php:233 -#: actions/editgroup.php:199 actions/newapplication.php:211 -#: actions/newgroup.php:139 actions/profilesettings.php:252 +#: actions/editgroup.php:207 actions/newapplication.php:211 +#: actions/newgroup.php:143 actions/profilesettings.php:252 #: actions/register.php:224 msgid "Homepage is not a valid URL." msgstr "N'eo ket chomlec'h al lec'hienn personel un URL reizh." #. TRANS: Client error in form for group creation. +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. #. TRANS: Validation error in form for profile settings. -#: actions/apigroupcreate.php:210 actions/editgroup.php:202 -#: actions/newgroup.php:142 actions/profilesettings.php:256 +#: actions/apigroupcreate.php:210 actions/editgroup.php:211 +#: actions/newgroup.php:147 actions/profilesettings.php:256 #: actions/register.php:227 #, fuzzy msgid "Full name is too long (maximum 255 characters)." @@ -546,10 +558,11 @@ msgstr "Re hir eo an anv klok (255 arouezenn d'ar muiañ)." #. TRANS: Client error shown when providing too long a description during group creation. #. TRANS: %d is the maximum number of allowed characters. #. TRANS: Validation error shown when providing too long a description in the "Edit application" form. +#. TRANS: Group edit form validation error. #. TRANS: Form validation error in New application form. #. TRANS: %d is the maximum number of characters for the description. #: actions/apigroupcreate.php:220 actions/editapplication.php:201 -#: actions/newapplication.php:178 +#: actions/editgroup.php:216 actions/newapplication.php:178 #, fuzzy, php-format msgid "Description is too long (maximum %d character)." msgid_plural "Description is too long (maximum %d characters)." @@ -557,9 +570,11 @@ msgstr[0] "Re hir eo an deskrivadur (%d arouezenn d'ar muiañ)." msgstr[1] "Re hir eo an deskrivadur (%d arouezenn d'ar muiañ)." #. TRANS: Client error shown when providing too long a location during group creation. +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. #. TRANS: Validation error in form for profile settings. -#: actions/apigroupcreate.php:234 actions/editgroup.php:208 -#: actions/newgroup.php:153 actions/profilesettings.php:269 +#: actions/apigroupcreate.php:234 actions/editgroup.php:223 +#: actions/newgroup.php:159 actions/profilesettings.php:269 #: actions/register.php:236 #, fuzzy msgid "Location is too long (maximum 255 characters)." @@ -567,7 +582,12 @@ msgstr "Re hir eo al lec'hiadur (255 arouezenn d'ar muiañ)." #. TRANS: Client error shown when providing too many aliases during group creation. #. TRANS: %d is the maximum number of allowed aliases. -#: actions/apigroupcreate.php:255 actions/newgroup.php:166 +#. TRANS: Group edit form validation error. +#. TRANS: %d is the maximum number of allowed aliases. +#. TRANS: Group create form validation error. +#. TRANS: %d is the maximum number of allowed aliases. +#: actions/apigroupcreate.php:255 actions/editgroup.php:236 +#: actions/newgroup.php:172 #, fuzzy, php-format msgid "Too many aliases! Maximum %d allowed." msgid_plural "Too many aliases! Maximum %d allowed." @@ -583,15 +603,19 @@ msgstr "Alias fall : \"%s\"." #. TRANS: Client error displayed when trying to use an alias during group creation that is already in use. #. TRANS: %s is the alias that is already in use. -#: actions/apigroupcreate.php:291 actions/editgroup.php:232 -#: actions/newgroup.php:181 +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. +#: actions/apigroupcreate.php:291 actions/editgroup.php:253 +#: actions/newgroup.php:189 #, php-format msgid "Alias \"%s\" already in use. Try another one." msgstr "Implijet e vez an alias \"%s\" dija. Klaskit gant unan all." #. TRANS: Client error displayed when trying to use an alias during group creation that is the same as the group's nickname. -#: actions/apigroupcreate.php:305 actions/editgroup.php:238 -#: actions/newgroup.php:187 +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. +#: actions/apigroupcreate.php:305 actions/editgroup.php:260 +#: actions/newgroup.php:196 msgid "Alias can't be the same as nickname." msgstr "Ne c'hell ket an alias bezañ ar memes hini eget al lesanv." @@ -697,18 +721,18 @@ msgid "Request token already authorized." msgstr "N'oc'h ket aotreet." #. TRANS: Form validation error in API OAuth authorisation because of an invalid session token. -#: actions/apioauthauthorize.php:147 actions/avatarsettings.php:270 +#: actions/apioauthauthorize.php:147 actions/avatarsettings.php:280 #: actions/deletenotice.php:172 actions/disfavor.php:74 #: actions/emailsettings.php:271 actions/favor.php:75 actions/geocode.php:55 #: actions/groupblock.php:66 actions/grouplogo.php:312 -#: actions/groupunblock.php:66 actions/imsettings.php:230 +#: actions/groupunblock.php:65 actions/imsettings.php:230 #: actions/invite.php:59 actions/login.php:137 actions/makeadmin.php:66 #: actions/newmessage.php:135 actions/newnotice.php:105 actions/nudge.php:80 #: actions/oauthappssettings.php:165 actions/oauthconnectionssettings.php:138 #: actions/othersettings.php:145 actions/passwordsettings.php:138 #: actions/profilesettings.php:221 actions/recoverpassword.php:350 #: actions/register.php:172 actions/remotesubscribe.php:77 -#: actions/repeat.php:83 actions/smssettings.php:256 actions/subedit.php:38 +#: actions/repeat.php:83 actions/smssettings.php:256 actions/subedit.php:40 #: actions/subscribe.php:86 actions/tagother.php:166 #: actions/unsubscribe.php:69 actions/userauthorization.php:52 #: lib/designsettings.php:294 @@ -727,12 +751,13 @@ msgid "Database error inserting oauth_token_association." msgstr "Ur fazi 'zo bet en ur ensoc'hañ an avatar" #. TRANS: Client error given on when invalid data was passed through a form in the OAuth API. +#. TRANS: Unexpected validation error on avatar upload form. #. TRANS: Client error displayed submitting invalid form data for edit application. #. TRANS: Message given submitting a form with an unknown action in e-mail settings. #. TRANS: Message given submitting a form with an unknown action in IM settings. #. TRANS: Client error when submitting a form with unexpected information. #. TRANS: Message given submitting a form with an unknown action in SMS settings. -#: actions/apioauthauthorize.php:294 actions/avatarsettings.php:283 +#: actions/apioauthauthorize.php:294 actions/avatarsettings.php:294 #: actions/designadminpanel.php:104 actions/editapplication.php:144 #: actions/emailsettings.php:290 actions/grouplogo.php:322 #: actions/imsettings.php:245 actions/newapplication.php:125 @@ -781,6 +806,7 @@ msgstr "Kont" #. TRANS: Field label on OAuth API authorisation form. #. TRANS: Field label in form for profile settings. +#. TRANS: Label for group nickname (dt). Text hidden by default. #: actions/apioauthauthorize.php:459 actions/login.php:252 #: actions/profilesettings.php:110 actions/register.php:433 #: actions/showgroup.php:245 actions/tagother.php:94 @@ -1032,104 +1058,138 @@ msgstr "Hentenn API war sevel." msgid "User not found." msgstr "N'eo ket bet kavet an hentenn API !" +#. TRANS: Client error displayed trying to get a non-existing attachment. #: 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 +#. TRANS: Client error displayed trying to get an avatar without providing a nickname. +#. TRANS: Client error displayed when requesting a list of blocked users for a group without providing a group nickname. +#. TRANS: Client error displayed trying to edit a group while not proving a nickname for the group to edit. +#. TRANS: Client error displayed if no nickname argument was given requesting a group page. +#: actions/avatarbynickname.php:60 actions/blockedfromgroup.php:73 +#: actions/editgroup.php:85 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 +#. TRANS: Client error displayed trying to get an avatar without providing an avatar size. +#: actions/avatarbynickname.php:66 msgid "No size." msgstr "Ment ebet." -#: actions/avatarbynickname.php:69 +#. TRANS: Client error displayed trying to get an avatar providing an invalid avatar size. +#: actions/avatarbynickname.php:72 msgid "Invalid size." msgstr "Ment direizh." +#. TRANS: Title for avatar upload page. +#. TRANS: Label for group avatar (dt). Text hidden by default. #. TRANS: Link description in user account settings menu. -#: actions/avatarsettings.php:67 actions/showgroup.php:230 +#: actions/avatarsettings.php:66 actions/showgroup.php:229 #: lib/accountsettingsaction.php:113 msgid "Avatar" msgstr "Avatar" +#. TRANS: Instruction for avatar upload page. +#. TRANS: %s is the maximum file size, for example "500b", "10kB" or "2MB". #: 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 +#. TRANS: Server error displayed in avatar upload page when no matching profile can be found for a user. +#: actions/avatarsettings.php:108 actions/avatarsettings.php:192 #: actions/grouplogo.php:181 actions/remotesubscribe.php:191 #: actions/userauthorization.php:72 actions/userrss.php:108 msgid "User without matching profile." msgstr "Implijer hep profil klotus." -#: actions/avatarsettings.php:119 actions/avatarsettings.php:197 +#. TRANS: Avatar upload page form legend. +#. TRANS: Avatar upload page crop form legend. +#: actions/avatarsettings.php:122 actions/avatarsettings.php:205 #: actions/grouplogo.php:254 msgid "Avatar settings" msgstr "Arventennoù an avatar" -#: actions/avatarsettings.php:127 actions/avatarsettings.php:205 +#. TRANS: Header on avatar upload page for thumbnail of originally uploaded avatar (h2). +#. TRANS: Header on avatar upload crop form for thumbnail of originally uploaded avatar (h2). +#: actions/avatarsettings.php:131 actions/avatarsettings.php:214 #: actions/grouplogo.php:202 actions/grouplogo.php:262 msgid "Original" msgstr "Orin" -#: actions/avatarsettings.php:142 actions/avatarsettings.php:217 +#. TRANS: Header on avatar upload page for thumbnail of to be used rendition of uploaded avatar (h2). +#. TRANS: Header on avatar upload crop form for thumbnail of to be used rendition of uploaded avatar (h2). +#: actions/avatarsettings.php:147 actions/avatarsettings.php:227 #: actions/grouplogo.php:213 actions/grouplogo.php:274 msgid "Preview" msgstr "Rakwelet" -#: actions/avatarsettings.php:149 actions/showapplication.php:252 -#: lib/deletegroupform.php:121 lib/deleteuserform.php:66 -#: lib/noticelist.php:667 +#. TRANS: Button on avatar upload page to delete current avatar. +#: actions/avatarsettings.php:155 +#, fuzzy +msgctxt "BUTTON" msgid "Delete" msgstr "Diverkañ" -#: actions/avatarsettings.php:166 actions/grouplogo.php:236 +#. TRANS: Button on avatar upload page to upload an avatar. +#: actions/avatarsettings.php:173 +#, fuzzy +msgctxt "BUTTON" msgid "Upload" msgstr "Enporzhiañ" -#: actions/avatarsettings.php:231 actions/grouplogo.php:289 +#. TRANS: Button on avatar upload crop form to confirm a selected crop as avatar. +#: actions/avatarsettings.php:243 +#, fuzzy +msgctxt "BUTTON" msgid "Crop" msgstr "Adframmañ" -#: actions/avatarsettings.php:307 +#. TRANS: Validation error on avatar upload form when no file was uploaded. +#: actions/avatarsettings.php:318 msgid "No file uploaded." msgstr "N'eus bet enporzhiet restr ebet." -#: actions/avatarsettings.php:334 +#. TRANS: Avatar upload form unstruction after uploading a file. +#: actions/avatarsettings.php:346 msgid "Pick a square area of the image to be your avatar" msgstr "Diuzit ur zonenn gant ur stumm karrez evit tremeniñ ho avatar" -#: actions/avatarsettings.php:349 actions/grouplogo.php:380 +#. TRANS: Server error displayed if an avatar upload went wrong somehow server side. +#: actions/avatarsettings.php:361 actions/grouplogo.php:380 msgid "Lost our file data." msgstr "Kollet eo bet roadennoù." -#: actions/avatarsettings.php:372 +#: actions/avatarsettings.php:384 msgid "Avatar updated." msgstr "Hizivaet eo bet an avatar." -#: actions/avatarsettings.php:375 +#. TRANS: Error displayed on the avatar upload page if the avatar could not be updated for an unknown reason. +#: actions/avatarsettings.php:388 msgid "Failed updating avatar." msgstr "Ur gudenn 'zo bet e-pad hizivadenn an avatar." -#: actions/avatarsettings.php:399 +#. TRANS: Success message for deleting a user avatar. +#: actions/avatarsettings.php:412 msgid "Avatar deleted." msgstr "Dilammet eo bet an Avatar." -#: actions/block.php:69 +#. TRANS: Client error displayed when blocking a user that has already been blocked. +#: actions/block.php:68 msgid "You already blocked that user." msgstr "Stanket ho peus dija an implijer-mañ." -#: actions/block.php:107 actions/block.php:136 actions/groupblock.php:158 +#. TRANS: Title for block user page. +#. TRANS: Legend for block user form. +#: actions/block.php:106 actions/block.php:136 actions/groupblock.php:158 msgid "Block user" msgstr "Stankañ an implijer-mañ" -#: actions/block.php:138 +#. TRANS: Explanation of consequences when blocking a user on the block user page. +#: actions/block.php:139 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 " @@ -1142,7 +1202,7 @@ msgstr "" #. TRANS: Button label on the delete notice form. #. TRANS: Button label on the delete user form. #. TRANS: Button label on the form to block a user from a group. -#: actions/block.php:153 actions/deleteapplication.php:154 +#: actions/block.php:154 actions/deleteapplication.php:154 #: actions/deletegroup.php:220 actions/deletenotice.php:150 #: actions/deleteuser.php:152 actions/groupblock.php:178 msgctxt "BUTTON" @@ -1151,7 +1211,7 @@ msgstr "Ket" #. TRANS: Submit button title for 'No' when blocking a user. #. TRANS: Submit button title for 'No' when deleting a user. -#: actions/block.php:157 actions/deleteuser.php:156 +#: actions/block.php:158 actions/deleteuser.php:156 msgid "Do not block this user" msgstr "Arabat stankañ an implijer-mañ" @@ -1161,7 +1221,7 @@ msgstr "Arabat stankañ an implijer-mañ" #. TRANS: Button label on the delete notice form. #. TRANS: Button label on the delete user form. #. TRANS: Button label on the form to block a user from a group. -#: actions/block.php:160 actions/deleteapplication.php:161 +#: actions/block.php:161 actions/deleteapplication.php:161 #: actions/deletegroup.php:227 actions/deletenotice.php:157 #: actions/deleteuser.php:159 actions/groupblock.php:185 msgctxt "BUTTON" @@ -1170,91 +1230,112 @@ msgstr "Ya" #. TRANS: Submit button title for 'Yes' when blocking a user. #. TRANS: Description of the form to block a user. -#: actions/block.php:164 lib/blockform.php:79 +#: actions/block.php:165 lib/blockform.php:79 msgid "Block this user" msgstr "Stankañ an implijer-mañ" -#: actions/block.php:187 +#. TRANS: Server error displayed when blocking a user fails. +#: actions/block.php:189 msgid "Failed to save block information." msgstr "Diposubl eo enrollañ an titouroù stankañ." +#. TRANS: Client error displayed when requesting a list of blocked users for a non-local group. +#. TRANS: Client error displayed when requesting a list of blocked users for a non-existing group. #. TRANS: Client error when trying to delete a non-local group. #. TRANS: Client error when trying to delete a non-existing group. +#. TRANS: Client error displayed trying to edit a non-existing group. +#. TRANS: Client error displayed when trying to unblock a user from a non-existing group. +#. TRANS: Client error displayed if no remote group with a given name was found requesting group page. +#. TRANS: Client error displayed if no local group with a given name was found requesting group page. #. TRANS: Command exception text shown when a group is requested that does not exist. #. TRANS: Error text shown when trying to leave a group that does not exist. -#: actions/blockedfromgroup.php:80 actions/blockedfromgroup.php:87 +#: actions/blockedfromgroup.php:81 actions/blockedfromgroup.php:89 #: actions/deletegroup.php:87 actions/deletegroup.php:100 -#: actions/editgroup.php:100 actions/foafgroup.php:44 actions/foafgroup.php:62 +#: actions/editgroup.php:102 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/groupunblock.php:88 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:168 +#: actions/showgroup.php:139 actions/showgroup.php:148 lib/command.php:168 #: lib/command.php:380 msgid "No such group." msgstr "N'eus ket eus ar strollad-se." -#: actions/blockedfromgroup.php:97 +#. TRANS: Title for first page with list of users blocked from a group. +#. TRANS: %s is a group nickname. +#: actions/blockedfromgroup.php:101 #, php-format msgid "%s blocked profiles" msgstr "%s profil stanket" -#: actions/blockedfromgroup.php:100 +#. TRANS: Title for any but the first page with list of users blocked from a group. +#. TRANS: %1$s is a group nickname, %2$d is a page number. +#: actions/blockedfromgroup.php:106 #, php-format msgid "%1$s blocked profiles, page %2$d" msgstr "%1$s profil stanket, pajenn %2$d" -#: actions/blockedfromgroup.php:115 +#. TRANS: Instructions for list of users blocked from a group. +#: actions/blockedfromgroup.php:122 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 +#. TRANS: Form legend for unblocking a user from a group. +#: actions/blockedfromgroup.php:291 msgid "Unblock user from group" msgstr "Distankañ implijer ar strollad" -#. TRANS: Title for the form to unblock a user. -#: actions/blockedfromgroup.php:320 lib/unblockform.php:70 +#. TRANS: Button text for unblocking a user from a group. +#: actions/blockedfromgroup.php:323 +#, fuzzy +msgctxt "BUTTON" msgid "Unblock" msgstr "Distankañ" +#. TRANS: Tooltip for button for unblocking a user from a group. #. TRANS: Description of the form to unblock a user. -#: actions/blockedfromgroup.php:320 lib/unblockform.php:82 +#: actions/blockedfromgroup.php:327 lib/unblockform.php:78 msgid "Unblock this user" msgstr "Distankañ an implijer-mañ" #. TRANS: Title for mini-posting window loaded from bookmarklet. +#. TRANS: %s is the StatusNet site name. #: actions/bookmarklet.php:51 #, php-format msgid "Post to %s" msgstr "Postañ war %s" -#: actions/confirmaddress.php:75 +#. TRANS: Client error displayed when not providing a confirmation code in the contact address confirmation action. +#: actions/confirmaddress.php:74 msgid "No confirmation code." msgstr "Kod kadarnaat ebet." +#. TRANS: Client error displayed when providing a non-existing confirmation code in the contact address confirmation action. #: actions/confirmaddress.php:80 msgid "Confirmation code not found." msgstr "N'eo ket bet kavet ar c'hod kadarnaat." -#: actions/confirmaddress.php:85 +#. TRANS: Client error displayed when not providing a confirmation code for another user in the contact address confirmation action. +#: actions/confirmaddress.php:86 msgid "That confirmation code is not for you!" msgstr "N'eo ket ar c'hod-se evidoc'h !" -#. TRANS: Server error for an unknow address type, which can be 'email', 'jabber', or 'sms'. -#: actions/confirmaddress.php:91 +#. TRANS: Server error for a unknow address type %s, which can be 'email', 'jabber', or 'sms'. +#: actions/confirmaddress.php:92 #, php-format msgid "Unrecognized address type %s." msgstr "Doare chomlec'h dianav %s." -#. TRANS: Client error for an already confirmed email/jabbel/sms address. -#: actions/confirmaddress.php:96 +#. TRANS: Client error for an already confirmed email/jabber/sms address. +#: actions/confirmaddress.php:97 msgid "That address has already been confirmed." msgstr "Kadarnaet eo bet dija ar chomlec'h-mañ." +#. TRANS: Server error displayed when a user update to the database fails in the contact address confirmation action. #. TRANS: Server error thrown on database error updating e-mail preferences. #. TRANS: Server error thrown on database error removing a registered e-mail address. #. TRANS: Server error thrown on database error updating IM preferences. @@ -1262,7 +1343,7 @@ msgstr "Kadarnaet eo bet dija ar chomlec'h-mañ." #. TRANS: Server error thrown when user profile settings could not be updated. #. TRANS: Server error thrown on database error updating SMS preferences. #. TRANS: Server error thrown on database error removing a registered SMS phone number. -#: actions/confirmaddress.php:116 actions/emailsettings.php:331 +#: actions/confirmaddress.php:118 actions/emailsettings.php:331 #: actions/emailsettings.php:477 actions/imsettings.php:283 #: actions/imsettings.php:442 actions/othersettings.php:174 #: actions/profilesettings.php:326 actions/smssettings.php:308 @@ -1270,27 +1351,32 @@ msgstr "Kadarnaet eo bet dija ar chomlec'h-mañ." msgid "Couldn't update user." msgstr "Diposubl eo hizivaat an implijer." -#. TRANS: Server error thrown on database error canceling e-mail address confirmation. -#. TRANS: Server error thrown on database error canceling SMS phone number confirmation. -#: actions/confirmaddress.php:128 actions/emailsettings.php:437 -#: actions/smssettings.php:422 -msgid "Couldn't delete email confirmation." +#. TRANS: Server error displayed when an address confirmation code deletion from the +#. TRANS: database fails in the contact address confirmation action. +#: actions/confirmaddress.php:132 +#, fuzzy +msgid "Could not delete address confirmation." msgstr "Diposubl eo dilemel ar postel kadarnadur." -#: actions/confirmaddress.php:146 +#. TRANS: Title for the contact address confirmation action. +#: actions/confirmaddress.php:150 msgid "Confirm address" msgstr "Chomlec'h kadarnaet" -#: actions/confirmaddress.php:161 +#. TRANS: Success message for the contact address confirmation action. +#. TRANS: %s can be 'email', 'jabber', or 'sms'. +#: actions/confirmaddress.php:166 #, 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 +#. TRANS: Title for page with a conversion (multiple notices in context). +#: actions/conversation.php:96 msgid "Conversation" msgstr "Kaozeadenn" -#: actions/conversation.php:154 lib/mailbox.php:116 lib/noticelist.php:87 +#. TRANS: Header on conversation page. Hidden by default (h2). +#: actions/conversation.php:149 lib/mailbox.php:116 lib/noticelist.php:87 #: lib/profileaction.php:229 lib/searchgroupnav.php:82 msgid "Notices" msgstr "Ali" @@ -1395,11 +1481,13 @@ msgstr "Arabat dilemel ar c'hemenn-mañ" msgid "Delete this group" msgstr "Diverkañ an implijer-mañ" +#. TRANS: Client error displayed when trying to unblock a user from a group while not logged in. +#. TRANS: Client error displayed trying a change a subscription while not logged in. #. TRANS: Client error message thrown when trying to access the admin panel while not logged in. #: actions/deletenotice.php:50 actions/disfavor.php:61 actions/favor.php:62 -#: actions/groupblock.php:61 actions/groupunblock.php:61 actions/logout.php:69 +#: actions/groupblock.php:61 actions/groupunblock.php:60 actions/logout.php:69 #: actions/makeadmin.php:61 actions/newmessage.php:87 actions/newnotice.php:88 -#: actions/nudge.php:63 actions/subedit.php:31 actions/subscribe.php:96 +#: actions/nudge.php:63 actions/subedit.php:33 actions/subscribe.php:96 #: actions/tagother.php:33 actions/unsubscribe.php:52 #: lib/adminpanelaction.php:71 lib/profileformaction.php:64 #: lib/settingsaction.php:72 @@ -1697,49 +1785,49 @@ msgstr "N'eo ket mat an URL kounadur (Callback)." msgid "Could not update application." msgstr "Diposubl eo hizivaat ar poellad" -#: actions/editgroup.php:56 +#. TRANS: Title for form to edit a group. %s is a group nickname. +#: actions/editgroup.php:55 #, php-format msgid "Edit %s group" msgstr "Kemmañ ar strollad %s" +#. TRANS: Client error displayed trying to edit a group while not logged in. +#. TRANS: Client error displayed trying to create a group while not logged in. #: 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 +#. TRANS: Client error displayed trying to edit a group while not being a group admin. +#: actions/editgroup.php:110 actions/editgroup.php:176 #: 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 +#. TRANS: Form instructions for group edit form. +#: actions/editgroup.php:161 msgid "Use this form to edit the group." msgstr "Leunit ar furmskrid-mañ evit kemmañ dibarzhioù ar strollad." -#: actions/editgroup.php:205 -#, php-format -msgid "Description is too long (max %d chars)." -msgstr "Re hir eo an deskrivadur (%d arouezenn d'ar muiañ)." - -#: actions/editgroup.php:219 -#, php-format -msgid "Too many aliases! Maximum %d." -msgstr "Re a aliasoù ! %d d'ar muiañ." - -#: actions/editgroup.php:228 actions/newgroup.php:177 +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. +#: actions/editgroup.php:248 actions/newgroup.php:184 #, php-format msgid "Invalid alias: \"%s\"" msgstr "Alias fall : \"%s\"" -#: actions/editgroup.php:258 +#. TRANS: Server error displayed when editing a group fails. +#: actions/editgroup.php:281 msgid "Could not update group." msgstr "Diposubl eo hizivaat ar strollad." +#. TRANS: Server error displayed when group aliases could not be added. #. TRANS: Server exception thrown when creating group aliases failed. -#: actions/editgroup.php:264 classes/User_group.php:513 +#: actions/editgroup.php:288 classes/User_group.php:513 msgid "Could not create aliases." msgstr "Diposubl eo krouiñ an aliasoù." -#: actions/editgroup.php:280 +#. TRANS: Group edit form success message. +#: actions/editgroup.php:305 msgid "Options saved." msgstr "Enrollet eo bet ho dibarzhioù." @@ -1931,6 +2019,12 @@ msgstr "Kadarnadenn ebet da vezañ nullet." msgid "That is the wrong email address." msgstr "N'eo ket mat ar chomlec'h postelerezh prim." +#. TRANS: Server error thrown on database error canceling e-mail address confirmation. +#. TRANS: Server error thrown on database error canceling SMS phone number confirmation. +#: actions/emailsettings.php:437 actions/smssettings.php:422 +msgid "Couldn't delete email confirmation." +msgstr "Diposubl eo dilemel ar postel kadarnadur." + #. TRANS: Message given after successfully canceling e-mail address confirmation. #: actions/emailsettings.php:442 msgid "Email confirmation cancelled." @@ -2111,19 +2205,23 @@ msgstr "Ne c'helloc'h ket reiñ rolloù d'an implijerien eus al lec'hienn-mañ." msgid "User already has this role." msgstr "An implijer-mañ en deus dija ar roll-mañ." +#. TRANS: Client error displayed when trying to unblock a user from a group without providing a profile. +#. TRANS: Client error displayed trying a change a subscription without providing a profile. #: actions/groupblock.php:71 actions/groupunblock.php:71 -#: actions/makeadmin.php:71 actions/subedit.php:46 +#: actions/makeadmin.php:71 actions/subedit.php:49 #: lib/profileformaction.php:79 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 +#. TRANS: Client error displayed when trying to unblock a user from a group without providing an existing profile. +#. TRANS: Client error displayed trying a change a subscription for a non-existant profile ID. +#: actions/groupblock.php:76 actions/groupunblock.php:77 +#: actions/makeadmin.php:76 actions/subedit.php:57 actions/tagother.php:46 #: actions/unsubscribe.php:84 lib/profileformaction.php:86 msgid "No profile with that ID." msgstr "N'eus profil ebet gant an ID-mañ." -#: actions/groupblock.php:81 actions/groupunblock.php:81 +#: actions/groupblock.php:81 actions/groupunblock.php:82 #: actions/makeadmin.php:81 msgid "No group specified." msgstr "N'eo bet resisaet strollad ebet" @@ -2205,6 +2303,14 @@ msgid "" "You can upload a logo image for your group. The maximum file size is %s." msgstr "" +#: actions/grouplogo.php:236 +msgid "Upload" +msgstr "Enporzhiañ" + +#: actions/grouplogo.php:289 +msgid "Crop" +msgstr "Adframmañ" + #: actions/grouplogo.php:365 #, fuzzy msgid "Pick a square area of the image to be the logo." @@ -2344,15 +2450,18 @@ msgstr "" "Perak ne [groufec'h ket ur gont](%%action.register%%) ha bezañ an hini " "gentañ da embann un dra !" -#: actions/groupunblock.php:91 +#. TRANS: Client error displayed when trying to unblock a user from a group without being an administrator for the group. +#: actions/groupunblock.php:94 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 +#. TRANS: Client error displayed when trying to unblock a non-blocked user from a group. +#: actions/groupunblock.php:99 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 +#. TRANS: Server error displayed when unblocking a user from a group fails because of an unknown error. +#: actions/groupunblock.php:131 actions/unblock.php:86 msgid "Error removing the block." msgstr "Ur fazi a zo bet e-pad nulladenn ar stankadenn." @@ -2912,10 +3021,12 @@ msgstr "Re hir eo an aozadur (255 arouezenn d'ar muiañ)." msgid "Could not create application." msgstr "N'eo ket posubl krouiñ ar poellad." +#. TRANS: Title for form to create a group. #: actions/newgroup.php:53 msgid "New group" msgstr "Strollad nevez" +#. TRANS: Form instructions for group create form. #: actions/newgroup.php:110 msgid "Use this form to create a new group." msgstr "Implijit ar furmskrid-mañ a-benn krouiñ ur strollad nevez." @@ -3618,8 +3729,9 @@ msgid "1-64 lowercase letters or numbers, no punctuation or spaces." msgstr "1 da 64 lizherenn vihan pe sifr, hep poentaouiñ nag esaouenn" #. TRANS: Field label in form for profile settings. +#. TRANS: Label for full group name (dt). Text hidden by default. #: actions/profilesettings.php:117 actions/register.php:457 -#: actions/showgroup.php:256 actions/tagother.php:104 +#: actions/showgroup.php:257 actions/tagother.php:104 #: lib/groupeditform.php:157 lib/userprofile.php:150 msgid "Full name" msgstr "Anv klok" @@ -3659,8 +3771,9 @@ msgid "Bio" msgstr "Buhezskrid" #. TRANS: Field label in form for profile settings. +#. TRANS: Label for group location (dt). Text hidden by default. #: actions/profilesettings.php:149 actions/register.php:485 -#: actions/showgroup.php:265 actions/tagother.php:112 +#: actions/showgroup.php:267 actions/tagother.php:112 #: actions/userauthorization.php:166 lib/groupeditform.php:177 #: lib/userprofile.php:165 msgid "Location" @@ -4357,7 +4470,8 @@ msgstr "Aozadur" msgid "Description" msgstr "Deskrivadur" -#: actions/showapplication.php:192 actions/showgroup.php:442 +#. TRANS: Header for group statistics on a group page (h2). +#: actions/showapplication.php:192 actions/showgroup.php:453 #: lib/profileaction.php:187 msgid "Statistics" msgstr "Stadegoù" @@ -4375,6 +4489,11 @@ msgstr "Obererezhioù ar poellad" msgid "Reset key & secret" msgstr "Adderaouekaat an alc'hwez hag ar sekred" +#: actions/showapplication.php:252 lib/deletegroupform.php:121 +#: lib/deleteuserform.php:66 lib/noticelist.php:667 +msgid "Delete" +msgstr "Diverkañ" + #: actions/showapplication.php:261 msgid "Application info" msgstr "Titouroù ar poelad" @@ -4460,77 +4579,106 @@ msgstr "" msgid "This is a way to share what you like." msgstr "Un doare eo evit kevranañ ar pezh a blij deoc'h." -#: actions/showgroup.php:82 +#. TRANS: Page title for first group page. %s is a group name. +#: actions/showgroup.php:80 #, php-format msgid "%s group" msgstr "strollad %s" +#. TRANS: Page title for any but first group page. +#. TRANS: %1$s is a group name, $2$s is a page number. #: actions/showgroup.php:84 #, php-format msgid "%1$s group, page %2$d" msgstr "Strollad %1$s, pajenn %2$d" -#: actions/showgroup.php:227 +#. TRANS: Group profile header (h2). Text hidden by default. +#: actions/showgroup.php:225 msgid "Group profile" msgstr "Profil ar strollad" -#: actions/showgroup.php:272 actions/tagother.php:118 +#. TRANS: Label for group URL (dt). Text hidden by default. +#: actions/showgroup.php:275 actions/tagother.php:118 #: actions/userauthorization.php:175 lib/userprofile.php:178 msgid "URL" msgstr "URL" -#: actions/showgroup.php:283 actions/tagother.php:128 +#. TRANS: Label for group description or group note (dt). Text hidden by default. +#: actions/showgroup.php:287 actions/tagother.php:128 #: actions/userauthorization.php:187 lib/userprofile.php:195 msgid "Note" msgstr "Notenn" -#: actions/showgroup.php:293 lib/groupeditform.php:184 +#. TRANS: Label for group aliases (dt). Text hidden by default. +#: actions/showgroup.php:298 lib/groupeditform.php:184 msgid "Aliases" msgstr "Aliasoù" -#: actions/showgroup.php:302 +#. TRANS: Group actions header (h2). Text hidden by default. +#: actions/showgroup.php:309 msgid "Group actions" msgstr "Obererezh ar strollad" -#: actions/showgroup.php:344 +#. TRANS: Tooltip for feed link. %s is a group nickname. +#: actions/showgroup.php:350 #, php-format msgid "Notice feed for %s group (RSS 1.0)" msgstr "Neudenn alioù ar strollad %s (RSS 1.0)" -#: actions/showgroup.php:350 +#. TRANS: Tooltip for feed link. %s is a group nickname. +#: actions/showgroup.php:357 #, php-format msgid "Notice feed for %s group (RSS 2.0)" msgstr "Neudenn alioù ar strollad %s (RSS 2.0)" -#: actions/showgroup.php:356 +#. TRANS: Tooltip for feed link. %s is a group nickname. +#: actions/showgroup.php:364 #, php-format msgid "Notice feed for %s group (Atom)" msgstr "Neudenn alioù ar strollad %s (Atom)" -#: actions/showgroup.php:361 +#. TRANS: Tooltip for feed link. %s is a group nickname. +#: actions/showgroup.php:370 #, php-format msgid "FOAF for %s group" msgstr "Mignon ur mignon evit ar strollad %s" -#: actions/showgroup.php:399 actions/showgroup.php:451 +#. TRANS: Header for mini list of group members on a group page (h2). +#: actions/showgroup.php:407 msgid "Members" msgstr "Izili" -#: actions/showgroup.php:404 lib/profileaction.php:117 +#. TRANS: Description for mini list of group members on a group page when the group has no members. +#: actions/showgroup.php:413 lib/profileaction.php:117 #: lib/profileaction.php:152 lib/profileaction.php:255 lib/section.php:95 #: lib/subscriptionlist.php:127 lib/tagcloudsection.php:71 msgid "(None)" msgstr "(Hini ebet)" -#: actions/showgroup.php:410 +#. TRANS: Link to all group members from mini list of group members if group has more than n members. +#: actions/showgroup.php:422 msgid "All members" msgstr "An holl izili" -#: actions/showgroup.php:445 +#. TRANS: Label for creation date in statistics on group page. +#: actions/showgroup.php:458 +#, fuzzy +msgctxt "LABEL" msgid "Created" msgstr "Krouet" -#: actions/showgroup.php:461 +#. TRANS: Label for member count in statistics on group page. +#: actions/showgroup.php:466 +#, fuzzy +msgctxt "LABEL" +msgid "Members" +msgstr "Izili" + +#. TRANS: Notice on group pages for anonymous users for StatusNet sites that accept new registrations. +#. TRANS: **%s** is the group alias, %%%%site.name%%%% is the site name, +#. TRANS: %%%%action.register%%%% is the URL for registration, %%%%doc.help%%%% is a URL to help. +#. TRANS: This message contains Markdown links. Ensure they are formatted correctly: [Description](link). +#: actions/showgroup.php:481 #, fuzzy, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -4542,7 +4690,10 @@ msgstr "" "%%site.name%% a zo ur servij [micro-blogging](http://br.wikipedia.org/wiki/" "Microblog) diazezet war ar meziant frank [StatusNet](http://status.net/)." -#: actions/showgroup.php:467 +#. TRANS: Notice on group pages for anonymous users for StatusNet sites that accept no new registrations. +#. TRANS: **%s** is the group alias, %%%%site.name%%%% is the site name, +#. TRANS: This message contains Markdown links. Ensure they are formatted correctly: [Description](link). +#: actions/showgroup.php:491 #, fuzzy, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -4553,26 +4704,33 @@ msgstr "" "%%site.name%% a zo ur servij [micro-blogging](http://br.wikipedia.org/wiki/" "Microblog) diazezet war ar meziant frank [StatusNet](http://status.net/)." -#: actions/showgroup.php:495 +#. TRANS: Header for list of group administrators on a group page (h2). +#: actions/showgroup.php:520 msgid "Admins" msgstr "Merourien" -#: actions/showmessage.php:81 +#. TRANS: Client error displayed requesting a single message that does not exist. +#: actions/showmessage.php:79 msgid "No such message." msgstr "N'eus ket eus ar gemennadenn-se." -#: actions/showmessage.php:98 +#. TRANS: Client error displayed requesting a single direct message the requesting user was not a party in. +#: actions/showmessage.php:97 msgid "Only the sender and recipient may read this message." msgstr "" "Ne c'hell bezañ lennet ar gemenadenn-mañ nemet gant ar c'haser hag ar " "resever." -#: actions/showmessage.php:108 +#. TRANS: Page title for single direct message display when viewing user is the sender. +#. TRANS: %1$s is the addressed user's nickname, $2$s is a timestamp. +#: actions/showmessage.php:110 #, php-format msgid "Message to %1$s on %2$s" msgstr "Kemanadenn kaset da %1$s d'an %2$s" -#: actions/showmessage.php:113 +#. TRANS: Page title for single message display. +#. TRANS: %1$s is the sending user's nickname, $2$s is a timestamp. +#: actions/showmessage.php:118 #, php-format msgid "Message from %1$s on %2$s" msgstr "Kemenadenn resevet eus %1$s d'an %2$s" @@ -5013,13 +5171,15 @@ msgstr "" msgid "Save snapshot settings" msgstr "Enrollañ arventennoù al lec'hienn" -#: actions/subedit.php:70 +#. TRANS: Client error displayed trying a change a subscription for a non-subscribed profile. +#: actions/subedit.php:75 #, fuzzy msgid "You are not subscribed to that profile." msgstr "N'hoc'h ket koumanantet da zen ebet." +#. TRANS: Server error displayed when updating a subscription fails with a database error. #. TRANS: Exception thrown when a subscription could not be stored on the server. -#: actions/subedit.php:83 classes/Subscription.php:136 +#: actions/subedit.php:89 classes/Subscription.php:136 #, fuzzy msgid "Could not save subscription." msgstr "Dibosupl eo dilemel ar c'houmanant." @@ -5805,12 +5965,12 @@ msgid "Welcome to %1$s, @%2$s!" msgstr "Deuet mat da %1$s, @%2$s !" #. TRANS: Server exception. -#: classes/User.php:902 +#: classes/User.php:912 msgid "No single user defined for single-user mode." msgstr "" #. TRANS: Server exception. -#: classes/User.php:906 +#: classes/User.php:916 msgid "Single-user mode code called when not enabled." msgstr "" @@ -6937,7 +7097,8 @@ msgstr "Atom" msgid "FOAF" msgstr "Mignon ur mignon (FOAF)" -#: lib/feedlist.php:65 +#. TRANS: Header for feed links (h2). +#: lib/feedlist.php:66 msgid "Feeds" msgstr "" @@ -7101,39 +7262,57 @@ msgstr "" msgid "Unsupported image file format." msgstr "Diembreget eo ar furmad-se." -#: lib/imagefile.php:88 +#. TRANS: Exception thrown when too large a file is uploaded. +#. TRANS: %s is the maximum file size, for example "500b", "10kB" or "2MB". +#: lib/imagefile.php:90 #, fuzzy, php-format msgid "That file is too big. The maximum file size is %s." msgstr "Re vras eo ar restr ! %d eo ar vent vrasañ evit ur restr." -#: lib/imagefile.php:93 +#: lib/imagefile.php:95 msgid "Partial upload." msgstr "Enporzhiadenn diglok." #. TRANS: Client exception thrown when a file upload operation has failed with an unknown reason. -#: lib/imagefile.php:101 lib/mediafile.php:179 +#: lib/imagefile.php:103 lib/mediafile.php:179 msgid "System error uploading file." msgstr "" -#: lib/imagefile.php:109 +#: lib/imagefile.php:111 msgid "Not an image or corrupt file." msgstr "" -#: lib/imagefile.php:122 +#: lib/imagefile.php:124 msgid "Lost our file." msgstr "Restr bet kollet." -#: lib/imagefile.php:163 lib/imagefile.php:224 +#: lib/imagefile.php:165 lib/imagefile.php:226 msgid "Unknown file type" msgstr "Dizanv eo seurt ar restr" -#: lib/imagefile.php:244 -msgid "MB" -msgstr "Mo" +#. TRANS: Number of megabytes. %d is the number. +#: lib/imagefile.php:248 +#, fuzzy, php-format +msgid "%dMB" +msgid_plural "%dMB" +msgstr[0] "Mo" +msgstr[1] "Mo" -#: lib/imagefile.php:246 -msgid "kB" -msgstr "Ko" +#. TRANS: Number of kilobytes. %d is the number. +#: lib/imagefile.php:252 +#, fuzzy, php-format +msgid "%dkB" +msgid_plural "%dkB" +msgstr[0] "Ko" +msgstr[1] "Ko" + +#. TRANS: Number of bytes. %d is the number. +#: lib/imagefile.php:255 +#, php-format +msgid "%dB" +msgid_plural "%dB" +msgstr[0] "" +msgstr[1] "" #: lib/jabber.php:387 #, php-format @@ -7933,6 +8112,13 @@ msgstr "Fazi en ur hizivaat ar profil a-bell." msgid "Top posters" msgstr "An implijerien an efedusañ" +#. TRANS: Title for the form to unblock a user. +#: lib/unblockform.php:67 +#, fuzzy +msgctxt "TITLE" +msgid "Unblock" +msgstr "Distankañ" + #: lib/unsandboxform.php:69 #, fuzzy msgid "Unsandbox" @@ -8121,3 +8307,9 @@ msgstr "N'eus bet diferet ID implijer ebet." #, php-format msgid "%d entries in backup." msgstr "" + +#~ msgid "Description is too long (max %d chars)." +#~ msgstr "Re hir eo an deskrivadur (%d arouezenn d'ar muiañ)." + +#~ msgid "Too many aliases! Maximum %d." +#~ msgstr "Re a aliasoù ! %d d'ar muiañ." diff --git a/locale/ca/LC_MESSAGES/statusnet.po b/locale/ca/LC_MESSAGES/statusnet.po index 42d7976a05..78a49f197f 100644 --- a/locale/ca/LC_MESSAGES/statusnet.po +++ b/locale/ca/LC_MESSAGES/statusnet.po @@ -13,17 +13,17 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet - Core\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-10-27 23:43+0000\n" -"PO-Revision-Date: 2010-10-28 23:08:48+0000\n" +"POT-Creation-Date: 2010-10-30 23:18+0000\n" +"PO-Revision-Date: 2010-10-30 23:19:57+0000\n" "Language-Team: Catalan \n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r75629); Translate extension (2010-09-17)\n" +"X-Generator: MediaWiki 1.17alpha (r75708); Translate extension (2010-09-17)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: ca\n" "X-Message-Group: #out-statusnet-core\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-POT-Import-Date: 2010-10-28 00:13:15+0000\n" +"X-POT-Import-Date: 2010-10-30 09:48:40+0000\n" #. TRANS: Page title for Access admin panel that allows configuring site access. #. TRANS: Menu item for site administration @@ -121,6 +121,7 @@ msgstr "No existeix la pàgina." #. TRANS: Client error displayed when requesting most recent dents by user and friends for a non-existing user. #. TRANS: Client error displayed when requesting most recent mentions for a non-existing user. #. TRANS: Client error displayed requesting most recent notices for a non-existing user. +#. TRANS: Client error displayed trying to get an avatar for a non-existing user. #. TRANS: Error text shown when trying to send a direct message to a user that does not exist. #: actions/all.php:80 actions/apiaccountupdatedeliverydevice.php:110 #: actions/apiaccountupdateprofile.php:103 @@ -133,7 +134,7 @@ msgstr "No existeix la pàgina." #: actions/apistatusesupdate.php:230 actions/apisubscriptions.php:85 #: actions/apitimelinefavorites.php:70 actions/apitimelinefriends.php:173 #: actions/apitimelinehome.php:78 actions/apitimelinementions.php:77 -#: actions/apitimelineuser.php:79 actions/avatarbynickname.php:75 +#: actions/apitimelineuser.php:79 actions/avatarbynickname.php:79 #: 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 @@ -313,11 +314,12 @@ msgstr "No s'ha pogut actualitzar l'usuari." #. TRANS: Client error displayed a user has no profile updating profile colours. #. TRANS: Client error displayed if a user profile could not be found updating a profile image. #. TRANS: Client error displayed when requesting user information for a user without a profile. +#. TRANS: Client error displayed trying to get an avatar for a user without a profile. #: actions/apiaccountupdateprofile.php:111 #: actions/apiaccountupdateprofilebackgroundimage.php:199 #: actions/apiaccountupdateprofilecolors.php:183 #: actions/apiaccountupdateprofileimage.php:130 actions/apiusershow.php:108 -#: actions/avatarbynickname.php:80 actions/foaf.php:65 actions/hcard.php:74 +#: actions/avatarbynickname.php:85 actions/foaf.php:65 actions/hcard.php:74 #: actions/replies.php:80 actions/usergroups.php:100 lib/galleryaction.php:66 #: lib/profileaction.php:84 msgid "User has no profile." @@ -332,7 +334,7 @@ msgstr "No s'ha pogut desar el perfil." #. TRANS: %s is the number of bytes of the CONTENT_LENGTH. #: actions/apiaccountupdateprofilebackgroundimage.php:108 #: actions/apiaccountupdateprofileimage.php:95 actions/apimediaupload.php:81 -#: actions/apistatusesupdate.php:210 actions/avatarsettings.php:259 +#: actions/apistatusesupdate.php:210 actions/avatarsettings.php:269 #: actions/designadminpanel.php:125 actions/editapplication.php:121 #: actions/newapplication.php:104 actions/newnotice.php:95 #, fuzzy, php-format @@ -510,9 +512,11 @@ msgstr "No s'ha pogut determinar l'usuari d'origen." msgid "Could not find target user." msgstr "No s'ha pogut trobar l'usuari de destinació." +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. #. TRANS: Validation error in form for profile settings. -#: actions/apigroupcreate.php:165 actions/editgroup.php:186 -#: actions/newgroup.php:126 actions/profilesettings.php:243 +#: actions/apigroupcreate.php:165 actions/editgroup.php:191 +#: actions/newgroup.php:127 actions/profilesettings.php:243 #: actions/register.php:212 msgid "Nickname must have only lowercase letters and numbers and no spaces." msgstr "" @@ -520,35 +524,43 @@ msgstr "" "espais." #. TRANS: Client error trying to create a group with a nickname this is already in use. +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. #. TRANS: Validation error in form for profile settings. -#: actions/apigroupcreate.php:175 actions/editgroup.php:190 -#: actions/newgroup.php:130 actions/profilesettings.php:277 +#: actions/apigroupcreate.php:175 actions/editgroup.php:196 +#: actions/newgroup.php:132 actions/profilesettings.php:277 #: actions/register.php:215 msgid "Nickname already in use. Try another one." msgstr "Aquest sobrenom ja existeix. Prova un altre. " #. TRANS: Client error in form for group creation. +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. #. TRANS: Validation error in form for profile settings. -#: actions/apigroupcreate.php:183 actions/editgroup.php:193 -#: actions/newgroup.php:133 actions/profilesettings.php:247 +#: actions/apigroupcreate.php:183 actions/editgroup.php:200 +#: actions/newgroup.php:136 actions/profilesettings.php:247 #: actions/register.php:217 msgid "Not a valid nickname." msgstr "Sobrenom no vàlid." #. TRANS: Client error in form for group creation. #. TRANS: Validation error shown when providing an invalid homepage URL in the "Edit application" form. +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. #. TRANS: Validation error in form for profile settings. #: actions/apigroupcreate.php:200 actions/editapplication.php:233 -#: actions/editgroup.php:199 actions/newapplication.php:211 -#: actions/newgroup.php:139 actions/profilesettings.php:252 +#: actions/editgroup.php:207 actions/newapplication.php:211 +#: actions/newgroup.php:143 actions/profilesettings.php:252 #: actions/register.php:224 msgid "Homepage is not a valid URL." msgstr "La pàgina personal no és un URL vàlid." #. TRANS: Client error in form for group creation. +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. #. TRANS: Validation error in form for profile settings. -#: actions/apigroupcreate.php:210 actions/editgroup.php:202 -#: actions/newgroup.php:142 actions/profilesettings.php:256 +#: actions/apigroupcreate.php:210 actions/editgroup.php:211 +#: actions/newgroup.php:147 actions/profilesettings.php:256 #: actions/register.php:227 #, fuzzy msgid "Full name is too long (maximum 255 characters)." @@ -557,10 +569,11 @@ msgstr "El vostre nom sencer és massa llarg (màx. 255 caràcters)." #. TRANS: Client error shown when providing too long a description during group creation. #. TRANS: %d is the maximum number of allowed characters. #. TRANS: Validation error shown when providing too long a description in the "Edit application" form. +#. TRANS: Group edit form validation error. #. TRANS: Form validation error in New application form. #. TRANS: %d is the maximum number of characters for the description. #: actions/apigroupcreate.php:220 actions/editapplication.php:201 -#: actions/newapplication.php:178 +#: actions/editgroup.php:216 actions/newapplication.php:178 #, fuzzy, php-format msgid "Description is too long (maximum %d character)." msgid_plural "Description is too long (maximum %d characters)." @@ -568,9 +581,11 @@ msgstr[0] "La descripció és massa llarga (màx. %d caràcters)." msgstr[1] "La descripció és massa llarga (màx. %d caràcters)." #. TRANS: Client error shown when providing too long a location during group creation. +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. #. TRANS: Validation error in form for profile settings. -#: actions/apigroupcreate.php:234 actions/editgroup.php:208 -#: actions/newgroup.php:153 actions/profilesettings.php:269 +#: actions/apigroupcreate.php:234 actions/editgroup.php:223 +#: actions/newgroup.php:159 actions/profilesettings.php:269 #: actions/register.php:236 #, fuzzy msgid "Location is too long (maximum 255 characters)." @@ -578,7 +593,12 @@ msgstr "La ubicació és massa llarga (màx. 255 caràcters)." #. TRANS: Client error shown when providing too many aliases during group creation. #. TRANS: %d is the maximum number of allowed aliases. -#: actions/apigroupcreate.php:255 actions/newgroup.php:166 +#. TRANS: Group edit form validation error. +#. TRANS: %d is the maximum number of allowed aliases. +#. TRANS: Group create form validation error. +#. TRANS: %d is the maximum number of allowed aliases. +#: actions/apigroupcreate.php:255 actions/editgroup.php:236 +#: actions/newgroup.php:172 #, fuzzy, php-format msgid "Too many aliases! Maximum %d allowed." msgid_plural "Too many aliases! Maximum %d allowed." @@ -594,15 +614,19 @@ msgstr "L'àlies no és vàlid: «%s»." #. TRANS: Client error displayed when trying to use an alias during group creation that is already in use. #. TRANS: %s is the alias that is already in use. -#: actions/apigroupcreate.php:291 actions/editgroup.php:232 -#: actions/newgroup.php:181 +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. +#: actions/apigroupcreate.php:291 actions/editgroup.php:253 +#: actions/newgroup.php:189 #, php-format msgid "Alias \"%s\" already in use. Try another one." msgstr "L'àlies «%s» ja està en ús. Proveu-ne un altre." #. TRANS: Client error displayed when trying to use an alias during group creation that is the same as the group's nickname. -#: actions/apigroupcreate.php:305 actions/editgroup.php:238 -#: actions/newgroup.php:187 +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. +#: actions/apigroupcreate.php:305 actions/editgroup.php:260 +#: actions/newgroup.php:196 msgid "Alias can't be the same as nickname." msgstr "L'àlies no pot ser el mateix que el sobrenom." @@ -708,18 +732,18 @@ msgid "Request token already authorized." msgstr "No esteu autoritzat." #. TRANS: Form validation error in API OAuth authorisation because of an invalid session token. -#: actions/apioauthauthorize.php:147 actions/avatarsettings.php:270 +#: actions/apioauthauthorize.php:147 actions/avatarsettings.php:280 #: actions/deletenotice.php:172 actions/disfavor.php:74 #: actions/emailsettings.php:271 actions/favor.php:75 actions/geocode.php:55 #: actions/groupblock.php:66 actions/grouplogo.php:312 -#: actions/groupunblock.php:66 actions/imsettings.php:230 +#: actions/groupunblock.php:65 actions/imsettings.php:230 #: actions/invite.php:59 actions/login.php:137 actions/makeadmin.php:66 #: actions/newmessage.php:135 actions/newnotice.php:105 actions/nudge.php:80 #: actions/oauthappssettings.php:165 actions/oauthconnectionssettings.php:138 #: actions/othersettings.php:145 actions/passwordsettings.php:138 #: actions/profilesettings.php:221 actions/recoverpassword.php:350 #: actions/register.php:172 actions/remotesubscribe.php:77 -#: actions/repeat.php:83 actions/smssettings.php:256 actions/subedit.php:38 +#: actions/repeat.php:83 actions/smssettings.php:256 actions/subedit.php:40 #: actions/subscribe.php:86 actions/tagother.php:166 #: actions/unsubscribe.php:69 actions/userauthorization.php:52 #: lib/designsettings.php:294 @@ -740,12 +764,13 @@ msgid "Database error inserting oauth_token_association." msgstr "Error de la base de dades en inserir l'usuari de l'aplicació OAuth." #. TRANS: Client error given on when invalid data was passed through a form in the OAuth API. +#. TRANS: Unexpected validation error on avatar upload form. #. TRANS: Client error displayed submitting invalid form data for edit application. #. TRANS: Message given submitting a form with an unknown action in e-mail settings. #. TRANS: Message given submitting a form with an unknown action in IM settings. #. TRANS: Client error when submitting a form with unexpected information. #. TRANS: Message given submitting a form with an unknown action in SMS settings. -#: actions/apioauthauthorize.php:294 actions/avatarsettings.php:283 +#: actions/apioauthauthorize.php:294 actions/avatarsettings.php:294 #: actions/designadminpanel.php:104 actions/editapplication.php:144 #: actions/emailsettings.php:290 actions/grouplogo.php:322 #: actions/imsettings.php:245 actions/newapplication.php:125 @@ -800,6 +825,7 @@ msgstr "Compte" #. TRANS: Field label on OAuth API authorisation form. #. TRANS: Field label in form for profile settings. +#. TRANS: Label for group nickname (dt). Text hidden by default. #: actions/apioauthauthorize.php:459 actions/login.php:252 #: actions/profilesettings.php:110 actions/register.php:433 #: actions/showgroup.php:245 actions/tagother.php:94 @@ -1050,107 +1076,141 @@ msgstr "Mètode API en construcció." msgid "User not found." msgstr "No s'ha trobat el mètode API!" +#. TRANS: Client error displayed trying to get a non-existing attachment. #: actions/attachment.php:73 msgid "No such attachment." msgstr "No existeix l'adjunció." -#: actions/avatarbynickname.php:59 actions/blockedfromgroup.php:73 -#: actions/editgroup.php:84 actions/groupdesignsettings.php:84 +#. TRANS: Client error displayed trying to get an avatar without providing a nickname. +#. TRANS: Client error displayed when requesting a list of blocked users for a group without providing a group nickname. +#. TRANS: Client error displayed trying to edit a group while not proving a nickname for the group to edit. +#. TRANS: Client error displayed if no nickname argument was given requesting a group page. +#: actions/avatarbynickname.php:60 actions/blockedfromgroup.php:73 +#: actions/editgroup.php:85 actions/groupdesignsettings.php:84 #: actions/grouplogo.php:86 actions/groupmembers.php:76 #: actions/grouprss.php:91 actions/showgroup.php:121 msgid "No nickname." msgstr "Cap sobrenom." -#: actions/avatarbynickname.php:64 +#. TRANS: Client error displayed trying to get an avatar without providing an avatar size. +#: actions/avatarbynickname.php:66 msgid "No size." msgstr "Cap mida." -#: actions/avatarbynickname.php:69 +#. TRANS: Client error displayed trying to get an avatar providing an invalid avatar size. +#: actions/avatarbynickname.php:72 msgid "Invalid size." msgstr "La mida no és vàlida." +#. TRANS: Title for avatar upload page. +#. TRANS: Label for group avatar (dt). Text hidden by default. #. TRANS: Link description in user account settings menu. -#: actions/avatarsettings.php:67 actions/showgroup.php:230 +#: actions/avatarsettings.php:66 actions/showgroup.php:229 #: lib/accountsettingsaction.php:113 msgid "Avatar" msgstr "Avatar" +#. TRANS: Instruction for avatar upload page. +#. TRANS: %s is the maximum file size, for example "500b", "10kB" or "2MB". #: actions/avatarsettings.php:78 #, php-format msgid "You can upload your personal avatar. The maximum file size is %s." msgstr "" "Podeu pujar el vostre avatar personal. La mida màxima del fitxer és %s." -#: actions/avatarsettings.php:106 actions/avatarsettings.php:185 +#. TRANS: Server error displayed in avatar upload page when no matching profile can be found for a user. +#: actions/avatarsettings.php:108 actions/avatarsettings.php:192 #: actions/grouplogo.php:181 actions/remotesubscribe.php:191 #: actions/userauthorization.php:72 actions/userrss.php:108 msgid "User without matching profile." msgstr "L'usuari que no coincideix amb cap perfil" -#: actions/avatarsettings.php:119 actions/avatarsettings.php:197 +#. TRANS: Avatar upload page form legend. +#. TRANS: Avatar upload page crop form legend. +#: actions/avatarsettings.php:122 actions/avatarsettings.php:205 #: actions/grouplogo.php:254 msgid "Avatar settings" msgstr "Configuració de l'avatar" -#: actions/avatarsettings.php:127 actions/avatarsettings.php:205 +#. TRANS: Header on avatar upload page for thumbnail of originally uploaded avatar (h2). +#. TRANS: Header on avatar upload crop form for thumbnail of originally uploaded avatar (h2). +#: actions/avatarsettings.php:131 actions/avatarsettings.php:214 #: actions/grouplogo.php:202 actions/grouplogo.php:262 msgid "Original" msgstr "Original" -#: actions/avatarsettings.php:142 actions/avatarsettings.php:217 +#. TRANS: Header on avatar upload page for thumbnail of to be used rendition of uploaded avatar (h2). +#. TRANS: Header on avatar upload crop form for thumbnail of to be used rendition of uploaded avatar (h2). +#: actions/avatarsettings.php:147 actions/avatarsettings.php:227 #: actions/grouplogo.php:213 actions/grouplogo.php:274 msgid "Preview" msgstr "Vista prèvia" -#: actions/avatarsettings.php:149 actions/showapplication.php:252 -#: lib/deletegroupform.php:121 lib/deleteuserform.php:66 -#: lib/noticelist.php:667 +#. TRANS: Button on avatar upload page to delete current avatar. +#: actions/avatarsettings.php:155 +#, fuzzy +msgctxt "BUTTON" msgid "Delete" msgstr "Elimina" -#: actions/avatarsettings.php:166 actions/grouplogo.php:236 +#. TRANS: Button on avatar upload page to upload an avatar. +#: actions/avatarsettings.php:173 +#, fuzzy +msgctxt "BUTTON" msgid "Upload" msgstr "Puja" -#: actions/avatarsettings.php:231 actions/grouplogo.php:289 +#. TRANS: Button on avatar upload crop form to confirm a selected crop as avatar. +#: actions/avatarsettings.php:243 +#, fuzzy +msgctxt "BUTTON" msgid "Crop" msgstr "Retalla" -#: actions/avatarsettings.php:307 +#. TRANS: Validation error on avatar upload form when no file was uploaded. +#: actions/avatarsettings.php:318 msgid "No file uploaded." msgstr "No s'ha carregat cap fitxer." -#: actions/avatarsettings.php:334 +#. TRANS: Avatar upload form unstruction after uploading a file. +#: actions/avatarsettings.php:346 msgid "Pick a square area of the image to be your avatar" msgstr "" "Selecciona un quadrat de l'àrea de la imatge que vols que sigui el teu " "avatar." -#: actions/avatarsettings.php:349 actions/grouplogo.php:380 +#. TRANS: Server error displayed if an avatar upload went wrong somehow server side. +#: actions/avatarsettings.php:361 actions/grouplogo.php:380 msgid "Lost our file data." msgstr "S'ha perdut el nostre fitxer de dades." -#: actions/avatarsettings.php:372 +#: actions/avatarsettings.php:384 msgid "Avatar updated." msgstr "Avatar actualitzat." -#: actions/avatarsettings.php:375 +#. TRANS: Error displayed on the avatar upload page if the avatar could not be updated for an unknown reason. +#: actions/avatarsettings.php:388 msgid "Failed updating avatar." msgstr "Error en actualitzar avatar." -#: actions/avatarsettings.php:399 +#. TRANS: Success message for deleting a user avatar. +#: actions/avatarsettings.php:412 msgid "Avatar deleted." msgstr "S'ha eliminat l'avatar." -#: actions/block.php:69 +#. TRANS: Client error displayed when blocking a user that has already been blocked. +#: actions/block.php:68 msgid "You already blocked that user." msgstr "Ja heu blocat l'usuari." -#: actions/block.php:107 actions/block.php:136 actions/groupblock.php:158 +#. TRANS: Title for block user page. +#. TRANS: Legend for block user form. +#: actions/block.php:106 actions/block.php:136 actions/groupblock.php:158 msgid "Block user" msgstr "Bloca l'usuari" -#: actions/block.php:138 +#. TRANS: Explanation of consequences when blocking a user on the block user page. +#: actions/block.php:139 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 " @@ -1166,7 +1226,7 @@ msgstr "" #. TRANS: Button label on the delete notice form. #. TRANS: Button label on the delete user form. #. TRANS: Button label on the form to block a user from a group. -#: actions/block.php:153 actions/deleteapplication.php:154 +#: actions/block.php:154 actions/deleteapplication.php:154 #: actions/deletegroup.php:220 actions/deletenotice.php:150 #: actions/deleteuser.php:152 actions/groupblock.php:178 msgctxt "BUTTON" @@ -1175,7 +1235,7 @@ msgstr "No" #. TRANS: Submit button title for 'No' when blocking a user. #. TRANS: Submit button title for 'No' when deleting a user. -#: actions/block.php:157 actions/deleteuser.php:156 +#: actions/block.php:158 actions/deleteuser.php:156 msgid "Do not block this user" msgstr "No bloquis l'usuari" @@ -1185,7 +1245,7 @@ msgstr "No bloquis l'usuari" #. TRANS: Button label on the delete notice form. #. TRANS: Button label on the delete user form. #. TRANS: Button label on the form to block a user from a group. -#: actions/block.php:160 actions/deleteapplication.php:161 +#: actions/block.php:161 actions/deleteapplication.php:161 #: actions/deletegroup.php:227 actions/deletenotice.php:157 #: actions/deleteuser.php:159 actions/groupblock.php:185 msgctxt "BUTTON" @@ -1194,90 +1254,111 @@ msgstr "Sí" #. TRANS: Submit button title for 'Yes' when blocking a user. #. TRANS: Description of the form to block a user. -#: actions/block.php:164 lib/blockform.php:79 +#: actions/block.php:165 lib/blockform.php:79 msgid "Block this user" msgstr "Bloca aquest usuari" -#: actions/block.php:187 +#. TRANS: Server error displayed when blocking a user fails. +#: actions/block.php:189 msgid "Failed to save block information." msgstr "No s'ha pogut desar la informació del bloc." +#. TRANS: Client error displayed when requesting a list of blocked users for a non-local group. +#. TRANS: Client error displayed when requesting a list of blocked users for a non-existing group. #. TRANS: Client error when trying to delete a non-local group. #. TRANS: Client error when trying to delete a non-existing group. +#. TRANS: Client error displayed trying to edit a non-existing group. +#. TRANS: Client error displayed when trying to unblock a user from a non-existing group. +#. TRANS: Client error displayed if no remote group with a given name was found requesting group page. +#. TRANS: Client error displayed if no local group with a given name was found requesting group page. #. TRANS: Command exception text shown when a group is requested that does not exist. #. TRANS: Error text shown when trying to leave a group that does not exist. -#: actions/blockedfromgroup.php:80 actions/blockedfromgroup.php:87 +#: actions/blockedfromgroup.php:81 actions/blockedfromgroup.php:89 #: actions/deletegroup.php:87 actions/deletegroup.php:100 -#: actions/editgroup.php:100 actions/foafgroup.php:44 actions/foafgroup.php:62 +#: actions/editgroup.php:102 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/groupunblock.php:88 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:168 +#: actions/showgroup.php:139 actions/showgroup.php:148 lib/command.php:168 #: lib/command.php:380 msgid "No such group." msgstr "No s'ha trobat el grup." -#: actions/blockedfromgroup.php:97 +#. TRANS: Title for first page with list of users blocked from a group. +#. TRANS: %s is a group nickname. +#: actions/blockedfromgroup.php:101 #, php-format msgid "%s blocked profiles" msgstr "%s perfils blocats" -#: actions/blockedfromgroup.php:100 +#. TRANS: Title for any but the first page with list of users blocked from a group. +#. TRANS: %1$s is a group nickname, %2$d is a page number. +#: actions/blockedfromgroup.php:106 #, php-format msgid "%1$s blocked profiles, page %2$d" msgstr "%1$s perfils blocats, pàgina %2$d" -#: actions/blockedfromgroup.php:115 +#. TRANS: Instructions for list of users blocked from a group. +#: actions/blockedfromgroup.php:122 msgid "A list of the users blocked from joining this group." msgstr "Una llista d'usuaris que han estat blocats d'afegir-se a aquest grup." -#: actions/blockedfromgroup.php:288 +#. TRANS: Form legend for unblocking a user from a group. +#: actions/blockedfromgroup.php:291 msgid "Unblock user from group" msgstr "Desbloca l'usuari del grup" -#. TRANS: Title for the form to unblock a user. -#: actions/blockedfromgroup.php:320 lib/unblockform.php:70 +#. TRANS: Button text for unblocking a user from a group. +#: actions/blockedfromgroup.php:323 +#, fuzzy +msgctxt "BUTTON" msgid "Unblock" msgstr "Desbloca" +#. TRANS: Tooltip for button for unblocking a user from a group. #. TRANS: Description of the form to unblock a user. -#: actions/blockedfromgroup.php:320 lib/unblockform.php:82 +#: actions/blockedfromgroup.php:327 lib/unblockform.php:78 msgid "Unblock this user" msgstr "Desbloca l'usuari" #. TRANS: Title for mini-posting window loaded from bookmarklet. +#. TRANS: %s is the StatusNet site name. #: actions/bookmarklet.php:51 #, php-format msgid "Post to %s" msgstr "Publica a %s" -#: actions/confirmaddress.php:75 +#. TRANS: Client error displayed when not providing a confirmation code in the contact address confirmation action. +#: actions/confirmaddress.php:74 msgid "No confirmation code." msgstr "Cap codi de confirmació." +#. TRANS: Client error displayed when providing a non-existing confirmation code in the contact address confirmation action. #: actions/confirmaddress.php:80 msgid "Confirmation code not found." msgstr "Codi de confirmació no trobat. " -#: actions/confirmaddress.php:85 +#. TRANS: Client error displayed when not providing a confirmation code for another user in the contact address confirmation action. +#: actions/confirmaddress.php:86 msgid "That confirmation code is not for you!" msgstr "Aquest codi de confirmació no és vostre!" -#. TRANS: Server error for an unknow address type, which can be 'email', 'jabber', or 'sms'. -#: actions/confirmaddress.php:91 +#. TRANS: Server error for a unknow address type %s, which can be 'email', 'jabber', or 'sms'. +#: actions/confirmaddress.php:92 #, php-format msgid "Unrecognized address type %s." msgstr "Tipus d'adreça desconeguda %s." -#. TRANS: Client error for an already confirmed email/jabbel/sms address. -#: actions/confirmaddress.php:96 +#. TRANS: Client error for an already confirmed email/jabber/sms address. +#: actions/confirmaddress.php:97 msgid "That address has already been confirmed." msgstr "Aquesta adreça ja ha estat confirmada." +#. TRANS: Server error displayed when a user update to the database fails in the contact address confirmation action. #. TRANS: Server error thrown on database error updating e-mail preferences. #. TRANS: Server error thrown on database error removing a registered e-mail address. #. TRANS: Server error thrown on database error updating IM preferences. @@ -1285,7 +1366,7 @@ msgstr "Aquesta adreça ja ha estat confirmada." #. TRANS: Server error thrown when user profile settings could not be updated. #. TRANS: Server error thrown on database error updating SMS preferences. #. TRANS: Server error thrown on database error removing a registered SMS phone number. -#: actions/confirmaddress.php:116 actions/emailsettings.php:331 +#: actions/confirmaddress.php:118 actions/emailsettings.php:331 #: actions/emailsettings.php:477 actions/imsettings.php:283 #: actions/imsettings.php:442 actions/othersettings.php:174 #: actions/profilesettings.php:326 actions/smssettings.php:308 @@ -1293,27 +1374,32 @@ msgstr "Aquesta adreça ja ha estat confirmada." msgid "Couldn't update user." msgstr "No s'ha pogut actualitzar l'usuari." -#. TRANS: Server error thrown on database error canceling e-mail address confirmation. -#. TRANS: Server error thrown on database error canceling SMS phone number confirmation. -#: actions/confirmaddress.php:128 actions/emailsettings.php:437 -#: actions/smssettings.php:422 -msgid "Couldn't delete email confirmation." -msgstr "No s'ha pogut eliminar la confirmació de correu electrònic." +#. TRANS: Server error displayed when an address confirmation code deletion from the +#. TRANS: database fails in the contact address confirmation action. +#: actions/confirmaddress.php:132 +#, fuzzy +msgid "Could not delete address confirmation." +msgstr "No s'ha pogut eliminar la confirmació de MI." -#: actions/confirmaddress.php:146 +#. TRANS: Title for the contact address confirmation action. +#: actions/confirmaddress.php:150 msgid "Confirm address" msgstr "Confirmeu l'adreça de correu electrònic" -#: actions/confirmaddress.php:161 +#. TRANS: Success message for the contact address confirmation action. +#. TRANS: %s can be 'email', 'jabber', or 'sms'. +#: actions/confirmaddress.php:166 #, php-format msgid "The address \"%s\" has been confirmed for your account." msgstr "L'adreça «%s» ha estat confirmada per al vostre compte." -#: actions/conversation.php:99 +#. TRANS: Title for page with a conversion (multiple notices in context). +#: actions/conversation.php:96 msgid "Conversation" msgstr "Conversa" -#: actions/conversation.php:154 lib/mailbox.php:116 lib/noticelist.php:87 +#. TRANS: Header on conversation page. Hidden by default (h2). +#: actions/conversation.php:149 lib/mailbox.php:116 lib/noticelist.php:87 #: lib/profileaction.php:229 lib/searchgroupnav.php:82 msgid "Notices" msgstr "Avisos" @@ -1421,11 +1507,13 @@ msgstr "No eliminis aquest grup" msgid "Delete this group" msgstr "Elimina aquest grup" +#. TRANS: Client error displayed when trying to unblock a user from a group while not logged in. +#. TRANS: Client error displayed trying a change a subscription while not logged in. #. TRANS: Client error message thrown when trying to access the admin panel while not logged in. #: actions/deletenotice.php:50 actions/disfavor.php:61 actions/favor.php:62 -#: actions/groupblock.php:61 actions/groupunblock.php:61 actions/logout.php:69 +#: actions/groupblock.php:61 actions/groupunblock.php:60 actions/logout.php:69 #: actions/makeadmin.php:61 actions/newmessage.php:87 actions/newnotice.php:88 -#: actions/nudge.php:63 actions/subedit.php:31 actions/subscribe.php:96 +#: actions/nudge.php:63 actions/subedit.php:33 actions/subscribe.php:96 #: actions/tagother.php:33 actions/unsubscribe.php:52 #: lib/adminpanelaction.php:71 lib/profileformaction.php:64 #: lib/settingsaction.php:72 @@ -1725,49 +1813,49 @@ msgstr "L'URL de la crida de retorn no és vàlid." msgid "Could not update application." msgstr "No s'ha pogut actualitzar l'aplicació." -#: actions/editgroup.php:56 +#. TRANS: Title for form to edit a group. %s is a group nickname. +#: actions/editgroup.php:55 #, php-format msgid "Edit %s group" msgstr "Edita el grup %s" +#. TRANS: Client error displayed trying to edit a group while not logged in. +#. TRANS: Client error displayed trying to create a group while not logged in. #: actions/editgroup.php:68 actions/grouplogo.php:70 actions/newgroup.php:65 msgid "You must be logged in to create a group." msgstr "Heu d'haver iniciat una sessió per crear un grup." -#: actions/editgroup.php:107 actions/editgroup.php:172 +#. TRANS: Client error displayed trying to edit a group while not being a group admin. +#: actions/editgroup.php:110 actions/editgroup.php:176 #: actions/groupdesignsettings.php:107 actions/grouplogo.php:109 msgid "You must be an admin to edit the group." msgstr "Heu de ser administrador per editar el grup." -#: actions/editgroup.php:158 +#. TRANS: Form instructions for group edit form. +#: actions/editgroup.php:161 msgid "Use this form to edit the group." msgstr "Utilitza aquest formulari per editar el grup." -#: actions/editgroup.php:205 -#, php-format -msgid "Description is too long (max %d chars)." -msgstr "La descripció és massa llarga (màx. %d caràcters)." - -#: actions/editgroup.php:219 -#, php-format -msgid "Too many aliases! Maximum %d." -msgstr "Hi ha massa àlies! Màxim %d." - -#: actions/editgroup.php:228 actions/newgroup.php:177 +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. +#: actions/editgroup.php:248 actions/newgroup.php:184 #, php-format msgid "Invalid alias: \"%s\"" msgstr "L'àlies no és vàlid «%s»" -#: actions/editgroup.php:258 +#. TRANS: Server error displayed when editing a group fails. +#: actions/editgroup.php:281 msgid "Could not update group." msgstr "No s'ha pogut actualitzar el grup." +#. TRANS: Server error displayed when group aliases could not be added. #. TRANS: Server exception thrown when creating group aliases failed. -#: actions/editgroup.php:264 classes/User_group.php:513 +#: actions/editgroup.php:288 classes/User_group.php:513 msgid "Could not create aliases." msgstr "No s'han pogut crear els àlies." -#: actions/editgroup.php:280 +#. TRANS: Group edit form success message. +#: actions/editgroup.php:305 msgid "Options saved." msgstr "Configuració guardada." @@ -1961,6 +2049,12 @@ msgstr "Cap confirmació pendent per cancel·lar." msgid "That is the wrong email address." msgstr "Aquesta l'adreça de correu electrònic incorrecta." +#. TRANS: Server error thrown on database error canceling e-mail address confirmation. +#. TRANS: Server error thrown on database error canceling SMS phone number confirmation. +#: actions/emailsettings.php:437 actions/smssettings.php:422 +msgid "Couldn't delete email confirmation." +msgstr "No s'ha pogut eliminar la confirmació de correu electrònic." + #. TRANS: Message given after successfully canceling e-mail address confirmation. #: actions/emailsettings.php:442 msgid "Email confirmation cancelled." @@ -2141,19 +2235,23 @@ msgstr "No podeu establir rols d'usuari en aquest lloc." msgid "User already has this role." msgstr "L'usuari ja té aquest rol." +#. TRANS: Client error displayed when trying to unblock a user from a group without providing a profile. +#. TRANS: Client error displayed trying a change a subscription without providing a profile. #: actions/groupblock.php:71 actions/groupunblock.php:71 -#: actions/makeadmin.php:71 actions/subedit.php:46 +#: actions/makeadmin.php:71 actions/subedit.php:49 #: lib/profileformaction.php:79 msgid "No profile specified." msgstr "No s'ha especificat cap perfil." -#: actions/groupblock.php:76 actions/groupunblock.php:76 -#: actions/makeadmin.php:76 actions/subedit.php:53 actions/tagother.php:46 +#. TRANS: Client error displayed when trying to unblock a user from a group without providing an existing profile. +#. TRANS: Client error displayed trying a change a subscription for a non-existant profile ID. +#: actions/groupblock.php:76 actions/groupunblock.php:77 +#: actions/makeadmin.php:76 actions/subedit.php:57 actions/tagother.php:46 #: actions/unsubscribe.php:84 lib/profileformaction.php:86 msgid "No profile with that ID." msgstr "No hi ha cap perfil amb aquesta ID." -#: actions/groupblock.php:81 actions/groupunblock.php:81 +#: actions/groupblock.php:81 actions/groupunblock.php:82 #: actions/makeadmin.php:81 msgid "No group specified." msgstr "No s'ha especificat cap grup." @@ -2239,6 +2337,14 @@ msgstr "" "Podeu pujar una imatge com a logotip del vostre grup. La mida màxima del " "fitxer és %s." +#: actions/grouplogo.php:236 +msgid "Upload" +msgstr "Puja" + +#: actions/grouplogo.php:289 +msgid "Crop" +msgstr "Retalla" + #: 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." @@ -2381,15 +2487,18 @@ msgstr "" "Per què no [registreu un compte](%%action.register%%) i proveu de [crear-hi " "un grup](%%action.newgroup%%)!" -#: actions/groupunblock.php:91 +#. TRANS: Client error displayed when trying to unblock a user from a group without being an administrator for the group. +#: actions/groupunblock.php:94 msgid "Only an admin can unblock group members." msgstr "Només un administrador pot desblocar els membres del grup." -#: actions/groupunblock.php:95 +#. TRANS: Client error displayed when trying to unblock a non-blocked user from a group. +#: actions/groupunblock.php:99 msgid "User is not blocked from group." msgstr "L'usuari no està blocat del grup." -#: actions/groupunblock.php:128 actions/unblock.php:86 +#. TRANS: Server error displayed when unblocking a user from a group fails because of an unknown error. +#: actions/groupunblock.php:131 actions/unblock.php:86 msgid "Error removing the block." msgstr "S'ha produït un error en eliminar el bloc." @@ -2991,10 +3100,12 @@ msgstr "El camp organització és massa llarg (màx. 255 caràcters)." msgid "Could not create application." msgstr "No s'ha pogut crear l'aplicació." +#. TRANS: Title for form to create a group. #: actions/newgroup.php:53 msgid "New group" msgstr "Nou grup" +#. TRANS: Form instructions for group create form. #: actions/newgroup.php:110 msgid "Use this form to create a new group." msgstr "Utilitza aquest formulari per crear un nou grup." @@ -3701,8 +3812,9 @@ msgstr "" "1-64 lletres en minúscula o números, sense signes de puntuació o espais" #. TRANS: Field label in form for profile settings. +#. TRANS: Label for full group name (dt). Text hidden by default. #: actions/profilesettings.php:117 actions/register.php:457 -#: actions/showgroup.php:256 actions/tagother.php:104 +#: actions/showgroup.php:257 actions/tagother.php:104 #: lib/groupeditform.php:157 lib/userprofile.php:150 msgid "Full name" msgstr "Nom complet" @@ -3742,8 +3854,9 @@ msgid "Bio" msgstr "Biografia" #. TRANS: Field label in form for profile settings. +#. TRANS: Label for group location (dt). Text hidden by default. #: actions/profilesettings.php:149 actions/register.php:485 -#: actions/showgroup.php:265 actions/tagother.php:112 +#: actions/showgroup.php:267 actions/tagother.php:112 #: actions/userauthorization.php:166 lib/groupeditform.php:177 #: lib/userprofile.php:165 msgid "Location" @@ -4469,7 +4582,8 @@ msgstr "Organització" msgid "Description" msgstr "Descripció" -#: actions/showapplication.php:192 actions/showgroup.php:442 +#. TRANS: Header for group statistics on a group page (h2). +#: actions/showapplication.php:192 actions/showgroup.php:453 #: lib/profileaction.php:187 msgid "Statistics" msgstr "Estadístiques" @@ -4487,6 +4601,11 @@ msgstr "Accions d'aplicació" msgid "Reset key & secret" msgstr "Reinicialitza la clau i la secreta" +#: actions/showapplication.php:252 lib/deletegroupform.php:121 +#: lib/deleteuserform.php:66 lib/noticelist.php:667 +msgid "Delete" +msgstr "Elimina" + #: actions/showapplication.php:261 msgid "Application info" msgstr "Informació de l'aplicació" @@ -4579,77 +4698,106 @@ msgstr "" msgid "This is a way to share what you like." msgstr "És una forma de compartir allò que us agrada." -#: actions/showgroup.php:82 +#. TRANS: Page title for first group page. %s is a group name. +#: actions/showgroup.php:80 #, php-format msgid "%s group" msgstr "%s grup" +#. TRANS: Page title for any but first group page. +#. TRANS: %1$s is a group name, $2$s is a page number. #: actions/showgroup.php:84 #, php-format msgid "%1$s group, page %2$d" msgstr "grup %1$s, pàgina %2$d" -#: actions/showgroup.php:227 +#. TRANS: Group profile header (h2). Text hidden by default. +#: actions/showgroup.php:225 msgid "Group profile" msgstr "Perfil del grup" -#: actions/showgroup.php:272 actions/tagother.php:118 +#. TRANS: Label for group URL (dt). Text hidden by default. +#: actions/showgroup.php:275 actions/tagother.php:118 #: actions/userauthorization.php:175 lib/userprofile.php:178 msgid "URL" msgstr "URL" -#: actions/showgroup.php:283 actions/tagother.php:128 +#. TRANS: Label for group description or group note (dt). Text hidden by default. +#: actions/showgroup.php:287 actions/tagother.php:128 #: actions/userauthorization.php:187 lib/userprofile.php:195 msgid "Note" msgstr "Avisos" -#: actions/showgroup.php:293 lib/groupeditform.php:184 +#. TRANS: Label for group aliases (dt). Text hidden by default. +#: actions/showgroup.php:298 lib/groupeditform.php:184 msgid "Aliases" msgstr "Àlies" -#: actions/showgroup.php:302 +#. TRANS: Group actions header (h2). Text hidden by default. +#: actions/showgroup.php:309 msgid "Group actions" msgstr "Accions del grup" -#: actions/showgroup.php:344 +#. TRANS: Tooltip for feed link. %s is a group nickname. +#: actions/showgroup.php:350 #, php-format msgid "Notice feed for %s group (RSS 1.0)" msgstr "Canal d'avisos del grup %s (RSS 1.0)" -#: actions/showgroup.php:350 +#. TRANS: Tooltip for feed link. %s is a group nickname. +#: actions/showgroup.php:357 #, php-format msgid "Notice feed for %s group (RSS 2.0)" msgstr "Canal d'avisos del grup %s (RSS 2.0)" -#: actions/showgroup.php:356 +#. TRANS: Tooltip for feed link. %s is a group nickname. +#: actions/showgroup.php:364 #, php-format msgid "Notice feed for %s group (Atom)" msgstr "Canal d'avisos del grup %s (Atom)" -#: actions/showgroup.php:361 +#. TRANS: Tooltip for feed link. %s is a group nickname. +#: actions/showgroup.php:370 #, php-format msgid "FOAF for %s group" msgstr "Safata de sortida per %s" -#: actions/showgroup.php:399 actions/showgroup.php:451 +#. TRANS: Header for mini list of group members on a group page (h2). +#: actions/showgroup.php:407 msgid "Members" msgstr "Membres" -#: actions/showgroup.php:404 lib/profileaction.php:117 +#. TRANS: Description for mini list of group members on a group page when the group has no members. +#: actions/showgroup.php:413 lib/profileaction.php:117 #: lib/profileaction.php:152 lib/profileaction.php:255 lib/section.php:95 #: lib/subscriptionlist.php:127 lib/tagcloudsection.php:71 msgid "(None)" msgstr "(Cap)" -#: actions/showgroup.php:410 +#. TRANS: Link to all group members from mini list of group members if group has more than n members. +#: actions/showgroup.php:422 msgid "All members" msgstr "Tots els membres" -#: actions/showgroup.php:445 +#. TRANS: Label for creation date in statistics on group page. +#: actions/showgroup.php:458 +#, fuzzy +msgctxt "LABEL" msgid "Created" msgstr "S'ha creat" -#: actions/showgroup.php:461 +#. TRANS: Label for member count in statistics on group page. +#: actions/showgroup.php:466 +#, fuzzy +msgctxt "LABEL" +msgid "Members" +msgstr "Membres" + +#. TRANS: Notice on group pages for anonymous users for StatusNet sites that accept new registrations. +#. TRANS: **%s** is the group alias, %%%%site.name%%%% is the site name, +#. TRANS: %%%%action.register%%%% is the URL for registration, %%%%doc.help%%%% is a URL to help. +#. TRANS: This message contains Markdown links. Ensure they are formatted correctly: [Description](link). +#: actions/showgroup.php:481 #, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -4665,7 +4813,10 @@ msgstr "" "%) per formar part del grup i molt més! ([Més informació...](%%%%doc.help%%%" "%))" -#: actions/showgroup.php:467 +#. TRANS: Notice on group pages for anonymous users for StatusNet sites that accept no new registrations. +#. TRANS: **%s** is the group alias, %%%%site.name%%%% is the site name, +#. TRANS: This message contains Markdown links. Ensure they are formatted correctly: [Description](link). +#: actions/showgroup.php:491 #, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -4678,24 +4829,31 @@ msgstr "" "[StatusNet](http://status.net/). Els seus membre comparteixen missatges " "curts sobre llur vida i interessos. " -#: actions/showgroup.php:495 +#. TRANS: Header for list of group administrators on a group page (h2). +#: actions/showgroup.php:520 msgid "Admins" msgstr "Administradors" -#: actions/showmessage.php:81 +#. TRANS: Client error displayed requesting a single message that does not exist. +#: actions/showmessage.php:79 msgid "No such message." msgstr "No existeix el missatge." -#: actions/showmessage.php:98 +#. TRANS: Client error displayed requesting a single direct message the requesting user was not a party in. +#: actions/showmessage.php:97 msgid "Only the sender and recipient may read this message." msgstr "Només el remitent i el receptor poden llegir aquest missatge." -#: actions/showmessage.php:108 +#. TRANS: Page title for single direct message display when viewing user is the sender. +#. TRANS: %1$s is the addressed user's nickname, $2$s is a timestamp. +#: actions/showmessage.php:110 #, php-format msgid "Message to %1$s on %2$s" msgstr "Missatge per a %1$s a %2$s" -#: actions/showmessage.php:113 +#. TRANS: Page title for single message display. +#. TRANS: %1$s is the sending user's nickname, $2$s is a timestamp. +#: actions/showmessage.php:118 #, php-format msgid "Message from %1$s on %2$s" msgstr "Missatge de %1$s a %2$s" @@ -5145,12 +5303,14 @@ msgstr "Les instantànies s'enviaran a aquest URL" msgid "Save snapshot settings" msgstr "Desa els paràmetres de les instantànies" -#: actions/subedit.php:70 +#. TRANS: Client error displayed trying a change a subscription for a non-subscribed profile. +#: actions/subedit.php:75 msgid "You are not subscribed to that profile." msgstr "No estàs subscrit a aquest perfil." +#. TRANS: Server error displayed when updating a subscription fails with a database error. #. TRANS: Exception thrown when a subscription could not be stored on the server. -#: actions/subedit.php:83 classes/Subscription.php:136 +#: actions/subedit.php:89 classes/Subscription.php:136 msgid "Could not save subscription." msgstr "No s'ha pogut guardar la subscripció." @@ -5967,12 +6127,12 @@ msgid "Welcome to %1$s, @%2$s!" msgstr "Us donem la benvinguda a %1$s, @%2$s!" #. TRANS: Server exception. -#: classes/User.php:902 +#: classes/User.php:912 msgid "No single user defined for single-user mode." msgstr "No s'ha definit cap usuari únic per al mode d'usuari únic." #. TRANS: Server exception. -#: classes/User.php:906 +#: classes/User.php:916 msgid "Single-user mode code called when not enabled." msgstr "" @@ -7146,7 +7306,8 @@ msgstr "Atom" msgid "FOAF" msgstr "FOAF" -#: lib/feedlist.php:65 +#. TRANS: Header for feed links (h2). +#: lib/feedlist.php:66 msgid "Feeds" msgstr "Canals" @@ -7306,39 +7467,57 @@ msgstr "Aquesta pàgina no està disponible en un tipus de mèdia que acceptis." msgid "Unsupported image file format." msgstr "Format d'imatge no suportat." -#: lib/imagefile.php:88 +#. TRANS: Exception thrown when too large a file is uploaded. +#. TRANS: %s is the maximum file size, for example "500b", "10kB" or "2MB". +#: lib/imagefile.php:90 #, php-format msgid "That file is too big. The maximum file size is %s." msgstr "La mida del fitxer és massa gran, La mida màxima és %s." -#: lib/imagefile.php:93 +#: lib/imagefile.php:95 msgid "Partial upload." msgstr "Càrrega parcial." #. TRANS: Client exception thrown when a file upload operation has failed with an unknown reason. -#: lib/imagefile.php:101 lib/mediafile.php:179 +#: lib/imagefile.php:103 lib/mediafile.php:179 msgid "System error uploading file." msgstr "Error del sistema en pujar el fitxer." -#: lib/imagefile.php:109 +#: lib/imagefile.php:111 msgid "Not an image or corrupt file." msgstr "No és una imatge o és un fitxer corrupte." -#: lib/imagefile.php:122 +#: lib/imagefile.php:124 msgid "Lost our file." msgstr "Hem perdut el nostre fitxer." -#: lib/imagefile.php:163 lib/imagefile.php:224 +#: lib/imagefile.php:165 lib/imagefile.php:226 msgid "Unknown file type" msgstr "Tipus de fitxer desconegut" -#: lib/imagefile.php:244 -msgid "MB" -msgstr "MB" +#. TRANS: Number of megabytes. %d is the number. +#: lib/imagefile.php:248 +#, fuzzy, php-format +msgid "%dMB" +msgid_plural "%dMB" +msgstr[0] "MB" +msgstr[1] "MB" -#: lib/imagefile.php:246 -msgid "kB" -msgstr "kB" +#. TRANS: Number of kilobytes. %d is the number. +#: lib/imagefile.php:252 +#, fuzzy, php-format +msgid "%dkB" +msgid_plural "%dkB" +msgstr[0] "kB" +msgstr[1] "kB" + +#. TRANS: Number of bytes. %d is the number. +#: lib/imagefile.php:255 +#, php-format +msgid "%dB" +msgid_plural "%dB" +msgstr[0] "" +msgstr[1] "" #: lib/jabber.php:387 #, php-format @@ -8237,6 +8416,13 @@ msgstr "S'ha produït un error en obrir l'arxiu del tema." msgid "Top posters" msgstr "Qui més publica" +#. TRANS: Title for the form to unblock a user. +#: lib/unblockform.php:67 +#, fuzzy +msgctxt "TITLE" +msgid "Unblock" +msgstr "Desbloca" + #: lib/unsandboxform.php:69 msgid "Unsandbox" msgstr "Treu de l'entorn de proves" @@ -8418,3 +8604,9 @@ msgstr "No s'ha especificat cap usuari; s'utilitza l'usuari de reserva." #, php-format msgid "%d entries in backup." msgstr "%d entrades a la còpia de seguretat." + +#~ msgid "Description is too long (max %d chars)." +#~ msgstr "La descripció és massa llarga (màx. %d caràcters)." + +#~ msgid "Too many aliases! Maximum %d." +#~ msgstr "Hi ha massa àlies! Màxim %d." diff --git a/locale/cs/LC_MESSAGES/statusnet.po b/locale/cs/LC_MESSAGES/statusnet.po index 8002d4eb4b..ef73741d2b 100644 --- a/locale/cs/LC_MESSAGES/statusnet.po +++ b/locale/cs/LC_MESSAGES/statusnet.po @@ -1,6 +1,7 @@ # Translation of StatusNet - Core to Czech (Česky) # Expored from translatewiki.net # +# Author: Brion # Author: Koo6 # Author: Kuvaly # -- @@ -10,18 +11,18 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet - Core\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-10-27 23:43+0000\n" -"PO-Revision-Date: 2010-10-28 23:08:50+0000\n" +"POT-Creation-Date: 2010-10-30 23:18+0000\n" +"PO-Revision-Date: 2010-10-30 23:19:58+0000\n" "Language-Team: Czech \n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r75629); Translate extension (2010-09-17)\n" +"X-Generator: MediaWiki 1.17alpha (r75708); Translate extension (2010-09-17)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: cs\n" "X-Message-Group: #out-statusnet-core\n" "Plural-Forms: nplurals=3; plural=(n == 1) ? 0 : ( (n >= 2 && n <= 4) ? 1 : " "2 );\n" -"X-POT-Import-Date: 2010-10-28 00:13:15+0000\n" +"X-POT-Import-Date: 2010-10-30 09:48:40+0000\n" #. TRANS: Page title for Access admin panel that allows configuring site access. #. TRANS: Menu item for site administration @@ -117,6 +118,7 @@ msgstr "Tady žádná taková stránka není." #. TRANS: Client error displayed when requesting most recent dents by user and friends for a non-existing user. #. TRANS: Client error displayed when requesting most recent mentions for a non-existing user. #. TRANS: Client error displayed requesting most recent notices for a non-existing user. +#. TRANS: Client error displayed trying to get an avatar for a non-existing user. #. TRANS: Error text shown when trying to send a direct message to a user that does not exist. #: actions/all.php:80 actions/apiaccountupdatedeliverydevice.php:110 #: actions/apiaccountupdateprofile.php:103 @@ -129,7 +131,7 @@ msgstr "Tady žádná taková stránka není." #: actions/apistatusesupdate.php:230 actions/apisubscriptions.php:85 #: actions/apitimelinefavorites.php:70 actions/apitimelinefriends.php:173 #: actions/apitimelinehome.php:78 actions/apitimelinementions.php:77 -#: actions/apitimelineuser.php:79 actions/avatarbynickname.php:75 +#: actions/apitimelineuser.php:79 actions/avatarbynickname.php:79 #: 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 @@ -308,11 +310,12 @@ msgstr "Nepodařilo se aktualizovat nastavení uživatele" #. TRANS: Client error displayed a user has no profile updating profile colours. #. TRANS: Client error displayed if a user profile could not be found updating a profile image. #. TRANS: Client error displayed when requesting user information for a user without a profile. +#. TRANS: Client error displayed trying to get an avatar for a user without a profile. #: actions/apiaccountupdateprofile.php:111 #: actions/apiaccountupdateprofilebackgroundimage.php:199 #: actions/apiaccountupdateprofilecolors.php:183 #: actions/apiaccountupdateprofileimage.php:130 actions/apiusershow.php:108 -#: actions/avatarbynickname.php:80 actions/foaf.php:65 actions/hcard.php:74 +#: actions/avatarbynickname.php:85 actions/foaf.php:65 actions/hcard.php:74 #: actions/replies.php:80 actions/usergroups.php:100 lib/galleryaction.php:66 #: lib/profileaction.php:84 msgid "User has no profile." @@ -327,7 +330,7 @@ msgstr "Nepodařilo se uložit profil." #. TRANS: %s is the number of bytes of the CONTENT_LENGTH. #: actions/apiaccountupdateprofilebackgroundimage.php:108 #: actions/apiaccountupdateprofileimage.php:95 actions/apimediaupload.php:81 -#: actions/apistatusesupdate.php:210 actions/avatarsettings.php:259 +#: actions/apistatusesupdate.php:210 actions/avatarsettings.php:269 #: actions/designadminpanel.php:125 actions/editapplication.php:121 #: actions/newapplication.php:104 actions/newnotice.php:95 #, fuzzy, php-format @@ -507,43 +510,53 @@ msgstr "Nelze určit zdrojového uživatele." msgid "Could not find target user." msgstr "Nepodařilo se najít cílového uživatele." +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. #. TRANS: Validation error in form for profile settings. -#: actions/apigroupcreate.php:165 actions/editgroup.php:186 -#: actions/newgroup.php:126 actions/profilesettings.php:243 +#: actions/apigroupcreate.php:165 actions/editgroup.php:191 +#: actions/newgroup.php:127 actions/profilesettings.php:243 #: actions/register.php:212 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 a žádné mezery." #. TRANS: Client error trying to create a group with a nickname this is already in use. +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. #. TRANS: Validation error in form for profile settings. -#: actions/apigroupcreate.php:175 actions/editgroup.php:190 -#: actions/newgroup.php:130 actions/profilesettings.php:277 +#: actions/apigroupcreate.php:175 actions/editgroup.php:196 +#: actions/newgroup.php:132 actions/profilesettings.php:277 #: actions/register.php:215 msgid "Nickname already in use. Try another one." msgstr "Přezdívku již někdo používá. Zkuste jinou." #. TRANS: Client error in form for group creation. +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. #. TRANS: Validation error in form for profile settings. -#: actions/apigroupcreate.php:183 actions/editgroup.php:193 -#: actions/newgroup.php:133 actions/profilesettings.php:247 +#: actions/apigroupcreate.php:183 actions/editgroup.php:200 +#: actions/newgroup.php:136 actions/profilesettings.php:247 #: actions/register.php:217 msgid "Not a valid nickname." msgstr "Není platnou přezdívkou." #. TRANS: Client error in form for group creation. #. TRANS: Validation error shown when providing an invalid homepage URL in the "Edit application" form. +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. #. TRANS: Validation error in form for profile settings. #: actions/apigroupcreate.php:200 actions/editapplication.php:233 -#: actions/editgroup.php:199 actions/newapplication.php:211 -#: actions/newgroup.php:139 actions/profilesettings.php:252 +#: actions/editgroup.php:207 actions/newapplication.php:211 +#: actions/newgroup.php:143 actions/profilesettings.php:252 #: actions/register.php:224 msgid "Homepage is not a valid URL." msgstr "Domovská stránka není platná URL." #. TRANS: Client error in form for group creation. +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. #. TRANS: Validation error in form for profile settings. -#: actions/apigroupcreate.php:210 actions/editgroup.php:202 -#: actions/newgroup.php:142 actions/profilesettings.php:256 +#: actions/apigroupcreate.php:210 actions/editgroup.php:211 +#: actions/newgroup.php:147 actions/profilesettings.php:256 #: actions/register.php:227 #, fuzzy msgid "Full name is too long (maximum 255 characters)." @@ -552,10 +565,11 @@ msgstr "Celé jméno je moc dlouhé (maximální délka je 255 znaků)." #. TRANS: Client error shown when providing too long a description during group creation. #. TRANS: %d is the maximum number of allowed characters. #. TRANS: Validation error shown when providing too long a description in the "Edit application" form. +#. TRANS: Group edit form validation error. #. TRANS: Form validation error in New application form. #. TRANS: %d is the maximum number of characters for the description. #: actions/apigroupcreate.php:220 actions/editapplication.php:201 -#: actions/newapplication.php:178 +#: actions/editgroup.php:216 actions/newapplication.php:178 #, fuzzy, php-format msgid "Description is too long (maximum %d character)." msgid_plural "Description is too long (maximum %d characters)." @@ -564,9 +578,11 @@ msgstr[1] "Popis je příliš dlouhý (maximálně %d znaků)." msgstr[2] "Popis je příliš dlouhý (maximálně %d znaků)." #. TRANS: Client error shown when providing too long a location during group creation. +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. #. TRANS: Validation error in form for profile settings. -#: actions/apigroupcreate.php:234 actions/editgroup.php:208 -#: actions/newgroup.php:153 actions/profilesettings.php:269 +#: actions/apigroupcreate.php:234 actions/editgroup.php:223 +#: actions/newgroup.php:159 actions/profilesettings.php:269 #: actions/register.php:236 #, fuzzy msgid "Location is too long (maximum 255 characters)." @@ -574,7 +590,12 @@ msgstr "Umístění je příliš dlouhé (maximálně 255 znaků)." #. TRANS: Client error shown when providing too many aliases during group creation. #. TRANS: %d is the maximum number of allowed aliases. -#: actions/apigroupcreate.php:255 actions/newgroup.php:166 +#. TRANS: Group edit form validation error. +#. TRANS: %d is the maximum number of allowed aliases. +#. TRANS: Group create form validation error. +#. TRANS: %d is the maximum number of allowed aliases. +#: actions/apigroupcreate.php:255 actions/editgroup.php:236 +#: actions/newgroup.php:172 #, fuzzy, php-format msgid "Too many aliases! Maximum %d allowed." msgid_plural "Too many aliases! Maximum %d allowed." @@ -591,15 +612,19 @@ msgstr "Neplatný alias: \"%s\"." #. TRANS: Client error displayed when trying to use an alias during group creation that is already in use. #. TRANS: %s is the alias that is already in use. -#: actions/apigroupcreate.php:291 actions/editgroup.php:232 -#: actions/newgroup.php:181 +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. +#: actions/apigroupcreate.php:291 actions/editgroup.php:253 +#: actions/newgroup.php:189 #, php-format msgid "Alias \"%s\" already in use. Try another one." msgstr "Alias \"%s\" se již používá. Zkuste jiný." #. TRANS: Client error displayed when trying to use an alias during group creation that is the same as the group's nickname. -#: actions/apigroupcreate.php:305 actions/editgroup.php:238 -#: actions/newgroup.php:187 +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. +#: actions/apigroupcreate.php:305 actions/editgroup.php:260 +#: actions/newgroup.php:196 msgid "Alias can't be the same as nickname." msgstr "Alias nemůže být stejný jako přezdívka." @@ -705,18 +730,18 @@ msgid "Request token already authorized." msgstr "Nejste autorizován." #. TRANS: Form validation error in API OAuth authorisation because of an invalid session token. -#: actions/apioauthauthorize.php:147 actions/avatarsettings.php:270 +#: actions/apioauthauthorize.php:147 actions/avatarsettings.php:280 #: actions/deletenotice.php:172 actions/disfavor.php:74 #: actions/emailsettings.php:271 actions/favor.php:75 actions/geocode.php:55 #: actions/groupblock.php:66 actions/grouplogo.php:312 -#: actions/groupunblock.php:66 actions/imsettings.php:230 +#: actions/groupunblock.php:65 actions/imsettings.php:230 #: actions/invite.php:59 actions/login.php:137 actions/makeadmin.php:66 #: actions/newmessage.php:135 actions/newnotice.php:105 actions/nudge.php:80 #: actions/oauthappssettings.php:165 actions/oauthconnectionssettings.php:138 #: actions/othersettings.php:145 actions/passwordsettings.php:138 #: actions/profilesettings.php:221 actions/recoverpassword.php:350 #: actions/register.php:172 actions/remotesubscribe.php:77 -#: actions/repeat.php:83 actions/smssettings.php:256 actions/subedit.php:38 +#: actions/repeat.php:83 actions/smssettings.php:256 actions/subedit.php:40 #: actions/subscribe.php:86 actions/tagother.php:166 #: actions/unsubscribe.php:69 actions/userauthorization.php:52 #: lib/designsettings.php:294 @@ -735,12 +760,13 @@ msgid "Database error inserting oauth_token_association." msgstr "Chyba databáze při vkládání uživatele aplikace OAuth." #. TRANS: Client error given on when invalid data was passed through a form in the OAuth API. +#. TRANS: Unexpected validation error on avatar upload form. #. TRANS: Client error displayed submitting invalid form data for edit application. #. TRANS: Message given submitting a form with an unknown action in e-mail settings. #. TRANS: Message given submitting a form with an unknown action in IM settings. #. TRANS: Client error when submitting a form with unexpected information. #. TRANS: Message given submitting a form with an unknown action in SMS settings. -#: actions/apioauthauthorize.php:294 actions/avatarsettings.php:283 +#: actions/apioauthauthorize.php:294 actions/avatarsettings.php:294 #: actions/designadminpanel.php:104 actions/editapplication.php:144 #: actions/emailsettings.php:290 actions/grouplogo.php:322 #: actions/imsettings.php:245 actions/newapplication.php:125 @@ -795,6 +821,7 @@ msgstr "Účet" #. TRANS: Field label on OAuth API authorisation form. #. TRANS: Field label in form for profile settings. +#. TRANS: Label for group nickname (dt). Text hidden by default. #: actions/apioauthauthorize.php:459 actions/login.php:252 #: actions/profilesettings.php:110 actions/register.php:433 #: actions/showgroup.php:245 actions/tagother.php:94 @@ -1048,104 +1075,138 @@ msgstr "API metoda ve výstavbě." msgid "User not found." msgstr " API metoda nebyla nalezena." +#. TRANS: Client error displayed trying to get a non-existing attachment. #: actions/attachment.php:73 msgid "No such attachment." msgstr "Žádná taková příloha." -#: actions/avatarbynickname.php:59 actions/blockedfromgroup.php:73 -#: actions/editgroup.php:84 actions/groupdesignsettings.php:84 +#. TRANS: Client error displayed trying to get an avatar without providing a nickname. +#. TRANS: Client error displayed when requesting a list of blocked users for a group without providing a group nickname. +#. TRANS: Client error displayed trying to edit a group while not proving a nickname for the group to edit. +#. TRANS: Client error displayed if no nickname argument was given requesting a group page. +#: actions/avatarbynickname.php:60 actions/blockedfromgroup.php:73 +#: actions/editgroup.php:85 actions/groupdesignsettings.php:84 #: actions/grouplogo.php:86 actions/groupmembers.php:76 #: actions/grouprss.php:91 actions/showgroup.php:121 msgid "No nickname." msgstr "Žádná přezdívka." -#: actions/avatarbynickname.php:64 +#. TRANS: Client error displayed trying to get an avatar without providing an avatar size. +#: actions/avatarbynickname.php:66 msgid "No size." msgstr "Žádná velikost" -#: actions/avatarbynickname.php:69 +#. TRANS: Client error displayed trying to get an avatar providing an invalid avatar size. +#: actions/avatarbynickname.php:72 msgid "Invalid size." msgstr "Neplatná velikost" +#. TRANS: Title for avatar upload page. +#. TRANS: Label for group avatar (dt). Text hidden by default. #. TRANS: Link description in user account settings menu. -#: actions/avatarsettings.php:67 actions/showgroup.php:230 +#: actions/avatarsettings.php:66 actions/showgroup.php:229 #: lib/accountsettingsaction.php:113 msgid "Avatar" msgstr "Avatar" +#. TRANS: Instruction for avatar upload page. +#. TRANS: %s is the maximum file size, for example "500b", "10kB" or "2MB". #: actions/avatarsettings.php:78 #, php-format msgid "You can upload your personal avatar. The maximum file size is %s." msgstr "Můžete nahrát váš osobní avatar. Maximální velikost souboru je %s." -#: actions/avatarsettings.php:106 actions/avatarsettings.php:185 +#. TRANS: Server error displayed in avatar upload page when no matching profile can be found for a user. +#: actions/avatarsettings.php:108 actions/avatarsettings.php:192 #: actions/grouplogo.php:181 actions/remotesubscribe.php:191 #: actions/userauthorization.php:72 actions/userrss.php:108 msgid "User without matching profile." msgstr "Uživatel bez odpovídajícího profilu." -#: actions/avatarsettings.php:119 actions/avatarsettings.php:197 +#. TRANS: Avatar upload page form legend. +#. TRANS: Avatar upload page crop form legend. +#: actions/avatarsettings.php:122 actions/avatarsettings.php:205 #: actions/grouplogo.php:254 msgid "Avatar settings" msgstr "Nastavené Profilu" -#: actions/avatarsettings.php:127 actions/avatarsettings.php:205 +#. TRANS: Header on avatar upload page for thumbnail of originally uploaded avatar (h2). +#. TRANS: Header on avatar upload crop form for thumbnail of originally uploaded avatar (h2). +#: actions/avatarsettings.php:131 actions/avatarsettings.php:214 #: actions/grouplogo.php:202 actions/grouplogo.php:262 msgid "Original" msgstr "Originál" -#: actions/avatarsettings.php:142 actions/avatarsettings.php:217 +#. TRANS: Header on avatar upload page for thumbnail of to be used rendition of uploaded avatar (h2). +#. TRANS: Header on avatar upload crop form for thumbnail of to be used rendition of uploaded avatar (h2). +#: actions/avatarsettings.php:147 actions/avatarsettings.php:227 #: actions/grouplogo.php:213 actions/grouplogo.php:274 msgid "Preview" msgstr "Náhled" -#: actions/avatarsettings.php:149 actions/showapplication.php:252 -#: lib/deletegroupform.php:121 lib/deleteuserform.php:66 -#: lib/noticelist.php:667 +#. TRANS: Button on avatar upload page to delete current avatar. +#: actions/avatarsettings.php:155 +#, fuzzy +msgctxt "BUTTON" msgid "Delete" msgstr "Odstranit" -#: actions/avatarsettings.php:166 actions/grouplogo.php:236 +#. TRANS: Button on avatar upload page to upload an avatar. +#: actions/avatarsettings.php:173 +#, fuzzy +msgctxt "BUTTON" msgid "Upload" msgstr "Upload" -#: actions/avatarsettings.php:231 actions/grouplogo.php:289 +#. TRANS: Button on avatar upload crop form to confirm a selected crop as avatar. +#: actions/avatarsettings.php:243 +#, fuzzy +msgctxt "BUTTON" msgid "Crop" msgstr "Oříznout" -#: actions/avatarsettings.php:307 +#. TRANS: Validation error on avatar upload form when no file was uploaded. +#: actions/avatarsettings.php:318 msgid "No file uploaded." msgstr "žádný soubor nebyl nahrán." -#: actions/avatarsettings.php:334 +#. TRANS: Avatar upload form unstruction after uploading a file. +#: actions/avatarsettings.php:346 msgid "Pick a square area of the image to be your avatar" msgstr "Vyberte čtvercovou plochu obrázku, která bude váš avatar" -#: actions/avatarsettings.php:349 actions/grouplogo.php:380 +#. TRANS: Server error displayed if an avatar upload went wrong somehow server side. +#: actions/avatarsettings.php:361 actions/grouplogo.php:380 msgid "Lost our file data." msgstr "Ztratili jsme údaje souboru." -#: actions/avatarsettings.php:372 +#: actions/avatarsettings.php:384 msgid "Avatar updated." msgstr "Obrázek nahrán" -#: actions/avatarsettings.php:375 +#. TRANS: Error displayed on the avatar upload page if the avatar could not be updated for an unknown reason. +#: actions/avatarsettings.php:388 msgid "Failed updating avatar." msgstr "Nahrávání obrázku selhalo." -#: actions/avatarsettings.php:399 +#. TRANS: Success message for deleting a user avatar. +#: actions/avatarsettings.php:412 msgid "Avatar deleted." msgstr "Avatar smazán." -#: actions/block.php:69 +#. TRANS: Client error displayed when blocking a user that has already been blocked. +#: actions/block.php:68 msgid "You already blocked that user." msgstr "Jabber ID již patří jinému uživateli" -#: actions/block.php:107 actions/block.php:136 actions/groupblock.php:158 +#. TRANS: Title for block user page. +#. TRANS: Legend for block user form. +#: actions/block.php:106 actions/block.php:136 actions/groupblock.php:158 msgid "Block user" msgstr "Zablokovat tohoto uživatele" -#: actions/block.php:138 +#. TRANS: Explanation of consequences when blocking a user on the block user page. +#: actions/block.php:139 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 " @@ -1161,7 +1222,7 @@ msgstr "" #. TRANS: Button label on the delete notice form. #. TRANS: Button label on the delete user form. #. TRANS: Button label on the form to block a user from a group. -#: actions/block.php:153 actions/deleteapplication.php:154 +#: actions/block.php:154 actions/deleteapplication.php:154 #: actions/deletegroup.php:220 actions/deletenotice.php:150 #: actions/deleteuser.php:152 actions/groupblock.php:178 msgctxt "BUTTON" @@ -1170,7 +1231,7 @@ msgstr "Poznámka" #. TRANS: Submit button title for 'No' when blocking a user. #. TRANS: Submit button title for 'No' when deleting a user. -#: actions/block.php:157 actions/deleteuser.php:156 +#: actions/block.php:158 actions/deleteuser.php:156 msgid "Do not block this user" msgstr "Zablokovat tohoto uživatele" @@ -1180,7 +1241,7 @@ msgstr "Zablokovat tohoto uživatele" #. TRANS: Button label on the delete notice form. #. TRANS: Button label on the delete user form. #. TRANS: Button label on the form to block a user from a group. -#: actions/block.php:160 actions/deleteapplication.php:161 +#: actions/block.php:161 actions/deleteapplication.php:161 #: actions/deletegroup.php:227 actions/deletenotice.php:157 #: actions/deleteuser.php:159 actions/groupblock.php:185 msgctxt "BUTTON" @@ -1189,90 +1250,111 @@ msgstr "Ano" #. TRANS: Submit button title for 'Yes' when blocking a user. #. TRANS: Description of the form to block a user. -#: actions/block.php:164 lib/blockform.php:79 +#: actions/block.php:165 lib/blockform.php:79 msgid "Block this user" msgstr "Zablokovat tohoto uživatele" -#: actions/block.php:187 +#. TRANS: Server error displayed when blocking a user fails. +#: actions/block.php:189 msgid "Failed to save block information." msgstr "Nepodařilo se uložit blokování." +#. TRANS: Client error displayed when requesting a list of blocked users for a non-local group. +#. TRANS: Client error displayed when requesting a list of blocked users for a non-existing group. #. TRANS: Client error when trying to delete a non-local group. #. TRANS: Client error when trying to delete a non-existing group. +#. TRANS: Client error displayed trying to edit a non-existing group. +#. TRANS: Client error displayed when trying to unblock a user from a non-existing group. +#. TRANS: Client error displayed if no remote group with a given name was found requesting group page. +#. TRANS: Client error displayed if no local group with a given name was found requesting group page. #. TRANS: Command exception text shown when a group is requested that does not exist. #. TRANS: Error text shown when trying to leave a group that does not exist. -#: actions/blockedfromgroup.php:80 actions/blockedfromgroup.php:87 +#: actions/blockedfromgroup.php:81 actions/blockedfromgroup.php:89 #: actions/deletegroup.php:87 actions/deletegroup.php:100 -#: actions/editgroup.php:100 actions/foafgroup.php:44 actions/foafgroup.php:62 +#: actions/editgroup.php:102 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/groupunblock.php:88 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:168 +#: actions/showgroup.php:139 actions/showgroup.php:148 lib/command.php:168 #: lib/command.php:380 msgid "No such group." msgstr "Žádný takový uživatel." -#: actions/blockedfromgroup.php:97 +#. TRANS: Title for first page with list of users blocked from a group. +#. TRANS: %s is a group nickname. +#: actions/blockedfromgroup.php:101 #, php-format msgid "%s blocked profiles" msgstr "profily blokovány skupinou %s" -#: actions/blockedfromgroup.php:100 +#. TRANS: Title for any but the first page with list of users blocked from a group. +#. TRANS: %1$s is a group nickname, %2$d is a page number. +#: actions/blockedfromgroup.php:106 #, php-format msgid "%1$s blocked profiles, page %2$d" msgstr "blokované profily %1$s, strana %2$d" -#: actions/blockedfromgroup.php:115 +#. TRANS: Instructions for list of users blocked from a group. +#: actions/blockedfromgroup.php:122 msgid "A list of the users blocked from joining this group." msgstr "Seznam uživatelů blokovaných od připojení k této skupině." -#: actions/blockedfromgroup.php:288 +#. TRANS: Form legend for unblocking a user from a group. +#: actions/blockedfromgroup.php:291 msgid "Unblock user from group" msgstr "Odblokovat uživatele ze skupiny" -#. TRANS: Title for the form to unblock a user. -#: actions/blockedfromgroup.php:320 lib/unblockform.php:70 +#. TRANS: Button text for unblocking a user from a group. +#: actions/blockedfromgroup.php:323 +#, fuzzy +msgctxt "BUTTON" msgid "Unblock" msgstr "Odblokovat" +#. TRANS: Tooltip for button for unblocking a user from a group. #. TRANS: Description of the form to unblock a user. -#: actions/blockedfromgroup.php:320 lib/unblockform.php:82 +#: actions/blockedfromgroup.php:327 lib/unblockform.php:78 msgid "Unblock this user" msgstr "Odblokovat tohoto uživatele" #. TRANS: Title for mini-posting window loaded from bookmarklet. +#. TRANS: %s is the StatusNet site name. #: actions/bookmarklet.php:51 #, php-format msgid "Post to %s" msgstr "Poslat na %s" -#: actions/confirmaddress.php:75 +#. TRANS: Client error displayed when not providing a confirmation code in the contact address confirmation action. +#: actions/confirmaddress.php:74 msgid "No confirmation code." msgstr "Žádný potvrzující kód." +#. TRANS: Client error displayed when providing a non-existing confirmation code in the contact address confirmation action. #: actions/confirmaddress.php:80 msgid "Confirmation code not found." msgstr "Potvrzující kód nebyl nalezen" -#: actions/confirmaddress.php:85 +#. TRANS: Client error displayed when not providing a confirmation code for another user in the contact address confirmation action. +#: actions/confirmaddress.php:86 msgid "That confirmation code is not for you!" msgstr "Tento potvrzující kód vám nepatří!" -#. TRANS: Server error for an unknow address type, which can be 'email', 'jabber', or 'sms'. -#: actions/confirmaddress.php:91 +#. TRANS: Server error for a unknow address type %s, which can be 'email', 'jabber', or 'sms'. +#: actions/confirmaddress.php:92 #, php-format msgid "Unrecognized address type %s." msgstr "Neznámý typ adresy %s." -#. TRANS: Client error for an already confirmed email/jabbel/sms address. -#: actions/confirmaddress.php:96 +#. TRANS: Client error for an already confirmed email/jabber/sms address. +#: actions/confirmaddress.php:97 msgid "That address has already been confirmed." msgstr "Adresa již byla potvrzena" +#. TRANS: Server error displayed when a user update to the database fails in the contact address confirmation action. #. TRANS: Server error thrown on database error updating e-mail preferences. #. TRANS: Server error thrown on database error removing a registered e-mail address. #. TRANS: Server error thrown on database error updating IM preferences. @@ -1280,7 +1362,7 @@ msgstr "Adresa již byla potvrzena" #. TRANS: Server error thrown when user profile settings could not be updated. #. TRANS: Server error thrown on database error updating SMS preferences. #. TRANS: Server error thrown on database error removing a registered SMS phone number. -#: actions/confirmaddress.php:116 actions/emailsettings.php:331 +#: actions/confirmaddress.php:118 actions/emailsettings.php:331 #: actions/emailsettings.php:477 actions/imsettings.php:283 #: actions/imsettings.php:442 actions/othersettings.php:174 #: actions/profilesettings.php:326 actions/smssettings.php:308 @@ -1288,27 +1370,32 @@ msgstr "Adresa již byla potvrzena" msgid "Couldn't update user." msgstr "Nelze aktualizovat uživatele" -#. TRANS: Server error thrown on database error canceling e-mail address confirmation. -#. TRANS: Server error thrown on database error canceling SMS phone number confirmation. -#: actions/confirmaddress.php:128 actions/emailsettings.php:437 -#: actions/smssettings.php:422 -msgid "Couldn't delete email confirmation." -msgstr "Nelze smazat potvrzení emailu" +#. TRANS: Server error displayed when an address confirmation code deletion from the +#. TRANS: database fails in the contact address confirmation action. +#: actions/confirmaddress.php:132 +#, fuzzy +msgid "Could not delete address confirmation." +msgstr "Nelze smazat potvrzení IM" -#: actions/confirmaddress.php:146 +#. TRANS: Title for the contact address confirmation action. +#: actions/confirmaddress.php:150 msgid "Confirm address" msgstr "Heslo znovu" -#: actions/confirmaddress.php:161 +#. TRANS: Success message for the contact address confirmation action. +#. TRANS: %s can be 'email', 'jabber', or 'sms'. +#: actions/confirmaddress.php:166 #, php-format msgid "The address \"%s\" has been confirmed for your account." msgstr "Adresa \"%s\" byla potvrzena pro váš účet" -#: actions/conversation.php:99 +#. TRANS: Title for page with a conversion (multiple notices in context). +#: actions/conversation.php:96 msgid "Conversation" msgstr "Konverzace" -#: actions/conversation.php:154 lib/mailbox.php:116 lib/noticelist.php:87 +#. TRANS: Header on conversation page. Hidden by default (h2). +#: actions/conversation.php:149 lib/mailbox.php:116 lib/noticelist.php:87 #: lib/profileaction.php:229 lib/searchgroupnav.php:82 msgid "Notices" msgstr "Sdělení" @@ -1418,11 +1505,13 @@ msgstr "Neodstraňujte toto oznámení" msgid "Delete this group" msgstr "Odstranit tohoto uživatele" +#. TRANS: Client error displayed when trying to unblock a user from a group while not logged in. +#. TRANS: Client error displayed trying a change a subscription while not logged in. #. TRANS: Client error message thrown when trying to access the admin panel while not logged in. #: actions/deletenotice.php:50 actions/disfavor.php:61 actions/favor.php:62 -#: actions/groupblock.php:61 actions/groupunblock.php:61 actions/logout.php:69 +#: actions/groupblock.php:61 actions/groupunblock.php:60 actions/logout.php:69 #: actions/makeadmin.php:61 actions/newmessage.php:87 actions/newnotice.php:88 -#: actions/nudge.php:63 actions/subedit.php:31 actions/subscribe.php:96 +#: actions/nudge.php:63 actions/subedit.php:33 actions/subscribe.php:96 #: actions/tagother.php:33 actions/unsubscribe.php:52 #: lib/adminpanelaction.php:71 lib/profileformaction.php:64 #: lib/settingsaction.php:72 @@ -1725,49 +1814,49 @@ msgstr "Callback URL není platný." msgid "Could not update application." msgstr "Nelze aktualizovat aplikaci." -#: actions/editgroup.php:56 +#. TRANS: Title for form to edit a group. %s is a group nickname. +#: actions/editgroup.php:55 #, php-format msgid "Edit %s group" msgstr "Upravit skupinu %s" +#. TRANS: Client error displayed trying to edit a group while not logged in. +#. TRANS: Client error displayed trying to create a group while not logged in. #: actions/editgroup.php:68 actions/grouplogo.php:70 actions/newgroup.php:65 msgid "You must be logged in to create a group." msgstr "K vytvoření skupiny musíte být přihlášen." -#: actions/editgroup.php:107 actions/editgroup.php:172 +#. TRANS: Client error displayed trying to edit a group while not being a group admin. +#: actions/editgroup.php:110 actions/editgroup.php:176 #: actions/groupdesignsettings.php:107 actions/grouplogo.php:109 msgid "You must be an admin to edit the group." msgstr "K úpravě skupiny musíte být admin." -#: actions/editgroup.php:158 +#. TRANS: Form instructions for group edit form. +#: actions/editgroup.php:161 msgid "Use this form to edit the group." msgstr "Použijte tento formulář k úpravám skupiny." -#: actions/editgroup.php:205 -#, php-format -msgid "Description is too long (max %d chars)." -msgstr "Popis je příliš dlouhý (maximálně %d znaků)." - -#: actions/editgroup.php:219 -#, php-format -msgid "Too many aliases! Maximum %d." -msgstr "Příliš mnoho aliasů! Maximálně %d." - -#: actions/editgroup.php:228 actions/newgroup.php:177 +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. +#: actions/editgroup.php:248 actions/newgroup.php:184 #, php-format msgid "Invalid alias: \"%s\"" msgstr "Neplatný alias: \"%s\"" -#: actions/editgroup.php:258 +#. TRANS: Server error displayed when editing a group fails. +#: actions/editgroup.php:281 msgid "Could not update group." msgstr "Nelze aktualizovat skupinu." +#. TRANS: Server error displayed when group aliases could not be added. #. TRANS: Server exception thrown when creating group aliases failed. -#: actions/editgroup.php:264 classes/User_group.php:513 +#: actions/editgroup.php:288 classes/User_group.php:513 msgid "Could not create aliases." msgstr "Nelze vytvořit aliasy." -#: actions/editgroup.php:280 +#. TRANS: Group edit form success message. +#: actions/editgroup.php:305 msgid "Options saved." msgstr "Nastavení uloženo." @@ -1959,6 +2048,12 @@ msgstr "Žádné potvrzení ke zrušení." msgid "That is the wrong email address." msgstr "Toto je špatná e-mailová adresa." +#. TRANS: Server error thrown on database error canceling e-mail address confirmation. +#. TRANS: Server error thrown on database error canceling SMS phone number confirmation. +#: actions/emailsettings.php:437 actions/smssettings.php:422 +msgid "Couldn't delete email confirmation." +msgstr "Nelze smazat potvrzení emailu" + #. TRANS: Message given after successfully canceling e-mail address confirmation. #: actions/emailsettings.php:442 msgid "Email confirmation cancelled." @@ -2139,19 +2234,23 @@ msgstr "Nemůžete dávat uživatelské role na této stránce." msgid "User already has this role." msgstr "Uživatel již tuto roli má." +#. TRANS: Client error displayed when trying to unblock a user from a group without providing a profile. +#. TRANS: Client error displayed trying a change a subscription without providing a profile. #: actions/groupblock.php:71 actions/groupunblock.php:71 -#: actions/makeadmin.php:71 actions/subedit.php:46 +#: actions/makeadmin.php:71 actions/subedit.php:49 #: lib/profileformaction.php:79 msgid "No profile specified." msgstr "Nebyl vybrán profil." -#: actions/groupblock.php:76 actions/groupunblock.php:76 -#: actions/makeadmin.php:76 actions/subedit.php:53 actions/tagother.php:46 +#. TRANS: Client error displayed when trying to unblock a user from a group without providing an existing profile. +#. TRANS: Client error displayed trying a change a subscription for a non-existant profile ID. +#: actions/groupblock.php:76 actions/groupunblock.php:77 +#: actions/makeadmin.php:76 actions/subedit.php:57 actions/tagother.php:46 #: actions/unsubscribe.php:84 lib/profileformaction.php:86 msgid "No profile with that ID." msgstr "Neexistuje profil s tímto ID." -#: actions/groupblock.php:81 actions/groupunblock.php:81 +#: actions/groupblock.php:81 actions/groupunblock.php:82 #: actions/makeadmin.php:81 msgid "No group specified." msgstr "Nebyla vybrána skupina." @@ -2237,6 +2336,14 @@ msgstr "" "Můžete nahrát obrázek loga pro vaši skupinu. Maximální velikost souboru je %" "s." +#: actions/grouplogo.php:236 +msgid "Upload" +msgstr "Upload" + +#: actions/grouplogo.php:289 +msgid "Crop" +msgstr "Oříznout" + #: actions/grouplogo.php:365 msgid "Pick a square area of the image to be the logo." msgstr "Vyberte čtvercovou oblast obrázku, která bude vaše logo." @@ -2379,15 +2486,18 @@ msgstr "" "Proč si ne[zaregistrovat účet](%% action.register%%) a ne[vytvořit skupinu](%" "%action.newgroup%%) sami!" -#: actions/groupunblock.php:91 +#. TRANS: Client error displayed when trying to unblock a user from a group without being an administrator for the group. +#: actions/groupunblock.php:94 msgid "Only an admin can unblock group members." msgstr "Pouze admin může odblokovat členy skupiny." -#: actions/groupunblock.php:95 +#. TRANS: Client error displayed when trying to unblock a non-blocked user from a group. +#: actions/groupunblock.php:99 msgid "User is not blocked from group." msgstr "Uživatel není blokován ze skupiny." -#: actions/groupunblock.php:128 actions/unblock.php:86 +#. TRANS: Server error displayed when unblocking a user from a group fails because of an unknown error. +#: actions/groupunblock.php:131 actions/unblock.php:86 msgid "Error removing the block." msgstr "Chyba při odstraňování bloku." @@ -2979,10 +3089,12 @@ msgstr "Organizace je příliš dlouhá (max 255 znaků)." msgid "Could not create application." msgstr "Nelze vytvořit aplikaci." +#. TRANS: Title for form to create a group. #: actions/newgroup.php:53 msgid "New group" msgstr "Nová skupina" +#. TRANS: Form instructions for group create form. #: actions/newgroup.php:110 msgid "Use this form to create a new group." msgstr "Použijte tento formulář k vytvoření nové skupiny." @@ -3686,8 +3798,9 @@ msgid "1-64 lowercase letters or numbers, no punctuation or spaces." msgstr "1-64 znaků nebo čísel, bez teček, čárek a mezer" #. TRANS: Field label in form for profile settings. +#. TRANS: Label for full group name (dt). Text hidden by default. #: actions/profilesettings.php:117 actions/register.php:457 -#: actions/showgroup.php:256 actions/tagother.php:104 +#: actions/showgroup.php:257 actions/tagother.php:104 #: lib/groupeditform.php:157 lib/userprofile.php:150 msgid "Full name" msgstr "Celé jméno" @@ -3728,8 +3841,9 @@ msgid "Bio" msgstr "O mě" #. TRANS: Field label in form for profile settings. +#. TRANS: Label for group location (dt). Text hidden by default. #: actions/profilesettings.php:149 actions/register.php:485 -#: actions/showgroup.php:265 actions/tagother.php:112 +#: actions/showgroup.php:267 actions/tagother.php:112 #: actions/userauthorization.php:166 lib/groupeditform.php:177 #: lib/userprofile.php:165 msgid "Location" @@ -4444,7 +4558,8 @@ msgstr "Organizace" msgid "Description" msgstr "Popis" -#: actions/showapplication.php:192 actions/showgroup.php:442 +#. TRANS: Header for group statistics on a group page (h2). +#: actions/showapplication.php:192 actions/showgroup.php:453 #: lib/profileaction.php:187 msgid "Statistics" msgstr "Statistiky" @@ -4463,6 +4578,11 @@ msgstr "Akce aplikace" msgid "Reset key & secret" msgstr "Resetovat klíč a tajemství" +#: actions/showapplication.php:252 lib/deletegroupform.php:121 +#: lib/deleteuserform.php:66 lib/noticelist.php:667 +msgid "Delete" +msgstr "Odstranit" + #: actions/showapplication.php:261 msgid "Application info" msgstr "Info o aplikaci" @@ -4554,77 +4674,106 @@ msgstr "" msgid "This is a way to share what you like." msgstr "Toto je způsob, jak sdílet to, co se vám líbí." -#: actions/showgroup.php:82 +#. TRANS: Page title for first group page. %s is a group name. +#: actions/showgroup.php:80 #, php-format msgid "%s group" msgstr "skupina %s" +#. TRANS: Page title for any but first group page. +#. TRANS: %1$s is a group name, $2$s is a page number. #: actions/showgroup.php:84 #, php-format msgid "%1$s group, page %2$d" msgstr "skupina %1$s, str. %2$d" -#: actions/showgroup.php:227 +#. TRANS: Group profile header (h2). Text hidden by default. +#: actions/showgroup.php:225 msgid "Group profile" msgstr "Profil skupiny" -#: actions/showgroup.php:272 actions/tagother.php:118 +#. TRANS: Label for group URL (dt). Text hidden by default. +#: actions/showgroup.php:275 actions/tagother.php:118 #: actions/userauthorization.php:175 lib/userprofile.php:178 msgid "URL" msgstr "URL" -#: actions/showgroup.php:283 actions/tagother.php:128 +#. TRANS: Label for group description or group note (dt). Text hidden by default. +#: actions/showgroup.php:287 actions/tagother.php:128 #: actions/userauthorization.php:187 lib/userprofile.php:195 msgid "Note" msgstr "Poznámka" -#: actions/showgroup.php:293 lib/groupeditform.php:184 +#. TRANS: Label for group aliases (dt). Text hidden by default. +#: actions/showgroup.php:298 lib/groupeditform.php:184 msgid "Aliases" msgstr "Aliasy" -#: actions/showgroup.php:302 +#. TRANS: Group actions header (h2). Text hidden by default. +#: actions/showgroup.php:309 msgid "Group actions" msgstr "Akce skupiny" -#: actions/showgroup.php:344 +#. TRANS: Tooltip for feed link. %s is a group nickname. +#: actions/showgroup.php:350 #, php-format msgid "Notice feed for %s group (RSS 1.0)" msgstr "Feed sdělení skupiny %s (RSS 1.0" -#: actions/showgroup.php:350 +#. TRANS: Tooltip for feed link. %s is a group nickname. +#: actions/showgroup.php:357 #, php-format msgid "Notice feed for %s group (RSS 2.0)" msgstr "Feed sdělení skupiny %s (RSS 2.0)" -#: actions/showgroup.php:356 +#. TRANS: Tooltip for feed link. %s is a group nickname. +#: actions/showgroup.php:364 #, php-format msgid "Notice feed for %s group (Atom)" msgstr "Feed sdělení skupiny %s (Atom)" -#: actions/showgroup.php:361 +#. TRANS: Tooltip for feed link. %s is a group nickname. +#: actions/showgroup.php:370 #, php-format msgid "FOAF for %s group" msgstr "FOAF pro skupinu %s" -#: actions/showgroup.php:399 actions/showgroup.php:451 +#. TRANS: Header for mini list of group members on a group page (h2). +#: actions/showgroup.php:407 msgid "Members" msgstr "Členové" -#: actions/showgroup.php:404 lib/profileaction.php:117 +#. TRANS: Description for mini list of group members on a group page when the group has no members. +#: actions/showgroup.php:413 lib/profileaction.php:117 #: lib/profileaction.php:152 lib/profileaction.php:255 lib/section.php:95 #: lib/subscriptionlist.php:127 lib/tagcloudsection.php:71 msgid "(None)" msgstr "(nic)" -#: actions/showgroup.php:410 +#. TRANS: Link to all group members from mini list of group members if group has more than n members. +#: actions/showgroup.php:422 msgid "All members" msgstr "Všichni členové" -#: actions/showgroup.php:445 +#. TRANS: Label for creation date in statistics on group page. +#: actions/showgroup.php:458 +#, fuzzy +msgctxt "LABEL" msgid "Created" msgstr "Vytvořeno" -#: actions/showgroup.php:461 +#. TRANS: Label for member count in statistics on group page. +#: actions/showgroup.php:466 +#, fuzzy +msgctxt "LABEL" +msgid "Members" +msgstr "Členové" + +#. TRANS: Notice on group pages for anonymous users for StatusNet sites that accept new registrations. +#. TRANS: **%s** is the group alias, %%%%site.name%%%% is the site name, +#. TRANS: %%%%action.register%%%% is the URL for registration, %%%%doc.help%%%% is a URL to help. +#. TRANS: This message contains Markdown links. Ensure they are formatted correctly: [Description](link). +#: actions/showgroup.php:481 #, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -4633,13 +4782,16 @@ msgid "" "their life and interests. [Join now](%%%%action.register%%%%) to become part " "of this group and many more! ([Read more](%%%%doc.help%%%%))" msgstr "" -"**%s** je skupina uživatelů na %%site.name%%, [mikro-blogovací](http://drbz." -"cz/i/napoveda-faq#mikroblog) službě založené na Free Software nástroji " +"**%s** je skupina uživatelů na %%%%site.name%%%%, [mikro-blogovací](http://" +"drbz.cz/i/napoveda-faq#mikroblog) službě založené na Free Software nástroji " "[StatusNet](http://status.net/). Její členové sdílejí krátké zprávy o svém " -"životě a zájmech. [Zaregistrujte se](%%action.register%%) a staňte se členem " -"této skupiny a mnoha dalších! ([Čtěte více](%%doc.help%%))" +"životě a zájmech. [Zaregistrujte se](%%%%action.register%%%%) a staňte se " +"členem této skupiny a mnoha dalších! ([Čtěte více](%%%%doc.help%%%%))" -#: actions/showgroup.php:467 +#. TRANS: Notice on group pages for anonymous users for StatusNet sites that accept no new registrations. +#. TRANS: **%s** is the group alias, %%%%site.name%%%% is the site name, +#. TRANS: This message contains Markdown links. Ensure they are formatted correctly: [Description](link). +#: actions/showgroup.php:491 #, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -4647,29 +4799,36 @@ msgid "" "[StatusNet](http://status.net/) tool. Its members share short messages about " "their life and interests. " msgstr "" -"**%s** je skupina uživatelů na %%site.name%%, [mikro-blogovací](http://drbz." -"cz/i/napoveda-faq#mikroblog) službě založené na Free Software nástroji " +"**%s** je skupina uživatelů na %%%%site.name%%%%, [mikro-blogovací](http://" +"drbz.cz/i/napoveda-faq#mikroblog) službě založené na Free Software nástroji " "[StatusNet](http://status.net/). Její členové sdílejí krátké zprávy o svém " "životě a zájmech. " -#: actions/showgroup.php:495 +#. TRANS: Header for list of group administrators on a group page (h2). +#: actions/showgroup.php:520 msgid "Admins" msgstr "Adminové" -#: actions/showmessage.php:81 +#. TRANS: Client error displayed requesting a single message that does not exist. +#: actions/showmessage.php:79 msgid "No such message." msgstr "Žádné takové zprávy." -#: actions/showmessage.php:98 +#. TRANS: Client error displayed requesting a single direct message the requesting user was not a party in. +#: actions/showmessage.php:97 msgid "Only the sender and recipient may read this message." msgstr "Pouze odesílatel a příjemce může přečíst tuto zprávu." -#: actions/showmessage.php:108 +#. TRANS: Page title for single direct message display when viewing user is the sender. +#. TRANS: %1$s is the addressed user's nickname, $2$s is a timestamp. +#: actions/showmessage.php:110 #, php-format msgid "Message to %1$s on %2$s" msgstr "Zpráva pro %1$s na %2$s" -#: actions/showmessage.php:113 +#. TRANS: Page title for single message display. +#. TRANS: %1$s is the sending user's nickname, $2$s is a timestamp. +#: actions/showmessage.php:118 #, php-format msgid "Message from %1$s on %2$s" msgstr "Zpráva od %1$s na %2$s" @@ -4743,10 +4902,10 @@ msgid "" "[StatusNet](http://status.net/) tool. [Join now](%%%%action.register%%%%) to " "follow **%s**'s notices and many more! ([Read more](%%%%doc.help%%%%))" msgstr "" -"**%s** má účet na %%site.name%%, [mikro-blogovací](http://drbz.cz/i/napoveda-" -"faq#mikroblog) službě založené na Free Software nástroji [StatusNet](http://" -"status.net/). [Zaregistrujte se](%%action.register%%) a sledujte oznámení od " -"**%s**a mnoha dalších! ([Čtěte více](%%doc.help%%))" +"**%s** má účet na %%%%site.name%%%%, [mikro-blogovací](http://drbz.cz/i/" +"napoveda-faq#mikroblog) službě založené na Free Software nástroji [StatusNet]" +"(http://status.net/). [Zaregistrujte se](%%%%action.register%%%%) a sledujte " +"oznámení od **%s**a mnoha dalších! ([Čtěte více](%%%%doc.help%%%%))" #: actions/showstream.php:248 #, php-format @@ -4755,9 +4914,9 @@ msgid "" "wikipedia.org/wiki/Micro-blogging) service based on the Free Software " "[StatusNet](http://status.net/) tool. " msgstr "" -"**%s** má účet na %%site.name%%, [mikro-blogovací](http://drbz.cz/i/napoveda-" -"faq#mikroblog) službě založené na Free Software nástroji [StatusNet](http://" -"status.net/). " +"**%s** má účet na %%%%site.name%%%%, [mikro-blogovací](http://drbz.cz/i/" +"napoveda-faq#mikroblog) službě založené na Free Software nástroji [StatusNet]" +"(http://status.net/). " #: actions/showstream.php:305 #, php-format @@ -5109,12 +5268,14 @@ msgstr "Na tuto adresu budou poslány snímky" msgid "Save snapshot settings" msgstr "Uložit nastavení snímkování" -#: actions/subedit.php:70 +#. TRANS: Client error displayed trying a change a subscription for a non-subscribed profile. +#: actions/subedit.php:75 msgid "You are not subscribed to that profile." msgstr "Nejste přihlášen k tomuto profilu." +#. TRANS: Server error displayed when updating a subscription fails with a database error. #. TRANS: Exception thrown when a subscription could not be stored on the server. -#: actions/subedit.php:83 classes/Subscription.php:136 +#: actions/subedit.php:89 classes/Subscription.php:136 msgid "Could not save subscription." msgstr "Nelze uložit odebírání" @@ -5924,12 +6085,12 @@ msgid "Welcome to %1$s, @%2$s!" msgstr "Vítejte na %1$s, @%2$s!" #. TRANS: Server exception. -#: classes/User.php:902 +#: classes/User.php:912 msgid "No single user defined for single-user mode." msgstr "Nenastaven uživatel pro jednouživatelský mód" #. TRANS: Server exception. -#: classes/User.php:906 +#: classes/User.php:916 msgid "Single-user mode code called when not enabled." msgstr "" @@ -7096,7 +7257,8 @@ msgstr "Atom" msgid "FOAF" msgstr "FOAF" -#: lib/feedlist.php:65 +#. TRANS: Header for feed links (h2). +#: lib/feedlist.php:66 msgid "Feeds" msgstr "" @@ -7256,39 +7418,60 @@ msgstr "Tato stránka není k dispozici v typu média která přijímáte." msgid "Unsupported image file format." msgstr "Nepodporovaný formát obrázku." -#: lib/imagefile.php:88 +#. TRANS: Exception thrown when too large a file is uploaded. +#. TRANS: %s is the maximum file size, for example "500b", "10kB" or "2MB". +#: lib/imagefile.php:90 #, php-format msgid "That file is too big. The maximum file size is %s." msgstr "Ten soubor je příliš velký. Maximální velikost souboru je %s." -#: lib/imagefile.php:93 +#: lib/imagefile.php:95 msgid "Partial upload." msgstr "Částečné náhrání." #. TRANS: Client exception thrown when a file upload operation has failed with an unknown reason. -#: lib/imagefile.php:101 lib/mediafile.php:179 +#: lib/imagefile.php:103 lib/mediafile.php:179 msgid "System error uploading file." msgstr "Chyba systému při nahrávání souboru" -#: lib/imagefile.php:109 +#: lib/imagefile.php:111 msgid "Not an image or corrupt file." msgstr "Není obrázkem, nebo jde o poškozený soubor." -#: lib/imagefile.php:122 +#: lib/imagefile.php:124 msgid "Lost our file." msgstr "Ztratili jsme náš soubor." -#: lib/imagefile.php:163 lib/imagefile.php:224 +#: lib/imagefile.php:165 lib/imagefile.php:226 msgid "Unknown file type" msgstr "Neznámý typ souboru" -#: lib/imagefile.php:244 -msgid "MB" -msgstr "MB" +#. TRANS: Number of megabytes. %d is the number. +#: lib/imagefile.php:248 +#, fuzzy, php-format +msgid "%dMB" +msgid_plural "%dMB" +msgstr[0] "MB" +msgstr[1] "MB" +msgstr[2] "MB" -#: lib/imagefile.php:246 -msgid "kB" -msgstr "kB" +#. TRANS: Number of kilobytes. %d is the number. +#: lib/imagefile.php:252 +#, fuzzy, php-format +msgid "%dkB" +msgid_plural "%dkB" +msgstr[0] "kB" +msgstr[1] "kB" +msgstr[2] "kB" + +#. TRANS: Number of bytes. %d is the number. +#: lib/imagefile.php:255 +#, php-format +msgid "%dB" +msgid_plural "%dB" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" #: lib/jabber.php:387 #, php-format @@ -8183,6 +8366,13 @@ msgstr "Chyba při otevírání archivu tématu." msgid "Top posters" msgstr "Nejlepší pisálci" +#. TRANS: Title for the form to unblock a user. +#: lib/unblockform.php:67 +#, fuzzy +msgctxt "TITLE" +msgid "Unblock" +msgstr "Odblokovat" + #: lib/unsandboxform.php:69 msgid "Unsandbox" msgstr "Odsandboxovat" @@ -8368,3 +8558,9 @@ msgstr "Nebylo zadáno uživatelské ID." #, php-format msgid "%d entries in backup." msgstr "" + +#~ msgid "Description is too long (max %d chars)." +#~ msgstr "Popis je příliš dlouhý (maximálně %d znaků)." + +#~ msgid "Too many aliases! Maximum %d." +#~ msgstr "Příliš mnoho aliasů! Maximálně %d." diff --git a/locale/de/LC_MESSAGES/statusnet.po b/locale/de/LC_MESSAGES/statusnet.po index 641c8e8b5d..2439f18265 100644 --- a/locale/de/LC_MESSAGES/statusnet.po +++ b/locale/de/LC_MESSAGES/statusnet.po @@ -19,17 +19,17 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet - Core\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-10-27 23:43+0000\n" -"PO-Revision-Date: 2010-10-28 23:08:52+0000\n" +"POT-Creation-Date: 2010-10-30 23:18+0000\n" +"PO-Revision-Date: 2010-10-30 23:20:00+0000\n" "Language-Team: German \n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r75629); Translate extension (2010-09-17)\n" +"X-Generator: MediaWiki 1.17alpha (r75708); Translate extension (2010-09-17)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: de\n" "X-Message-Group: #out-statusnet-core\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-POT-Import-Date: 2010-10-28 00:13:15+0000\n" +"X-POT-Import-Date: 2010-10-30 09:48:40+0000\n" #. TRANS: Page title for Access admin panel that allows configuring site access. #. TRANS: Menu item for site administration @@ -126,6 +126,7 @@ msgstr "Seite nicht vorhanden" #. TRANS: Client error displayed when requesting most recent dents by user and friends for a non-existing user. #. TRANS: Client error displayed when requesting most recent mentions for a non-existing user. #. TRANS: Client error displayed requesting most recent notices for a non-existing user. +#. TRANS: Client error displayed trying to get an avatar for a non-existing user. #. TRANS: Error text shown when trying to send a direct message to a user that does not exist. #: actions/all.php:80 actions/apiaccountupdatedeliverydevice.php:110 #: actions/apiaccountupdateprofile.php:103 @@ -138,7 +139,7 @@ msgstr "Seite nicht vorhanden" #: actions/apistatusesupdate.php:230 actions/apisubscriptions.php:85 #: actions/apitimelinefavorites.php:70 actions/apitimelinefriends.php:173 #: actions/apitimelinehome.php:78 actions/apitimelinementions.php:77 -#: actions/apitimelineuser.php:79 actions/avatarbynickname.php:75 +#: actions/apitimelineuser.php:79 actions/avatarbynickname.php:79 #: 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 @@ -318,11 +319,12 @@ msgstr "Konnte Benutzerdaten nicht aktualisieren." #. TRANS: Client error displayed a user has no profile updating profile colours. #. TRANS: Client error displayed if a user profile could not be found updating a profile image. #. TRANS: Client error displayed when requesting user information for a user without a profile. +#. TRANS: Client error displayed trying to get an avatar for a user without a profile. #: actions/apiaccountupdateprofile.php:111 #: actions/apiaccountupdateprofilebackgroundimage.php:199 #: actions/apiaccountupdateprofilecolors.php:183 #: actions/apiaccountupdateprofileimage.php:130 actions/apiusershow.php:108 -#: actions/avatarbynickname.php:80 actions/foaf.php:65 actions/hcard.php:74 +#: actions/avatarbynickname.php:85 actions/foaf.php:65 actions/hcard.php:74 #: actions/replies.php:80 actions/usergroups.php:100 lib/galleryaction.php:66 #: lib/profileaction.php:84 msgid "User has no profile." @@ -337,7 +339,7 @@ msgstr "Konnte Profil nicht speichern." #. TRANS: %s is the number of bytes of the CONTENT_LENGTH. #: actions/apiaccountupdateprofilebackgroundimage.php:108 #: actions/apiaccountupdateprofileimage.php:95 actions/apimediaupload.php:81 -#: actions/apistatusesupdate.php:210 actions/avatarsettings.php:259 +#: actions/apistatusesupdate.php:210 actions/avatarsettings.php:269 #: actions/designadminpanel.php:125 actions/editapplication.php:121 #: actions/newapplication.php:104 actions/newnotice.php:95 #, php-format @@ -518,9 +520,11 @@ msgstr "Konnte öffentlichen Stream nicht abrufen." msgid "Could not find target user." msgstr "Konnte keine Statusmeldungen finden." +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. #. TRANS: Validation error in form for profile settings. -#: actions/apigroupcreate.php:165 actions/editgroup.php:186 -#: actions/newgroup.php:126 actions/profilesettings.php:243 +#: actions/apigroupcreate.php:165 actions/editgroup.php:191 +#: actions/newgroup.php:127 actions/profilesettings.php:243 #: actions/register.php:212 msgid "Nickname must have only lowercase letters and numbers and no spaces." msgstr "" @@ -528,36 +532,44 @@ msgstr "" "Leerzeichen sind nicht erlaubt." #. TRANS: Client error trying to create a group with a nickname this is already in use. +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. #. TRANS: Validation error in form for profile settings. -#: actions/apigroupcreate.php:175 actions/editgroup.php:190 -#: actions/newgroup.php:130 actions/profilesettings.php:277 +#: actions/apigroupcreate.php:175 actions/editgroup.php:196 +#: actions/newgroup.php:132 actions/profilesettings.php:277 #: actions/register.php:215 msgid "Nickname already in use. Try another one." msgstr "Benutzername wird bereits verwendet. Suche dir einen anderen aus." #. TRANS: Client error in form for group creation. +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. #. TRANS: Validation error in form for profile settings. -#: actions/apigroupcreate.php:183 actions/editgroup.php:193 -#: actions/newgroup.php:133 actions/profilesettings.php:247 +#: actions/apigroupcreate.php:183 actions/editgroup.php:200 +#: actions/newgroup.php:136 actions/profilesettings.php:247 #: actions/register.php:217 msgid "Not a valid nickname." msgstr "Ungültiger Benutzername." #. TRANS: Client error in form for group creation. #. TRANS: Validation error shown when providing an invalid homepage URL in the "Edit application" form. +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. #. TRANS: Validation error in form for profile settings. #: actions/apigroupcreate.php:200 actions/editapplication.php:233 -#: actions/editgroup.php:199 actions/newapplication.php:211 -#: actions/newgroup.php:139 actions/profilesettings.php:252 +#: actions/editgroup.php:207 actions/newapplication.php:211 +#: actions/newgroup.php:143 actions/profilesettings.php:252 #: actions/register.php:224 msgid "Homepage is not a valid URL." msgstr "" "Homepage ist keine gültige URL. URLs müssen ein Präfix wie http enthalten." #. TRANS: Client error in form for group creation. +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. #. TRANS: Validation error in form for profile settings. -#: actions/apigroupcreate.php:210 actions/editgroup.php:202 -#: actions/newgroup.php:142 actions/profilesettings.php:256 +#: actions/apigroupcreate.php:210 actions/editgroup.php:211 +#: actions/newgroup.php:147 actions/profilesettings.php:256 #: actions/register.php:227 msgid "Full name is too long (maximum 255 characters)." msgstr "Der bürgerliche Name ist zu lang (maximal 255 Zeichen)." @@ -565,10 +577,11 @@ msgstr "Der bürgerliche Name ist zu lang (maximal 255 Zeichen)." #. TRANS: Client error shown when providing too long a description during group creation. #. TRANS: %d is the maximum number of allowed characters. #. TRANS: Validation error shown when providing too long a description in the "Edit application" form. +#. TRANS: Group edit form validation error. #. TRANS: Form validation error in New application form. #. TRANS: %d is the maximum number of characters for the description. #: actions/apigroupcreate.php:220 actions/editapplication.php:201 -#: actions/newapplication.php:178 +#: actions/editgroup.php:216 actions/newapplication.php:178 #, php-format msgid "Description is too long (maximum %d character)." msgid_plural "Description is too long (maximum %d characters)." @@ -576,16 +589,23 @@ msgstr[0] "Die Beschreibung ist zu lang (max. %d Zeichen)." msgstr[1] "Die Beschreibung ist zu lang (max. %d Zeichen)." #. TRANS: Client error shown when providing too long a location during group creation. +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. #. TRANS: Validation error in form for profile settings. -#: actions/apigroupcreate.php:234 actions/editgroup.php:208 -#: actions/newgroup.php:153 actions/profilesettings.php:269 +#: actions/apigroupcreate.php:234 actions/editgroup.php:223 +#: actions/newgroup.php:159 actions/profilesettings.php:269 #: actions/register.php:236 msgid "Location is too long (maximum 255 characters)." msgstr "Der eingegebene Aufenthaltsort ist zu lang (maximal 255 Zeichen)." #. TRANS: Client error shown when providing too many aliases during group creation. #. TRANS: %d is the maximum number of allowed aliases. -#: actions/apigroupcreate.php:255 actions/newgroup.php:166 +#. TRANS: Group edit form validation error. +#. TRANS: %d is the maximum number of allowed aliases. +#. TRANS: Group create form validation error. +#. TRANS: %d is the maximum number of allowed aliases. +#: actions/apigroupcreate.php:255 actions/editgroup.php:236 +#: actions/newgroup.php:172 #, php-format msgid "Too many aliases! Maximum %d allowed." msgid_plural "Too many aliases! Maximum %d allowed." @@ -601,15 +621,19 @@ msgstr "Ungültiges Alias: „%s“" #. TRANS: Client error displayed when trying to use an alias during group creation that is already in use. #. TRANS: %s is the alias that is already in use. -#: actions/apigroupcreate.php:291 actions/editgroup.php:232 -#: actions/newgroup.php:181 +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. +#: actions/apigroupcreate.php:291 actions/editgroup.php:253 +#: actions/newgroup.php:189 #, php-format msgid "Alias \"%s\" already in use. Try another one." msgstr "Benutzername „%s“ wird bereits verwendet. Suche dir einen anderen aus." #. TRANS: Client error displayed when trying to use an alias during group creation that is the same as the group's nickname. -#: actions/apigroupcreate.php:305 actions/editgroup.php:238 -#: actions/newgroup.php:187 +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. +#: actions/apigroupcreate.php:305 actions/editgroup.php:260 +#: actions/newgroup.php:196 msgid "Alias can't be the same as nickname." msgstr "Alias kann nicht das gleiche wie der Spitzname sein." @@ -713,18 +737,18 @@ msgid "Request token already authorized." msgstr "Du bist nicht autorisiert." #. TRANS: Form validation error in API OAuth authorisation because of an invalid session token. -#: actions/apioauthauthorize.php:147 actions/avatarsettings.php:270 +#: actions/apioauthauthorize.php:147 actions/avatarsettings.php:280 #: actions/deletenotice.php:172 actions/disfavor.php:74 #: actions/emailsettings.php:271 actions/favor.php:75 actions/geocode.php:55 #: actions/groupblock.php:66 actions/grouplogo.php:312 -#: actions/groupunblock.php:66 actions/imsettings.php:230 +#: actions/groupunblock.php:65 actions/imsettings.php:230 #: actions/invite.php:59 actions/login.php:137 actions/makeadmin.php:66 #: actions/newmessage.php:135 actions/newnotice.php:105 actions/nudge.php:80 #: actions/oauthappssettings.php:165 actions/oauthconnectionssettings.php:138 #: actions/othersettings.php:145 actions/passwordsettings.php:138 #: actions/profilesettings.php:221 actions/recoverpassword.php:350 #: actions/register.php:172 actions/remotesubscribe.php:77 -#: actions/repeat.php:83 actions/smssettings.php:256 actions/subedit.php:38 +#: actions/repeat.php:83 actions/smssettings.php:256 actions/subedit.php:40 #: actions/subscribe.php:86 actions/tagother.php:166 #: actions/unsubscribe.php:69 actions/userauthorization.php:52 #: lib/designsettings.php:294 @@ -743,12 +767,13 @@ msgid "Database error inserting oauth_token_association." msgstr "Datenbankfehler beim Einfügen des OAuth-Programm-Benutzers." #. TRANS: Client error given on when invalid data was passed through a form in the OAuth API. +#. TRANS: Unexpected validation error on avatar upload form. #. TRANS: Client error displayed submitting invalid form data for edit application. #. TRANS: Message given submitting a form with an unknown action in e-mail settings. #. TRANS: Message given submitting a form with an unknown action in IM settings. #. TRANS: Client error when submitting a form with unexpected information. #. TRANS: Message given submitting a form with an unknown action in SMS settings. -#: actions/apioauthauthorize.php:294 actions/avatarsettings.php:283 +#: actions/apioauthauthorize.php:294 actions/avatarsettings.php:294 #: actions/designadminpanel.php:104 actions/editapplication.php:144 #: actions/emailsettings.php:290 actions/grouplogo.php:322 #: actions/imsettings.php:245 actions/newapplication.php:125 @@ -802,6 +827,7 @@ msgstr "Profil" #. TRANS: Field label on OAuth API authorisation form. #. TRANS: Field label in form for profile settings. +#. TRANS: Label for group nickname (dt). Text hidden by default. #: actions/apioauthauthorize.php:459 actions/login.php:252 #: actions/profilesettings.php:110 actions/register.php:433 #: actions/showgroup.php:245 actions/tagother.php:94 @@ -1061,106 +1087,140 @@ msgstr "API-Methode im Aufbau." msgid "User not found." msgstr "API-Methode nicht gefunden." +#. TRANS: Client error displayed trying to get a non-existing attachment. #: actions/attachment.php:73 msgid "No such attachment." msgstr "Kein solcher Anhang." -#: actions/avatarbynickname.php:59 actions/blockedfromgroup.php:73 -#: actions/editgroup.php:84 actions/groupdesignsettings.php:84 +#. TRANS: Client error displayed trying to get an avatar without providing a nickname. +#. TRANS: Client error displayed when requesting a list of blocked users for a group without providing a group nickname. +#. TRANS: Client error displayed trying to edit a group while not proving a nickname for the group to edit. +#. TRANS: Client error displayed if no nickname argument was given requesting a group page. +#: actions/avatarbynickname.php:60 actions/blockedfromgroup.php:73 +#: actions/editgroup.php:85 actions/groupdesignsettings.php:84 #: actions/grouplogo.php:86 actions/groupmembers.php:76 #: actions/grouprss.php:91 actions/showgroup.php:121 msgid "No nickname." msgstr "Kein Benutzername." -#: actions/avatarbynickname.php:64 +#. TRANS: Client error displayed trying to get an avatar without providing an avatar size. +#: actions/avatarbynickname.php:66 msgid "No size." msgstr "Keine Größe." -#: actions/avatarbynickname.php:69 +#. TRANS: Client error displayed trying to get an avatar providing an invalid avatar size. +#: actions/avatarbynickname.php:72 msgid "Invalid size." msgstr "Ungültige Größe." +#. TRANS: Title for avatar upload page. +#. TRANS: Label for group avatar (dt). Text hidden by default. #. TRANS: Link description in user account settings menu. -#: actions/avatarsettings.php:67 actions/showgroup.php:230 +#: actions/avatarsettings.php:66 actions/showgroup.php:229 #: lib/accountsettingsaction.php:113 msgid "Avatar" msgstr "Avatar" +#. TRANS: Instruction for avatar upload page. +#. TRANS: %s is the maximum file size, for example "500b", "10kB" or "2MB". #: actions/avatarsettings.php:78 #, php-format msgid "You can upload your personal avatar. The maximum file size is %s." msgstr "" "Du kannst dein persönliches Avatar hochladen. Die maximale Dateigröße ist %s." -#: actions/avatarsettings.php:106 actions/avatarsettings.php:185 +#. TRANS: Server error displayed in avatar upload page when no matching profile can be found for a user. +#: actions/avatarsettings.php:108 actions/avatarsettings.php:192 #: actions/grouplogo.php:181 actions/remotesubscribe.php:191 #: actions/userauthorization.php:72 actions/userrss.php:108 msgid "User without matching profile." msgstr "Benutzer ohne passendes Profil" -#: actions/avatarsettings.php:119 actions/avatarsettings.php:197 +#. TRANS: Avatar upload page form legend. +#. TRANS: Avatar upload page crop form legend. +#: actions/avatarsettings.php:122 actions/avatarsettings.php:205 #: actions/grouplogo.php:254 msgid "Avatar settings" msgstr "Avatar-Einstellungen" -#: actions/avatarsettings.php:127 actions/avatarsettings.php:205 +#. TRANS: Header on avatar upload page for thumbnail of originally uploaded avatar (h2). +#. TRANS: Header on avatar upload crop form for thumbnail of originally uploaded avatar (h2). +#: actions/avatarsettings.php:131 actions/avatarsettings.php:214 #: actions/grouplogo.php:202 actions/grouplogo.php:262 msgid "Original" msgstr "Original" -#: actions/avatarsettings.php:142 actions/avatarsettings.php:217 +#. TRANS: Header on avatar upload page for thumbnail of to be used rendition of uploaded avatar (h2). +#. TRANS: Header on avatar upload crop form for thumbnail of to be used rendition of uploaded avatar (h2). +#: actions/avatarsettings.php:147 actions/avatarsettings.php:227 #: actions/grouplogo.php:213 actions/grouplogo.php:274 msgid "Preview" msgstr "Vorschau" -#: actions/avatarsettings.php:149 actions/showapplication.php:252 -#: lib/deletegroupform.php:121 lib/deleteuserform.php:66 -#: lib/noticelist.php:667 +#. TRANS: Button on avatar upload page to delete current avatar. +#: actions/avatarsettings.php:155 +#, fuzzy +msgctxt "BUTTON" msgid "Delete" msgstr "Löschen" -#: actions/avatarsettings.php:166 actions/grouplogo.php:236 +#. TRANS: Button on avatar upload page to upload an avatar. +#: actions/avatarsettings.php:173 +#, fuzzy +msgctxt "BUTTON" msgid "Upload" msgstr "Hochladen" -#: actions/avatarsettings.php:231 actions/grouplogo.php:289 +#. TRANS: Button on avatar upload crop form to confirm a selected crop as avatar. +#: actions/avatarsettings.php:243 +#, fuzzy +msgctxt "BUTTON" msgid "Crop" msgstr "Zuschneiden" -#: actions/avatarsettings.php:307 +#. TRANS: Validation error on avatar upload form when no file was uploaded. +#: actions/avatarsettings.php:318 msgid "No file uploaded." msgstr "Keine Datei hoch geladen." -#: actions/avatarsettings.php:334 +#. TRANS: Avatar upload form unstruction after uploading a file. +#: actions/avatarsettings.php:346 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:349 actions/grouplogo.php:380 +#. TRANS: Server error displayed if an avatar upload went wrong somehow server side. +#: actions/avatarsettings.php:361 actions/grouplogo.php:380 msgid "Lost our file data." msgstr "Daten verloren." -#: actions/avatarsettings.php:372 +#: actions/avatarsettings.php:384 msgid "Avatar updated." msgstr "Avatar aktualisiert." -#: actions/avatarsettings.php:375 +#. TRANS: Error displayed on the avatar upload page if the avatar could not be updated for an unknown reason. +#: actions/avatarsettings.php:388 msgid "Failed updating avatar." msgstr "Aktualisierung des Avatars fehlgeschlagen." -#: actions/avatarsettings.php:399 +#. TRANS: Success message for deleting a user avatar. +#: actions/avatarsettings.php:412 msgid "Avatar deleted." msgstr "Avatar gelöscht." -#: actions/block.php:69 +#. TRANS: Client error displayed when blocking a user that has already been blocked. +#: actions/block.php:68 msgid "You already blocked that user." msgstr "Du hast diesen Benutzer bereits blockiert." -#: actions/block.php:107 actions/block.php:136 actions/groupblock.php:158 +#. TRANS: Title for block user page. +#. TRANS: Legend for block user form. +#: actions/block.php:106 actions/block.php:136 actions/groupblock.php:158 msgid "Block user" msgstr "Benutzer blockieren" -#: actions/block.php:138 +#. TRANS: Explanation of consequences when blocking a user on the block user page. +#: actions/block.php:139 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 " @@ -1176,7 +1236,7 @@ msgstr "" #. TRANS: Button label on the delete notice form. #. TRANS: Button label on the delete user form. #. TRANS: Button label on the form to block a user from a group. -#: actions/block.php:153 actions/deleteapplication.php:154 +#: actions/block.php:154 actions/deleteapplication.php:154 #: actions/deletegroup.php:220 actions/deletenotice.php:150 #: actions/deleteuser.php:152 actions/groupblock.php:178 msgctxt "BUTTON" @@ -1185,7 +1245,7 @@ msgstr "Nein" #. TRANS: Submit button title for 'No' when blocking a user. #. TRANS: Submit button title for 'No' when deleting a user. -#: actions/block.php:157 actions/deleteuser.php:156 +#: actions/block.php:158 actions/deleteuser.php:156 msgid "Do not block this user" msgstr "Diesen Benutzer freigeben" @@ -1195,7 +1255,7 @@ msgstr "Diesen Benutzer freigeben" #. TRANS: Button label on the delete notice form. #. TRANS: Button label on the delete user form. #. TRANS: Button label on the form to block a user from a group. -#: actions/block.php:160 actions/deleteapplication.php:161 +#: actions/block.php:161 actions/deleteapplication.php:161 #: actions/deletegroup.php:227 actions/deletenotice.php:157 #: actions/deleteuser.php:159 actions/groupblock.php:185 msgctxt "BUTTON" @@ -1204,90 +1264,111 @@ msgstr "Ja" #. TRANS: Submit button title for 'Yes' when blocking a user. #. TRANS: Description of the form to block a user. -#: actions/block.php:164 lib/blockform.php:79 +#: actions/block.php:165 lib/blockform.php:79 msgid "Block this user" msgstr "Diesen Benutzer blockieren" -#: actions/block.php:187 +#. TRANS: Server error displayed when blocking a user fails. +#: actions/block.php:189 msgid "Failed to save block information." msgstr "Konnte Blockierungsdaten nicht speichern." +#. TRANS: Client error displayed when requesting a list of blocked users for a non-local group. +#. TRANS: Client error displayed when requesting a list of blocked users for a non-existing group. #. TRANS: Client error when trying to delete a non-local group. #. TRANS: Client error when trying to delete a non-existing group. +#. TRANS: Client error displayed trying to edit a non-existing group. +#. TRANS: Client error displayed when trying to unblock a user from a non-existing group. +#. TRANS: Client error displayed if no remote group with a given name was found requesting group page. +#. TRANS: Client error displayed if no local group with a given name was found requesting group page. #. TRANS: Command exception text shown when a group is requested that does not exist. #. TRANS: Error text shown when trying to leave a group that does not exist. -#: actions/blockedfromgroup.php:80 actions/blockedfromgroup.php:87 +#: actions/blockedfromgroup.php:81 actions/blockedfromgroup.php:89 #: actions/deletegroup.php:87 actions/deletegroup.php:100 -#: actions/editgroup.php:100 actions/foafgroup.php:44 actions/foafgroup.php:62 +#: actions/editgroup.php:102 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/groupunblock.php:88 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:168 +#: actions/showgroup.php:139 actions/showgroup.php:148 lib/command.php:168 #: lib/command.php:380 msgid "No such group." msgstr "Keine derartige Gruppe." -#: actions/blockedfromgroup.php:97 +#. TRANS: Title for first page with list of users blocked from a group. +#. TRANS: %s is a group nickname. +#: actions/blockedfromgroup.php:101 #, php-format msgid "%s blocked profiles" msgstr "%s blockierte Benutzerprofile" -#: actions/blockedfromgroup.php:100 +#. TRANS: Title for any but the first page with list of users blocked from a group. +#. TRANS: %1$s is a group nickname, %2$d is a page number. +#: actions/blockedfromgroup.php:106 #, php-format msgid "%1$s blocked profiles, page %2$d" msgstr "%1$s blockierte Benutzerprofile, Seite %2$d" -#: actions/blockedfromgroup.php:115 +#. TRANS: Instructions for list of users blocked from a group. +#: actions/blockedfromgroup.php:122 msgid "A list of the users blocked from joining this group." msgstr "Liste der blockierten Benutzer in dieser Gruppe." -#: actions/blockedfromgroup.php:288 +#. TRANS: Form legend for unblocking a user from a group. +#: actions/blockedfromgroup.php:291 msgid "Unblock user from group" msgstr "Blockierung des Benutzers für die Gruppe aufheben." -#. TRANS: Title for the form to unblock a user. -#: actions/blockedfromgroup.php:320 lib/unblockform.php:70 +#. TRANS: Button text for unblocking a user from a group. +#: actions/blockedfromgroup.php:323 +#, fuzzy +msgctxt "BUTTON" msgid "Unblock" msgstr "Freigeben" +#. TRANS: Tooltip for button for unblocking a user from a group. #. TRANS: Description of the form to unblock a user. -#: actions/blockedfromgroup.php:320 lib/unblockform.php:82 +#: actions/blockedfromgroup.php:327 lib/unblockform.php:78 msgid "Unblock this user" msgstr "Diesen Benutzer freigeben" #. TRANS: Title for mini-posting window loaded from bookmarklet. +#. TRANS: %s is the StatusNet site name. #: actions/bookmarklet.php:51 #, php-format msgid "Post to %s" msgstr "Versenden an %s" -#: actions/confirmaddress.php:75 +#. TRANS: Client error displayed when not providing a confirmation code in the contact address confirmation action. +#: actions/confirmaddress.php:74 msgid "No confirmation code." msgstr "Kein Bestätigungs-Code." +#. TRANS: Client error displayed when providing a non-existing confirmation code in the contact address confirmation action. #: actions/confirmaddress.php:80 msgid "Confirmation code not found." msgstr "Bestätigungscode nicht gefunden." -#: actions/confirmaddress.php:85 +#. TRANS: Client error displayed when not providing a confirmation code for another user in the contact address confirmation action. +#: actions/confirmaddress.php:86 msgid "That confirmation code is not for you!" msgstr "Dieser Bestätigungscode ist nicht für dich!" -#. TRANS: Server error for an unknow address type, which can be 'email', 'jabber', or 'sms'. -#: actions/confirmaddress.php:91 +#. TRANS: Server error for a unknow address type %s, which can be 'email', 'jabber', or 'sms'. +#: actions/confirmaddress.php:92 #, php-format msgid "Unrecognized address type %s." msgstr "Nicht erkannter Adresstyp %s" -#. TRANS: Client error for an already confirmed email/jabbel/sms address. -#: actions/confirmaddress.php:96 +#. TRANS: Client error for an already confirmed email/jabber/sms address. +#: actions/confirmaddress.php:97 msgid "That address has already been confirmed." msgstr "Diese Adresse wurde bereits bestätigt." +#. TRANS: Server error displayed when a user update to the database fails in the contact address confirmation action. #. TRANS: Server error thrown on database error updating e-mail preferences. #. TRANS: Server error thrown on database error removing a registered e-mail address. #. TRANS: Server error thrown on database error updating IM preferences. @@ -1295,7 +1376,7 @@ msgstr "Diese Adresse wurde bereits bestätigt." #. TRANS: Server error thrown when user profile settings could not be updated. #. TRANS: Server error thrown on database error updating SMS preferences. #. TRANS: Server error thrown on database error removing a registered SMS phone number. -#: actions/confirmaddress.php:116 actions/emailsettings.php:331 +#: actions/confirmaddress.php:118 actions/emailsettings.php:331 #: actions/emailsettings.php:477 actions/imsettings.php:283 #: actions/imsettings.php:442 actions/othersettings.php:174 #: actions/profilesettings.php:326 actions/smssettings.php:308 @@ -1303,27 +1384,32 @@ msgstr "Diese Adresse wurde bereits bestätigt." msgid "Couldn't update user." msgstr "Konnte Benutzerdaten nicht aktualisieren." -#. TRANS: Server error thrown on database error canceling e-mail address confirmation. -#. TRANS: Server error thrown on database error canceling SMS phone number confirmation. -#: actions/confirmaddress.php:128 actions/emailsettings.php:437 -#: actions/smssettings.php:422 -msgid "Couldn't delete email confirmation." -msgstr "Konnte E-Mail-Bestätigung nicht löschen." +#. TRANS: Server error displayed when an address confirmation code deletion from the +#. TRANS: database fails in the contact address confirmation action. +#: actions/confirmaddress.php:132 +#, fuzzy +msgid "Could not delete address confirmation." +msgstr "Konnte die IM-Bestätigung nicht löschen." -#: actions/confirmaddress.php:146 +#. TRANS: Title for the contact address confirmation action. +#: actions/confirmaddress.php:150 msgid "Confirm address" msgstr "Adresse bestätigen" -#: actions/confirmaddress.php:161 +#. TRANS: Success message for the contact address confirmation action. +#. TRANS: %s can be 'email', 'jabber', or 'sms'. +#: actions/confirmaddress.php:166 #, php-format msgid "The address \"%s\" has been confirmed for your account." msgstr "Die Adresse „%s“ wurde für dein Konto bestätigt." -#: actions/conversation.php:99 +#. TRANS: Title for page with a conversion (multiple notices in context). +#: actions/conversation.php:96 msgid "Conversation" msgstr "Unterhaltung" -#: actions/conversation.php:154 lib/mailbox.php:116 lib/noticelist.php:87 +#. TRANS: Header on conversation page. Hidden by default (h2). +#: actions/conversation.php:149 lib/mailbox.php:116 lib/noticelist.php:87 #: lib/profileaction.php:229 lib/searchgroupnav.php:82 msgid "Notices" msgstr "Nachrichten" @@ -1428,11 +1514,13 @@ msgstr "Diese Gruppe nicht löschen" msgid "Delete this group" msgstr "Diese Gruppe löschen" +#. TRANS: Client error displayed when trying to unblock a user from a group while not logged in. +#. TRANS: Client error displayed trying a change a subscription while not logged in. #. TRANS: Client error message thrown when trying to access the admin panel while not logged in. #: actions/deletenotice.php:50 actions/disfavor.php:61 actions/favor.php:62 -#: actions/groupblock.php:61 actions/groupunblock.php:61 actions/logout.php:69 +#: actions/groupblock.php:61 actions/groupunblock.php:60 actions/logout.php:69 #: actions/makeadmin.php:61 actions/newmessage.php:87 actions/newnotice.php:88 -#: actions/nudge.php:63 actions/subedit.php:31 actions/subscribe.php:96 +#: actions/nudge.php:63 actions/subedit.php:33 actions/subscribe.php:96 #: actions/tagother.php:33 actions/unsubscribe.php:52 #: lib/adminpanelaction.php:71 lib/profileformaction.php:64 #: lib/settingsaction.php:72 @@ -1733,49 +1821,49 @@ msgstr "Antwort-URL ist nicht gültig" msgid "Could not update application." msgstr "Konnte Programm nicht aktualisieren." -#: actions/editgroup.php:56 +#. TRANS: Title for form to edit a group. %s is a group nickname. +#: actions/editgroup.php:55 #, php-format msgid "Edit %s group" msgstr "Gruppe %s bearbeiten" +#. TRANS: Client error displayed trying to edit a group while not logged in. +#. TRANS: Client error displayed trying to create a group while not logged in. #: actions/editgroup.php:68 actions/grouplogo.php:70 actions/newgroup.php:65 msgid "You must be logged in to create a group." msgstr "Du musst angemeldet sein, um eine Gruppe zu erstellen." -#: actions/editgroup.php:107 actions/editgroup.php:172 +#. TRANS: Client error displayed trying to edit a group while not being a group admin. +#: actions/editgroup.php:110 actions/editgroup.php:176 #: actions/groupdesignsettings.php:107 actions/grouplogo.php:109 msgid "You must be an admin to edit the group." msgstr "Du musst ein Admin sein, um die Gruppe zu bearbeiten" -#: actions/editgroup.php:158 +#. TRANS: Form instructions for group edit form. +#: actions/editgroup.php:161 msgid "Use this form to edit the group." msgstr "Benutze dieses Formular, um die Gruppe zu bearbeiten." -#: actions/editgroup.php:205 -#, php-format -msgid "Description is too long (max %d chars)." -msgstr "Die Beschreibung ist zu lang (max. %d Zeichen)." - -#: actions/editgroup.php:219 -#, php-format -msgid "Too many aliases! Maximum %d." -msgstr "Zu viele Pseudonyme! Maximale Anzahl ist %d." - -#: actions/editgroup.php:228 actions/newgroup.php:177 +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. +#: actions/editgroup.php:248 actions/newgroup.php:184 #, php-format msgid "Invalid alias: \"%s\"" msgstr "Ungültiges Stichwort: „%s“" -#: actions/editgroup.php:258 +#. TRANS: Server error displayed when editing a group fails. +#: actions/editgroup.php:281 msgid "Could not update group." msgstr "Konnte Gruppe nicht aktualisieren." +#. TRANS: Server error displayed when group aliases could not be added. #. TRANS: Server exception thrown when creating group aliases failed. -#: actions/editgroup.php:264 classes/User_group.php:513 +#: actions/editgroup.php:288 classes/User_group.php:513 msgid "Could not create aliases." msgstr "Konnte keinen Favoriten erstellen." -#: actions/editgroup.php:280 +#. TRANS: Group edit form success message. +#: actions/editgroup.php:305 msgid "Options saved." msgstr "Einstellungen gespeichert." @@ -1971,6 +2059,12 @@ msgstr "Keine ausstehende Bestätigung, die abgebrochen werden kann." msgid "That is the wrong email address." msgstr "Dies ist die falsche E-Mail Adresse" +#. TRANS: Server error thrown on database error canceling e-mail address confirmation. +#. TRANS: Server error thrown on database error canceling SMS phone number confirmation. +#: actions/emailsettings.php:437 actions/smssettings.php:422 +msgid "Couldn't delete email confirmation." +msgstr "Konnte E-Mail-Bestätigung nicht löschen." + #. TRANS: Message given after successfully canceling e-mail address confirmation. #: actions/emailsettings.php:442 msgid "Email confirmation cancelled." @@ -2151,19 +2245,23 @@ msgstr "Auf dieser Seite können keine Benutzerrollen gewährt werden." msgid "User already has this role." msgstr "Benutzer hat bereits diese Aufgabe" +#. TRANS: Client error displayed when trying to unblock a user from a group without providing a profile. +#. TRANS: Client error displayed trying a change a subscription without providing a profile. #: actions/groupblock.php:71 actions/groupunblock.php:71 -#: actions/makeadmin.php:71 actions/subedit.php:46 +#: actions/makeadmin.php:71 actions/subedit.php:49 #: lib/profileformaction.php:79 msgid "No profile specified." msgstr "Kein Profil angegeben." -#: actions/groupblock.php:76 actions/groupunblock.php:76 -#: actions/makeadmin.php:76 actions/subedit.php:53 actions/tagother.php:46 +#. TRANS: Client error displayed when trying to unblock a user from a group without providing an existing profile. +#. TRANS: Client error displayed trying a change a subscription for a non-existant profile ID. +#: actions/groupblock.php:76 actions/groupunblock.php:77 +#: actions/makeadmin.php:76 actions/subedit.php:57 actions/tagother.php:46 #: actions/unsubscribe.php:84 lib/profileformaction.php:86 msgid "No profile with that ID." msgstr "Kein Benutzer-Profil mit dieser ID." -#: actions/groupblock.php:81 actions/groupunblock.php:81 +#: actions/groupblock.php:81 actions/groupunblock.php:82 #: actions/makeadmin.php:81 msgid "No group specified." msgstr "Keine Gruppe angegeben" @@ -2251,6 +2349,14 @@ msgstr "" "Du kannst ein Logo für deine Gruppe hochladen. Die maximale Dateigröße ist %" "s." +#: actions/grouplogo.php:236 +msgid "Upload" +msgstr "Hochladen" + +#: actions/grouplogo.php:289 +msgid "Crop" +msgstr "Zuschneiden" + #: 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." @@ -2394,15 +2500,18 @@ msgstr "" "Warum [registrierst du nicht einen Account](%%action.register%%) und [legst " "diese Gruppe selbst an](%%action.newgroup%%)?" -#: actions/groupunblock.php:91 +#. TRANS: Client error displayed when trying to unblock a user from a group without being an administrator for the group. +#: actions/groupunblock.php:94 msgid "Only an admin can unblock group members." msgstr "Nur Admins können Blockierungen von Gruppenmitglieder aufheben." -#: actions/groupunblock.php:95 +#. TRANS: Client error displayed when trying to unblock a non-blocked user from a group. +#: actions/groupunblock.php:99 msgid "User is not blocked from group." msgstr "Dieser Benutzer ist nicht von der Gruppe blockiert." -#: actions/groupunblock.php:128 actions/unblock.php:86 +#. TRANS: Server error displayed when unblocking a user from a group fails because of an unknown error. +#: actions/groupunblock.php:131 actions/unblock.php:86 msgid "Error removing the block." msgstr "Fehler beim Freigeben des Benutzers." @@ -2997,10 +3106,12 @@ msgstr "Die angegebene Organisation ist zu lang (maximal 255 Zeichen)." msgid "Could not create application." msgstr "Konnte das Programm nicht erstellen." +#. TRANS: Title for form to create a group. #: actions/newgroup.php:53 msgid "New group" msgstr "Neue Gruppe" +#. TRANS: Form instructions for group create form. #: actions/newgroup.php:110 msgid "Use this form to create a new group." msgstr "Benutze dieses Formular, um eine neue Gruppe zu erstellen." @@ -3696,8 +3807,9 @@ msgid "1-64 lowercase letters or numbers, no punctuation or spaces." msgstr "1-64 Kleinbuchstaben oder Zahlen, keine Satz- oder Leerzeichen." #. TRANS: Field label in form for profile settings. +#. TRANS: Label for full group name (dt). Text hidden by default. #: actions/profilesettings.php:117 actions/register.php:457 -#: actions/showgroup.php:256 actions/tagother.php:104 +#: actions/showgroup.php:257 actions/tagother.php:104 #: lib/groupeditform.php:157 lib/userprofile.php:150 msgid "Full name" msgstr "Bürgerlicher Name" @@ -3738,8 +3850,9 @@ msgid "Bio" msgstr "Biografie" #. TRANS: Field label in form for profile settings. +#. TRANS: Label for group location (dt). Text hidden by default. #: actions/profilesettings.php:149 actions/register.php:485 -#: actions/showgroup.php:265 actions/tagother.php:112 +#: actions/showgroup.php:267 actions/tagother.php:112 #: actions/userauthorization.php:166 lib/groupeditform.php:177 #: lib/userprofile.php:165 msgid "Location" @@ -4467,7 +4580,8 @@ msgstr "Organisation" msgid "Description" msgstr "Beschreibung" -#: actions/showapplication.php:192 actions/showgroup.php:442 +#. TRANS: Header for group statistics on a group page (h2). +#: actions/showapplication.php:192 actions/showgroup.php:453 #: lib/profileaction.php:187 msgid "Statistics" msgstr "Statistik" @@ -4485,6 +4599,11 @@ msgstr "Programmaktionen" msgid "Reset key & secret" msgstr "Schlüssel zurücksetzen" +#: actions/showapplication.php:252 lib/deletegroupform.php:121 +#: lib/deleteuserform.php:66 lib/noticelist.php:667 +msgid "Delete" +msgstr "Löschen" + #: actions/showapplication.php:261 msgid "Application info" msgstr "Programminformation" @@ -4578,77 +4697,106 @@ msgstr "" msgid "This is a way to share what you like." msgstr "Dies ist ein Weg, Dinge zu teilen, die dir gefallen." -#: actions/showgroup.php:82 +#. TRANS: Page title for first group page. %s is a group name. +#: actions/showgroup.php:80 #, php-format msgid "%s group" msgstr "%s-Gruppe" +#. TRANS: Page title for any but first group page. +#. TRANS: %1$s is a group name, $2$s is a page number. #: actions/showgroup.php:84 #, php-format msgid "%1$s group, page %2$d" msgstr "%1$s Gruppe, Seite %d" -#: actions/showgroup.php:227 +#. TRANS: Group profile header (h2). Text hidden by default. +#: actions/showgroup.php:225 msgid "Group profile" msgstr "Gruppenprofil" -#: actions/showgroup.php:272 actions/tagother.php:118 +#. TRANS: Label for group URL (dt). Text hidden by default. +#: actions/showgroup.php:275 actions/tagother.php:118 #: actions/userauthorization.php:175 lib/userprofile.php:178 msgid "URL" msgstr "URL" -#: actions/showgroup.php:283 actions/tagother.php:128 +#. TRANS: Label for group description or group note (dt). Text hidden by default. +#: actions/showgroup.php:287 actions/tagother.php:128 #: actions/userauthorization.php:187 lib/userprofile.php:195 msgid "Note" msgstr "Nachricht" -#: actions/showgroup.php:293 lib/groupeditform.php:184 +#. TRANS: Label for group aliases (dt). Text hidden by default. +#: actions/showgroup.php:298 lib/groupeditform.php:184 msgid "Aliases" msgstr "Pseudonyme" -#: actions/showgroup.php:302 +#. TRANS: Group actions header (h2). Text hidden by default. +#: actions/showgroup.php:309 msgid "Group actions" msgstr "Gruppenaktionen" -#: actions/showgroup.php:344 +#. TRANS: Tooltip for feed link. %s is a group nickname. +#: actions/showgroup.php:350 #, php-format msgid "Notice feed for %s group (RSS 1.0)" msgstr "Nachrichtenfeed der Gruppe %s (RSS 1.0)" -#: actions/showgroup.php:350 +#. TRANS: Tooltip for feed link. %s is a group nickname. +#: actions/showgroup.php:357 #, php-format msgid "Notice feed for %s group (RSS 2.0)" msgstr "Nachrichtenfeed der Gruppe %s (RSS 2.0)" -#: actions/showgroup.php:356 +#. TRANS: Tooltip for feed link. %s is a group nickname. +#: actions/showgroup.php:364 #, php-format msgid "Notice feed for %s group (Atom)" msgstr "Nachrichtenfeed der Gruppe %s (Atom)" -#: actions/showgroup.php:361 +#. TRANS: Tooltip for feed link. %s is a group nickname. +#: actions/showgroup.php:370 #, php-format msgid "FOAF for %s group" msgstr "Postausgang von %s" -#: actions/showgroup.php:399 actions/showgroup.php:451 +#. TRANS: Header for mini list of group members on a group page (h2). +#: actions/showgroup.php:407 msgid "Members" msgstr "Mitglieder" -#: actions/showgroup.php:404 lib/profileaction.php:117 +#. TRANS: Description for mini list of group members on a group page when the group has no members. +#: actions/showgroup.php:413 lib/profileaction.php:117 #: lib/profileaction.php:152 lib/profileaction.php:255 lib/section.php:95 #: lib/subscriptionlist.php:127 lib/tagcloudsection.php:71 msgid "(None)" msgstr "(Kein)" -#: actions/showgroup.php:410 +#. TRANS: Link to all group members from mini list of group members if group has more than n members. +#: actions/showgroup.php:422 msgid "All members" msgstr "Alle Mitglieder" -#: actions/showgroup.php:445 +#. TRANS: Label for creation date in statistics on group page. +#: actions/showgroup.php:458 +#, fuzzy +msgctxt "LABEL" msgid "Created" msgstr "Erstellt" -#: actions/showgroup.php:461 +#. TRANS: Label for member count in statistics on group page. +#: actions/showgroup.php:466 +#, fuzzy +msgctxt "LABEL" +msgid "Members" +msgstr "Mitglieder" + +#. TRANS: Notice on group pages for anonymous users for StatusNet sites that accept new registrations. +#. TRANS: **%s** is the group alias, %%%%site.name%%%% is the site name, +#. TRANS: %%%%action.register%%%% is the URL for registration, %%%%doc.help%%%% is a URL to help. +#. TRANS: This message contains Markdown links. Ensure they are formatted correctly: [Description](link). +#: actions/showgroup.php:481 #, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -4663,7 +4811,10 @@ msgstr "" "und werde Teil der Gruppe und vielen anderen! ([Mehr Informationen](%%%%doc." "help%%%%))" -#: actions/showgroup.php:467 +#. TRANS: Notice on group pages for anonymous users for StatusNet sites that accept no new registrations. +#. TRANS: **%s** is the group alias, %%%%site.name%%%% is the site name, +#. TRANS: This message contains Markdown links. Ensure they are formatted correctly: [Description](link). +#: actions/showgroup.php:491 #, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -4676,24 +4827,31 @@ msgstr "" "Software [StatusNet](http://status.net/). Seine Mitglieder erstellen kurze " "Nachrichten über ihr Leben und Interessen. " -#: actions/showgroup.php:495 +#. TRANS: Header for list of group administrators on a group page (h2). +#: actions/showgroup.php:520 msgid "Admins" msgstr "Admins" -#: actions/showmessage.php:81 +#. TRANS: Client error displayed requesting a single message that does not exist. +#: actions/showmessage.php:79 msgid "No such message." msgstr "Keine derartige Nachricht." -#: actions/showmessage.php:98 +#. TRANS: Client error displayed requesting a single direct message the requesting user was not a party in. +#: actions/showmessage.php:97 msgid "Only the sender and recipient may read this message." msgstr "Nur der Absender und der Empfänger können diese Nachricht lesen." -#: actions/showmessage.php:108 +#. TRANS: Page title for single direct message display when viewing user is the sender. +#. TRANS: %1$s is the addressed user's nickname, $2$s is a timestamp. +#: actions/showmessage.php:110 #, php-format msgid "Message to %1$s on %2$s" msgstr "Nachricht an %1$s auf %2$s" -#: actions/showmessage.php:113 +#. TRANS: Page title for single message display. +#. TRANS: %1$s is the sending user's nickname, $2$s is a timestamp. +#: actions/showmessage.php:118 #, php-format msgid "Message from %1$s on %2$s" msgstr "Nachricht von %1$s auf %2$s" @@ -5143,12 +5301,14 @@ msgstr "An diese Adresse werden Snapshots gesendet" msgid "Save snapshot settings" msgstr "Snapshot-Einstellungen speichern" -#: actions/subedit.php:70 +#. TRANS: Client error displayed trying a change a subscription for a non-subscribed profile. +#: actions/subedit.php:75 msgid "You are not subscribed to that profile." msgstr "Du hast dieses Profil nicht abonniert." +#. TRANS: Server error displayed when updating a subscription fails with a database error. #. TRANS: Exception thrown when a subscription could not be stored on the server. -#: actions/subedit.php:83 classes/Subscription.php:136 +#: actions/subedit.php:89 classes/Subscription.php:136 msgid "Could not save subscription." msgstr "Konnte Abonnement nicht erstellen." @@ -5967,12 +6127,12 @@ msgid "Welcome to %1$s, @%2$s!" msgstr "Herzlich willkommen bei %1$s, @%2$s!" #. TRANS: Server exception. -#: classes/User.php:902 +#: classes/User.php:912 msgid "No single user defined for single-user mode." msgstr "Kein einzelner Benutzer für den Ein-Benutzer-Modus ausgewählt." #. TRANS: Server exception. -#: classes/User.php:906 +#: classes/User.php:916 msgid "Single-user mode code called when not enabled." msgstr "" @@ -7137,7 +7297,8 @@ msgstr "Atom" msgid "FOAF" msgstr "FOAF" -#: lib/feedlist.php:65 +#. TRANS: Header for feed links (h2). +#: lib/feedlist.php:66 msgid "Feeds" msgstr "Feeds" @@ -7297,39 +7458,57 @@ msgstr "Dies Seite liegt in keinem von dir akzeptierten Mediatype vor." msgid "Unsupported image file format." msgstr "Bildformat wird nicht unterstützt." -#: lib/imagefile.php:88 +#. TRANS: Exception thrown when too large a file is uploaded. +#. TRANS: %s is the maximum file size, for example "500b", "10kB" or "2MB". +#: lib/imagefile.php:90 #, php-format msgid "That file is too big. The maximum file size is %s." msgstr "Du kannst ein Logo für deine Gruppe hochladen." -#: lib/imagefile.php:93 +#: lib/imagefile.php:95 msgid "Partial upload." msgstr "Unvollständiges Hochladen." #. TRANS: Client exception thrown when a file upload operation has failed with an unknown reason. -#: lib/imagefile.php:101 lib/mediafile.php:179 +#: lib/imagefile.php:103 lib/mediafile.php:179 msgid "System error uploading file." msgstr "Systemfehler beim Hochladen der Datei." -#: lib/imagefile.php:109 +#: lib/imagefile.php:111 msgid "Not an image or corrupt file." msgstr "Kein Bild oder defekte Datei." -#: lib/imagefile.php:122 +#: lib/imagefile.php:124 msgid "Lost our file." msgstr "Daten verloren." -#: lib/imagefile.php:163 lib/imagefile.php:224 +#: lib/imagefile.php:165 lib/imagefile.php:226 msgid "Unknown file type" msgstr "Unbekannter Dateityp" -#: lib/imagefile.php:244 -msgid "MB" -msgstr "MB" +#. TRANS: Number of megabytes. %d is the number. +#: lib/imagefile.php:248 +#, fuzzy, php-format +msgid "%dMB" +msgid_plural "%dMB" +msgstr[0] "MB" +msgstr[1] "MB" -#: lib/imagefile.php:246 -msgid "kB" -msgstr "kB" +#. TRANS: Number of kilobytes. %d is the number. +#: lib/imagefile.php:252 +#, fuzzy, php-format +msgid "%dkB" +msgid_plural "%dkB" +msgstr[0] "kB" +msgstr[1] "kB" + +#. TRANS: Number of bytes. %d is the number. +#: lib/imagefile.php:255 +#, php-format +msgid "%dB" +msgid_plural "%dB" +msgstr[0] "" +msgstr[1] "" #: lib/jabber.php:387 #, php-format @@ -8227,6 +8406,13 @@ msgstr "Fehler beim Öffnen des Theme-Archives." msgid "Top posters" msgstr "Top-Schreiber" +#. TRANS: Title for the form to unblock a user. +#: lib/unblockform.php:67 +#, fuzzy +msgctxt "TITLE" +msgid "Unblock" +msgstr "Freigeben" + #: lib/unsandboxform.php:69 msgid "Unsandbox" msgstr "Von Spielwiese freigeben" @@ -8408,3 +8594,9 @@ msgstr "Keine Benutzer-ID angegeben" #, php-format msgid "%d entries in backup." msgstr "%d Einträge im Backup." + +#~ msgid "Description is too long (max %d chars)." +#~ msgstr "Die Beschreibung ist zu lang (max. %d Zeichen)." + +#~ msgid "Too many aliases! Maximum %d." +#~ msgstr "Zu viele Pseudonyme! Maximale Anzahl ist %d." diff --git a/locale/en_GB/LC_MESSAGES/statusnet.po b/locale/en_GB/LC_MESSAGES/statusnet.po index d5813c0338..d85e43536e 100644 --- a/locale/en_GB/LC_MESSAGES/statusnet.po +++ b/locale/en_GB/LC_MESSAGES/statusnet.po @@ -13,17 +13,17 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet - Core\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-10-27 23:43+0000\n" -"PO-Revision-Date: 2010-10-28 23:08:54+0000\n" +"POT-Creation-Date: 2010-10-30 23:18+0000\n" +"PO-Revision-Date: 2010-10-30 23:20:02+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 (r75629); Translate extension (2010-09-17)\n" +"X-Generator: MediaWiki 1.17alpha (r75708); Translate extension (2010-09-17)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: en-gb\n" "X-Message-Group: #out-statusnet-core\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-POT-Import-Date: 2010-10-28 00:13:15+0000\n" +"X-POT-Import-Date: 2010-10-30 09:48:40+0000\n" #. TRANS: Page title for Access admin panel that allows configuring site access. #. TRANS: Menu item for site administration @@ -119,6 +119,7 @@ msgstr "No such page." #. TRANS: Client error displayed when requesting most recent dents by user and friends for a non-existing user. #. TRANS: Client error displayed when requesting most recent mentions for a non-existing user. #. TRANS: Client error displayed requesting most recent notices for a non-existing user. +#. TRANS: Client error displayed trying to get an avatar for a non-existing user. #. TRANS: Error text shown when trying to send a direct message to a user that does not exist. #: actions/all.php:80 actions/apiaccountupdatedeliverydevice.php:110 #: actions/apiaccountupdateprofile.php:103 @@ -131,7 +132,7 @@ msgstr "No such page." #: actions/apistatusesupdate.php:230 actions/apisubscriptions.php:85 #: actions/apitimelinefavorites.php:70 actions/apitimelinefriends.php:173 #: actions/apitimelinehome.php:78 actions/apitimelinementions.php:77 -#: actions/apitimelineuser.php:79 actions/avatarbynickname.php:75 +#: actions/apitimelineuser.php:79 actions/avatarbynickname.php:79 #: 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 @@ -310,11 +311,12 @@ msgstr "Could not update user." #. TRANS: Client error displayed a user has no profile updating profile colours. #. TRANS: Client error displayed if a user profile could not be found updating a profile image. #. TRANS: Client error displayed when requesting user information for a user without a profile. +#. TRANS: Client error displayed trying to get an avatar for a user without a profile. #: actions/apiaccountupdateprofile.php:111 #: actions/apiaccountupdateprofilebackgroundimage.php:199 #: actions/apiaccountupdateprofilecolors.php:183 #: actions/apiaccountupdateprofileimage.php:130 actions/apiusershow.php:108 -#: actions/avatarbynickname.php:80 actions/foaf.php:65 actions/hcard.php:74 +#: actions/avatarbynickname.php:85 actions/foaf.php:65 actions/hcard.php:74 #: actions/replies.php:80 actions/usergroups.php:100 lib/galleryaction.php:66 #: lib/profileaction.php:84 msgid "User has no profile." @@ -329,7 +331,7 @@ msgstr "Could not save profile." #. TRANS: %s is the number of bytes of the CONTENT_LENGTH. #: actions/apiaccountupdateprofilebackgroundimage.php:108 #: actions/apiaccountupdateprofileimage.php:95 actions/apimediaupload.php:81 -#: actions/apistatusesupdate.php:210 actions/avatarsettings.php:259 +#: actions/apistatusesupdate.php:210 actions/avatarsettings.php:269 #: actions/designadminpanel.php:125 actions/editapplication.php:121 #: actions/newapplication.php:104 actions/newnotice.php:95 #, fuzzy, php-format @@ -505,43 +507,53 @@ msgstr "Could not determine source user." msgid "Could not find target user." msgstr "Could not find target user." +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. #. TRANS: Validation error in form for profile settings. -#: actions/apigroupcreate.php:165 actions/editgroup.php:186 -#: actions/newgroup.php:126 actions/profilesettings.php:243 +#: actions/apigroupcreate.php:165 actions/editgroup.php:191 +#: actions/newgroup.php:127 actions/profilesettings.php:243 #: actions/register.php:212 msgid "Nickname must have only lowercase letters and numbers and no spaces." msgstr "Nickname must have only lowercase letters and numbers, and no spaces." #. TRANS: Client error trying to create a group with a nickname this is already in use. +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. #. TRANS: Validation error in form for profile settings. -#: actions/apigroupcreate.php:175 actions/editgroup.php:190 -#: actions/newgroup.php:130 actions/profilesettings.php:277 +#: actions/apigroupcreate.php:175 actions/editgroup.php:196 +#: actions/newgroup.php:132 actions/profilesettings.php:277 #: actions/register.php:215 msgid "Nickname already in use. Try another one." msgstr "Nickname already in use. Try another one." #. TRANS: Client error in form for group creation. +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. #. TRANS: Validation error in form for profile settings. -#: actions/apigroupcreate.php:183 actions/editgroup.php:193 -#: actions/newgroup.php:133 actions/profilesettings.php:247 +#: actions/apigroupcreate.php:183 actions/editgroup.php:200 +#: actions/newgroup.php:136 actions/profilesettings.php:247 #: actions/register.php:217 msgid "Not a valid nickname." msgstr "Not a valid nickname." #. TRANS: Client error in form for group creation. #. TRANS: Validation error shown when providing an invalid homepage URL in the "Edit application" form. +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. #. TRANS: Validation error in form for profile settings. #: actions/apigroupcreate.php:200 actions/editapplication.php:233 -#: actions/editgroup.php:199 actions/newapplication.php:211 -#: actions/newgroup.php:139 actions/profilesettings.php:252 +#: actions/editgroup.php:207 actions/newapplication.php:211 +#: actions/newgroup.php:143 actions/profilesettings.php:252 #: actions/register.php:224 msgid "Homepage is not a valid URL." msgstr "Homepage is not a valid URL." #. TRANS: Client error in form for group creation. +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. #. TRANS: Validation error in form for profile settings. -#: actions/apigroupcreate.php:210 actions/editgroup.php:202 -#: actions/newgroup.php:142 actions/profilesettings.php:256 +#: actions/apigroupcreate.php:210 actions/editgroup.php:211 +#: actions/newgroup.php:147 actions/profilesettings.php:256 #: actions/register.php:227 #, fuzzy msgid "Full name is too long (maximum 255 characters)." @@ -550,10 +562,11 @@ msgstr "Full name is too long (max 255 chars)." #. TRANS: Client error shown when providing too long a description during group creation. #. TRANS: %d is the maximum number of allowed characters. #. TRANS: Validation error shown when providing too long a description in the "Edit application" form. +#. TRANS: Group edit form validation error. #. TRANS: Form validation error in New application form. #. TRANS: %d is the maximum number of characters for the description. #: actions/apigroupcreate.php:220 actions/editapplication.php:201 -#: actions/newapplication.php:178 +#: actions/editgroup.php:216 actions/newapplication.php:178 #, fuzzy, php-format msgid "Description is too long (maximum %d character)." msgid_plural "Description is too long (maximum %d characters)." @@ -561,9 +574,11 @@ msgstr[0] "Description is too long (max %d chars)" msgstr[1] "Description is too long (max %d chars)" #. TRANS: Client error shown when providing too long a location during group creation. +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. #. TRANS: Validation error in form for profile settings. -#: actions/apigroupcreate.php:234 actions/editgroup.php:208 -#: actions/newgroup.php:153 actions/profilesettings.php:269 +#: actions/apigroupcreate.php:234 actions/editgroup.php:223 +#: actions/newgroup.php:159 actions/profilesettings.php:269 #: actions/register.php:236 #, fuzzy msgid "Location is too long (maximum 255 characters)." @@ -571,7 +586,12 @@ msgstr "Location is too long (max 255 chars)." #. TRANS: Client error shown when providing too many aliases during group creation. #. TRANS: %d is the maximum number of allowed aliases. -#: actions/apigroupcreate.php:255 actions/newgroup.php:166 +#. TRANS: Group edit form validation error. +#. TRANS: %d is the maximum number of allowed aliases. +#. TRANS: Group create form validation error. +#. TRANS: %d is the maximum number of allowed aliases. +#: actions/apigroupcreate.php:255 actions/editgroup.php:236 +#: actions/newgroup.php:172 #, fuzzy, php-format msgid "Too many aliases! Maximum %d allowed." msgid_plural "Too many aliases! Maximum %d allowed." @@ -587,15 +607,19 @@ msgstr "Invalid alias: \"%s\"." #. TRANS: Client error displayed when trying to use an alias during group creation that is already in use. #. TRANS: %s is the alias that is already in use. -#: actions/apigroupcreate.php:291 actions/editgroup.php:232 -#: actions/newgroup.php:181 +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. +#: actions/apigroupcreate.php:291 actions/editgroup.php:253 +#: actions/newgroup.php:189 #, php-format msgid "Alias \"%s\" already in use. Try another one." msgstr "Alias \"%s\" already in use. Try another one." #. TRANS: Client error displayed when trying to use an alias during group creation that is the same as the group's nickname. -#: actions/apigroupcreate.php:305 actions/editgroup.php:238 -#: actions/newgroup.php:187 +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. +#: actions/apigroupcreate.php:305 actions/editgroup.php:260 +#: actions/newgroup.php:196 msgid "Alias can't be the same as nickname." msgstr "Alias can't be the same as nickname." @@ -699,18 +723,18 @@ msgid "Request token already authorized." msgstr "You are not authorised." #. TRANS: Form validation error in API OAuth authorisation because of an invalid session token. -#: actions/apioauthauthorize.php:147 actions/avatarsettings.php:270 +#: actions/apioauthauthorize.php:147 actions/avatarsettings.php:280 #: actions/deletenotice.php:172 actions/disfavor.php:74 #: actions/emailsettings.php:271 actions/favor.php:75 actions/geocode.php:55 #: actions/groupblock.php:66 actions/grouplogo.php:312 -#: actions/groupunblock.php:66 actions/imsettings.php:230 +#: actions/groupunblock.php:65 actions/imsettings.php:230 #: actions/invite.php:59 actions/login.php:137 actions/makeadmin.php:66 #: actions/newmessage.php:135 actions/newnotice.php:105 actions/nudge.php:80 #: actions/oauthappssettings.php:165 actions/oauthconnectionssettings.php:138 #: actions/othersettings.php:145 actions/passwordsettings.php:138 #: actions/profilesettings.php:221 actions/recoverpassword.php:350 #: actions/register.php:172 actions/remotesubscribe.php:77 -#: actions/repeat.php:83 actions/smssettings.php:256 actions/subedit.php:38 +#: actions/repeat.php:83 actions/smssettings.php:256 actions/subedit.php:40 #: actions/subscribe.php:86 actions/tagother.php:166 #: actions/unsubscribe.php:69 actions/userauthorization.php:52 #: lib/designsettings.php:294 @@ -729,12 +753,13 @@ msgid "Database error inserting oauth_token_association." msgstr "Database error inserting OAuth application user." #. TRANS: Client error given on when invalid data was passed through a form in the OAuth API. +#. TRANS: Unexpected validation error on avatar upload form. #. TRANS: Client error displayed submitting invalid form data for edit application. #. TRANS: Message given submitting a form with an unknown action in e-mail settings. #. TRANS: Message given submitting a form with an unknown action in IM settings. #. TRANS: Client error when submitting a form with unexpected information. #. TRANS: Message given submitting a form with an unknown action in SMS settings. -#: actions/apioauthauthorize.php:294 actions/avatarsettings.php:283 +#: actions/apioauthauthorize.php:294 actions/avatarsettings.php:294 #: actions/designadminpanel.php:104 actions/editapplication.php:144 #: actions/emailsettings.php:290 actions/grouplogo.php:322 #: actions/imsettings.php:245 actions/newapplication.php:125 @@ -789,6 +814,7 @@ msgstr "Account" #. TRANS: Field label on OAuth API authorisation form. #. TRANS: Field label in form for profile settings. +#. TRANS: Label for group nickname (dt). Text hidden by default. #: actions/apioauthauthorize.php:459 actions/login.php:252 #: actions/profilesettings.php:110 actions/register.php:433 #: actions/showgroup.php:245 actions/tagother.php:94 @@ -1037,104 +1063,138 @@ msgstr "API method under construction." msgid "User not found." msgstr "API method not found." +#. TRANS: Client error displayed trying to get a non-existing attachment. #: actions/attachment.php:73 msgid "No such attachment." msgstr "No such attachment." -#: actions/avatarbynickname.php:59 actions/blockedfromgroup.php:73 -#: actions/editgroup.php:84 actions/groupdesignsettings.php:84 +#. TRANS: Client error displayed trying to get an avatar without providing a nickname. +#. TRANS: Client error displayed when requesting a list of blocked users for a group without providing a group nickname. +#. TRANS: Client error displayed trying to edit a group while not proving a nickname for the group to edit. +#. TRANS: Client error displayed if no nickname argument was given requesting a group page. +#: actions/avatarbynickname.php:60 actions/blockedfromgroup.php:73 +#: actions/editgroup.php:85 actions/groupdesignsettings.php:84 #: actions/grouplogo.php:86 actions/groupmembers.php:76 #: actions/grouprss.php:91 actions/showgroup.php:121 msgid "No nickname." msgstr "No nickname." -#: actions/avatarbynickname.php:64 +#. TRANS: Client error displayed trying to get an avatar without providing an avatar size. +#: actions/avatarbynickname.php:66 msgid "No size." msgstr "No size." -#: actions/avatarbynickname.php:69 +#. TRANS: Client error displayed trying to get an avatar providing an invalid avatar size. +#: actions/avatarbynickname.php:72 msgid "Invalid size." msgstr "Invalid size." +#. TRANS: Title for avatar upload page. +#. TRANS: Label for group avatar (dt). Text hidden by default. #. TRANS: Link description in user account settings menu. -#: actions/avatarsettings.php:67 actions/showgroup.php:230 +#: actions/avatarsettings.php:66 actions/showgroup.php:229 #: lib/accountsettingsaction.php:113 msgid "Avatar" msgstr "Avatar" +#. TRANS: Instruction for avatar upload page. +#. TRANS: %s is the maximum file size, for example "500b", "10kB" or "2MB". #: actions/avatarsettings.php:78 #, php-format msgid "You can upload your personal avatar. The maximum file size is %s." msgstr "You can upload your personal avatar. The maximum file size is %s." -#: actions/avatarsettings.php:106 actions/avatarsettings.php:185 +#. TRANS: Server error displayed in avatar upload page when no matching profile can be found for a user. +#: actions/avatarsettings.php:108 actions/avatarsettings.php:192 #: actions/grouplogo.php:181 actions/remotesubscribe.php:191 #: actions/userauthorization.php:72 actions/userrss.php:108 msgid "User without matching profile." msgstr "User without matching profile." -#: actions/avatarsettings.php:119 actions/avatarsettings.php:197 +#. TRANS: Avatar upload page form legend. +#. TRANS: Avatar upload page crop form legend. +#: actions/avatarsettings.php:122 actions/avatarsettings.php:205 #: actions/grouplogo.php:254 msgid "Avatar settings" msgstr "Avatar settings" -#: actions/avatarsettings.php:127 actions/avatarsettings.php:205 +#. TRANS: Header on avatar upload page for thumbnail of originally uploaded avatar (h2). +#. TRANS: Header on avatar upload crop form for thumbnail of originally uploaded avatar (h2). +#: actions/avatarsettings.php:131 actions/avatarsettings.php:214 #: actions/grouplogo.php:202 actions/grouplogo.php:262 msgid "Original" msgstr "Original" -#: actions/avatarsettings.php:142 actions/avatarsettings.php:217 +#. TRANS: Header on avatar upload page for thumbnail of to be used rendition of uploaded avatar (h2). +#. TRANS: Header on avatar upload crop form for thumbnail of to be used rendition of uploaded avatar (h2). +#: actions/avatarsettings.php:147 actions/avatarsettings.php:227 #: actions/grouplogo.php:213 actions/grouplogo.php:274 msgid "Preview" msgstr "Preview" -#: actions/avatarsettings.php:149 actions/showapplication.php:252 -#: lib/deletegroupform.php:121 lib/deleteuserform.php:66 -#: lib/noticelist.php:667 +#. TRANS: Button on avatar upload page to delete current avatar. +#: actions/avatarsettings.php:155 +#, fuzzy +msgctxt "BUTTON" msgid "Delete" msgstr "Delete" -#: actions/avatarsettings.php:166 actions/grouplogo.php:236 +#. TRANS: Button on avatar upload page to upload an avatar. +#: actions/avatarsettings.php:173 +#, fuzzy +msgctxt "BUTTON" msgid "Upload" msgstr "Upload" -#: actions/avatarsettings.php:231 actions/grouplogo.php:289 +#. TRANS: Button on avatar upload crop form to confirm a selected crop as avatar. +#: actions/avatarsettings.php:243 +#, fuzzy +msgctxt "BUTTON" msgid "Crop" msgstr "Crop" -#: actions/avatarsettings.php:307 +#. TRANS: Validation error on avatar upload form when no file was uploaded. +#: actions/avatarsettings.php:318 msgid "No file uploaded." msgstr "No file uploaded." -#: actions/avatarsettings.php:334 +#. TRANS: Avatar upload form unstruction after uploading a file. +#: actions/avatarsettings.php:346 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:349 actions/grouplogo.php:380 +#. TRANS: Server error displayed if an avatar upload went wrong somehow server side. +#: actions/avatarsettings.php:361 actions/grouplogo.php:380 msgid "Lost our file data." msgstr "Lost our file data." -#: actions/avatarsettings.php:372 +#: actions/avatarsettings.php:384 msgid "Avatar updated." msgstr "Avatar updated." -#: actions/avatarsettings.php:375 +#. TRANS: Error displayed on the avatar upload page if the avatar could not be updated for an unknown reason. +#: actions/avatarsettings.php:388 msgid "Failed updating avatar." msgstr "Failed updating avatar." -#: actions/avatarsettings.php:399 +#. TRANS: Success message for deleting a user avatar. +#: actions/avatarsettings.php:412 msgid "Avatar deleted." msgstr "Avatar deleted." -#: actions/block.php:69 +#. TRANS: Client error displayed when blocking a user that has already been blocked. +#: actions/block.php:68 msgid "You already blocked that user." msgstr "You already blocked that user." -#: actions/block.php:107 actions/block.php:136 actions/groupblock.php:158 +#. TRANS: Title for block user page. +#. TRANS: Legend for block user form. +#: actions/block.php:106 actions/block.php:136 actions/groupblock.php:158 msgid "Block user" msgstr "Block user" -#: actions/block.php:138 +#. TRANS: Explanation of consequences when blocking a user on the block user page. +#: actions/block.php:139 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 " @@ -1150,7 +1210,7 @@ msgstr "" #. TRANS: Button label on the delete notice form. #. TRANS: Button label on the delete user form. #. TRANS: Button label on the form to block a user from a group. -#: actions/block.php:153 actions/deleteapplication.php:154 +#: actions/block.php:154 actions/deleteapplication.php:154 #: actions/deletegroup.php:220 actions/deletenotice.php:150 #: actions/deleteuser.php:152 actions/groupblock.php:178 msgctxt "BUTTON" @@ -1159,7 +1219,7 @@ msgstr "No" #. TRANS: Submit button title for 'No' when blocking a user. #. TRANS: Submit button title for 'No' when deleting a user. -#: actions/block.php:157 actions/deleteuser.php:156 +#: actions/block.php:158 actions/deleteuser.php:156 msgid "Do not block this user" msgstr "Do not block this user" @@ -1169,7 +1229,7 @@ msgstr "Do not block this user" #. TRANS: Button label on the delete notice form. #. TRANS: Button label on the delete user form. #. TRANS: Button label on the form to block a user from a group. -#: actions/block.php:160 actions/deleteapplication.php:161 +#: actions/block.php:161 actions/deleteapplication.php:161 #: actions/deletegroup.php:227 actions/deletenotice.php:157 #: actions/deleteuser.php:159 actions/groupblock.php:185 msgctxt "BUTTON" @@ -1178,90 +1238,111 @@ msgstr "Yes" #. TRANS: Submit button title for 'Yes' when blocking a user. #. TRANS: Description of the form to block a user. -#: actions/block.php:164 lib/blockform.php:79 +#: actions/block.php:165 lib/blockform.php:79 msgid "Block this user" msgstr "Block this user" -#: actions/block.php:187 +#. TRANS: Server error displayed when blocking a user fails. +#: actions/block.php:189 msgid "Failed to save block information." msgstr "Failed to save block information." +#. TRANS: Client error displayed when requesting a list of blocked users for a non-local group. +#. TRANS: Client error displayed when requesting a list of blocked users for a non-existing group. #. TRANS: Client error when trying to delete a non-local group. #. TRANS: Client error when trying to delete a non-existing group. +#. TRANS: Client error displayed trying to edit a non-existing group. +#. TRANS: Client error displayed when trying to unblock a user from a non-existing group. +#. TRANS: Client error displayed if no remote group with a given name was found requesting group page. +#. TRANS: Client error displayed if no local group with a given name was found requesting group page. #. TRANS: Command exception text shown when a group is requested that does not exist. #. TRANS: Error text shown when trying to leave a group that does not exist. -#: actions/blockedfromgroup.php:80 actions/blockedfromgroup.php:87 +#: actions/blockedfromgroup.php:81 actions/blockedfromgroup.php:89 #: actions/deletegroup.php:87 actions/deletegroup.php:100 -#: actions/editgroup.php:100 actions/foafgroup.php:44 actions/foafgroup.php:62 +#: actions/editgroup.php:102 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/groupunblock.php:88 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:168 +#: actions/showgroup.php:139 actions/showgroup.php:148 lib/command.php:168 #: lib/command.php:380 msgid "No such group." msgstr "No such group." -#: actions/blockedfromgroup.php:97 +#. TRANS: Title for first page with list of users blocked from a group. +#. TRANS: %s is a group nickname. +#: actions/blockedfromgroup.php:101 #, php-format msgid "%s blocked profiles" msgstr "%s blocked profiles" -#: actions/blockedfromgroup.php:100 +#. TRANS: Title for any but the first page with list of users blocked from a group. +#. TRANS: %1$s is a group nickname, %2$d is a page number. +#: actions/blockedfromgroup.php:106 #, php-format msgid "%1$s blocked profiles, page %2$d" msgstr "%1$s blocked profiles, page %2$d" -#: actions/blockedfromgroup.php:115 +#. TRANS: Instructions for list of users blocked from a group. +#: actions/blockedfromgroup.php:122 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:288 +#. TRANS: Form legend for unblocking a user from a group. +#: actions/blockedfromgroup.php:291 msgid "Unblock user from group" msgstr "Unblock user from group" -#. TRANS: Title for the form to unblock a user. -#: actions/blockedfromgroup.php:320 lib/unblockform.php:70 +#. TRANS: Button text for unblocking a user from a group. +#: actions/blockedfromgroup.php:323 +#, fuzzy +msgctxt "BUTTON" msgid "Unblock" msgstr "Unblock" +#. TRANS: Tooltip for button for unblocking a user from a group. #. TRANS: Description of the form to unblock a user. -#: actions/blockedfromgroup.php:320 lib/unblockform.php:82 +#: actions/blockedfromgroup.php:327 lib/unblockform.php:78 msgid "Unblock this user" msgstr "Unblock this user" #. TRANS: Title for mini-posting window loaded from bookmarklet. +#. TRANS: %s is the StatusNet site name. #: actions/bookmarklet.php:51 #, php-format msgid "Post to %s" msgstr "Post to %s" -#: actions/confirmaddress.php:75 +#. TRANS: Client error displayed when not providing a confirmation code in the contact address confirmation action. +#: actions/confirmaddress.php:74 msgid "No confirmation code." msgstr "No confirmation code." +#. TRANS: Client error displayed when providing a non-existing confirmation code in the contact address confirmation action. #: actions/confirmaddress.php:80 msgid "Confirmation code not found." msgstr "Confirmation code not found." -#: actions/confirmaddress.php:85 +#. TRANS: Client error displayed when not providing a confirmation code for another user in the contact address confirmation action. +#: actions/confirmaddress.php:86 msgid "That confirmation code is not for you!" msgstr "That confirmation code is not for you!" -#. TRANS: Server error for an unknow address type, which can be 'email', 'jabber', or 'sms'. -#: actions/confirmaddress.php:91 +#. TRANS: Server error for a unknow address type %s, which can be 'email', 'jabber', or 'sms'. +#: actions/confirmaddress.php:92 #, php-format msgid "Unrecognized address type %s." msgstr "Unrecognized address type %s." -#. TRANS: Client error for an already confirmed email/jabbel/sms address. -#: actions/confirmaddress.php:96 +#. TRANS: Client error for an already confirmed email/jabber/sms address. +#: actions/confirmaddress.php:97 msgid "That address has already been confirmed." msgstr "That address has already been confirmed." +#. TRANS: Server error displayed when a user update to the database fails in the contact address confirmation action. #. TRANS: Server error thrown on database error updating e-mail preferences. #. TRANS: Server error thrown on database error removing a registered e-mail address. #. TRANS: Server error thrown on database error updating IM preferences. @@ -1269,7 +1350,7 @@ msgstr "That address has already been confirmed." #. TRANS: Server error thrown when user profile settings could not be updated. #. TRANS: Server error thrown on database error updating SMS preferences. #. TRANS: Server error thrown on database error removing a registered SMS phone number. -#: actions/confirmaddress.php:116 actions/emailsettings.php:331 +#: actions/confirmaddress.php:118 actions/emailsettings.php:331 #: actions/emailsettings.php:477 actions/imsettings.php:283 #: actions/imsettings.php:442 actions/othersettings.php:174 #: actions/profilesettings.php:326 actions/smssettings.php:308 @@ -1277,27 +1358,32 @@ msgstr "That address has already been confirmed." msgid "Couldn't update user." msgstr "Couldn't update user." -#. TRANS: Server error thrown on database error canceling e-mail address confirmation. -#. TRANS: Server error thrown on database error canceling SMS phone number confirmation. -#: actions/confirmaddress.php:128 actions/emailsettings.php:437 -#: actions/smssettings.php:422 -msgid "Couldn't delete email confirmation." -msgstr "Couldn't delete email confirmation." +#. TRANS: Server error displayed when an address confirmation code deletion from the +#. TRANS: database fails in the contact address confirmation action. +#: actions/confirmaddress.php:132 +#, fuzzy +msgid "Could not delete address confirmation." +msgstr "Couldn't delete IM confirmation." -#: actions/confirmaddress.php:146 +#. TRANS: Title for the contact address confirmation action. +#: actions/confirmaddress.php:150 msgid "Confirm address" msgstr "Confirm address" -#: actions/confirmaddress.php:161 +#. TRANS: Success message for the contact address confirmation action. +#. TRANS: %s can be 'email', 'jabber', or 'sms'. +#: actions/confirmaddress.php:166 #, php-format msgid "The address \"%s\" has been confirmed for your account." msgstr "The address \"%s\" has been confirmed for your account." -#: actions/conversation.php:99 +#. TRANS: Title for page with a conversion (multiple notices in context). +#: actions/conversation.php:96 msgid "Conversation" msgstr "Conversation" -#: actions/conversation.php:154 lib/mailbox.php:116 lib/noticelist.php:87 +#. TRANS: Header on conversation page. Hidden by default (h2). +#: actions/conversation.php:149 lib/mailbox.php:116 lib/noticelist.php:87 #: lib/profileaction.php:229 lib/searchgroupnav.php:82 msgid "Notices" msgstr "Notices" @@ -1403,11 +1489,13 @@ msgstr "Do not delete this group" msgid "Delete this group" msgstr "Delete this group" +#. TRANS: Client error displayed when trying to unblock a user from a group while not logged in. +#. TRANS: Client error displayed trying a change a subscription while not logged in. #. TRANS: Client error message thrown when trying to access the admin panel while not logged in. #: actions/deletenotice.php:50 actions/disfavor.php:61 actions/favor.php:62 -#: actions/groupblock.php:61 actions/groupunblock.php:61 actions/logout.php:69 +#: actions/groupblock.php:61 actions/groupunblock.php:60 actions/logout.php:69 #: actions/makeadmin.php:61 actions/newmessage.php:87 actions/newnotice.php:88 -#: actions/nudge.php:63 actions/subedit.php:31 actions/subscribe.php:96 +#: actions/nudge.php:63 actions/subedit.php:33 actions/subscribe.php:96 #: actions/tagother.php:33 actions/unsubscribe.php:52 #: lib/adminpanelaction.php:71 lib/profileformaction.php:64 #: lib/settingsaction.php:72 @@ -1709,49 +1797,49 @@ msgstr "Callback URL is not valid." msgid "Could not update application." msgstr "Could not update application." -#: actions/editgroup.php:56 +#. TRANS: Title for form to edit a group. %s is a group nickname. +#: actions/editgroup.php:55 #, php-format msgid "Edit %s group" msgstr "Edit %s group" +#. TRANS: Client error displayed trying to edit a group while not logged in. +#. TRANS: Client error displayed trying to create a group while not logged in. #: actions/editgroup.php:68 actions/grouplogo.php:70 actions/newgroup.php:65 msgid "You must be logged in to create a group." msgstr "You must be logged in to create a group." -#: actions/editgroup.php:107 actions/editgroup.php:172 +#. TRANS: Client error displayed trying to edit a group while not being a group admin. +#: actions/editgroup.php:110 actions/editgroup.php:176 #: 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:158 +#. TRANS: Form instructions for group edit form. +#: actions/editgroup.php:161 msgid "Use this form to edit the group." msgstr "Use this form to edit the group." -#: actions/editgroup.php:205 -#, php-format -msgid "Description is too long (max %d chars)." -msgstr "Description is too long (max %d chars)" - -#: actions/editgroup.php:219 -#, php-format -msgid "Too many aliases! Maximum %d." -msgstr "Too many aliases! Maximum %d." - -#: actions/editgroup.php:228 actions/newgroup.php:177 +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. +#: actions/editgroup.php:248 actions/newgroup.php:184 #, php-format msgid "Invalid alias: \"%s\"" msgstr "Invalid alias: \"%s\"" -#: actions/editgroup.php:258 +#. TRANS: Server error displayed when editing a group fails. +#: actions/editgroup.php:281 msgid "Could not update group." msgstr "Could not update group." +#. TRANS: Server error displayed when group aliases could not be added. #. TRANS: Server exception thrown when creating group aliases failed. -#: actions/editgroup.php:264 classes/User_group.php:513 +#: actions/editgroup.php:288 classes/User_group.php:513 msgid "Could not create aliases." msgstr "Could not create aliases." -#: actions/editgroup.php:280 +#. TRANS: Group edit form success message. +#: actions/editgroup.php:305 msgid "Options saved." msgstr "Options saved." @@ -1942,6 +2030,12 @@ msgstr "No pending confirmation to cancel." msgid "That is the wrong email address." msgstr "That is the wrong e-mail address." +#. TRANS: Server error thrown on database error canceling e-mail address confirmation. +#. TRANS: Server error thrown on database error canceling SMS phone number confirmation. +#: actions/emailsettings.php:437 actions/smssettings.php:422 +msgid "Couldn't delete email confirmation." +msgstr "Couldn't delete email confirmation." + #. TRANS: Message given after successfully canceling e-mail address confirmation. #: actions/emailsettings.php:442 msgid "Email confirmation cancelled." @@ -2121,19 +2215,23 @@ msgstr "You cannot grant user roles on this site." msgid "User already has this role." msgstr "User already has this role." +#. TRANS: Client error displayed when trying to unblock a user from a group without providing a profile. +#. TRANS: Client error displayed trying a change a subscription without providing a profile. #: actions/groupblock.php:71 actions/groupunblock.php:71 -#: actions/makeadmin.php:71 actions/subedit.php:46 +#: actions/makeadmin.php:71 actions/subedit.php:49 #: lib/profileformaction.php:79 msgid "No profile specified." msgstr "No profile specified." -#: actions/groupblock.php:76 actions/groupunblock.php:76 -#: actions/makeadmin.php:76 actions/subedit.php:53 actions/tagother.php:46 +#. TRANS: Client error displayed when trying to unblock a user from a group without providing an existing profile. +#. TRANS: Client error displayed trying a change a subscription for a non-existant profile ID. +#: actions/groupblock.php:76 actions/groupunblock.php:77 +#: actions/makeadmin.php:76 actions/subedit.php:57 actions/tagother.php:46 #: actions/unsubscribe.php:84 lib/profileformaction.php:86 msgid "No profile with that ID." msgstr "No profile with that ID." -#: actions/groupblock.php:81 actions/groupunblock.php:81 +#: actions/groupblock.php:81 actions/groupunblock.php:82 #: actions/makeadmin.php:81 msgid "No group specified." msgstr "No group specified." @@ -2219,6 +2317,14 @@ msgid "" msgstr "" "You can upload a logo image for your group. The maximum file size is %s." +#: actions/grouplogo.php:236 +msgid "Upload" +msgstr "Upload" + +#: actions/grouplogo.php:289 +msgid "Crop" +msgstr "Crop" + #: actions/grouplogo.php:365 msgid "Pick a square area of the image to be the logo." msgstr "Pick a square area of the image to be the logo." @@ -2361,15 +2467,18 @@ msgstr "" "Why not [register an account](%%action.register%%) and [create the group](%%" "action.newgroup%%) yourself!" -#: actions/groupunblock.php:91 +#. TRANS: Client error displayed when trying to unblock a user from a group without being an administrator for the group. +#: actions/groupunblock.php:94 msgid "Only an admin can unblock group members." msgstr "Only an admin can unblock group members." -#: actions/groupunblock.php:95 +#. TRANS: Client error displayed when trying to unblock a non-blocked user from a group. +#: actions/groupunblock.php:99 msgid "User is not blocked from group." msgstr "User is not blocked from group." -#: actions/groupunblock.php:128 actions/unblock.php:86 +#. TRANS: Server error displayed when unblocking a user from a group fails because of an unknown error. +#: actions/groupunblock.php:131 actions/unblock.php:86 msgid "Error removing the block." msgstr "Error removing the block." @@ -2957,10 +3066,12 @@ msgstr "Organisation is too long (max 255 chars)." msgid "Could not create application." msgstr "Could not create application." +#. TRANS: Title for form to create a group. #: actions/newgroup.php:53 msgid "New group" msgstr "New group" +#. TRANS: Form instructions for group create form. #: actions/newgroup.php:110 msgid "Use this form to create a new group." msgstr "Use this form to create a new group." @@ -3652,8 +3763,9 @@ msgid "1-64 lowercase letters or numbers, no punctuation or spaces." msgstr "1-64 lowercase letters or numbers, no punctuation or spaces" #. TRANS: Field label in form for profile settings. +#. TRANS: Label for full group name (dt). Text hidden by default. #: actions/profilesettings.php:117 actions/register.php:457 -#: actions/showgroup.php:256 actions/tagother.php:104 +#: actions/showgroup.php:257 actions/tagother.php:104 #: lib/groupeditform.php:157 lib/userprofile.php:150 msgid "Full name" msgstr "Full name" @@ -3693,8 +3805,9 @@ msgid "Bio" msgstr "Bio" #. TRANS: Field label in form for profile settings. +#. TRANS: Label for group location (dt). Text hidden by default. #: actions/profilesettings.php:149 actions/register.php:485 -#: actions/showgroup.php:265 actions/tagother.php:112 +#: actions/showgroup.php:267 actions/tagother.php:112 #: actions/userauthorization.php:166 lib/groupeditform.php:177 #: lib/userprofile.php:165 msgid "Location" @@ -4404,7 +4517,8 @@ msgstr "Organization" msgid "Description" msgstr "Description" -#: actions/showapplication.php:192 actions/showgroup.php:442 +#. TRANS: Header for group statistics on a group page (h2). +#: actions/showapplication.php:192 actions/showgroup.php:453 #: lib/profileaction.php:187 msgid "Statistics" msgstr "Statistics" @@ -4422,6 +4536,11 @@ msgstr "Application actions" msgid "Reset key & secret" msgstr "" +#: actions/showapplication.php:252 lib/deletegroupform.php:121 +#: lib/deleteuserform.php:66 lib/noticelist.php:667 +msgid "Delete" +msgstr "Delete" + #: actions/showapplication.php:261 msgid "Application info" msgstr "Application information" @@ -4512,77 +4631,106 @@ msgstr "" msgid "This is a way to share what you like." msgstr "" -#: actions/showgroup.php:82 +#. TRANS: Page title for first group page. %s is a group name. +#: actions/showgroup.php:80 #, php-format msgid "%s group" msgstr "%s group" +#. TRANS: Page title for any but first group page. +#. TRANS: %1$s is a group name, $2$s is a page number. #: actions/showgroup.php:84 #, php-format msgid "%1$s group, page %2$d" msgstr "%1$s group, page %2$d" -#: actions/showgroup.php:227 +#. TRANS: Group profile header (h2). Text hidden by default. +#: actions/showgroup.php:225 msgid "Group profile" msgstr "Group profile" -#: actions/showgroup.php:272 actions/tagother.php:118 +#. TRANS: Label for group URL (dt). Text hidden by default. +#: actions/showgroup.php:275 actions/tagother.php:118 #: actions/userauthorization.php:175 lib/userprofile.php:178 msgid "URL" msgstr "URL" -#: actions/showgroup.php:283 actions/tagother.php:128 +#. TRANS: Label for group description or group note (dt). Text hidden by default. +#: actions/showgroup.php:287 actions/tagother.php:128 #: actions/userauthorization.php:187 lib/userprofile.php:195 msgid "Note" msgstr "Note" -#: actions/showgroup.php:293 lib/groupeditform.php:184 +#. TRANS: Label for group aliases (dt). Text hidden by default. +#: actions/showgroup.php:298 lib/groupeditform.php:184 msgid "Aliases" msgstr "" -#: actions/showgroup.php:302 +#. TRANS: Group actions header (h2). Text hidden by default. +#: actions/showgroup.php:309 msgid "Group actions" msgstr "Group actions" -#: actions/showgroup.php:344 +#. TRANS: Tooltip for feed link. %s is a group nickname. +#: actions/showgroup.php:350 #, php-format msgid "Notice feed for %s group (RSS 1.0)" msgstr "Notice feed for %s group (RSS 1.0)" -#: actions/showgroup.php:350 +#. TRANS: Tooltip for feed link. %s is a group nickname. +#: actions/showgroup.php:357 #, php-format msgid "Notice feed for %s group (RSS 2.0)" msgstr "Notice feed for %s group (RSS 2.0)" -#: actions/showgroup.php:356 +#. TRANS: Tooltip for feed link. %s is a group nickname. +#: actions/showgroup.php:364 #, php-format msgid "Notice feed for %s group (Atom)" msgstr "Notice feed for %s group (Atom)" -#: actions/showgroup.php:361 +#. TRANS: Tooltip for feed link. %s is a group nickname. +#: actions/showgroup.php:370 #, php-format msgid "FOAF for %s group" msgstr "FOAF for %s group" -#: actions/showgroup.php:399 actions/showgroup.php:451 +#. TRANS: Header for mini list of group members on a group page (h2). +#: actions/showgroup.php:407 msgid "Members" msgstr "Members" -#: actions/showgroup.php:404 lib/profileaction.php:117 +#. TRANS: Description for mini list of group members on a group page when the group has no members. +#: actions/showgroup.php:413 lib/profileaction.php:117 #: lib/profileaction.php:152 lib/profileaction.php:255 lib/section.php:95 #: lib/subscriptionlist.php:127 lib/tagcloudsection.php:71 msgid "(None)" msgstr "(None)" -#: actions/showgroup.php:410 +#. TRANS: Link to all group members from mini list of group members if group has more than n members. +#: actions/showgroup.php:422 msgid "All members" msgstr "All members" -#: actions/showgroup.php:445 +#. TRANS: Label for creation date in statistics on group page. +#: actions/showgroup.php:458 +#, fuzzy +msgctxt "LABEL" msgid "Created" msgstr "Created" -#: actions/showgroup.php:461 +#. TRANS: Label for member count in statistics on group page. +#: actions/showgroup.php:466 +#, fuzzy +msgctxt "LABEL" +msgid "Members" +msgstr "Members" + +#. TRANS: Notice on group pages for anonymous users for StatusNet sites that accept new registrations. +#. TRANS: **%s** is the group alias, %%%%site.name%%%% is the site name, +#. TRANS: %%%%action.register%%%% is the URL for registration, %%%%doc.help%%%% is a URL to help. +#. TRANS: This message contains Markdown links. Ensure they are formatted correctly: [Description](link). +#: actions/showgroup.php:481 #, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -4597,7 +4745,10 @@ 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:467 +#. TRANS: Notice on group pages for anonymous users for StatusNet sites that accept no new registrations. +#. TRANS: **%s** is the group alias, %%%%site.name%%%% is the site name, +#. TRANS: This message contains Markdown links. Ensure they are formatted correctly: [Description](link). +#: actions/showgroup.php:491 #, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -4610,24 +4761,31 @@ msgstr "" "[StatusNet](http://status.net/) tool. Its members share short messages about " "their life and interests. " -#: actions/showgroup.php:495 +#. TRANS: Header for list of group administrators on a group page (h2). +#: actions/showgroup.php:520 msgid "Admins" msgstr "Admins" -#: actions/showmessage.php:81 +#. TRANS: Client error displayed requesting a single message that does not exist. +#: actions/showmessage.php:79 msgid "No such message." msgstr "No such message." -#: actions/showmessage.php:98 +#. TRANS: Client error displayed requesting a single direct message the requesting user was not a party in. +#: actions/showmessage.php:97 msgid "Only the sender and recipient may read this message." msgstr "Only the sender and recipient may read this message." -#: actions/showmessage.php:108 +#. TRANS: Page title for single direct message display when viewing user is the sender. +#. TRANS: %1$s is the addressed user's nickname, $2$s is a timestamp. +#: actions/showmessage.php:110 #, php-format msgid "Message to %1$s on %2$s" msgstr "Message to %1$s on %2$s" -#: actions/showmessage.php:113 +#. TRANS: Page title for single message display. +#. TRANS: %1$s is the sending user's nickname, $2$s is a timestamp. +#: actions/showmessage.php:118 #, php-format msgid "Message from %1$s on %2$s" msgstr "Message from %1$s on %2$s" @@ -5064,12 +5222,14 @@ msgstr "" msgid "Save snapshot settings" msgstr "Save snapshot settings" -#: actions/subedit.php:70 +#. TRANS: Client error displayed trying a change a subscription for a non-subscribed profile. +#: actions/subedit.php:75 msgid "You are not subscribed to that profile." msgstr "You are not subscribed to that profile." +#. TRANS: Server error displayed when updating a subscription fails with a database error. #. TRANS: Exception thrown when a subscription could not be stored on the server. -#: actions/subedit.php:83 classes/Subscription.php:136 +#: actions/subedit.php:89 classes/Subscription.php:136 msgid "Could not save subscription." msgstr "Could not save subscription." @@ -5865,12 +6025,12 @@ msgid "Welcome to %1$s, @%2$s!" msgstr "Welcome to %1$s, @%2$s!" #. TRANS: Server exception. -#: classes/User.php:902 +#: classes/User.php:912 msgid "No single user defined for single-user mode." msgstr "" #. TRANS: Server exception. -#: classes/User.php:906 +#: classes/User.php:916 msgid "Single-user mode code called when not enabled." msgstr "" @@ -7019,7 +7179,8 @@ msgstr "" msgid "FOAF" msgstr "" -#: lib/feedlist.php:65 +#. TRANS: Header for feed links (h2). +#: lib/feedlist.php:66 msgid "Feeds" msgstr "" @@ -7178,39 +7339,57 @@ msgstr "This page is not available in a media type you accept" msgid "Unsupported image file format." msgstr "Unsupported image file format." -#: lib/imagefile.php:88 +#. TRANS: Exception thrown when too large a file is uploaded. +#. TRANS: %s is the maximum file size, for example "500b", "10kB" or "2MB". +#: lib/imagefile.php:90 #, php-format msgid "That file is too big. The maximum file size is %s." msgstr "That file is too big. The maximum file size is %s." -#: lib/imagefile.php:93 +#: lib/imagefile.php:95 msgid "Partial upload." msgstr "Partial upload." #. TRANS: Client exception thrown when a file upload operation has failed with an unknown reason. -#: lib/imagefile.php:101 lib/mediafile.php:179 +#: lib/imagefile.php:103 lib/mediafile.php:179 msgid "System error uploading file." msgstr "System error uploading file." -#: lib/imagefile.php:109 +#: lib/imagefile.php:111 msgid "Not an image or corrupt file." msgstr "Not an image or corrupt file." -#: lib/imagefile.php:122 +#: lib/imagefile.php:124 msgid "Lost our file." msgstr "Lost our file." -#: lib/imagefile.php:163 lib/imagefile.php:224 +#: lib/imagefile.php:165 lib/imagefile.php:226 msgid "Unknown file type" msgstr "Unknown file type" -#: lib/imagefile.php:244 -msgid "MB" -msgstr "" +#. TRANS: Number of megabytes. %d is the number. +#: lib/imagefile.php:248 +#, php-format +msgid "%dMB" +msgid_plural "%dMB" +msgstr[0] "" +msgstr[1] "" -#: lib/imagefile.php:246 -msgid "kB" -msgstr "" +#. TRANS: Number of kilobytes. %d is the number. +#: lib/imagefile.php:252 +#, php-format +msgid "%dkB" +msgid_plural "%dkB" +msgstr[0] "" +msgstr[1] "" + +#. TRANS: Number of bytes. %d is the number. +#: lib/imagefile.php:255 +#, php-format +msgid "%dB" +msgid_plural "%dB" +msgstr[0] "" +msgstr[1] "" #: lib/jabber.php:387 #, php-format @@ -8011,6 +8190,13 @@ msgstr "Error opening theme archive." msgid "Top posters" msgstr "Top posters" +#. TRANS: Title for the form to unblock a user. +#: lib/unblockform.php:67 +#, fuzzy +msgctxt "TITLE" +msgid "Unblock" +msgstr "Unblock" + #: lib/unsandboxform.php:69 msgid "Unsandbox" msgstr "Unsandbox" @@ -8190,3 +8376,9 @@ msgstr "No user specified; using backup user." #, php-format msgid "%d entries in backup." msgstr "" + +#~ msgid "Description is too long (max %d chars)." +#~ msgstr "Description is too long (max %d chars)" + +#~ msgid "Too many aliases! Maximum %d." +#~ msgstr "Too many aliases! Maximum %d." diff --git a/locale/eo/LC_MESSAGES/statusnet.po b/locale/eo/LC_MESSAGES/statusnet.po index f577725db0..bb8b016385 100644 --- a/locale/eo/LC_MESSAGES/statusnet.po +++ b/locale/eo/LC_MESSAGES/statusnet.po @@ -15,17 +15,17 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet - Core\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-10-27 23:43+0000\n" -"PO-Revision-Date: 2010-10-28 23:08:55+0000\n" +"POT-Creation-Date: 2010-10-30 23:18+0000\n" +"PO-Revision-Date: 2010-10-30 23:20:06+0000\n" "Language-Team: Esperanto \n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r75629); Translate extension (2010-09-17)\n" +"X-Generator: MediaWiki 1.17alpha (r75708); Translate extension (2010-09-17)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: eo\n" "X-Message-Group: #out-statusnet-core\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-POT-Import-Date: 2010-10-28 00:13:15+0000\n" +"X-POT-Import-Date: 2010-10-30 09:48:40+0000\n" #. TRANS: Page title for Access admin panel that allows configuring site access. #. TRANS: Menu item for site administration @@ -121,6 +121,7 @@ msgstr "Ne estas tiu paĝo." #. TRANS: Client error displayed when requesting most recent dents by user and friends for a non-existing user. #. TRANS: Client error displayed when requesting most recent mentions for a non-existing user. #. TRANS: Client error displayed requesting most recent notices for a non-existing user. +#. TRANS: Client error displayed trying to get an avatar for a non-existing user. #. TRANS: Error text shown when trying to send a direct message to a user that does not exist. #: actions/all.php:80 actions/apiaccountupdatedeliverydevice.php:110 #: actions/apiaccountupdateprofile.php:103 @@ -133,7 +134,7 @@ msgstr "Ne estas tiu paĝo." #: actions/apistatusesupdate.php:230 actions/apisubscriptions.php:85 #: actions/apitimelinefavorites.php:70 actions/apitimelinefriends.php:173 #: actions/apitimelinehome.php:78 actions/apitimelinementions.php:77 -#: actions/apitimelineuser.php:79 actions/avatarbynickname.php:75 +#: actions/apitimelineuser.php:79 actions/avatarbynickname.php:79 #: 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 @@ -312,11 +313,12 @@ msgstr "Malsukcesis ĝisdatigi uzanton" #. TRANS: Client error displayed a user has no profile updating profile colours. #. TRANS: Client error displayed if a user profile could not be found updating a profile image. #. TRANS: Client error displayed when requesting user information for a user without a profile. +#. TRANS: Client error displayed trying to get an avatar for a user without a profile. #: actions/apiaccountupdateprofile.php:111 #: actions/apiaccountupdateprofilebackgroundimage.php:199 #: actions/apiaccountupdateprofilecolors.php:183 #: actions/apiaccountupdateprofileimage.php:130 actions/apiusershow.php:108 -#: actions/avatarbynickname.php:80 actions/foaf.php:65 actions/hcard.php:74 +#: actions/avatarbynickname.php:85 actions/foaf.php:65 actions/hcard.php:74 #: actions/replies.php:80 actions/usergroups.php:100 lib/galleryaction.php:66 #: lib/profileaction.php:84 msgid "User has no profile." @@ -331,7 +333,7 @@ msgstr "Malsukcesis konservi la profilon." #. TRANS: %s is the number of bytes of the CONTENT_LENGTH. #: actions/apiaccountupdateprofilebackgroundimage.php:108 #: actions/apiaccountupdateprofileimage.php:95 actions/apimediaupload.php:81 -#: actions/apistatusesupdate.php:210 actions/avatarsettings.php:259 +#: actions/apistatusesupdate.php:210 actions/avatarsettings.php:269 #: actions/designadminpanel.php:125 actions/editapplication.php:121 #: actions/newapplication.php:104 actions/newnotice.php:95 #, fuzzy, php-format @@ -507,44 +509,54 @@ msgstr " Malsukcesis certigi fontan uzanton." msgid "Could not find target user." msgstr "Malsukcesis trovi celan uzanton." +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. #. TRANS: Validation error in form for profile settings. -#: actions/apigroupcreate.php:165 actions/editgroup.php:186 -#: actions/newgroup.php:126 actions/profilesettings.php:243 +#: actions/apigroupcreate.php:165 actions/editgroup.php:191 +#: actions/newgroup.php:127 actions/profilesettings.php:243 #: actions/register.php:212 msgid "Nickname must have only lowercase letters and numbers and no spaces." msgstr "" "Kromnomo devas havi nur minuskulajn literojn kaj numerojn sed neniun spacon." #. TRANS: Client error trying to create a group with a nickname this is already in use. +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. #. TRANS: Validation error in form for profile settings. -#: actions/apigroupcreate.php:175 actions/editgroup.php:190 -#: actions/newgroup.php:130 actions/profilesettings.php:277 +#: actions/apigroupcreate.php:175 actions/editgroup.php:196 +#: actions/newgroup.php:132 actions/profilesettings.php:277 #: actions/register.php:215 msgid "Nickname already in use. Try another one." msgstr "La uzantnomo jam uziĝis. Provu ion alian." #. TRANS: Client error in form for group creation. +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. #. TRANS: Validation error in form for profile settings. -#: actions/apigroupcreate.php:183 actions/editgroup.php:193 -#: actions/newgroup.php:133 actions/profilesettings.php:247 +#: actions/apigroupcreate.php:183 actions/editgroup.php:200 +#: actions/newgroup.php:136 actions/profilesettings.php:247 #: actions/register.php:217 msgid "Not a valid nickname." msgstr "Ne valida kromnomo." #. TRANS: Client error in form for group creation. #. TRANS: Validation error shown when providing an invalid homepage URL in the "Edit application" form. +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. #. TRANS: Validation error in form for profile settings. #: actions/apigroupcreate.php:200 actions/editapplication.php:233 -#: actions/editgroup.php:199 actions/newapplication.php:211 -#: actions/newgroup.php:139 actions/profilesettings.php:252 +#: actions/editgroup.php:207 actions/newapplication.php:211 +#: actions/newgroup.php:143 actions/profilesettings.php:252 #: actions/register.php:224 msgid "Homepage is not a valid URL." msgstr "Ĉefpaĝo ne estas valida URL." #. TRANS: Client error in form for group creation. +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. #. TRANS: Validation error in form for profile settings. -#: actions/apigroupcreate.php:210 actions/editgroup.php:202 -#: actions/newgroup.php:142 actions/profilesettings.php:256 +#: actions/apigroupcreate.php:210 actions/editgroup.php:211 +#: actions/newgroup.php:147 actions/profilesettings.php:256 #: actions/register.php:227 #, fuzzy msgid "Full name is too long (maximum 255 characters)." @@ -553,10 +565,11 @@ msgstr "Plennomo estas tro longa (maksimume 255 literoj)" #. TRANS: Client error shown when providing too long a description during group creation. #. TRANS: %d is the maximum number of allowed characters. #. TRANS: Validation error shown when providing too long a description in the "Edit application" form. +#. TRANS: Group edit form validation error. #. TRANS: Form validation error in New application form. #. TRANS: %d is the maximum number of characters for the description. #: actions/apigroupcreate.php:220 actions/editapplication.php:201 -#: actions/newapplication.php:178 +#: actions/editgroup.php:216 actions/newapplication.php:178 #, fuzzy, php-format msgid "Description is too long (maximum %d character)." msgid_plural "Description is too long (maximum %d characters)." @@ -564,9 +577,11 @@ msgstr[0] "Priskribo estas tro longa (maksimume %d signoj)." msgstr[1] "Priskribo estas tro longa (maksimume %d signoj)." #. TRANS: Client error shown when providing too long a location during group creation. +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. #. TRANS: Validation error in form for profile settings. -#: actions/apigroupcreate.php:234 actions/editgroup.php:208 -#: actions/newgroup.php:153 actions/profilesettings.php:269 +#: actions/apigroupcreate.php:234 actions/editgroup.php:223 +#: actions/newgroup.php:159 actions/profilesettings.php:269 #: actions/register.php:236 #, fuzzy msgid "Location is too long (maximum 255 characters)." @@ -574,7 +589,12 @@ msgstr "lokonomo estas tro longa (maksimume 255 literoj)" #. TRANS: Client error shown when providing too many aliases during group creation. #. TRANS: %d is the maximum number of allowed aliases. -#: actions/apigroupcreate.php:255 actions/newgroup.php:166 +#. TRANS: Group edit form validation error. +#. TRANS: %d is the maximum number of allowed aliases. +#. TRANS: Group create form validation error. +#. TRANS: %d is the maximum number of allowed aliases. +#: actions/apigroupcreate.php:255 actions/editgroup.php:236 +#: actions/newgroup.php:172 #, fuzzy, php-format msgid "Too many aliases! Maximum %d allowed." msgid_plural "Too many aliases! Maximum %d allowed." @@ -590,15 +610,19 @@ msgstr "La alinomo estas nevalida: \"%*s\"." #. TRANS: Client error displayed when trying to use an alias during group creation that is already in use. #. TRANS: %s is the alias that is already in use. -#: actions/apigroupcreate.php:291 actions/editgroup.php:232 -#: actions/newgroup.php:181 +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. +#: actions/apigroupcreate.php:291 actions/editgroup.php:253 +#: actions/newgroup.php:189 #, php-format msgid "Alias \"%s\" already in use. Try another one." msgstr "La alinomo \"%s\" estas jam okupita. Provu ion alian." #. TRANS: Client error displayed when trying to use an alias during group creation that is the same as the group's nickname. -#: actions/apigroupcreate.php:305 actions/editgroup.php:238 -#: actions/newgroup.php:187 +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. +#: actions/apigroupcreate.php:305 actions/editgroup.php:260 +#: actions/newgroup.php:196 msgid "Alias can't be the same as nickname." msgstr "La alinomo devas ne esti sama al la kromnomo." @@ -702,18 +726,18 @@ msgid "Request token already authorized." msgstr "Vi ne estas rajtigita." #. TRANS: Form validation error in API OAuth authorisation because of an invalid session token. -#: actions/apioauthauthorize.php:147 actions/avatarsettings.php:270 +#: actions/apioauthauthorize.php:147 actions/avatarsettings.php:280 #: actions/deletenotice.php:172 actions/disfavor.php:74 #: actions/emailsettings.php:271 actions/favor.php:75 actions/geocode.php:55 #: actions/groupblock.php:66 actions/grouplogo.php:312 -#: actions/groupunblock.php:66 actions/imsettings.php:230 +#: actions/groupunblock.php:65 actions/imsettings.php:230 #: actions/invite.php:59 actions/login.php:137 actions/makeadmin.php:66 #: actions/newmessage.php:135 actions/newnotice.php:105 actions/nudge.php:80 #: actions/oauthappssettings.php:165 actions/oauthconnectionssettings.php:138 #: actions/othersettings.php:145 actions/passwordsettings.php:138 #: actions/profilesettings.php:221 actions/recoverpassword.php:350 #: actions/register.php:172 actions/remotesubscribe.php:77 -#: actions/repeat.php:83 actions/smssettings.php:256 actions/subedit.php:38 +#: actions/repeat.php:83 actions/smssettings.php:256 actions/subedit.php:40 #: actions/subscribe.php:86 actions/tagother.php:166 #: actions/unsubscribe.php:69 actions/userauthorization.php:52 #: lib/designsettings.php:294 @@ -732,12 +756,13 @@ msgid "Database error inserting oauth_token_association." msgstr "Datumbaza eraro enigi la uzanton de *OAuth-aplikaĵo." #. TRANS: Client error given on when invalid data was passed through a form in the OAuth API. +#. TRANS: Unexpected validation error on avatar upload form. #. TRANS: Client error displayed submitting invalid form data for edit application. #. TRANS: Message given submitting a form with an unknown action in e-mail settings. #. TRANS: Message given submitting a form with an unknown action in IM settings. #. TRANS: Client error when submitting a form with unexpected information. #. TRANS: Message given submitting a form with an unknown action in SMS settings. -#: actions/apioauthauthorize.php:294 actions/avatarsettings.php:283 +#: actions/apioauthauthorize.php:294 actions/avatarsettings.php:294 #: actions/designadminpanel.php:104 actions/editapplication.php:144 #: actions/emailsettings.php:290 actions/grouplogo.php:322 #: actions/imsettings.php:245 actions/newapplication.php:125 @@ -791,6 +816,7 @@ msgstr "Konto" #. TRANS: Field label on OAuth API authorisation form. #. TRANS: Field label in form for profile settings. +#. TRANS: Label for group nickname (dt). Text hidden by default. #: actions/apioauthauthorize.php:459 actions/login.php:252 #: actions/profilesettings.php:110 actions/register.php:433 #: actions/showgroup.php:245 actions/tagother.php:94 @@ -1044,104 +1070,138 @@ msgstr "API-metodo farata." msgid "User not found." msgstr "Metodo de API ne troviĝas." +#. TRANS: Client error displayed trying to get a non-existing attachment. #: actions/attachment.php:73 msgid "No such attachment." msgstr "Ne estas tiu aldonaĵo." -#: actions/avatarbynickname.php:59 actions/blockedfromgroup.php:73 -#: actions/editgroup.php:84 actions/groupdesignsettings.php:84 +#. TRANS: Client error displayed trying to get an avatar without providing a nickname. +#. TRANS: Client error displayed when requesting a list of blocked users for a group without providing a group nickname. +#. TRANS: Client error displayed trying to edit a group while not proving a nickname for the group to edit. +#. TRANS: Client error displayed if no nickname argument was given requesting a group page. +#: actions/avatarbynickname.php:60 actions/blockedfromgroup.php:73 +#: actions/editgroup.php:85 actions/groupdesignsettings.php:84 #: actions/grouplogo.php:86 actions/groupmembers.php:76 #: actions/grouprss.php:91 actions/showgroup.php:121 msgid "No nickname." msgstr "Neniu kromnomo." -#: actions/avatarbynickname.php:64 +#. TRANS: Client error displayed trying to get an avatar without providing an avatar size. +#: actions/avatarbynickname.php:66 msgid "No size." msgstr " Neniu grando." -#: actions/avatarbynickname.php:69 +#. TRANS: Client error displayed trying to get an avatar providing an invalid avatar size. +#: actions/avatarbynickname.php:72 msgid "Invalid size." msgstr "Grando nevalida." +#. TRANS: Title for avatar upload page. +#. TRANS: Label for group avatar (dt). Text hidden by default. #. TRANS: Link description in user account settings menu. -#: actions/avatarsettings.php:67 actions/showgroup.php:230 +#: actions/avatarsettings.php:66 actions/showgroup.php:229 #: lib/accountsettingsaction.php:113 msgid "Avatar" msgstr "Vizaĝbildo" +#. TRANS: Instruction for avatar upload page. +#. TRANS: %s is the maximum file size, for example "500b", "10kB" or "2MB". #: actions/avatarsettings.php:78 #, php-format msgid "You can upload your personal avatar. The maximum file size is %s." msgstr "Vi povas alŝuti vian personan vizaĝbildon. Dosiero-grandlimo estas %s." -#: actions/avatarsettings.php:106 actions/avatarsettings.php:185 +#. TRANS: Server error displayed in avatar upload page when no matching profile can be found for a user. +#: actions/avatarsettings.php:108 actions/avatarsettings.php:192 #: actions/grouplogo.php:181 actions/remotesubscribe.php:191 #: actions/userauthorization.php:72 actions/userrss.php:108 msgid "User without matching profile." msgstr "Uzanto sen egala profilo." -#: actions/avatarsettings.php:119 actions/avatarsettings.php:197 +#. TRANS: Avatar upload page form legend. +#. TRANS: Avatar upload page crop form legend. +#: actions/avatarsettings.php:122 actions/avatarsettings.php:205 #: actions/grouplogo.php:254 msgid "Avatar settings" msgstr "Vizaĝbilda agordo" -#: actions/avatarsettings.php:127 actions/avatarsettings.php:205 +#. TRANS: Header on avatar upload page for thumbnail of originally uploaded avatar (h2). +#. TRANS: Header on avatar upload crop form for thumbnail of originally uploaded avatar (h2). +#: actions/avatarsettings.php:131 actions/avatarsettings.php:214 #: actions/grouplogo.php:202 actions/grouplogo.php:262 msgid "Original" msgstr "Originala" -#: actions/avatarsettings.php:142 actions/avatarsettings.php:217 +#. TRANS: Header on avatar upload page for thumbnail of to be used rendition of uploaded avatar (h2). +#. TRANS: Header on avatar upload crop form for thumbnail of to be used rendition of uploaded avatar (h2). +#: actions/avatarsettings.php:147 actions/avatarsettings.php:227 #: actions/grouplogo.php:213 actions/grouplogo.php:274 msgid "Preview" msgstr "Antaŭrigardo" -#: actions/avatarsettings.php:149 actions/showapplication.php:252 -#: lib/deletegroupform.php:121 lib/deleteuserform.php:66 -#: lib/noticelist.php:667 +#. TRANS: Button on avatar upload page to delete current avatar. +#: actions/avatarsettings.php:155 +#, fuzzy +msgctxt "BUTTON" msgid "Delete" msgstr "Forigi" -#: actions/avatarsettings.php:166 actions/grouplogo.php:236 +#. TRANS: Button on avatar upload page to upload an avatar. +#: actions/avatarsettings.php:173 +#, fuzzy +msgctxt "BUTTON" msgid "Upload" msgstr "Alŝuti" -#: actions/avatarsettings.php:231 actions/grouplogo.php:289 +#. TRANS: Button on avatar upload crop form to confirm a selected crop as avatar. +#: actions/avatarsettings.php:243 +#, fuzzy +msgctxt "BUTTON" msgid "Crop" msgstr "Tranĉi" -#: actions/avatarsettings.php:307 +#. TRANS: Validation error on avatar upload form when no file was uploaded. +#: actions/avatarsettings.php:318 msgid "No file uploaded." msgstr "Neniu dosiero alŝutiĝas." -#: actions/avatarsettings.php:334 +#. TRANS: Avatar upload form unstruction after uploading a file. +#: actions/avatarsettings.php:346 msgid "Pick a square area of the image to be your avatar" msgstr "Elektu kvadratan parton de la bildo kiel via vizaĝbildo" -#: actions/avatarsettings.php:349 actions/grouplogo.php:380 +#. TRANS: Server error displayed if an avatar upload went wrong somehow server side. +#: actions/avatarsettings.php:361 actions/grouplogo.php:380 msgid "Lost our file data." msgstr "Perdiĝis nia dosiera datumo." -#: actions/avatarsettings.php:372 +#: actions/avatarsettings.php:384 msgid "Avatar updated." msgstr "Vizaĝbildo ĝisdatigita." -#: actions/avatarsettings.php:375 +#. TRANS: Error displayed on the avatar upload page if the avatar could not be updated for an unknown reason. +#: actions/avatarsettings.php:388 msgid "Failed updating avatar." msgstr "Eraris ĝisdatigi vizaĝbildon." -#: actions/avatarsettings.php:399 +#. TRANS: Success message for deleting a user avatar. +#: actions/avatarsettings.php:412 msgid "Avatar deleted." msgstr "Vizaĝbildo forigita." -#: actions/block.php:69 +#. TRANS: Client error displayed when blocking a user that has already been blocked. +#: actions/block.php:68 msgid "You already blocked that user." msgstr "Vi jam blokis la uzanton." -#: actions/block.php:107 actions/block.php:136 actions/groupblock.php:158 +#. TRANS: Title for block user page. +#. TRANS: Legend for block user form. +#: actions/block.php:106 actions/block.php:136 actions/groupblock.php:158 msgid "Block user" msgstr "Bloki uzanton" -#: actions/block.php:138 +#. TRANS: Explanation of consequences when blocking a user on the block user page. +#: actions/block.php:139 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 " @@ -1156,7 +1216,7 @@ msgstr "" #. TRANS: Button label on the delete notice form. #. TRANS: Button label on the delete user form. #. TRANS: Button label on the form to block a user from a group. -#: actions/block.php:153 actions/deleteapplication.php:154 +#: actions/block.php:154 actions/deleteapplication.php:154 #: actions/deletegroup.php:220 actions/deletenotice.php:150 #: actions/deleteuser.php:152 actions/groupblock.php:178 msgctxt "BUTTON" @@ -1165,7 +1225,7 @@ msgstr "Ne" #. TRANS: Submit button title for 'No' when blocking a user. #. TRANS: Submit button title for 'No' when deleting a user. -#: actions/block.php:157 actions/deleteuser.php:156 +#: actions/block.php:158 actions/deleteuser.php:156 msgid "Do not block this user" msgstr "Ne bloki la uzanton" @@ -1175,7 +1235,7 @@ msgstr "Ne bloki la uzanton" #. TRANS: Button label on the delete notice form. #. TRANS: Button label on the delete user form. #. TRANS: Button label on the form to block a user from a group. -#: actions/block.php:160 actions/deleteapplication.php:161 +#: actions/block.php:161 actions/deleteapplication.php:161 #: actions/deletegroup.php:227 actions/deletenotice.php:157 #: actions/deleteuser.php:159 actions/groupblock.php:185 msgctxt "BUTTON" @@ -1184,90 +1244,111 @@ msgstr "Jes" #. TRANS: Submit button title for 'Yes' when blocking a user. #. TRANS: Description of the form to block a user. -#: actions/block.php:164 lib/blockform.php:79 +#: actions/block.php:165 lib/blockform.php:79 msgid "Block this user" msgstr "Bloki la uzanton" -#: actions/block.php:187 +#. TRANS: Server error displayed when blocking a user fails. +#: actions/block.php:189 msgid "Failed to save block information." msgstr "Eraris konservi blokado-informon." +#. TRANS: Client error displayed when requesting a list of blocked users for a non-local group. +#. TRANS: Client error displayed when requesting a list of blocked users for a non-existing group. #. TRANS: Client error when trying to delete a non-local group. #. TRANS: Client error when trying to delete a non-existing group. +#. TRANS: Client error displayed trying to edit a non-existing group. +#. TRANS: Client error displayed when trying to unblock a user from a non-existing group. +#. TRANS: Client error displayed if no remote group with a given name was found requesting group page. +#. TRANS: Client error displayed if no local group with a given name was found requesting group page. #. TRANS: Command exception text shown when a group is requested that does not exist. #. TRANS: Error text shown when trying to leave a group that does not exist. -#: actions/blockedfromgroup.php:80 actions/blockedfromgroup.php:87 +#: actions/blockedfromgroup.php:81 actions/blockedfromgroup.php:89 #: actions/deletegroup.php:87 actions/deletegroup.php:100 -#: actions/editgroup.php:100 actions/foafgroup.php:44 actions/foafgroup.php:62 +#: actions/editgroup.php:102 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/groupunblock.php:88 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:168 +#: actions/showgroup.php:139 actions/showgroup.php:148 lib/command.php:168 #: lib/command.php:380 msgid "No such group." msgstr "Ne estas tiu grupo." -#: actions/blockedfromgroup.php:97 +#. TRANS: Title for first page with list of users blocked from a group. +#. TRANS: %s is a group nickname. +#: actions/blockedfromgroup.php:101 #, php-format msgid "%s blocked profiles" msgstr "%s profiloj blokitaj" -#: actions/blockedfromgroup.php:100 +#. TRANS: Title for any but the first page with list of users blocked from a group. +#. TRANS: %1$s is a group nickname, %2$d is a page number. +#: actions/blockedfromgroup.php:106 #, php-format msgid "%1$s blocked profiles, page %2$d" msgstr "%1$s profiloj blokitaj, paĝo %2$d" -#: actions/blockedfromgroup.php:115 +#. TRANS: Instructions for list of users blocked from a group. +#: actions/blockedfromgroup.php:122 msgid "A list of the users blocked from joining this group." msgstr "Listo de uzantoj blokita de aniĝi al ĉi tiun grupo." -#: actions/blockedfromgroup.php:288 +#. TRANS: Form legend for unblocking a user from a group. +#: actions/blockedfromgroup.php:291 msgid "Unblock user from group" msgstr "Malbloki uzanton de grupo" -#. TRANS: Title for the form to unblock a user. -#: actions/blockedfromgroup.php:320 lib/unblockform.php:70 +#. TRANS: Button text for unblocking a user from a group. +#: actions/blockedfromgroup.php:323 +#, fuzzy +msgctxt "BUTTON" msgid "Unblock" msgstr "Malbloki" +#. TRANS: Tooltip for button for unblocking a user from a group. #. TRANS: Description of the form to unblock a user. -#: actions/blockedfromgroup.php:320 lib/unblockform.php:82 +#: actions/blockedfromgroup.php:327 lib/unblockform.php:78 msgid "Unblock this user" msgstr "Malbloki ĉi tiun uzanton" #. TRANS: Title for mini-posting window loaded from bookmarklet. +#. TRANS: %s is the StatusNet site name. #: actions/bookmarklet.php:51 #, php-format msgid "Post to %s" msgstr "Sendi al %s" -#: actions/confirmaddress.php:75 +#. TRANS: Client error displayed when not providing a confirmation code in the contact address confirmation action. +#: actions/confirmaddress.php:74 msgid "No confirmation code." msgstr "Neniu konfirma kodo." +#. TRANS: Client error displayed when providing a non-existing confirmation code in the contact address confirmation action. #: actions/confirmaddress.php:80 msgid "Confirmation code not found." msgstr "Konfirma kodo ne trovitas." -#: actions/confirmaddress.php:85 +#. TRANS: Client error displayed when not providing a confirmation code for another user in the contact address confirmation action. +#: actions/confirmaddress.php:86 msgid "That confirmation code is not for you!" msgstr "Tiu komfirmnumero ne estas por vi!" -#. TRANS: Server error for an unknow address type, which can be 'email', 'jabber', or 'sms'. -#: actions/confirmaddress.php:91 +#. TRANS: Server error for a unknow address type %s, which can be 'email', 'jabber', or 'sms'. +#: actions/confirmaddress.php:92 #, php-format msgid "Unrecognized address type %s." msgstr "Nerekonata adrestipo %s." -#. TRANS: Client error for an already confirmed email/jabbel/sms address. -#: actions/confirmaddress.php:96 +#. TRANS: Client error for an already confirmed email/jabber/sms address. +#: actions/confirmaddress.php:97 msgid "That address has already been confirmed." msgstr "La adreso jam estis konfirmita." +#. TRANS: Server error displayed when a user update to the database fails in the contact address confirmation action. #. TRANS: Server error thrown on database error updating e-mail preferences. #. TRANS: Server error thrown on database error removing a registered e-mail address. #. TRANS: Server error thrown on database error updating IM preferences. @@ -1275,7 +1356,7 @@ msgstr "La adreso jam estis konfirmita." #. TRANS: Server error thrown when user profile settings could not be updated. #. TRANS: Server error thrown on database error updating SMS preferences. #. TRANS: Server error thrown on database error removing a registered SMS phone number. -#: actions/confirmaddress.php:116 actions/emailsettings.php:331 +#: actions/confirmaddress.php:118 actions/emailsettings.php:331 #: actions/emailsettings.php:477 actions/imsettings.php:283 #: actions/imsettings.php:442 actions/othersettings.php:174 #: actions/profilesettings.php:326 actions/smssettings.php:308 @@ -1283,27 +1364,32 @@ msgstr "La adreso jam estis konfirmita." msgid "Couldn't update user." msgstr "Ne povus ĝisdatigi uzanton." -#. TRANS: Server error thrown on database error canceling e-mail address confirmation. -#. TRANS: Server error thrown on database error canceling SMS phone number confirmation. -#: actions/confirmaddress.php:128 actions/emailsettings.php:437 -#: actions/smssettings.php:422 -msgid "Couldn't delete email confirmation." -msgstr "Ne povas forigi retpoŝtan konfirmon." +#. TRANS: Server error displayed when an address confirmation code deletion from the +#. TRANS: database fails in the contact address confirmation action. +#: actions/confirmaddress.php:132 +#, fuzzy +msgid "Could not delete address confirmation." +msgstr "Malsukcesis forigi tujmesaĝila agordo." -#: actions/confirmaddress.php:146 +#. TRANS: Title for the contact address confirmation action. +#: actions/confirmaddress.php:150 msgid "Confirm address" msgstr "Konfirmi retadreson" -#: actions/confirmaddress.php:161 +#. TRANS: Success message for the contact address confirmation action. +#. TRANS: %s can be 'email', 'jabber', or 'sms'. +#: actions/confirmaddress.php:166 #, php-format msgid "The address \"%s\" has been confirmed for your account." msgstr "Adreso \"%s\" nun konfirmitas je via konto." -#: actions/conversation.php:99 +#. TRANS: Title for page with a conversion (multiple notices in context). +#: actions/conversation.php:96 msgid "Conversation" msgstr "Konversacio" -#: actions/conversation.php:154 lib/mailbox.php:116 lib/noticelist.php:87 +#. TRANS: Header on conversation page. Hidden by default (h2). +#: actions/conversation.php:149 lib/mailbox.php:116 lib/noticelist.php:87 #: lib/profileaction.php:229 lib/searchgroupnav.php:82 msgid "Notices" msgstr "Avizoj" @@ -1413,11 +1499,13 @@ msgstr "Ne forigi la avizon" msgid "Delete this group" msgstr "Forigi la uzanton" +#. TRANS: Client error displayed when trying to unblock a user from a group while not logged in. +#. TRANS: Client error displayed trying a change a subscription while not logged in. #. TRANS: Client error message thrown when trying to access the admin panel while not logged in. #: actions/deletenotice.php:50 actions/disfavor.php:61 actions/favor.php:62 -#: actions/groupblock.php:61 actions/groupunblock.php:61 actions/logout.php:69 +#: actions/groupblock.php:61 actions/groupunblock.php:60 actions/logout.php:69 #: actions/makeadmin.php:61 actions/newmessage.php:87 actions/newnotice.php:88 -#: actions/nudge.php:63 actions/subedit.php:31 actions/subscribe.php:96 +#: actions/nudge.php:63 actions/subedit.php:33 actions/subscribe.php:96 #: actions/tagother.php:33 actions/unsubscribe.php:52 #: lib/adminpanelaction.php:71 lib/profileformaction.php:64 #: lib/settingsaction.php:72 @@ -1718,49 +1806,49 @@ msgstr "Revokfunkcia URL estas nevalida." msgid "Could not update application." msgstr "Malsukcesis ĝisdatigi la aplikaĵon." -#: actions/editgroup.php:56 +#. TRANS: Title for form to edit a group. %s is a group nickname. +#: actions/editgroup.php:55 #, php-format msgid "Edit %s group" msgstr "Redakti %s grupon" +#. TRANS: Client error displayed trying to edit a group while not logged in. +#. TRANS: Client error displayed trying to create a group while not logged in. #: actions/editgroup.php:68 actions/grouplogo.php:70 actions/newgroup.php:65 msgid "You must be logged in to create a group." msgstr "Ensalutu por krei grupon." -#: actions/editgroup.php:107 actions/editgroup.php:172 +#. TRANS: Client error displayed trying to edit a group while not being a group admin. +#: actions/editgroup.php:110 actions/editgroup.php:176 #: actions/groupdesignsettings.php:107 actions/grouplogo.php:109 msgid "You must be an admin to edit the group." msgstr "Vi devas esti administranto por redakti la grupon." -#: actions/editgroup.php:158 +#. TRANS: Form instructions for group edit form. +#: actions/editgroup.php:161 msgid "Use this form to edit the group." msgstr "Uzas ĉi tiun formularon por redakti la grupon." -#: actions/editgroup.php:205 -#, php-format -msgid "Description is too long (max %d chars)." -msgstr "Priskribo estas tro longa (maksimume %d signoj)." - -#: actions/editgroup.php:219 -#, php-format -msgid "Too many aliases! Maximum %d." -msgstr "Tro da alinomoj! Maksimume %d." - -#: actions/editgroup.php:228 actions/newgroup.php:177 +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. +#: actions/editgroup.php:248 actions/newgroup.php:184 #, php-format msgid "Invalid alias: \"%s\"" msgstr "Nevalida alinomo: \"%s\"" -#: actions/editgroup.php:258 +#. TRANS: Server error displayed when editing a group fails. +#: actions/editgroup.php:281 msgid "Could not update group." msgstr "Malsukcesis ĝisdatigi grupon." +#. TRANS: Server error displayed when group aliases could not be added. #. TRANS: Server exception thrown when creating group aliases failed. -#: actions/editgroup.php:264 classes/User_group.php:513 +#: actions/editgroup.php:288 classes/User_group.php:513 msgid "Could not create aliases." msgstr "Malsukcesis krei alinomon." -#: actions/editgroup.php:280 +#. TRANS: Group edit form success message. +#: actions/editgroup.php:305 msgid "Options saved." msgstr "Elektoj konserviĝis." @@ -1951,6 +2039,12 @@ msgstr "Ne estas peto-konfirmo por nuligi." msgid "That is the wrong email address." msgstr "Tiu retpoŝtadreso estas malĝusta." +#. TRANS: Server error thrown on database error canceling e-mail address confirmation. +#. TRANS: Server error thrown on database error canceling SMS phone number confirmation. +#: actions/emailsettings.php:437 actions/smssettings.php:422 +msgid "Couldn't delete email confirmation." +msgstr "Ne povas forigi retpoŝtan konfirmon." + #. TRANS: Message given after successfully canceling e-mail address confirmation. #: actions/emailsettings.php:442 msgid "Email confirmation cancelled." @@ -2129,19 +2223,23 @@ msgstr "Vi ne rajtas doni al uzanto rolon ĉe ĉi tiu retejo." msgid "User already has this role." msgstr "Uzanto jam havas la rolon." +#. TRANS: Client error displayed when trying to unblock a user from a group without providing a profile. +#. TRANS: Client error displayed trying a change a subscription without providing a profile. #: actions/groupblock.php:71 actions/groupunblock.php:71 -#: actions/makeadmin.php:71 actions/subedit.php:46 +#: actions/makeadmin.php:71 actions/subedit.php:49 #: lib/profileformaction.php:79 msgid "No profile specified." msgstr "Neniu profilo elektita." -#: actions/groupblock.php:76 actions/groupunblock.php:76 -#: actions/makeadmin.php:76 actions/subedit.php:53 actions/tagother.php:46 +#. TRANS: Client error displayed when trying to unblock a user from a group without providing an existing profile. +#. TRANS: Client error displayed trying a change a subscription for a non-existant profile ID. +#: actions/groupblock.php:76 actions/groupunblock.php:77 +#: actions/makeadmin.php:76 actions/subedit.php:57 actions/tagother.php:46 #: actions/unsubscribe.php:84 lib/profileformaction.php:86 msgid "No profile with that ID." msgstr "Ne estas profilo kun tiu ID." -#: actions/groupblock.php:81 actions/groupunblock.php:81 +#: actions/groupblock.php:81 actions/groupunblock.php:82 #: actions/makeadmin.php:81 msgid "No group specified." msgstr "Neniu grupo elektita." @@ -2224,6 +2322,14 @@ msgid "" msgstr "" "Vi povas alŝuti emblemo-bildon por via grupo. Dosiero-grandlimo estas $s." +#: actions/grouplogo.php:236 +msgid "Upload" +msgstr "Alŝuti" + +#: actions/grouplogo.php:289 +msgid "Crop" +msgstr "Tranĉi" + #: actions/grouplogo.php:365 msgid "Pick a square area of the image to be the logo." msgstr "Elektu kvadratan parton de la bildo kiel la emblemo." @@ -2366,15 +2472,18 @@ msgstr "" "Kial ne [krei konton](%%action.register%%) kaj mem [krei la grupon](%%action." "newgroup%%)!" -#: actions/groupunblock.php:91 +#. TRANS: Client error displayed when trying to unblock a user from a group without being an administrator for the group. +#: actions/groupunblock.php:94 msgid "Only an admin can unblock group members." msgstr "Nur grupestro rajtas malbloki grupanon." -#: actions/groupunblock.php:95 +#. TRANS: Client error displayed when trying to unblock a non-blocked user from a group. +#: actions/groupunblock.php:99 msgid "User is not blocked from group." msgstr "La uzanto ne estas blokita de grupo." -#: actions/groupunblock.php:128 actions/unblock.php:86 +#. TRANS: Server error displayed when unblocking a user from a group fails because of an unknown error. +#: actions/groupunblock.php:131 actions/unblock.php:86 msgid "Error removing the block." msgstr "Eraro ĉe provo malbloki." @@ -2958,10 +3067,12 @@ msgstr "Organizonomo estas tro longa (maksimume 255 literoj)." msgid "Could not create application." msgstr "Malsukcesis krei aplikaĵon." +#. TRANS: Title for form to create a group. #: actions/newgroup.php:53 msgid "New group" msgstr "Nova grupo" +#. TRANS: Form instructions for group create form. #: actions/newgroup.php:110 msgid "Use this form to create a new group." msgstr "Uzas ĉi tiun formularon por krei novan grupon." @@ -3646,8 +3757,9 @@ msgid "1-64 lowercase letters or numbers, no punctuation or spaces." msgstr "1-64 minusklaj literoj aŭ ciferoj, neniu interpunkcio aŭ spaco" #. TRANS: Field label in form for profile settings. +#. TRANS: Label for full group name (dt). Text hidden by default. #: actions/profilesettings.php:117 actions/register.php:457 -#: actions/showgroup.php:256 actions/tagother.php:104 +#: actions/showgroup.php:257 actions/tagother.php:104 #: lib/groupeditform.php:157 lib/userprofile.php:150 msgid "Full name" msgstr "Plena nomo" @@ -3687,8 +3799,9 @@ msgid "Bio" msgstr "Biografio" #. TRANS: Field label in form for profile settings. +#. TRANS: Label for group location (dt). Text hidden by default. #: actions/profilesettings.php:149 actions/register.php:485 -#: actions/showgroup.php:265 actions/tagother.php:112 +#: actions/showgroup.php:267 actions/tagother.php:112 #: actions/userauthorization.php:166 lib/groupeditform.php:177 #: lib/userprofile.php:165 msgid "Location" @@ -4400,7 +4513,8 @@ msgstr "Organizaĵo" msgid "Description" msgstr "Priskribo" -#: actions/showapplication.php:192 actions/showgroup.php:442 +#. TRANS: Header for group statistics on a group page (h2). +#: actions/showapplication.php:192 actions/showgroup.php:453 #: lib/profileaction.php:187 msgid "Statistics" msgstr "Statistiko" @@ -4418,6 +4532,11 @@ msgstr "Aplikaĵa ago" msgid "Reset key & secret" msgstr "Rekomencigi ŝlosilon & sekreton" +#: actions/showapplication.php:252 lib/deletegroupform.php:121 +#: lib/deleteuserform.php:66 lib/noticelist.php:667 +msgid "Delete" +msgstr "Forigi" + #: actions/showapplication.php:261 msgid "Application info" msgstr "Aplikaĵa informo" @@ -4508,77 +4627,106 @@ msgstr "" msgid "This is a way to share what you like." msgstr "Tiel vi povas diskonigi vian ŝataton." -#: actions/showgroup.php:82 +#. TRANS: Page title for first group page. %s is a group name. +#: actions/showgroup.php:80 #, php-format msgid "%s group" msgstr "Grupo %s" +#. TRANS: Page title for any but first group page. +#. TRANS: %1$s is a group name, $2$s is a page number. #: actions/showgroup.php:84 #, php-format msgid "%1$s group, page %2$d" msgstr "Grupo %1$s, paĝo %2$d" -#: actions/showgroup.php:227 +#. TRANS: Group profile header (h2). Text hidden by default. +#: actions/showgroup.php:225 msgid "Group profile" msgstr "Grupa profilo" -#: actions/showgroup.php:272 actions/tagother.php:118 +#. TRANS: Label for group URL (dt). Text hidden by default. +#: actions/showgroup.php:275 actions/tagother.php:118 #: actions/userauthorization.php:175 lib/userprofile.php:178 msgid "URL" msgstr "URL" -#: actions/showgroup.php:283 actions/tagother.php:128 +#. TRANS: Label for group description or group note (dt). Text hidden by default. +#: actions/showgroup.php:287 actions/tagother.php:128 #: actions/userauthorization.php:187 lib/userprofile.php:195 msgid "Note" msgstr "Noto" -#: actions/showgroup.php:293 lib/groupeditform.php:184 +#. TRANS: Label for group aliases (dt). Text hidden by default. +#: actions/showgroup.php:298 lib/groupeditform.php:184 msgid "Aliases" msgstr "Alnomo" -#: actions/showgroup.php:302 +#. TRANS: Group actions header (h2). Text hidden by default. +#: actions/showgroup.php:309 msgid "Group actions" msgstr "Grupaj agoj" -#: actions/showgroup.php:344 +#. TRANS: Tooltip for feed link. %s is a group nickname. +#: actions/showgroup.php:350 #, php-format msgid "Notice feed for %s group (RSS 1.0)" msgstr "Avizofluo de grupo %s (RSS 1.0)" -#: actions/showgroup.php:350 +#. TRANS: Tooltip for feed link. %s is a group nickname. +#: actions/showgroup.php:357 #, php-format msgid "Notice feed for %s group (RSS 2.0)" msgstr "Avizofluo de grupo %s (RSS 2.0)" -#: actions/showgroup.php:356 +#. TRANS: Tooltip for feed link. %s is a group nickname. +#: actions/showgroup.php:364 #, php-format msgid "Notice feed for %s group (Atom)" msgstr "Avizofluo de grupo %s (Atom)" -#: actions/showgroup.php:361 +#. TRANS: Tooltip for feed link. %s is a group nickname. +#: actions/showgroup.php:370 #, php-format msgid "FOAF for %s group" msgstr "Foramiko de grupo %s" -#: actions/showgroup.php:399 actions/showgroup.php:451 +#. TRANS: Header for mini list of group members on a group page (h2). +#: actions/showgroup.php:407 msgid "Members" msgstr "Grupanoj" -#: actions/showgroup.php:404 lib/profileaction.php:117 +#. TRANS: Description for mini list of group members on a group page when the group has no members. +#: actions/showgroup.php:413 lib/profileaction.php:117 #: lib/profileaction.php:152 lib/profileaction.php:255 lib/section.php:95 #: lib/subscriptionlist.php:127 lib/tagcloudsection.php:71 msgid "(None)" msgstr "(nenio)" -#: actions/showgroup.php:410 +#. TRANS: Link to all group members from mini list of group members if group has more than n members. +#: actions/showgroup.php:422 msgid "All members" msgstr "Ĉiuj grupanoj" -#: actions/showgroup.php:445 +#. TRANS: Label for creation date in statistics on group page. +#: actions/showgroup.php:458 +#, fuzzy +msgctxt "LABEL" msgid "Created" msgstr "Kreita" -#: actions/showgroup.php:461 +#. TRANS: Label for member count in statistics on group page. +#: actions/showgroup.php:466 +#, fuzzy +msgctxt "LABEL" +msgid "Members" +msgstr "Grupanoj" + +#. TRANS: Notice on group pages for anonymous users for StatusNet sites that accept new registrations. +#. TRANS: **%s** is the group alias, %%%%site.name%%%% is the site name, +#. TRANS: %%%%action.register%%%% is the URL for registration, %%%%doc.help%%%% is a URL to help. +#. TRANS: This message contains Markdown links. Ensure they are formatted correctly: [Description](link). +#: actions/showgroup.php:481 #, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -4592,7 +4740,10 @@ msgstr "" "[StatusNet](http://status.net/). [Aniĝu](%%action.register%%) por fariĝi " "parto de tiu ĉi grupo kaj multe pli! ([Pli](%%doc.help%%))" -#: actions/showgroup.php:467 +#. TRANS: Notice on group pages for anonymous users for StatusNet sites that accept no new registrations. +#. TRANS: **%s** is the group alias, %%%%site.name%%%% is the site name, +#. TRANS: This message contains Markdown links. Ensure they are formatted correctly: [Description](link). +#: actions/showgroup.php:491 #, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -4605,24 +4756,31 @@ msgstr "" "Molvaro [StatusNet](*http://*status.*net/), kie anoj konigas mesaĝetojn pri " "siaj vivoj kaj ŝatokupoj. " -#: actions/showgroup.php:495 +#. TRANS: Header for list of group administrators on a group page (h2). +#: actions/showgroup.php:520 msgid "Admins" msgstr "Administrantoj" -#: actions/showmessage.php:81 +#. TRANS: Client error displayed requesting a single message that does not exist. +#: actions/showmessage.php:79 msgid "No such message." msgstr "Ne estas tiu mesaĝo." -#: actions/showmessage.php:98 +#. TRANS: Client error displayed requesting a single direct message the requesting user was not a party in. +#: actions/showmessage.php:97 msgid "Only the sender and recipient may read this message." msgstr "Nur la sendinto kaj ricevinto rajtas legi la mesaĝon." -#: actions/showmessage.php:108 +#. TRANS: Page title for single direct message display when viewing user is the sender. +#. TRANS: %1$s is the addressed user's nickname, $2$s is a timestamp. +#: actions/showmessage.php:110 #, php-format msgid "Message to %1$s on %2$s" msgstr "Mesaĝo al %1$s ĉe %2$s" -#: actions/showmessage.php:113 +#. TRANS: Page title for single message display. +#. TRANS: %1$s is the sending user's nickname, $2$s is a timestamp. +#: actions/showmessage.php:118 #, php-format msgid "Message from %1$s on %2$s" msgstr "Mesaĝo de %1$s ĉe %2$s" @@ -4695,10 +4853,10 @@ msgid "" "[StatusNet](http://status.net/) tool. [Join now](%%%%action.register%%%%) to " "follow **%s**'s notices and many more! ([Read more](%%%%doc.help%%%%))" msgstr "" -"**%s** havas konton ĉe %%site.name%%, [mikrobloga](http://en.wikipedia.org/" -"wiki/Micro-blogging) servo surbaze de ilaro de Libera Molvaro [StatusNet]" -"(http://status.net/). [Aniĝu](%%action.register%%) por sekvi avizojn de **%" -"s** kaj multe pli! ([Pli](%%doc.help%%))" +"**%s** havas konton ĉe %%%%site.name%%%%, [mikrobloga](http://en.wikipedia." +"org/wiki/Micro-blogging) servo surbaze de ilaro de Libera Molvaro [StatusNet]" +"(http://status.net/). [Aniĝu](%%%%action.register%%%%) por sekvi avizojn de " +"**%s** kaj multe pli! ([Pli](%%%%doc.help%%%%))" #: actions/showstream.php:248 #, php-format @@ -4707,8 +4865,8 @@ msgid "" "wikipedia.org/wiki/Micro-blogging) service based on the Free Software " "[StatusNet](http://status.net/) tool. " msgstr "" -"**%s** havas konton ĉe %%site.name%%, [mikrobloga](http://en.wikipedia.org/" -"wiki/Micro-blogging) servo surbaze de ilaro de Libera Molvaro [StatusNet]" +"**%s** havas konton ĉe %%%%site.name%%%%, [mikrobloga](http://en.wikipedia." +"org/wiki/Micro-blogging) servo surbaze de ilaro de Libera Molvaro [StatusNet]" "(http://status.net/). " #: actions/showstream.php:305 @@ -5061,12 +5219,14 @@ msgstr "Momentfotoj sendiĝos al ĉi tiu URL" msgid "Save snapshot settings" msgstr "Konservi retejan agordon" -#: actions/subedit.php:70 +#. TRANS: Client error displayed trying a change a subscription for a non-subscribed profile. +#: actions/subedit.php:75 msgid "You are not subscribed to that profile." msgstr "Vi ne abonis tiun profilon." +#. TRANS: Server error displayed when updating a subscription fails with a database error. #. TRANS: Exception thrown when a subscription could not be stored on the server. -#: actions/subedit.php:83 classes/Subscription.php:136 +#: actions/subedit.php:89 classes/Subscription.php:136 msgid "Could not save subscription." msgstr "Malsukcesis konservi abonon." @@ -5860,12 +6020,12 @@ msgid "Welcome to %1$s, @%2$s!" msgstr "Bonvenon al %1$s, @%2$s!" #. TRANS: Server exception. -#: classes/User.php:902 +#: classes/User.php:912 msgid "No single user defined for single-user mode." msgstr "Neniu difinata uzanto por sol-uzanta reĝimo." #. TRANS: Server exception. -#: classes/User.php:906 +#: classes/User.php:916 msgid "Single-user mode code called when not enabled." msgstr "" @@ -7030,7 +7190,8 @@ msgstr "Atom" msgid "FOAF" msgstr "FOAF" -#: lib/feedlist.php:65 +#. TRANS: Header for feed links (h2). +#: lib/feedlist.php:66 msgid "Feeds" msgstr "Fluoj" @@ -7191,39 +7352,57 @@ msgstr "La paĝo estas ne havebla je la komunikil-tipo, kiun vi akceptas" msgid "Unsupported image file format." msgstr "Formato ne subtenata." -#: lib/imagefile.php:88 +#. TRANS: Exception thrown when too large a file is uploaded. +#. TRANS: %s is the maximum file size, for example "500b", "10kB" or "2MB". +#: lib/imagefile.php:90 #, php-format msgid "That file is too big. The maximum file size is %s." msgstr "La dosiero tro grandas. Dosiera grandlimo estas %s." -#: lib/imagefile.php:93 +#: lib/imagefile.php:95 msgid "Partial upload." msgstr "Parta alŝuto." #. TRANS: Client exception thrown when a file upload operation has failed with an unknown reason. -#: lib/imagefile.php:101 lib/mediafile.php:179 +#: lib/imagefile.php:103 lib/mediafile.php:179 msgid "System error uploading file." msgstr "Sisteme eraris alŝuti dosieron." -#: lib/imagefile.php:109 +#: lib/imagefile.php:111 msgid "Not an image or corrupt file." msgstr "Ne bildo aŭ dosiero difektita." -#: lib/imagefile.php:122 +#: lib/imagefile.php:124 msgid "Lost our file." msgstr "Perdiĝis nian dosieron." -#: lib/imagefile.php:163 lib/imagefile.php:224 +#: lib/imagefile.php:165 lib/imagefile.php:226 msgid "Unknown file type" msgstr "Nekonata dosiertipo" -#: lib/imagefile.php:244 -msgid "MB" -msgstr "MB" +#. TRANS: Number of megabytes. %d is the number. +#: lib/imagefile.php:248 +#, fuzzy, php-format +msgid "%dMB" +msgid_plural "%dMB" +msgstr[0] "MB" +msgstr[1] "MB" -#: lib/imagefile.php:246 -msgid "kB" -msgstr "kB" +#. TRANS: Number of kilobytes. %d is the number. +#: lib/imagefile.php:252 +#, fuzzy, php-format +msgid "%dkB" +msgid_plural "%dkB" +msgstr[0] "kB" +msgstr[1] "kB" + +#. TRANS: Number of bytes. %d is the number. +#: lib/imagefile.php:255 +#, php-format +msgid "%dB" +msgid_plural "%dB" +msgstr[0] "" +msgstr[1] "" #: lib/jabber.php:387 #, php-format @@ -7900,7 +8079,7 @@ msgstr "Ĉiuj abonantoj" #: lib/profileaction.php:191 msgid "User ID" -msgstr "Uzanta ID" +msgstr "ID de uzanto" #: lib/profileaction.php:196 msgid "Member since" @@ -8118,6 +8297,13 @@ msgstr "Eraris malfermi desegnan arkivon." msgid "Top posters" msgstr "Pintaj afiŝantoj" +#. TRANS: Title for the form to unblock a user. +#: lib/unblockform.php:67 +#, fuzzy +msgctxt "TITLE" +msgid "Unblock" +msgstr "Malbloki" + #: lib/unsandboxform.php:69 msgid "Unsandbox" msgstr "Malprovejigi" @@ -8298,3 +8484,9 @@ msgstr "Neniu uzanto-ID specifiĝas." #, php-format msgid "%d entries in backup." msgstr "" + +#~ msgid "Description is too long (max %d chars)." +#~ msgstr "Priskribo estas tro longa (maksimume %d signoj)." + +#~ msgid "Too many aliases! Maximum %d." +#~ msgstr "Tro da alinomoj! Maksimume %d." diff --git a/locale/es/LC_MESSAGES/statusnet.po b/locale/es/LC_MESSAGES/statusnet.po index b9de34799f..d695e9aca5 100644 --- a/locale/es/LC_MESSAGES/statusnet.po +++ b/locale/es/LC_MESSAGES/statusnet.po @@ -16,17 +16,17 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet - Core\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-10-27 23:43+0000\n" -"PO-Revision-Date: 2010-10-28 23:08:56+0000\n" +"POT-Creation-Date: 2010-10-30 23:18+0000\n" +"PO-Revision-Date: 2010-10-30 23:20:09+0000\n" "Language-Team: Spanish \n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r75629); Translate extension (2010-09-17)\n" +"X-Generator: MediaWiki 1.17alpha (r75708); Translate extension (2010-09-17)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: es\n" "X-Message-Group: #out-statusnet-core\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-POT-Import-Date: 2010-10-28 00:13:15+0000\n" +"X-POT-Import-Date: 2010-10-30 09:48:40+0000\n" #. TRANS: Page title for Access admin panel that allows configuring site access. #. TRANS: Menu item for site administration @@ -122,6 +122,7 @@ msgstr "No existe tal página." #. TRANS: Client error displayed when requesting most recent dents by user and friends for a non-existing user. #. TRANS: Client error displayed when requesting most recent mentions for a non-existing user. #. TRANS: Client error displayed requesting most recent notices for a non-existing user. +#. TRANS: Client error displayed trying to get an avatar for a non-existing user. #. TRANS: Error text shown when trying to send a direct message to a user that does not exist. #: actions/all.php:80 actions/apiaccountupdatedeliverydevice.php:110 #: actions/apiaccountupdateprofile.php:103 @@ -134,7 +135,7 @@ msgstr "No existe tal página." #: actions/apistatusesupdate.php:230 actions/apisubscriptions.php:85 #: actions/apitimelinefavorites.php:70 actions/apitimelinefriends.php:173 #: actions/apitimelinehome.php:78 actions/apitimelinementions.php:77 -#: actions/apitimelineuser.php:79 actions/avatarbynickname.php:75 +#: actions/apitimelineuser.php:79 actions/avatarbynickname.php:79 #: 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 @@ -314,11 +315,12 @@ msgstr "No se pudo actualizar el usuario." #. TRANS: Client error displayed a user has no profile updating profile colours. #. TRANS: Client error displayed if a user profile could not be found updating a profile image. #. TRANS: Client error displayed when requesting user information for a user without a profile. +#. TRANS: Client error displayed trying to get an avatar for a user without a profile. #: actions/apiaccountupdateprofile.php:111 #: actions/apiaccountupdateprofilebackgroundimage.php:199 #: actions/apiaccountupdateprofilecolors.php:183 #: actions/apiaccountupdateprofileimage.php:130 actions/apiusershow.php:108 -#: actions/avatarbynickname.php:80 actions/foaf.php:65 actions/hcard.php:74 +#: actions/avatarbynickname.php:85 actions/foaf.php:65 actions/hcard.php:74 #: actions/replies.php:80 actions/usergroups.php:100 lib/galleryaction.php:66 #: lib/profileaction.php:84 msgid "User has no profile." @@ -333,7 +335,7 @@ msgstr "No se pudo guardar el perfil." #. TRANS: %s is the number of bytes of the CONTENT_LENGTH. #: actions/apiaccountupdateprofilebackgroundimage.php:108 #: actions/apiaccountupdateprofileimage.php:95 actions/apimediaupload.php:81 -#: actions/apistatusesupdate.php:210 actions/avatarsettings.php:259 +#: actions/apistatusesupdate.php:210 actions/avatarsettings.php:269 #: actions/designadminpanel.php:125 actions/editapplication.php:121 #: actions/newapplication.php:104 actions/newnotice.php:95 #, fuzzy, php-format @@ -509,9 +511,11 @@ msgstr "No se pudo determinar el usuario fuente." msgid "Could not find target user." msgstr "No se pudo encontrar ningún usuario de destino." +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. #. TRANS: Validation error in form for profile settings. -#: actions/apigroupcreate.php:165 actions/editgroup.php:186 -#: actions/newgroup.php:126 actions/profilesettings.php:243 +#: actions/apigroupcreate.php:165 actions/editgroup.php:191 +#: actions/newgroup.php:127 actions/profilesettings.php:243 #: actions/register.php:212 msgid "Nickname must have only lowercase letters and numbers and no spaces." msgstr "" @@ -519,35 +523,43 @@ msgstr "" "espacios." #. TRANS: Client error trying to create a group with a nickname this is already in use. +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. #. TRANS: Validation error in form for profile settings. -#: actions/apigroupcreate.php:175 actions/editgroup.php:190 -#: actions/newgroup.php:130 actions/profilesettings.php:277 +#: actions/apigroupcreate.php:175 actions/editgroup.php:196 +#: actions/newgroup.php:132 actions/profilesettings.php:277 #: actions/register.php:215 msgid "Nickname already in use. Try another one." msgstr "El usuario ya existe. Prueba con otro." #. TRANS: Client error in form for group creation. +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. #. TRANS: Validation error in form for profile settings. -#: actions/apigroupcreate.php:183 actions/editgroup.php:193 -#: actions/newgroup.php:133 actions/profilesettings.php:247 +#: actions/apigroupcreate.php:183 actions/editgroup.php:200 +#: actions/newgroup.php:136 actions/profilesettings.php:247 #: actions/register.php:217 msgid "Not a valid nickname." msgstr "Usuario inválido" #. TRANS: Client error in form for group creation. #. TRANS: Validation error shown when providing an invalid homepage URL in the "Edit application" form. +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. #. TRANS: Validation error in form for profile settings. #: actions/apigroupcreate.php:200 actions/editapplication.php:233 -#: actions/editgroup.php:199 actions/newapplication.php:211 -#: actions/newgroup.php:139 actions/profilesettings.php:252 +#: actions/editgroup.php:207 actions/newapplication.php:211 +#: actions/newgroup.php:143 actions/profilesettings.php:252 #: actions/register.php:224 msgid "Homepage is not a valid URL." msgstr "La página de inicio no es un URL válido." #. TRANS: Client error in form for group creation. +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. #. TRANS: Validation error in form for profile settings. -#: actions/apigroupcreate.php:210 actions/editgroup.php:202 -#: actions/newgroup.php:142 actions/profilesettings.php:256 +#: actions/apigroupcreate.php:210 actions/editgroup.php:211 +#: actions/newgroup.php:147 actions/profilesettings.php:256 #: actions/register.php:227 #, fuzzy msgid "Full name is too long (maximum 255 characters)." @@ -556,10 +568,11 @@ msgstr "Tu nombre es demasiado largo (max. 255 carac.)" #. TRANS: Client error shown when providing too long a description during group creation. #. TRANS: %d is the maximum number of allowed characters. #. TRANS: Validation error shown when providing too long a description in the "Edit application" form. +#. TRANS: Group edit form validation error. #. TRANS: Form validation error in New application form. #. TRANS: %d is the maximum number of characters for the description. #: actions/apigroupcreate.php:220 actions/editapplication.php:201 -#: actions/newapplication.php:178 +#: actions/editgroup.php:216 actions/newapplication.php:178 #, fuzzy, php-format msgid "Description is too long (maximum %d character)." msgid_plural "Description is too long (maximum %d characters)." @@ -567,9 +580,11 @@ msgstr[0] "La descripción es demasiado larga (máx. %d caracteres)." msgstr[1] "La descripción es demasiado larga (máx. %d caracteres)." #. TRANS: Client error shown when providing too long a location during group creation. +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. #. TRANS: Validation error in form for profile settings. -#: actions/apigroupcreate.php:234 actions/editgroup.php:208 -#: actions/newgroup.php:153 actions/profilesettings.php:269 +#: actions/apigroupcreate.php:234 actions/editgroup.php:223 +#: actions/newgroup.php:159 actions/profilesettings.php:269 #: actions/register.php:236 #, fuzzy msgid "Location is too long (maximum 255 characters)." @@ -577,7 +592,12 @@ msgstr "La ubicación es demasiado larga (máx. 255 caracteres)." #. TRANS: Client error shown when providing too many aliases during group creation. #. TRANS: %d is the maximum number of allowed aliases. -#: actions/apigroupcreate.php:255 actions/newgroup.php:166 +#. TRANS: Group edit form validation error. +#. TRANS: %d is the maximum number of allowed aliases. +#. TRANS: Group create form validation error. +#. TRANS: %d is the maximum number of allowed aliases. +#: actions/apigroupcreate.php:255 actions/editgroup.php:236 +#: actions/newgroup.php:172 #, fuzzy, php-format msgid "Too many aliases! Maximum %d allowed." msgid_plural "Too many aliases! Maximum %d allowed." @@ -593,15 +613,19 @@ msgstr "Alias inválido: \"%s\"." #. TRANS: Client error displayed when trying to use an alias during group creation that is already in use. #. TRANS: %s is the alias that is already in use. -#: actions/apigroupcreate.php:291 actions/editgroup.php:232 -#: actions/newgroup.php:181 +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. +#: actions/apigroupcreate.php:291 actions/editgroup.php:253 +#: actions/newgroup.php:189 #, php-format msgid "Alias \"%s\" already in use. Try another one." msgstr "El alias \"%s\" ya está en uso. Intenta usar otro." #. TRANS: Client error displayed when trying to use an alias during group creation that is the same as the group's nickname. -#: actions/apigroupcreate.php:305 actions/editgroup.php:238 -#: actions/newgroup.php:187 +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. +#: actions/apigroupcreate.php:305 actions/editgroup.php:260 +#: actions/newgroup.php:196 msgid "Alias can't be the same as nickname." msgstr "El alias no puede ser el mismo que el usuario." @@ -707,18 +731,18 @@ msgid "Request token already authorized." msgstr "No estás autorizado." #. TRANS: Form validation error in API OAuth authorisation because of an invalid session token. -#: actions/apioauthauthorize.php:147 actions/avatarsettings.php:270 +#: actions/apioauthauthorize.php:147 actions/avatarsettings.php:280 #: actions/deletenotice.php:172 actions/disfavor.php:74 #: actions/emailsettings.php:271 actions/favor.php:75 actions/geocode.php:55 #: actions/groupblock.php:66 actions/grouplogo.php:312 -#: actions/groupunblock.php:66 actions/imsettings.php:230 +#: actions/groupunblock.php:65 actions/imsettings.php:230 #: actions/invite.php:59 actions/login.php:137 actions/makeadmin.php:66 #: actions/newmessage.php:135 actions/newnotice.php:105 actions/nudge.php:80 #: actions/oauthappssettings.php:165 actions/oauthconnectionssettings.php:138 #: actions/othersettings.php:145 actions/passwordsettings.php:138 #: actions/profilesettings.php:221 actions/recoverpassword.php:350 #: actions/register.php:172 actions/remotesubscribe.php:77 -#: actions/repeat.php:83 actions/smssettings.php:256 actions/subedit.php:38 +#: actions/repeat.php:83 actions/smssettings.php:256 actions/subedit.php:40 #: actions/subscribe.php:86 actions/tagother.php:166 #: actions/unsubscribe.php:69 actions/userauthorization.php:52 #: lib/designsettings.php:294 @@ -738,12 +762,13 @@ msgid "Database error inserting oauth_token_association." msgstr "Error de base de datos al insertar usuario de la aplicación OAuth." #. TRANS: Client error given on when invalid data was passed through a form in the OAuth API. +#. TRANS: Unexpected validation error on avatar upload form. #. TRANS: Client error displayed submitting invalid form data for edit application. #. TRANS: Message given submitting a form with an unknown action in e-mail settings. #. TRANS: Message given submitting a form with an unknown action in IM settings. #. TRANS: Client error when submitting a form with unexpected information. #. TRANS: Message given submitting a form with an unknown action in SMS settings. -#: actions/apioauthauthorize.php:294 actions/avatarsettings.php:283 +#: actions/apioauthauthorize.php:294 actions/avatarsettings.php:294 #: actions/designadminpanel.php:104 actions/editapplication.php:144 #: actions/emailsettings.php:290 actions/grouplogo.php:322 #: actions/imsettings.php:245 actions/newapplication.php:125 @@ -798,6 +823,7 @@ msgstr "Cuenta" #. TRANS: Field label on OAuth API authorisation form. #. TRANS: Field label in form for profile settings. +#. TRANS: Label for group nickname (dt). Text hidden by default. #: actions/apioauthauthorize.php:459 actions/login.php:252 #: actions/profilesettings.php:110 actions/register.php:433 #: actions/showgroup.php:245 actions/tagother.php:94 @@ -1050,104 +1076,138 @@ msgstr "Método API en construcción." msgid "User not found." msgstr "Método de API no encontrado." +#. TRANS: Client error displayed trying to get a non-existing attachment. #: actions/attachment.php:73 msgid "No such attachment." msgstr "No existe tal archivo adjunto." -#: actions/avatarbynickname.php:59 actions/blockedfromgroup.php:73 -#: actions/editgroup.php:84 actions/groupdesignsettings.php:84 +#. TRANS: Client error displayed trying to get an avatar without providing a nickname. +#. TRANS: Client error displayed when requesting a list of blocked users for a group without providing a group nickname. +#. TRANS: Client error displayed trying to edit a group while not proving a nickname for the group to edit. +#. TRANS: Client error displayed if no nickname argument was given requesting a group page. +#: actions/avatarbynickname.php:60 actions/blockedfromgroup.php:73 +#: actions/editgroup.php:85 actions/groupdesignsettings.php:84 #: actions/grouplogo.php:86 actions/groupmembers.php:76 #: actions/grouprss.php:91 actions/showgroup.php:121 msgid "No nickname." msgstr "Ningún nombre de usuario." -#: actions/avatarbynickname.php:64 +#. TRANS: Client error displayed trying to get an avatar without providing an avatar size. +#: actions/avatarbynickname.php:66 msgid "No size." msgstr "Ningún tamaño." -#: actions/avatarbynickname.php:69 +#. TRANS: Client error displayed trying to get an avatar providing an invalid avatar size. +#: actions/avatarbynickname.php:72 msgid "Invalid size." msgstr "Tamaño inválido." +#. TRANS: Title for avatar upload page. +#. TRANS: Label for group avatar (dt). Text hidden by default. #. TRANS: Link description in user account settings menu. -#: actions/avatarsettings.php:67 actions/showgroup.php:230 +#: actions/avatarsettings.php:66 actions/showgroup.php:229 #: lib/accountsettingsaction.php:113 msgid "Avatar" msgstr "Imagen" +#. TRANS: Instruction for avatar upload page. +#. TRANS: %s is the maximum file size, for example "500b", "10kB" or "2MB". #: actions/avatarsettings.php:78 #, php-format msgid "You can upload your personal avatar. The maximum file size is %s." msgstr "Puedes subir tu imagen personal. El tamaño máximo de archivo es %s." -#: actions/avatarsettings.php:106 actions/avatarsettings.php:185 +#. TRANS: Server error displayed in avatar upload page when no matching profile can be found for a user. +#: actions/avatarsettings.php:108 actions/avatarsettings.php:192 #: actions/grouplogo.php:181 actions/remotesubscribe.php:191 #: actions/userauthorization.php:72 actions/userrss.php:108 msgid "User without matching profile." msgstr "Usuario sin perfil coincidente." -#: actions/avatarsettings.php:119 actions/avatarsettings.php:197 +#. TRANS: Avatar upload page form legend. +#. TRANS: Avatar upload page crop form legend. +#: actions/avatarsettings.php:122 actions/avatarsettings.php:205 #: actions/grouplogo.php:254 msgid "Avatar settings" msgstr "Configuración de imagen" -#: actions/avatarsettings.php:127 actions/avatarsettings.php:205 +#. TRANS: Header on avatar upload page for thumbnail of originally uploaded avatar (h2). +#. TRANS: Header on avatar upload crop form for thumbnail of originally uploaded avatar (h2). +#: actions/avatarsettings.php:131 actions/avatarsettings.php:214 #: actions/grouplogo.php:202 actions/grouplogo.php:262 msgid "Original" msgstr "Original" -#: actions/avatarsettings.php:142 actions/avatarsettings.php:217 +#. TRANS: Header on avatar upload page for thumbnail of to be used rendition of uploaded avatar (h2). +#. TRANS: Header on avatar upload crop form for thumbnail of to be used rendition of uploaded avatar (h2). +#: actions/avatarsettings.php:147 actions/avatarsettings.php:227 #: actions/grouplogo.php:213 actions/grouplogo.php:274 msgid "Preview" msgstr "Vista previa" -#: actions/avatarsettings.php:149 actions/showapplication.php:252 -#: lib/deletegroupform.php:121 lib/deleteuserform.php:66 -#: lib/noticelist.php:667 +#. TRANS: Button on avatar upload page to delete current avatar. +#: actions/avatarsettings.php:155 +#, fuzzy +msgctxt "BUTTON" msgid "Delete" msgstr "Borrar" -#: actions/avatarsettings.php:166 actions/grouplogo.php:236 +#. TRANS: Button on avatar upload page to upload an avatar. +#: actions/avatarsettings.php:173 +#, fuzzy +msgctxt "BUTTON" msgid "Upload" msgstr "Subir" -#: actions/avatarsettings.php:231 actions/grouplogo.php:289 +#. TRANS: Button on avatar upload crop form to confirm a selected crop as avatar. +#: actions/avatarsettings.php:243 +#, fuzzy +msgctxt "BUTTON" msgid "Crop" msgstr "Cortar" -#: actions/avatarsettings.php:307 +#. TRANS: Validation error on avatar upload form when no file was uploaded. +#: actions/avatarsettings.php:318 msgid "No file uploaded." msgstr "Ningún archivo fue subido." -#: actions/avatarsettings.php:334 +#. TRANS: Avatar upload form unstruction after uploading a file. +#: actions/avatarsettings.php:346 msgid "Pick a square area of the image to be your avatar" msgstr "Elige un área cuadrada para que sea tu imagen" -#: actions/avatarsettings.php:349 actions/grouplogo.php:380 +#. TRANS: Server error displayed if an avatar upload went wrong somehow server side. +#: actions/avatarsettings.php:361 actions/grouplogo.php:380 msgid "Lost our file data." msgstr "Se perdió nuestros datos de archivo." -#: actions/avatarsettings.php:372 +#: actions/avatarsettings.php:384 msgid "Avatar updated." msgstr "Imagen actualizada" -#: actions/avatarsettings.php:375 +#. TRANS: Error displayed on the avatar upload page if the avatar could not be updated for an unknown reason. +#: actions/avatarsettings.php:388 msgid "Failed updating avatar." msgstr "Error al actualizar la imagen." -#: actions/avatarsettings.php:399 +#. TRANS: Success message for deleting a user avatar. +#: actions/avatarsettings.php:412 msgid "Avatar deleted." msgstr "Imagen borrada." -#: actions/block.php:69 +#. TRANS: Client error displayed when blocking a user that has already been blocked. +#: actions/block.php:68 msgid "You already blocked that user." msgstr "Ya has bloqueado a este usuario." -#: actions/block.php:107 actions/block.php:136 actions/groupblock.php:158 +#. TRANS: Title for block user page. +#. TRANS: Legend for block user form. +#: actions/block.php:106 actions/block.php:136 actions/groupblock.php:158 msgid "Block user" msgstr "Bloquear usuario." -#: actions/block.php:138 +#. TRANS: Explanation of consequences when blocking a user on the block user page. +#: actions/block.php:139 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 " @@ -1163,7 +1223,7 @@ msgstr "" #. TRANS: Button label on the delete notice form. #. TRANS: Button label on the delete user form. #. TRANS: Button label on the form to block a user from a group. -#: actions/block.php:153 actions/deleteapplication.php:154 +#: actions/block.php:154 actions/deleteapplication.php:154 #: actions/deletegroup.php:220 actions/deletenotice.php:150 #: actions/deleteuser.php:152 actions/groupblock.php:178 msgctxt "BUTTON" @@ -1172,7 +1232,7 @@ msgstr "No" #. TRANS: Submit button title for 'No' when blocking a user. #. TRANS: Submit button title for 'No' when deleting a user. -#: actions/block.php:157 actions/deleteuser.php:156 +#: actions/block.php:158 actions/deleteuser.php:156 msgid "Do not block this user" msgstr "No bloquear a este usuario" @@ -1182,7 +1242,7 @@ msgstr "No bloquear a este usuario" #. TRANS: Button label on the delete notice form. #. TRANS: Button label on the delete user form. #. TRANS: Button label on the form to block a user from a group. -#: actions/block.php:160 actions/deleteapplication.php:161 +#: actions/block.php:161 actions/deleteapplication.php:161 #: actions/deletegroup.php:227 actions/deletenotice.php:157 #: actions/deleteuser.php:159 actions/groupblock.php:185 msgctxt "BUTTON" @@ -1191,91 +1251,112 @@ msgstr "Sí" #. TRANS: Submit button title for 'Yes' when blocking a user. #. TRANS: Description of the form to block a user. -#: actions/block.php:164 lib/blockform.php:79 +#: actions/block.php:165 lib/blockform.php:79 msgid "Block this user" msgstr "Bloquear este usuario." -#: actions/block.php:187 +#. TRANS: Server error displayed when blocking a user fails. +#: actions/block.php:189 msgid "Failed to save block information." msgstr "No se guardó información de bloqueo." +#. TRANS: Client error displayed when requesting a list of blocked users for a non-local group. +#. TRANS: Client error displayed when requesting a list of blocked users for a non-existing group. #. TRANS: Client error when trying to delete a non-local group. #. TRANS: Client error when trying to delete a non-existing group. +#. TRANS: Client error displayed trying to edit a non-existing group. +#. TRANS: Client error displayed when trying to unblock a user from a non-existing group. +#. TRANS: Client error displayed if no remote group with a given name was found requesting group page. +#. TRANS: Client error displayed if no local group with a given name was found requesting group page. #. TRANS: Command exception text shown when a group is requested that does not exist. #. TRANS: Error text shown when trying to leave a group that does not exist. -#: actions/blockedfromgroup.php:80 actions/blockedfromgroup.php:87 +#: actions/blockedfromgroup.php:81 actions/blockedfromgroup.php:89 #: actions/deletegroup.php:87 actions/deletegroup.php:100 -#: actions/editgroup.php:100 actions/foafgroup.php:44 actions/foafgroup.php:62 +#: actions/editgroup.php:102 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/groupunblock.php:88 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:168 +#: actions/showgroup.php:139 actions/showgroup.php:148 lib/command.php:168 #: lib/command.php:380 msgid "No such group." msgstr "No existe ese grupo." -#: actions/blockedfromgroup.php:97 +#. TRANS: Title for first page with list of users blocked from a group. +#. TRANS: %s is a group nickname. +#: actions/blockedfromgroup.php:101 #, php-format msgid "%s blocked profiles" msgstr "%s perfiles bloqueados" -#: actions/blockedfromgroup.php:100 +#. TRANS: Title for any but the first page with list of users blocked from a group. +#. TRANS: %1$s is a group nickname, %2$d is a page number. +#: actions/blockedfromgroup.php:106 #, php-format msgid "%1$s blocked profiles, page %2$d" msgstr "%1$s perfiles bloqueados, página %2$d" -#: actions/blockedfromgroup.php:115 +#. TRANS: Instructions for list of users blocked from a group. +#: actions/blockedfromgroup.php:122 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:288 +#. TRANS: Form legend for unblocking a user from a group. +#: actions/blockedfromgroup.php:291 msgid "Unblock user from group" msgstr "Desbloquear usuario de grupo" -#. TRANS: Title for the form to unblock a user. -#: actions/blockedfromgroup.php:320 lib/unblockform.php:70 +#. TRANS: Button text for unblocking a user from a group. +#: actions/blockedfromgroup.php:323 +#, fuzzy +msgctxt "BUTTON" msgid "Unblock" msgstr "Desbloquear" +#. TRANS: Tooltip for button for unblocking a user from a group. #. TRANS: Description of the form to unblock a user. -#: actions/blockedfromgroup.php:320 lib/unblockform.php:82 +#: actions/blockedfromgroup.php:327 lib/unblockform.php:78 msgid "Unblock this user" msgstr "Desbloquear este usuario" #. TRANS: Title for mini-posting window loaded from bookmarklet. +#. TRANS: %s is the StatusNet site name. #: actions/bookmarklet.php:51 #, php-format msgid "Post to %s" msgstr "Postear a %s" -#: actions/confirmaddress.php:75 +#. TRANS: Client error displayed when not providing a confirmation code in the contact address confirmation action. +#: actions/confirmaddress.php:74 msgid "No confirmation code." msgstr "Ningún código de confirmación." +#. TRANS: Client error displayed when providing a non-existing confirmation code in the contact address confirmation action. #: actions/confirmaddress.php:80 msgid "Confirmation code not found." msgstr "Código de confirmación no encontrado." -#: actions/confirmaddress.php:85 +#. TRANS: Client error displayed when not providing a confirmation code for another user in the contact address confirmation action. +#: actions/confirmaddress.php:86 msgid "That confirmation code is not for you!" msgstr "¡Ese código de confirmación no es para ti!" -#. TRANS: Server error for an unknow address type, which can be 'email', 'jabber', or 'sms'. -#: actions/confirmaddress.php:91 +#. TRANS: Server error for a unknow address type %s, which can be 'email', 'jabber', or 'sms'. +#: actions/confirmaddress.php:92 #, php-format msgid "Unrecognized address type %s." msgstr "Tipo de dirección %s desconocida." -#. TRANS: Client error for an already confirmed email/jabbel/sms address. -#: actions/confirmaddress.php:96 +#. TRANS: Client error for an already confirmed email/jabber/sms address. +#: actions/confirmaddress.php:97 msgid "That address has already been confirmed." msgstr "Esa dirección ya fue confirmada." +#. TRANS: Server error displayed when a user update to the database fails in the contact address confirmation action. #. TRANS: Server error thrown on database error updating e-mail preferences. #. TRANS: Server error thrown on database error removing a registered e-mail address. #. TRANS: Server error thrown on database error updating IM preferences. @@ -1283,7 +1364,7 @@ msgstr "Esa dirección ya fue confirmada." #. TRANS: Server error thrown when user profile settings could not be updated. #. TRANS: Server error thrown on database error updating SMS preferences. #. TRANS: Server error thrown on database error removing a registered SMS phone number. -#: actions/confirmaddress.php:116 actions/emailsettings.php:331 +#: actions/confirmaddress.php:118 actions/emailsettings.php:331 #: actions/emailsettings.php:477 actions/imsettings.php:283 #: actions/imsettings.php:442 actions/othersettings.php:174 #: actions/profilesettings.php:326 actions/smssettings.php:308 @@ -1291,27 +1372,32 @@ msgstr "Esa dirección ya fue confirmada." msgid "Couldn't update user." msgstr "No se pudo actualizar el usuario." -#. TRANS: Server error thrown on database error canceling e-mail address confirmation. -#. TRANS: Server error thrown on database error canceling SMS phone number confirmation. -#: actions/confirmaddress.php:128 actions/emailsettings.php:437 -#: actions/smssettings.php:422 -msgid "Couldn't delete email confirmation." -msgstr "No se pudo eliminar la confirmación de correo electrónico." +#. TRANS: Server error displayed when an address confirmation code deletion from the +#. TRANS: database fails in the contact address confirmation action. +#: actions/confirmaddress.php:132 +#, fuzzy +msgid "Could not delete address confirmation." +msgstr "No se pudo eliminar la confirmación de mensajería instantánea." -#: actions/confirmaddress.php:146 +#. TRANS: Title for the contact address confirmation action. +#: actions/confirmaddress.php:150 msgid "Confirm address" msgstr "Confirmar la dirección" -#: actions/confirmaddress.php:161 +#. TRANS: Success message for the contact address confirmation action. +#. TRANS: %s can be 'email', 'jabber', or 'sms'. +#: actions/confirmaddress.php:166 #, php-format msgid "The address \"%s\" has been confirmed for your account." msgstr "La dirección \"%s\" fue confirmada para tu cuenta." -#: actions/conversation.php:99 +#. TRANS: Title for page with a conversion (multiple notices in context). +#: actions/conversation.php:96 msgid "Conversation" msgstr "Conversación" -#: actions/conversation.php:154 lib/mailbox.php:116 lib/noticelist.php:87 +#. TRANS: Header on conversation page. Hidden by default (h2). +#: actions/conversation.php:149 lib/mailbox.php:116 lib/noticelist.php:87 #: lib/profileaction.php:229 lib/searchgroupnav.php:82 msgid "Notices" msgstr "Mensajes" @@ -1422,11 +1508,13 @@ msgstr "No eliminar este mensaje" msgid "Delete this group" msgstr "Borrar este usuario" +#. TRANS: Client error displayed when trying to unblock a user from a group while not logged in. +#. TRANS: Client error displayed trying a change a subscription while not logged in. #. TRANS: Client error message thrown when trying to access the admin panel while not logged in. #: actions/deletenotice.php:50 actions/disfavor.php:61 actions/favor.php:62 -#: actions/groupblock.php:61 actions/groupunblock.php:61 actions/logout.php:69 +#: actions/groupblock.php:61 actions/groupunblock.php:60 actions/logout.php:69 #: actions/makeadmin.php:61 actions/newmessage.php:87 actions/newnotice.php:88 -#: actions/nudge.php:63 actions/subedit.php:31 actions/subscribe.php:96 +#: actions/nudge.php:63 actions/subedit.php:33 actions/subscribe.php:96 #: actions/tagother.php:33 actions/unsubscribe.php:52 #: lib/adminpanelaction.php:71 lib/profileformaction.php:64 #: lib/settingsaction.php:72 @@ -1730,49 +1818,49 @@ msgstr "El URL de devolución de llamada es inválido." msgid "Could not update application." msgstr "No fue posible actualizar la aplicación." -#: actions/editgroup.php:56 +#. TRANS: Title for form to edit a group. %s is a group nickname. +#: actions/editgroup.php:55 #, php-format msgid "Edit %s group" msgstr "Editar grupo %s" +#. TRANS: Client error displayed trying to edit a group while not logged in. +#. TRANS: Client error displayed trying to create a group while not logged in. #: actions/editgroup.php:68 actions/grouplogo.php:70 actions/newgroup.php:65 msgid "You must be logged in to create a group." msgstr "Debes estar conectado para crear un grupo" -#: actions/editgroup.php:107 actions/editgroup.php:172 +#. TRANS: Client error displayed trying to edit a group while not being a group admin. +#: actions/editgroup.php:110 actions/editgroup.php:176 #: 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:158 +#. TRANS: Form instructions for group edit form. +#: actions/editgroup.php:161 msgid "Use this form to edit the group." msgstr "Usa este formulario para editar el grupo." -#: actions/editgroup.php:205 -#, php-format -msgid "Description is too long (max %d chars)." -msgstr "La descripción es demasiado larga (máx. %d caracteres)." - -#: actions/editgroup.php:219 -#, php-format -msgid "Too many aliases! Maximum %d." -msgstr "¡Muchos seudónimos! El máximo es %d." - -#: actions/editgroup.php:228 actions/newgroup.php:177 +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. +#: actions/editgroup.php:248 actions/newgroup.php:184 #, php-format msgid "Invalid alias: \"%s\"" msgstr "Alias inválido: \"%s\"" -#: actions/editgroup.php:258 +#. TRANS: Server error displayed when editing a group fails. +#: actions/editgroup.php:281 msgid "Could not update group." msgstr "No se pudo actualizar el grupo." +#. TRANS: Server error displayed when group aliases could not be added. #. TRANS: Server exception thrown when creating group aliases failed. -#: actions/editgroup.php:264 classes/User_group.php:513 +#: actions/editgroup.php:288 classes/User_group.php:513 msgid "Could not create aliases." msgstr "No fue posible crear alias." -#: actions/editgroup.php:280 +#. TRANS: Group edit form success message. +#: actions/editgroup.php:305 msgid "Options saved." msgstr "Se guardó Opciones." @@ -1967,6 +2055,12 @@ msgstr "Ninguna confirmación pendiente para cancelar." msgid "That is the wrong email address." msgstr "Esa es la dirección de correo electrónico incorrecta." +#. TRANS: Server error thrown on database error canceling e-mail address confirmation. +#. TRANS: Server error thrown on database error canceling SMS phone number confirmation. +#: actions/emailsettings.php:437 actions/smssettings.php:422 +msgid "Couldn't delete email confirmation." +msgstr "No se pudo eliminar la confirmación de correo electrónico." + #. TRANS: Message given after successfully canceling e-mail address confirmation. #: actions/emailsettings.php:442 msgid "Email confirmation cancelled." @@ -2147,19 +2241,23 @@ msgstr "No puedes conceder funciones de usuario en este sitio." msgid "User already has this role." msgstr "El usuario ya tiene esta función." +#. TRANS: Client error displayed when trying to unblock a user from a group without providing a profile. +#. TRANS: Client error displayed trying a change a subscription without providing a profile. #: actions/groupblock.php:71 actions/groupunblock.php:71 -#: actions/makeadmin.php:71 actions/subedit.php:46 +#: actions/makeadmin.php:71 actions/subedit.php:49 #: lib/profileformaction.php:79 msgid "No profile specified." msgstr "No se especificó perfil." -#: actions/groupblock.php:76 actions/groupunblock.php:76 -#: actions/makeadmin.php:76 actions/subedit.php:53 actions/tagother.php:46 +#. TRANS: Client error displayed when trying to unblock a user from a group without providing an existing profile. +#. TRANS: Client error displayed trying a change a subscription for a non-existant profile ID. +#: actions/groupblock.php:76 actions/groupunblock.php:77 +#: actions/makeadmin.php:76 actions/subedit.php:57 actions/tagother.php:46 #: actions/unsubscribe.php:84 lib/profileformaction.php:86 msgid "No profile with that ID." msgstr "No existe perfil con ese ID" -#: actions/groupblock.php:81 actions/groupunblock.php:81 +#: actions/groupblock.php:81 actions/groupunblock.php:82 #: actions/makeadmin.php:81 msgid "No group specified." msgstr "Grupo no especificado." @@ -2248,6 +2346,14 @@ msgstr "" "Puedes subir una imagen de logo para tu grupo. El tamaño máximo del archivo " "debe ser %s." +#: actions/grouplogo.php:236 +msgid "Upload" +msgstr "Subir" + +#: actions/grouplogo.php:289 +msgid "Crop" +msgstr "Cortar" + #: 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." @@ -2390,15 +2496,18 @@ msgstr "" "¿Por qué no [registras una cuenta](%%action.register%%) y [creas el grupo](%%" "action.newgroup%%) tú mismo?" -#: actions/groupunblock.php:91 +#. TRANS: Client error displayed when trying to unblock a user from a group without being an administrator for the group. +#: actions/groupunblock.php:94 msgid "Only an admin can unblock group members." msgstr "Sólo un administrador puede desbloquear miembros de grupos." -#: actions/groupunblock.php:95 +#. TRANS: Client error displayed when trying to unblock a non-blocked user from a group. +#: actions/groupunblock.php:99 msgid "User is not blocked from group." msgstr "El usuario no está bloqueado del grupo." -#: actions/groupunblock.php:128 actions/unblock.php:86 +#. TRANS: Server error displayed when unblocking a user from a group fails because of an unknown error. +#: actions/groupunblock.php:131 actions/unblock.php:86 msgid "Error removing the block." msgstr "Se ha producido un error al eliminar el bloque." @@ -2994,10 +3103,12 @@ msgstr "El texto de organización es muy largo (máx. 255 caracteres)." msgid "Could not create application." msgstr "No se pudo crear la aplicación." +#. TRANS: Title for form to create a group. #: actions/newgroup.php:53 msgid "New group" msgstr "Grupo nuevo " +#. TRANS: Form instructions for group create form. #: actions/newgroup.php:110 msgid "Use this form to create a new group." msgstr "Usa este formulario para crear un grupo nuevo." @@ -3705,8 +3816,9 @@ msgstr "" "1-64 letras en minúscula o números, sin signos de puntuación o espacios" #. TRANS: Field label in form for profile settings. +#. TRANS: Label for full group name (dt). Text hidden by default. #: actions/profilesettings.php:117 actions/register.php:457 -#: actions/showgroup.php:256 actions/tagother.php:104 +#: actions/showgroup.php:257 actions/tagother.php:104 #: lib/groupeditform.php:157 lib/userprofile.php:150 msgid "Full name" msgstr "Nombre completo" @@ -3746,8 +3858,9 @@ msgid "Bio" msgstr "Biografía" #. TRANS: Field label in form for profile settings. +#. TRANS: Label for group location (dt). Text hidden by default. #: actions/profilesettings.php:149 actions/register.php:485 -#: actions/showgroup.php:265 actions/tagother.php:112 +#: actions/showgroup.php:267 actions/tagother.php:112 #: actions/userauthorization.php:166 lib/groupeditform.php:177 #: lib/userprofile.php:165 msgid "Location" @@ -4481,7 +4594,8 @@ msgstr "Organización" msgid "Description" msgstr "Descripción" -#: actions/showapplication.php:192 actions/showgroup.php:442 +#. TRANS: Header for group statistics on a group page (h2). +#: actions/showapplication.php:192 actions/showgroup.php:453 #: lib/profileaction.php:187 msgid "Statistics" msgstr "Estadísticas" @@ -4499,6 +4613,11 @@ msgstr "Acciones de la aplicación" msgid "Reset key & secret" msgstr "Reiniciar clave y secreto" +#: actions/showapplication.php:252 lib/deletegroupform.php:121 +#: lib/deleteuserform.php:66 lib/noticelist.php:667 +msgid "Delete" +msgstr "Borrar" + #: actions/showapplication.php:261 msgid "Application info" msgstr "Información de la aplicación" @@ -4591,77 +4710,106 @@ msgstr "" msgid "This is a way to share what you like." msgstr "Esta es una manera de compartir lo que te gusta." -#: actions/showgroup.php:82 +#. TRANS: Page title for first group page. %s is a group name. +#: actions/showgroup.php:80 #, php-format msgid "%s group" msgstr "Grupo %s" +#. TRANS: Page title for any but first group page. +#. TRANS: %1$s is a group name, $2$s is a page number. #: actions/showgroup.php:84 #, php-format msgid "%1$s group, page %2$d" msgstr "grupo %1$s, página %2$d" -#: actions/showgroup.php:227 +#. TRANS: Group profile header (h2). Text hidden by default. +#: actions/showgroup.php:225 msgid "Group profile" msgstr "Perfil del grupo" -#: actions/showgroup.php:272 actions/tagother.php:118 +#. TRANS: Label for group URL (dt). Text hidden by default. +#: actions/showgroup.php:275 actions/tagother.php:118 #: actions/userauthorization.php:175 lib/userprofile.php:178 msgid "URL" msgstr "URL" -#: actions/showgroup.php:283 actions/tagother.php:128 +#. TRANS: Label for group description or group note (dt). Text hidden by default. +#: actions/showgroup.php:287 actions/tagother.php:128 #: actions/userauthorization.php:187 lib/userprofile.php:195 msgid "Note" msgstr "Nota" -#: actions/showgroup.php:293 lib/groupeditform.php:184 +#. TRANS: Label for group aliases (dt). Text hidden by default. +#: actions/showgroup.php:298 lib/groupeditform.php:184 msgid "Aliases" msgstr "Alias" -#: actions/showgroup.php:302 +#. TRANS: Group actions header (h2). Text hidden by default. +#: actions/showgroup.php:309 msgid "Group actions" msgstr "Acciones del grupo" -#: actions/showgroup.php:344 +#. TRANS: Tooltip for feed link. %s is a group nickname. +#: actions/showgroup.php:350 #, php-format msgid "Notice feed for %s group (RSS 1.0)" msgstr "Canal de mensajes del grupo %s (RSS 1.0)" -#: actions/showgroup.php:350 +#. TRANS: Tooltip for feed link. %s is a group nickname. +#: actions/showgroup.php:357 #, php-format msgid "Notice feed for %s group (RSS 2.0)" msgstr "Canal de mensajes del grupo %s (RSS 2.0)" -#: actions/showgroup.php:356 +#. TRANS: Tooltip for feed link. %s is a group nickname. +#: actions/showgroup.php:364 #, php-format msgid "Notice feed for %s group (Atom)" msgstr "Canal de mensajes del grupo %s (Atom)" -#: actions/showgroup.php:361 +#. TRANS: Tooltip for feed link. %s is a group nickname. +#: actions/showgroup.php:370 #, php-format msgid "FOAF for %s group" msgstr "Amistades de amistades del grupo %s" -#: actions/showgroup.php:399 actions/showgroup.php:451 +#. TRANS: Header for mini list of group members on a group page (h2). +#: actions/showgroup.php:407 msgid "Members" msgstr "Miembros" -#: actions/showgroup.php:404 lib/profileaction.php:117 +#. TRANS: Description for mini list of group members on a group page when the group has no members. +#: actions/showgroup.php:413 lib/profileaction.php:117 #: lib/profileaction.php:152 lib/profileaction.php:255 lib/section.php:95 #: lib/subscriptionlist.php:127 lib/tagcloudsection.php:71 msgid "(None)" msgstr "(Ninguno)" -#: actions/showgroup.php:410 +#. TRANS: Link to all group members from mini list of group members if group has more than n members. +#: actions/showgroup.php:422 msgid "All members" msgstr "Todos los miembros" -#: actions/showgroup.php:445 +#. TRANS: Label for creation date in statistics on group page. +#: actions/showgroup.php:458 +#, fuzzy +msgctxt "LABEL" msgid "Created" msgstr "Creado" -#: actions/showgroup.php:461 +#. TRANS: Label for member count in statistics on group page. +#: actions/showgroup.php:466 +#, fuzzy +msgctxt "LABEL" +msgid "Members" +msgstr "Miembros" + +#. TRANS: Notice on group pages for anonymous users for StatusNet sites that accept new registrations. +#. TRANS: **%s** is the group alias, %%%%site.name%%%% is the site name, +#. TRANS: %%%%action.register%%%% is the URL for registration, %%%%doc.help%%%% is a URL to help. +#. TRANS: This message contains Markdown links. Ensure they are formatted correctly: [Description](link). +#: actions/showgroup.php:481 #, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -4677,7 +4825,10 @@ msgstr "" "action.register%%%%) para formar parte de este y muchos más grupos! ([Más " "información](%%%%doc.help%%%%))" -#: actions/showgroup.php:467 +#. TRANS: Notice on group pages for anonymous users for StatusNet sites that accept no new registrations. +#. TRANS: **%s** is the group alias, %%%%site.name%%%% is the site name, +#. TRANS: This message contains Markdown links. Ensure they are formatted correctly: [Description](link). +#: actions/showgroup.php:491 #, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -4690,24 +4841,31 @@ msgstr "" "herramienta de software libre [StatusNet](http://status.net/). Sus miembros " "comparten mensajes cortos acerca de su vida e intereses. " -#: actions/showgroup.php:495 +#. TRANS: Header for list of group administrators on a group page (h2). +#: actions/showgroup.php:520 msgid "Admins" msgstr "Administradores" -#: actions/showmessage.php:81 +#. TRANS: Client error displayed requesting a single message that does not exist. +#: actions/showmessage.php:79 msgid "No such message." msgstr "No existe el mensaje." -#: actions/showmessage.php:98 +#. TRANS: Client error displayed requesting a single direct message the requesting user was not a party in. +#: actions/showmessage.php:97 msgid "Only the sender and recipient may read this message." msgstr "Sólo el remitente y el receptor pueden leer este mensaje." -#: actions/showmessage.php:108 +#. TRANS: Page title for single direct message display when viewing user is the sender. +#. TRANS: %1$s is the addressed user's nickname, $2$s is a timestamp. +#: actions/showmessage.php:110 #, php-format msgid "Message to %1$s on %2$s" msgstr "Mensaje a %1$s en %2$s" -#: actions/showmessage.php:113 +#. TRANS: Page title for single message display. +#. TRANS: %1$s is the sending user's nickname, $2$s is a timestamp. +#: actions/showmessage.php:118 #, php-format msgid "Message from %1$s on %2$s" msgstr "Mensaje de %1$s en %2$s" @@ -5156,12 +5314,14 @@ msgstr "Las capturas se enviarán a este URL" msgid "Save snapshot settings" msgstr "Guardar la configuración de instantáneas" -#: actions/subedit.php:70 +#. TRANS: Client error displayed trying a change a subscription for a non-subscribed profile. +#: actions/subedit.php:75 msgid "You are not subscribed to that profile." msgstr "No te has suscrito a ese perfil." +#. TRANS: Server error displayed when updating a subscription fails with a database error. #. TRANS: Exception thrown when a subscription could not be stored on the server. -#: actions/subedit.php:83 classes/Subscription.php:136 +#: actions/subedit.php:89 classes/Subscription.php:136 msgid "Could not save subscription." msgstr "No se ha podido guardar la suscripción." @@ -5975,12 +6135,12 @@ msgid "Welcome to %1$s, @%2$s!" msgstr "Bienvenido a %1$s, @%2$s!" #. TRANS: Server exception. -#: classes/User.php:902 +#: classes/User.php:912 msgid "No single user defined for single-user mode." msgstr "Ningún usuario sólo definido para modo monousuario." #. TRANS: Server exception. -#: classes/User.php:906 +#: classes/User.php:916 msgid "Single-user mode code called when not enabled." msgstr "" @@ -7154,7 +7314,8 @@ msgstr "Atom" msgid "FOAF" msgstr "Amistad de amistad" -#: lib/feedlist.php:65 +#. TRANS: Header for feed links (h2). +#: lib/feedlist.php:66 msgid "Feeds" msgstr "" @@ -7316,39 +7477,57 @@ msgstr "Esta página no está disponible en el tipo de medio que aceptas." msgid "Unsupported image file format." msgstr "Formato de imagen no soportado." -#: lib/imagefile.php:88 +#. TRANS: Exception thrown when too large a file is uploaded. +#. TRANS: %s is the maximum file size, for example "500b", "10kB" or "2MB". +#: lib/imagefile.php:90 #, php-format msgid "That file is too big. The maximum file size is %s." msgstr "El archivo es muy grande. El tamaño máximo permitido es %s." -#: lib/imagefile.php:93 +#: lib/imagefile.php:95 msgid "Partial upload." msgstr "Subida parcial" #. TRANS: Client exception thrown when a file upload operation has failed with an unknown reason. -#: lib/imagefile.php:101 lib/mediafile.php:179 +#: lib/imagefile.php:103 lib/mediafile.php:179 msgid "System error uploading file." msgstr "Error del sistema subir el archivo" -#: lib/imagefile.php:109 +#: lib/imagefile.php:111 msgid "Not an image or corrupt file." msgstr "No es una imagen o es un fichero corrupto." -#: lib/imagefile.php:122 +#: lib/imagefile.php:124 msgid "Lost our file." msgstr "Se perdió nuestro archivo." -#: lib/imagefile.php:163 lib/imagefile.php:224 +#: lib/imagefile.php:165 lib/imagefile.php:226 msgid "Unknown file type" msgstr "Tipo de archivo desconocido" -#: lib/imagefile.php:244 -msgid "MB" -msgstr "MB" +#. TRANS: Number of megabytes. %d is the number. +#: lib/imagefile.php:248 +#, fuzzy, php-format +msgid "%dMB" +msgid_plural "%dMB" +msgstr[0] "MB" +msgstr[1] "MB" -#: lib/imagefile.php:246 -msgid "kB" -msgstr "kB" +#. TRANS: Number of kilobytes. %d is the number. +#: lib/imagefile.php:252 +#, fuzzy, php-format +msgid "%dkB" +msgid_plural "%dkB" +msgstr[0] "kB" +msgstr[1] "kB" + +#. TRANS: Number of bytes. %d is the number. +#: lib/imagefile.php:255 +#, php-format +msgid "%dB" +msgid_plural "%dB" +msgstr[0] "" +msgstr[1] "" #: lib/jabber.php:387 #, php-format @@ -8251,6 +8430,13 @@ msgstr "Error al abrir archivo de tema." msgid "Top posters" msgstr "Principales posteadores" +#. TRANS: Title for the form to unblock a user. +#: lib/unblockform.php:67 +#, fuzzy +msgctxt "TITLE" +msgid "Unblock" +msgstr "Desbloquear" + #: lib/unsandboxform.php:69 msgid "Unsandbox" msgstr "Eliminar restricciones" @@ -8431,3 +8617,9 @@ msgstr "No se ha especificado ID de usuario." #, php-format msgid "%d entries in backup." msgstr "" + +#~ msgid "Description is too long (max %d chars)." +#~ msgstr "La descripción es demasiado larga (máx. %d caracteres)." + +#~ msgid "Too many aliases! Maximum %d." +#~ msgstr "¡Muchos seudónimos! El máximo es %d." diff --git a/locale/fa/LC_MESSAGES/statusnet.po b/locale/fa/LC_MESSAGES/statusnet.po index 42b056bf7c..97672a3d6f 100644 --- a/locale/fa/LC_MESSAGES/statusnet.po +++ b/locale/fa/LC_MESSAGES/statusnet.po @@ -13,8 +13,8 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet - Core\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-10-27 23:43+0000\n" -"PO-Revision-Date: 2010-10-28 23:08:57+0000\n" +"POT-Creation-Date: 2010-10-30 23:18+0000\n" +"PO-Revision-Date: 2010-10-30 23:20:11+0000\n" "Last-Translator: Ahmad Sufi Mahmudi\n" "Language-Team: Persian \n" "MIME-Version: 1.0\n" @@ -23,9 +23,9 @@ msgstr "" "X-Language-Code: fa\n" "X-Message-Group: #out-statusnet-core\n" "Plural-Forms: nplurals=1; plural=0;\n" -"X-Generator: MediaWiki 1.17alpha (r75629); Translate extension (2010-09-17)\n" +"X-Generator: MediaWiki 1.17alpha (r75708); Translate extension (2010-09-17)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" -"X-POT-Import-Date: 2010-10-28 00:13:15+0000\n" +"X-POT-Import-Date: 2010-10-30 09:48:40+0000\n" #. TRANS: Page title for Access admin panel that allows configuring site access. #. TRANS: Menu item for site administration @@ -121,6 +121,7 @@ msgstr "چنین صفحه‌ای وجود ندارد." #. TRANS: Client error displayed when requesting most recent dents by user and friends for a non-existing user. #. TRANS: Client error displayed when requesting most recent mentions for a non-existing user. #. TRANS: Client error displayed requesting most recent notices for a non-existing user. +#. TRANS: Client error displayed trying to get an avatar for a non-existing user. #. TRANS: Error text shown when trying to send a direct message to a user that does not exist. #: actions/all.php:80 actions/apiaccountupdatedeliverydevice.php:110 #: actions/apiaccountupdateprofile.php:103 @@ -133,7 +134,7 @@ msgstr "چنین صفحه‌ای وجود ندارد." #: actions/apistatusesupdate.php:230 actions/apisubscriptions.php:85 #: actions/apitimelinefavorites.php:70 actions/apitimelinefriends.php:173 #: actions/apitimelinehome.php:78 actions/apitimelinementions.php:77 -#: actions/apitimelineuser.php:79 actions/avatarbynickname.php:75 +#: actions/apitimelineuser.php:79 actions/avatarbynickname.php:79 #: 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 @@ -310,11 +311,12 @@ msgstr "نمی‌توان کاربر را به‌هنگام‌سازی کرد." #. TRANS: Client error displayed a user has no profile updating profile colours. #. TRANS: Client error displayed if a user profile could not be found updating a profile image. #. TRANS: Client error displayed when requesting user information for a user without a profile. +#. TRANS: Client error displayed trying to get an avatar for a user without a profile. #: actions/apiaccountupdateprofile.php:111 #: actions/apiaccountupdateprofilebackgroundimage.php:199 #: actions/apiaccountupdateprofilecolors.php:183 #: actions/apiaccountupdateprofileimage.php:130 actions/apiusershow.php:108 -#: actions/avatarbynickname.php:80 actions/foaf.php:65 actions/hcard.php:74 +#: actions/avatarbynickname.php:85 actions/foaf.php:65 actions/hcard.php:74 #: actions/replies.php:80 actions/usergroups.php:100 lib/galleryaction.php:66 #: lib/profileaction.php:84 msgid "User has no profile." @@ -329,7 +331,7 @@ msgstr "نمی‌توان نمایه را ذخیره کرد." #. TRANS: %s is the number of bytes of the CONTENT_LENGTH. #: actions/apiaccountupdateprofilebackgroundimage.php:108 #: actions/apiaccountupdateprofileimage.php:95 actions/apimediaupload.php:81 -#: actions/apistatusesupdate.php:210 actions/avatarsettings.php:259 +#: actions/apistatusesupdate.php:210 actions/avatarsettings.php:269 #: actions/designadminpanel.php:125 actions/editapplication.php:121 #: actions/newapplication.php:104 actions/newnotice.php:95 #, fuzzy, php-format @@ -501,43 +503,53 @@ msgstr "نمی‌توان کاربر منبع را تعیین کرد." msgid "Could not find target user." msgstr "نمی‌توان کاربر هدف را پیدا کرد." +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. #. TRANS: Validation error in form for profile settings. -#: actions/apigroupcreate.php:165 actions/editgroup.php:186 -#: actions/newgroup.php:126 actions/profilesettings.php:243 +#: actions/apigroupcreate.php:165 actions/editgroup.php:191 +#: actions/newgroup.php:127 actions/profilesettings.php:243 #: actions/register.php:212 msgid "Nickname must have only lowercase letters and numbers and no spaces." msgstr "لقب باید شامل حروف کوچک و اعداد و بدون فاصله باشد." #. TRANS: Client error trying to create a group with a nickname this is already in use. +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. #. TRANS: Validation error in form for profile settings. -#: actions/apigroupcreate.php:175 actions/editgroup.php:190 -#: actions/newgroup.php:130 actions/profilesettings.php:277 +#: actions/apigroupcreate.php:175 actions/editgroup.php:196 +#: actions/newgroup.php:132 actions/profilesettings.php:277 #: actions/register.php:215 msgid "Nickname already in use. Try another one." msgstr "این لقب در حال حاضر ثبت شده است. لطفا یکی دیگر انتخاب کنید." #. TRANS: Client error in form for group creation. +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. #. TRANS: Validation error in form for profile settings. -#: actions/apigroupcreate.php:183 actions/editgroup.php:193 -#: actions/newgroup.php:133 actions/profilesettings.php:247 +#: actions/apigroupcreate.php:183 actions/editgroup.php:200 +#: actions/newgroup.php:136 actions/profilesettings.php:247 #: actions/register.php:217 msgid "Not a valid nickname." msgstr "لقب نا معتبر." #. TRANS: Client error in form for group creation. #. TRANS: Validation error shown when providing an invalid homepage URL in the "Edit application" form. +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. #. TRANS: Validation error in form for profile settings. #: actions/apigroupcreate.php:200 actions/editapplication.php:233 -#: actions/editgroup.php:199 actions/newapplication.php:211 -#: actions/newgroup.php:139 actions/profilesettings.php:252 +#: actions/editgroup.php:207 actions/newapplication.php:211 +#: actions/newgroup.php:143 actions/profilesettings.php:252 #: actions/register.php:224 msgid "Homepage is not a valid URL." msgstr "صفحهٔ خانگی یک نشانی معتبر نیست." #. TRANS: Client error in form for group creation. +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. #. TRANS: Validation error in form for profile settings. -#: actions/apigroupcreate.php:210 actions/editgroup.php:202 -#: actions/newgroup.php:142 actions/profilesettings.php:256 +#: actions/apigroupcreate.php:210 actions/editgroup.php:211 +#: actions/newgroup.php:147 actions/profilesettings.php:256 #: actions/register.php:227 #, fuzzy msgid "Full name is too long (maximum 255 characters)." @@ -546,19 +558,22 @@ msgstr "نام کامل خیلی طولانی است (حداکثر ۲۵۵ نوی #. TRANS: Client error shown when providing too long a description during group creation. #. TRANS: %d is the maximum number of allowed characters. #. TRANS: Validation error shown when providing too long a description in the "Edit application" form. +#. TRANS: Group edit form validation error. #. TRANS: Form validation error in New application form. #. TRANS: %d is the maximum number of characters for the description. #: actions/apigroupcreate.php:220 actions/editapplication.php:201 -#: actions/newapplication.php:178 +#: actions/editgroup.php:216 actions/newapplication.php:178 #, fuzzy, php-format msgid "Description is too long (maximum %d character)." msgid_plural "Description is too long (maximum %d characters)." msgstr[0] "توصیف خیلی طولانی است (حداکثر %d نویسه)" #. TRANS: Client error shown when providing too long a location during group creation. +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. #. TRANS: Validation error in form for profile settings. -#: actions/apigroupcreate.php:234 actions/editgroup.php:208 -#: actions/newgroup.php:153 actions/profilesettings.php:269 +#: actions/apigroupcreate.php:234 actions/editgroup.php:223 +#: actions/newgroup.php:159 actions/profilesettings.php:269 #: actions/register.php:236 #, fuzzy msgid "Location is too long (maximum 255 characters)." @@ -566,7 +581,12 @@ msgstr "نام مکان خیلی طولانی است (حداکثر ۲۵۵ نوی #. TRANS: Client error shown when providing too many aliases during group creation. #. TRANS: %d is the maximum number of allowed aliases. -#: actions/apigroupcreate.php:255 actions/newgroup.php:166 +#. TRANS: Group edit form validation error. +#. TRANS: %d is the maximum number of allowed aliases. +#. TRANS: Group create form validation error. +#. TRANS: %d is the maximum number of allowed aliases. +#: actions/apigroupcreate.php:255 actions/editgroup.php:236 +#: actions/newgroup.php:172 #, fuzzy, php-format msgid "Too many aliases! Maximum %d allowed." msgid_plural "Too many aliases! Maximum %d allowed." @@ -581,15 +601,19 @@ msgstr "نام مستعار نامعتبر است: «%s»." #. TRANS: Client error displayed when trying to use an alias during group creation that is already in use. #. TRANS: %s is the alias that is already in use. -#: actions/apigroupcreate.php:291 actions/editgroup.php:232 -#: actions/newgroup.php:181 +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. +#: actions/apigroupcreate.php:291 actions/editgroup.php:253 +#: actions/newgroup.php:189 #, php-format msgid "Alias \"%s\" already in use. Try another one." msgstr "نام‌مستعار «%s» ازپیش گرفته‌شده‌است. یکی دیگر را امتحان کنید." #. TRANS: Client error displayed when trying to use an alias during group creation that is the same as the group's nickname. -#: actions/apigroupcreate.php:305 actions/editgroup.php:238 -#: actions/newgroup.php:187 +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. +#: actions/apigroupcreate.php:305 actions/editgroup.php:260 +#: actions/newgroup.php:196 msgid "Alias can't be the same as nickname." msgstr "نام و نام مستعار شما نمی تواند یکی باشد ." @@ -695,18 +719,18 @@ msgid "Request token already authorized." msgstr "شما شناسایی نشده اید." #. TRANS: Form validation error in API OAuth authorisation because of an invalid session token. -#: actions/apioauthauthorize.php:147 actions/avatarsettings.php:270 +#: actions/apioauthauthorize.php:147 actions/avatarsettings.php:280 #: actions/deletenotice.php:172 actions/disfavor.php:74 #: actions/emailsettings.php:271 actions/favor.php:75 actions/geocode.php:55 #: actions/groupblock.php:66 actions/grouplogo.php:312 -#: actions/groupunblock.php:66 actions/imsettings.php:230 +#: actions/groupunblock.php:65 actions/imsettings.php:230 #: actions/invite.php:59 actions/login.php:137 actions/makeadmin.php:66 #: actions/newmessage.php:135 actions/newnotice.php:105 actions/nudge.php:80 #: actions/oauthappssettings.php:165 actions/oauthconnectionssettings.php:138 #: actions/othersettings.php:145 actions/passwordsettings.php:138 #: actions/profilesettings.php:221 actions/recoverpassword.php:350 #: actions/register.php:172 actions/remotesubscribe.php:77 -#: actions/repeat.php:83 actions/smssettings.php:256 actions/subedit.php:38 +#: actions/repeat.php:83 actions/smssettings.php:256 actions/subedit.php:40 #: actions/subscribe.php:86 actions/tagother.php:166 #: actions/unsubscribe.php:69 actions/userauthorization.php:52 #: lib/designsettings.php:294 @@ -725,12 +749,13 @@ msgid "Database error inserting oauth_token_association." msgstr "هنگام افزودن کاربر برنامهٔ OAuth در پایگاه داده خطایی رخ داد." #. TRANS: Client error given on when invalid data was passed through a form in the OAuth API. +#. TRANS: Unexpected validation error on avatar upload form. #. TRANS: Client error displayed submitting invalid form data for edit application. #. TRANS: Message given submitting a form with an unknown action in e-mail settings. #. TRANS: Message given submitting a form with an unknown action in IM settings. #. TRANS: Client error when submitting a form with unexpected information. #. TRANS: Message given submitting a form with an unknown action in SMS settings. -#: actions/apioauthauthorize.php:294 actions/avatarsettings.php:283 +#: actions/apioauthauthorize.php:294 actions/avatarsettings.php:294 #: actions/designadminpanel.php:104 actions/editapplication.php:144 #: actions/emailsettings.php:290 actions/grouplogo.php:322 #: actions/imsettings.php:245 actions/newapplication.php:125 @@ -787,6 +812,7 @@ msgstr "حساب کاربری" #. TRANS: Field label on OAuth API authorisation form. #. TRANS: Field label in form for profile settings. +#. TRANS: Label for group nickname (dt). Text hidden by default. #: actions/apioauthauthorize.php:459 actions/login.php:252 #: actions/profilesettings.php:110 actions/register.php:433 #: actions/showgroup.php:245 actions/tagother.php:94 @@ -1036,106 +1062,140 @@ msgstr "روش API در دست ساخت." msgid "User not found." msgstr "رابط مورد نظر پیدا نشد." +#. TRANS: Client error displayed trying to get a non-existing attachment. #: actions/attachment.php:73 msgid "No such attachment." msgstr "چنین پیوستی وجود ندارد." -#: actions/avatarbynickname.php:59 actions/blockedfromgroup.php:73 -#: actions/editgroup.php:84 actions/groupdesignsettings.php:84 +#. TRANS: Client error displayed trying to get an avatar without providing a nickname. +#. TRANS: Client error displayed when requesting a list of blocked users for a group without providing a group nickname. +#. TRANS: Client error displayed trying to edit a group while not proving a nickname for the group to edit. +#. TRANS: Client error displayed if no nickname argument was given requesting a group page. +#: actions/avatarbynickname.php:60 actions/blockedfromgroup.php:73 +#: actions/editgroup.php:85 actions/groupdesignsettings.php:84 #: actions/grouplogo.php:86 actions/groupmembers.php:76 #: actions/grouprss.php:91 actions/showgroup.php:121 msgid "No nickname." msgstr "لقبی وجود ندارد." -#: actions/avatarbynickname.php:64 +#. TRANS: Client error displayed trying to get an avatar without providing an avatar size. +#: actions/avatarbynickname.php:66 msgid "No size." msgstr "بدون اندازه." -#: actions/avatarbynickname.php:69 +#. TRANS: Client error displayed trying to get an avatar providing an invalid avatar size. +#: actions/avatarbynickname.php:72 msgid "Invalid size." msgstr "اندازه نادرست است." +#. TRANS: Title for avatar upload page. +#. TRANS: Label for group avatar (dt). Text hidden by default. #. TRANS: Link description in user account settings menu. -#: actions/avatarsettings.php:67 actions/showgroup.php:230 +#: actions/avatarsettings.php:66 actions/showgroup.php:229 #: lib/accountsettingsaction.php:113 msgid "Avatar" msgstr "چهره" +#. TRANS: Instruction for avatar upload page. +#. TRANS: %s is the maximum file size, for example "500b", "10kB" or "2MB". #: actions/avatarsettings.php:78 #, php-format msgid "You can upload your personal avatar. The maximum file size is %s." msgstr "" "شما می‌توانید چهرهٔ شخصی خود را بارگذاری کنید. حداکثر اندازه پرونده %s است." -#: actions/avatarsettings.php:106 actions/avatarsettings.php:185 +#. TRANS: Server error displayed in avatar upload page when no matching profile can be found for a user. +#: actions/avatarsettings.php:108 actions/avatarsettings.php:192 #: actions/grouplogo.php:181 actions/remotesubscribe.php:191 #: actions/userauthorization.php:72 actions/userrss.php:108 msgid "User without matching profile." msgstr "کاربر نمایهٔ تطبیق ندارد." -#: actions/avatarsettings.php:119 actions/avatarsettings.php:197 +#. TRANS: Avatar upload page form legend. +#. TRANS: Avatar upload page crop form legend. +#: actions/avatarsettings.php:122 actions/avatarsettings.php:205 #: actions/grouplogo.php:254 msgid "Avatar settings" msgstr "تنظیمات چهره" -#: actions/avatarsettings.php:127 actions/avatarsettings.php:205 +#. TRANS: Header on avatar upload page for thumbnail of originally uploaded avatar (h2). +#. TRANS: Header on avatar upload crop form for thumbnail of originally uploaded avatar (h2). +#: actions/avatarsettings.php:131 actions/avatarsettings.php:214 #: actions/grouplogo.php:202 actions/grouplogo.php:262 msgid "Original" msgstr "اصلی" -#: actions/avatarsettings.php:142 actions/avatarsettings.php:217 +#. TRANS: Header on avatar upload page for thumbnail of to be used rendition of uploaded avatar (h2). +#. TRANS: Header on avatar upload crop form for thumbnail of to be used rendition of uploaded avatar (h2). +#: actions/avatarsettings.php:147 actions/avatarsettings.php:227 #: actions/grouplogo.php:213 actions/grouplogo.php:274 msgid "Preview" msgstr "پیش‌نمایش" -#: actions/avatarsettings.php:149 actions/showapplication.php:252 -#: lib/deletegroupform.php:121 lib/deleteuserform.php:66 -#: lib/noticelist.php:667 +#. TRANS: Button on avatar upload page to delete current avatar. +#: actions/avatarsettings.php:155 +#, fuzzy +msgctxt "BUTTON" msgid "Delete" msgstr "حذف" -#: actions/avatarsettings.php:166 actions/grouplogo.php:236 +#. TRANS: Button on avatar upload page to upload an avatar. +#: actions/avatarsettings.php:173 +#, fuzzy +msgctxt "BUTTON" msgid "Upload" msgstr "پایین‌گذاری" -#: actions/avatarsettings.php:231 actions/grouplogo.php:289 +#. TRANS: Button on avatar upload crop form to confirm a selected crop as avatar. +#: actions/avatarsettings.php:243 +#, fuzzy +msgctxt "BUTTON" msgid "Crop" msgstr "برش" -#: actions/avatarsettings.php:307 +#. TRANS: Validation error on avatar upload form when no file was uploaded. +#: actions/avatarsettings.php:318 msgid "No file uploaded." msgstr "هیچ پرونده‌ای بارگذاری نشد." -#: actions/avatarsettings.php:334 +#. TRANS: Avatar upload form unstruction after uploading a file. +#: actions/avatarsettings.php:346 msgid "Pick a square area of the image to be your avatar" msgstr "" "یک مربع از عکس خود را انتخاب کنید تا به عنوان تصویر چهرهٔ شما انتخاب شود." -#: actions/avatarsettings.php:349 actions/grouplogo.php:380 +#. TRANS: Server error displayed if an avatar upload went wrong somehow server side. +#: actions/avatarsettings.php:361 actions/grouplogo.php:380 msgid "Lost our file data." msgstr "فایل اطلاعات خود را گم کرده ایم." -#: actions/avatarsettings.php:372 +#: actions/avatarsettings.php:384 msgid "Avatar updated." msgstr "چهره به روز رسانی شد." -#: actions/avatarsettings.php:375 +#. TRANS: Error displayed on the avatar upload page if the avatar could not be updated for an unknown reason. +#: actions/avatarsettings.php:388 msgid "Failed updating avatar." msgstr "به روز رسانی چهره موفقیت آمیر نبود." -#: actions/avatarsettings.php:399 +#. TRANS: Success message for deleting a user avatar. +#: actions/avatarsettings.php:412 msgid "Avatar deleted." msgstr "چهره پاک شد." -#: actions/block.php:69 +#. TRANS: Client error displayed when blocking a user that has already been blocked. +#: actions/block.php:68 msgid "You already blocked that user." msgstr "شما هم اکنون آن کاربر را مسدود کرده اید." -#: actions/block.php:107 actions/block.php:136 actions/groupblock.php:158 +#. TRANS: Title for block user page. +#. TRANS: Legend for block user form. +#: actions/block.php:106 actions/block.php:136 actions/groupblock.php:158 msgid "Block user" msgstr "مسدود کردن کاربر" -#: actions/block.php:138 +#. TRANS: Explanation of consequences when blocking a user on the block user page. +#: actions/block.php:139 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 " @@ -1152,7 +1212,7 @@ msgstr "" #. TRANS: Button label on the delete notice form. #. TRANS: Button label on the delete user form. #. TRANS: Button label on the form to block a user from a group. -#: actions/block.php:153 actions/deleteapplication.php:154 +#: actions/block.php:154 actions/deleteapplication.php:154 #: actions/deletegroup.php:220 actions/deletenotice.php:150 #: actions/deleteuser.php:152 actions/groupblock.php:178 msgctxt "BUTTON" @@ -1161,7 +1221,7 @@ msgstr "خیر" #. TRANS: Submit button title for 'No' when blocking a user. #. TRANS: Submit button title for 'No' when deleting a user. -#: actions/block.php:157 actions/deleteuser.php:156 +#: actions/block.php:158 actions/deleteuser.php:156 msgid "Do not block this user" msgstr "کاربر را مسدود نکن" @@ -1171,7 +1231,7 @@ msgstr "کاربر را مسدود نکن" #. TRANS: Button label on the delete notice form. #. TRANS: Button label on the delete user form. #. TRANS: Button label on the form to block a user from a group. -#: actions/block.php:160 actions/deleteapplication.php:161 +#: actions/block.php:161 actions/deleteapplication.php:161 #: actions/deletegroup.php:227 actions/deletenotice.php:157 #: actions/deleteuser.php:159 actions/groupblock.php:185 msgctxt "BUTTON" @@ -1180,90 +1240,111 @@ msgstr "بله" #. TRANS: Submit button title for 'Yes' when blocking a user. #. TRANS: Description of the form to block a user. -#: actions/block.php:164 lib/blockform.php:79 +#: actions/block.php:165 lib/blockform.php:79 msgid "Block this user" msgstr "کاربر را مسدود کن" -#: actions/block.php:187 +#. TRANS: Server error displayed when blocking a user fails. +#: actions/block.php:189 msgid "Failed to save block information." msgstr "ذخیرهٔ ردیف اطلاعات شکست خورد." +#. TRANS: Client error displayed when requesting a list of blocked users for a non-local group. +#. TRANS: Client error displayed when requesting a list of blocked users for a non-existing group. #. TRANS: Client error when trying to delete a non-local group. #. TRANS: Client error when trying to delete a non-existing group. +#. TRANS: Client error displayed trying to edit a non-existing group. +#. TRANS: Client error displayed when trying to unblock a user from a non-existing group. +#. TRANS: Client error displayed if no remote group with a given name was found requesting group page. +#. TRANS: Client error displayed if no local group with a given name was found requesting group page. #. TRANS: Command exception text shown when a group is requested that does not exist. #. TRANS: Error text shown when trying to leave a group that does not exist. -#: actions/blockedfromgroup.php:80 actions/blockedfromgroup.php:87 +#: actions/blockedfromgroup.php:81 actions/blockedfromgroup.php:89 #: actions/deletegroup.php:87 actions/deletegroup.php:100 -#: actions/editgroup.php:100 actions/foafgroup.php:44 actions/foafgroup.php:62 +#: actions/editgroup.php:102 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/groupunblock.php:88 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:168 +#: actions/showgroup.php:139 actions/showgroup.php:148 lib/command.php:168 #: lib/command.php:380 msgid "No such group." msgstr "چنین گروهی وجود ندارد." -#: actions/blockedfromgroup.php:97 +#. TRANS: Title for first page with list of users blocked from a group. +#. TRANS: %s is a group nickname. +#: actions/blockedfromgroup.php:101 #, php-format msgid "%s blocked profiles" msgstr "%s نمایه‌های مسدود شده" -#: actions/blockedfromgroup.php:100 +#. TRANS: Title for any but the first page with list of users blocked from a group. +#. TRANS: %1$s is a group nickname, %2$d is a page number. +#: actions/blockedfromgroup.php:106 #, php-format msgid "%1$s blocked profiles, page %2$d" msgstr "%1$s نمایه‌های مسدود شده، صفحهٔ %2$d" -#: actions/blockedfromgroup.php:115 +#. TRANS: Instructions for list of users blocked from a group. +#: actions/blockedfromgroup.php:122 msgid "A list of the users blocked from joining this group." msgstr "فهرستی از افراد مسدود شده در پیوستن به این گروه." -#: actions/blockedfromgroup.php:288 +#. TRANS: Form legend for unblocking a user from a group. +#: actions/blockedfromgroup.php:291 msgid "Unblock user from group" msgstr "آزاد کردن کاربر در پیوستن به گروه" -#. TRANS: Title for the form to unblock a user. -#: actions/blockedfromgroup.php:320 lib/unblockform.php:70 +#. TRANS: Button text for unblocking a user from a group. +#: actions/blockedfromgroup.php:323 +#, fuzzy +msgctxt "BUTTON" msgid "Unblock" msgstr "آزاد سازی" +#. TRANS: Tooltip for button for unblocking a user from a group. #. TRANS: Description of the form to unblock a user. -#: actions/blockedfromgroup.php:320 lib/unblockform.php:82 +#: actions/blockedfromgroup.php:327 lib/unblockform.php:78 msgid "Unblock this user" msgstr "آزاد سازی کاربر" #. TRANS: Title for mini-posting window loaded from bookmarklet. +#. TRANS: %s is the StatusNet site name. #: actions/bookmarklet.php:51 #, php-format msgid "Post to %s" msgstr "فرستادن به %s" -#: actions/confirmaddress.php:75 +#. TRANS: Client error displayed when not providing a confirmation code in the contact address confirmation action. +#: actions/confirmaddress.php:74 msgid "No confirmation code." msgstr "بدون کد تصدیق." +#. TRANS: Client error displayed when providing a non-existing confirmation code in the contact address confirmation action. #: actions/confirmaddress.php:80 msgid "Confirmation code not found." msgstr "کد تصدیق پیدا نشد." -#: actions/confirmaddress.php:85 +#. TRANS: Client error displayed when not providing a confirmation code for another user in the contact address confirmation action. +#: actions/confirmaddress.php:86 msgid "That confirmation code is not for you!" msgstr "آن کد تصدیق برای شما نیست!" -#. TRANS: Server error for an unknow address type, which can be 'email', 'jabber', or 'sms'. -#: actions/confirmaddress.php:91 +#. TRANS: Server error for a unknow address type %s, which can be 'email', 'jabber', or 'sms'. +#: actions/confirmaddress.php:92 #, php-format msgid "Unrecognized address type %s." msgstr "نوع نشانی نامشخص است %s." -#. TRANS: Client error for an already confirmed email/jabbel/sms address. -#: actions/confirmaddress.php:96 +#. TRANS: Client error for an already confirmed email/jabber/sms address. +#: actions/confirmaddress.php:97 msgid "That address has already been confirmed." msgstr "آن نشانی در حال حاضر تصدیق شده است." +#. TRANS: Server error displayed when a user update to the database fails in the contact address confirmation action. #. TRANS: Server error thrown on database error updating e-mail preferences. #. TRANS: Server error thrown on database error removing a registered e-mail address. #. TRANS: Server error thrown on database error updating IM preferences. @@ -1271,7 +1352,7 @@ msgstr "آن نشانی در حال حاضر تصدیق شده است." #. TRANS: Server error thrown when user profile settings could not be updated. #. TRANS: Server error thrown on database error updating SMS preferences. #. TRANS: Server error thrown on database error removing a registered SMS phone number. -#: actions/confirmaddress.php:116 actions/emailsettings.php:331 +#: actions/confirmaddress.php:118 actions/emailsettings.php:331 #: actions/emailsettings.php:477 actions/imsettings.php:283 #: actions/imsettings.php:442 actions/othersettings.php:174 #: actions/profilesettings.php:326 actions/smssettings.php:308 @@ -1279,27 +1360,32 @@ msgstr "آن نشانی در حال حاضر تصدیق شده است." msgid "Couldn't update user." msgstr "نمی‌توان کاربر را به روز کرد." -#. TRANS: Server error thrown on database error canceling e-mail address confirmation. -#. TRANS: Server error thrown on database error canceling SMS phone number confirmation. -#: actions/confirmaddress.php:128 actions/emailsettings.php:437 -#: actions/smssettings.php:422 -msgid "Couldn't delete email confirmation." -msgstr "نمی‌توان تصدیق پست الکترونیک را پاک کرد." +#. TRANS: Server error displayed when an address confirmation code deletion from the +#. TRANS: database fails in the contact address confirmation action. +#: actions/confirmaddress.php:132 +#, fuzzy +msgid "Could not delete address confirmation." +msgstr "نمی‌توان تایید پیام‌رسان فوری را پاک کرد." -#: actions/confirmaddress.php:146 +#. TRANS: Title for the contact address confirmation action. +#: actions/confirmaddress.php:150 msgid "Confirm address" msgstr "تایید نشانی" -#: actions/confirmaddress.php:161 +#. TRANS: Success message for the contact address confirmation action. +#. TRANS: %s can be 'email', 'jabber', or 'sms'. +#: actions/confirmaddress.php:166 #, php-format msgid "The address \"%s\" has been confirmed for your account." msgstr "نشانی «%s« برای شما تصدیق شد." -#: actions/conversation.php:99 +#. TRANS: Title for page with a conversion (multiple notices in context). +#: actions/conversation.php:96 msgid "Conversation" msgstr "مکالمه" -#: actions/conversation.php:154 lib/mailbox.php:116 lib/noticelist.php:87 +#. TRANS: Header on conversation page. Hidden by default (h2). +#: actions/conversation.php:149 lib/mailbox.php:116 lib/noticelist.php:87 #: lib/profileaction.php:229 lib/searchgroupnav.php:82 msgid "Notices" msgstr "پیام‌ها" @@ -1410,11 +1496,13 @@ msgstr "این پیام را پاک نکن" msgid "Delete this group" msgstr "حذف این کاربر" +#. TRANS: Client error displayed when trying to unblock a user from a group while not logged in. +#. TRANS: Client error displayed trying a change a subscription while not logged in. #. TRANS: Client error message thrown when trying to access the admin panel while not logged in. #: actions/deletenotice.php:50 actions/disfavor.php:61 actions/favor.php:62 -#: actions/groupblock.php:61 actions/groupunblock.php:61 actions/logout.php:69 +#: actions/groupblock.php:61 actions/groupunblock.php:60 actions/logout.php:69 #: actions/makeadmin.php:61 actions/newmessage.php:87 actions/newnotice.php:88 -#: actions/nudge.php:63 actions/subedit.php:31 actions/subscribe.php:96 +#: actions/nudge.php:63 actions/subedit.php:33 actions/subscribe.php:96 #: actions/tagother.php:33 actions/unsubscribe.php:52 #: lib/adminpanelaction.php:71 lib/profileformaction.php:64 #: lib/settingsaction.php:72 @@ -1722,49 +1810,49 @@ msgstr "نشانی اینترنتی منبع معتبر نیست." msgid "Could not update application." msgstr "نمی‌توان برنامه را به‌هنگام‌سازی کرد." -#: actions/editgroup.php:56 +#. TRANS: Title for form to edit a group. %s is a group nickname. +#: actions/editgroup.php:55 #, php-format msgid "Edit %s group" msgstr "ویرایش گروه %s" +#. TRANS: Client error displayed trying to edit a group while not logged in. +#. TRANS: Client error displayed trying to create a group while not logged in. #: actions/editgroup.php:68 actions/grouplogo.php:70 actions/newgroup.php:65 msgid "You must be logged in to create a group." msgstr "برای ساخت یک گروه، باید وارد شده باشید." -#: actions/editgroup.php:107 actions/editgroup.php:172 +#. TRANS: Client error displayed trying to edit a group while not being a group admin. +#: actions/editgroup.php:110 actions/editgroup.php:176 #: actions/groupdesignsettings.php:107 actions/grouplogo.php:109 msgid "You must be an admin to edit the group." msgstr "برای ویرایش گروه باید یک مدیر باشید." -#: actions/editgroup.php:158 +#. TRANS: Form instructions for group edit form. +#: actions/editgroup.php:161 msgid "Use this form to edit the group." msgstr "از این روش برای ویرایش گروه استفاده کنید." -#: actions/editgroup.php:205 -#, php-format -msgid "Description is too long (max %d chars)." -msgstr "توصیف خیلی طولانی است (حداکثر %d نویسه)" - -#: actions/editgroup.php:219 -#, php-format -msgid "Too many aliases! Maximum %d." -msgstr "نام‌های مستعار بسیار زیاد هستند! حداکثر %d." - -#: actions/editgroup.php:228 actions/newgroup.php:177 +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. +#: actions/editgroup.php:248 actions/newgroup.php:184 #, php-format msgid "Invalid alias: \"%s\"" msgstr "نام‌مستعار غیر مجاز: «%s»" -#: actions/editgroup.php:258 +#. TRANS: Server error displayed when editing a group fails. +#: actions/editgroup.php:281 msgid "Could not update group." msgstr "نمی‌توان گروه را به‌هنگام‌سازی کرد." +#. TRANS: Server error displayed when group aliases could not be added. #. TRANS: Server exception thrown when creating group aliases failed. -#: actions/editgroup.php:264 classes/User_group.php:513 +#: actions/editgroup.php:288 classes/User_group.php:513 msgid "Could not create aliases." msgstr "نمی‌توان نام‌های مستعار را ساخت." -#: actions/editgroup.php:280 +#. TRANS: Group edit form success message. +#: actions/editgroup.php:305 msgid "Options saved." msgstr "گزینه‌ها ذخیره شدند." @@ -1958,6 +2046,12 @@ msgstr "هیچ تاییدی برای فسخ کردن وجود ندارد." msgid "That is the wrong email address." msgstr "این نشانی پست الکترونیکی نادرست است." +#. TRANS: Server error thrown on database error canceling e-mail address confirmation. +#. TRANS: Server error thrown on database error canceling SMS phone number confirmation. +#: actions/emailsettings.php:437 actions/smssettings.php:422 +msgid "Couldn't delete email confirmation." +msgstr "نمی‌توان تصدیق پست الکترونیک را پاک کرد." + #. TRANS: Message given after successfully canceling e-mail address confirmation. #: actions/emailsettings.php:442 msgid "Email confirmation cancelled." @@ -2138,19 +2232,23 @@ msgstr "شما نمی‌توانید در این وب‌گاه نقش‌های msgid "User already has this role." msgstr "کاربر از قبل این وظیفه را داشته است." +#. TRANS: Client error displayed when trying to unblock a user from a group without providing a profile. +#. TRANS: Client error displayed trying a change a subscription without providing a profile. #: actions/groupblock.php:71 actions/groupunblock.php:71 -#: actions/makeadmin.php:71 actions/subedit.php:46 +#: actions/makeadmin.php:71 actions/subedit.php:49 #: lib/profileformaction.php:79 msgid "No profile specified." msgstr "نمایه‌ای مشخص نشده است." -#: actions/groupblock.php:76 actions/groupunblock.php:76 -#: actions/makeadmin.php:76 actions/subedit.php:53 actions/tagother.php:46 +#. TRANS: Client error displayed when trying to unblock a user from a group without providing an existing profile. +#. TRANS: Client error displayed trying a change a subscription for a non-existant profile ID. +#: actions/groupblock.php:76 actions/groupunblock.php:77 +#: actions/makeadmin.php:76 actions/subedit.php:57 actions/tagother.php:46 #: actions/unsubscribe.php:84 lib/profileformaction.php:86 msgid "No profile with that ID." msgstr "کاربری با چنین شناسه‌ای وجود ندارد." -#: actions/groupblock.php:81 actions/groupunblock.php:81 +#: actions/groupblock.php:81 actions/groupunblock.php:82 #: actions/makeadmin.php:81 msgid "No group specified." msgstr "گروهی مشخص نشده است." @@ -2233,6 +2331,14 @@ msgid "" "You can upload a logo image for your group. The maximum file size is %s." msgstr "شما می‌توانید یک نشان برای گروه خود با بیشینه حجم %s بفرستید." +#: actions/grouplogo.php:236 +msgid "Upload" +msgstr "پایین‌گذاری" + +#: actions/grouplogo.php:289 +msgid "Crop" +msgstr "برش" + #: actions/grouplogo.php:365 msgid "Pick a square area of the image to be the logo." msgstr "یک ناحیه‌ی مربع از تصویر را انتخاب کنید تا به عنوان نشان انتخاب شود." @@ -2375,15 +2481,18 @@ msgstr "" "چرا [ثبت نام](%%action.register%%) نمی‌کنید و گروه را خود [ایجاد](%%action." "newgroup%%) نمی‌کنید!" -#: actions/groupunblock.php:91 +#. TRANS: Client error displayed when trying to unblock a user from a group without being an administrator for the group. +#: actions/groupunblock.php:94 msgid "Only an admin can unblock group members." msgstr "تنها یک مدیر توانایی برداشتن منع کاربران گروه را دارد." -#: actions/groupunblock.php:95 +#. TRANS: Client error displayed when trying to unblock a non-blocked user from a group. +#: actions/groupunblock.php:99 msgid "User is not blocked from group." msgstr "کاربر از گروه منع نشده است." -#: actions/groupunblock.php:128 actions/unblock.php:86 +#. TRANS: Server error displayed when unblocking a user from a group fails because of an unknown error. +#: actions/groupunblock.php:131 actions/unblock.php:86 msgid "Error removing the block." msgstr "اشکال در پاکسازی" @@ -2966,10 +3075,12 @@ msgstr "نام سازمان خیلی طولانی است (حداکثر ۲۵۵ ن msgid "Could not create application." msgstr "نمی‌توان برنامه را ساخت." +#. TRANS: Title for form to create a group. #: actions/newgroup.php:53 msgid "New group" msgstr "گروه جدید" +#. TRANS: Form instructions for group create form. #: actions/newgroup.php:110 msgid "Use this form to create a new group." msgstr "از این فرم برای ساختن یک گروه جدید استفاده کنید" @@ -3672,8 +3783,9 @@ msgid "1-64 lowercase letters or numbers, no punctuation or spaces." msgstr "۱-۶۴ کاراکتر کوچک یا اعداد، بدون نقطه گذاری یا فاصله" #. TRANS: Field label in form for profile settings. +#. TRANS: Label for full group name (dt). Text hidden by default. #: actions/profilesettings.php:117 actions/register.php:457 -#: actions/showgroup.php:256 actions/tagother.php:104 +#: actions/showgroup.php:257 actions/tagother.php:104 #: lib/groupeditform.php:157 lib/userprofile.php:150 msgid "Full name" msgstr "نام‌کامل" @@ -3712,8 +3824,9 @@ msgid "Bio" msgstr "شرح‌حال" #. TRANS: Field label in form for profile settings. +#. TRANS: Label for group location (dt). Text hidden by default. #: actions/profilesettings.php:149 actions/register.php:485 -#: actions/showgroup.php:265 actions/tagother.php:112 +#: actions/showgroup.php:267 actions/tagother.php:112 #: actions/userauthorization.php:166 lib/groupeditform.php:177 #: lib/userprofile.php:165 msgid "Location" @@ -4430,7 +4543,8 @@ msgstr "سازمان" msgid "Description" msgstr "توصیف" -#: actions/showapplication.php:192 actions/showgroup.php:442 +#. TRANS: Header for group statistics on a group page (h2). +#: actions/showapplication.php:192 actions/showgroup.php:453 #: lib/profileaction.php:187 msgid "Statistics" msgstr "آمار" @@ -4448,6 +4562,11 @@ msgstr "اعمال برنامه" msgid "Reset key & secret" msgstr "" +#: actions/showapplication.php:252 lib/deletegroupform.php:121 +#: lib/deleteuserform.php:66 lib/noticelist.php:667 +msgid "Delete" +msgstr "حذف" + #: actions/showapplication.php:261 msgid "Application info" msgstr "اطلاعات برنامه" @@ -4540,77 +4659,106 @@ msgstr "" msgid "This is a way to share what you like." msgstr "این یک راه است برای به اشتراک گذاشتن آنچه که دوست دارید." -#: actions/showgroup.php:82 +#. TRANS: Page title for first group page. %s is a group name. +#: actions/showgroup.php:80 #, php-format msgid "%s group" msgstr "گروه %s" +#. TRANS: Page title for any but first group page. +#. TRANS: %1$s is a group name, $2$s is a page number. #: actions/showgroup.php:84 #, php-format msgid "%1$s group, page %2$d" msgstr "گروه %1$s، صفحهٔ %2$d" -#: actions/showgroup.php:227 +#. TRANS: Group profile header (h2). Text hidden by default. +#: actions/showgroup.php:225 msgid "Group profile" msgstr "نمایهٔ گروه" -#: actions/showgroup.php:272 actions/tagother.php:118 +#. TRANS: Label for group URL (dt). Text hidden by default. +#: actions/showgroup.php:275 actions/tagother.php:118 #: actions/userauthorization.php:175 lib/userprofile.php:178 msgid "URL" msgstr "نشانی اینترنتی" -#: actions/showgroup.php:283 actions/tagother.php:128 +#. TRANS: Label for group description or group note (dt). Text hidden by default. +#: actions/showgroup.php:287 actions/tagother.php:128 #: actions/userauthorization.php:187 lib/userprofile.php:195 msgid "Note" msgstr "یادداشت" -#: actions/showgroup.php:293 lib/groupeditform.php:184 +#. TRANS: Label for group aliases (dt). Text hidden by default. +#: actions/showgroup.php:298 lib/groupeditform.php:184 msgid "Aliases" msgstr "نام های مستعار" -#: actions/showgroup.php:302 +#. TRANS: Group actions header (h2). Text hidden by default. +#: actions/showgroup.php:309 msgid "Group actions" msgstr "اعمال گروه" -#: actions/showgroup.php:344 +#. TRANS: Tooltip for feed link. %s is a group nickname. +#: actions/showgroup.php:350 #, php-format msgid "Notice feed for %s group (RSS 1.0)" msgstr "خوراک پیام برای گروه %s (RSS 1.0)" -#: actions/showgroup.php:350 +#. TRANS: Tooltip for feed link. %s is a group nickname. +#: actions/showgroup.php:357 #, php-format msgid "Notice feed for %s group (RSS 2.0)" msgstr "خوراک پیام برای گروه %s (RSS 2.0)" -#: actions/showgroup.php:356 +#. TRANS: Tooltip for feed link. %s is a group nickname. +#: actions/showgroup.php:364 #, php-format msgid "Notice feed for %s group (Atom)" msgstr "خوراک پیام برای گروه %s (Atom)" -#: actions/showgroup.php:361 +#. TRANS: Tooltip for feed link. %s is a group nickname. +#: actions/showgroup.php:370 #, php-format msgid "FOAF for %s group" msgstr "FOAF برای گروه %s" -#: actions/showgroup.php:399 actions/showgroup.php:451 +#. TRANS: Header for mini list of group members on a group page (h2). +#: actions/showgroup.php:407 msgid "Members" msgstr "اعضا" -#: actions/showgroup.php:404 lib/profileaction.php:117 +#. TRANS: Description for mini list of group members on a group page when the group has no members. +#: actions/showgroup.php:413 lib/profileaction.php:117 #: lib/profileaction.php:152 lib/profileaction.php:255 lib/section.php:95 #: lib/subscriptionlist.php:127 lib/tagcloudsection.php:71 msgid "(None)" msgstr "هیچ" -#: actions/showgroup.php:410 +#. TRANS: Link to all group members from mini list of group members if group has more than n members. +#: actions/showgroup.php:422 msgid "All members" msgstr "همهٔ اعضا" -#: actions/showgroup.php:445 +#. TRANS: Label for creation date in statistics on group page. +#: actions/showgroup.php:458 +#, fuzzy +msgctxt "LABEL" msgid "Created" msgstr "ساخته شد" -#: actions/showgroup.php:461 +#. TRANS: Label for member count in statistics on group page. +#: actions/showgroup.php:466 +#, fuzzy +msgctxt "LABEL" +msgid "Members" +msgstr "اعضا" + +#. TRANS: Notice on group pages for anonymous users for StatusNet sites that accept new registrations. +#. TRANS: **%s** is the group alias, %%%%site.name%%%% is the site name, +#. TRANS: %%%%action.register%%%% is the URL for registration, %%%%doc.help%%%% is a URL to help. +#. TRANS: This message contains Markdown links. Ensure they are formatted correctly: [Description](link). +#: actions/showgroup.php:481 #, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -4626,7 +4774,10 @@ msgstr "" "می‌گذارند. [اکنون بپیوندید ](%%%%action.register%%%%) تا یکی از اعضای این " "گروه و بلکه بیش‌تر بشوید! ([بیش‌تر بخوانید](%%%%doc.help%%%%))" -#: actions/showgroup.php:467 +#. TRANS: Notice on group pages for anonymous users for StatusNet sites that accept no new registrations. +#. TRANS: **%s** is the group alias, %%%%site.name%%%% is the site name, +#. TRANS: This message contains Markdown links. Ensure they are formatted correctly: [Description](link). +#: actions/showgroup.php:491 #, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -4640,24 +4791,31 @@ msgstr "" "است. کاربران آن پیام‌های کوتاهی را دربارهٔ زندگی و علاقه‌مندی‌هایشان به اشتراک " "می‌گذارند. " -#: actions/showgroup.php:495 +#. TRANS: Header for list of group administrators on a group page (h2). +#: actions/showgroup.php:520 msgid "Admins" msgstr "مدیران" -#: actions/showmessage.php:81 +#. TRANS: Client error displayed requesting a single message that does not exist. +#: actions/showmessage.php:79 msgid "No such message." msgstr "چنین پیغامی وجود ندارد." -#: actions/showmessage.php:98 +#. TRANS: Client error displayed requesting a single direct message the requesting user was not a party in. +#: actions/showmessage.php:97 msgid "Only the sender and recipient may read this message." msgstr "تنها فرستنده و گیرنده می‌توانند این پیام را بخوانند." -#: actions/showmessage.php:108 +#. TRANS: Page title for single direct message display when viewing user is the sender. +#. TRANS: %1$s is the addressed user's nickname, $2$s is a timestamp. +#: actions/showmessage.php:110 #, php-format msgid "Message to %1$s on %2$s" msgstr "پیام به %1$s در %2$s" -#: actions/showmessage.php:113 +#. TRANS: Page title for single message display. +#. TRANS: %1$s is the sending user's nickname, $2$s is a timestamp. +#: actions/showmessage.php:118 #, php-format msgid "Message from %1$s on %2$s" msgstr "پیام از %1$s در %2$s" @@ -5102,12 +5260,14 @@ msgstr "تصاویر لحظه‌ای به این نشانی اینترنتی ف msgid "Save snapshot settings" msgstr "ذخیرهٔ تنظیمات تصویر لحظه‌ای" -#: actions/subedit.php:70 +#. TRANS: Client error displayed trying a change a subscription for a non-subscribed profile. +#: actions/subedit.php:75 msgid "You are not subscribed to that profile." msgstr "شما مشترک آن نمایه نیستید." +#. TRANS: Server error displayed when updating a subscription fails with a database error. #. TRANS: Exception thrown when a subscription could not be stored on the server. -#: actions/subedit.php:83 classes/Subscription.php:136 +#: actions/subedit.php:89 classes/Subscription.php:136 msgid "Could not save subscription." msgstr "نمی‌توان اشتراک را ذخیره کرد." @@ -5914,12 +6074,12 @@ msgid "Welcome to %1$s, @%2$s!" msgstr "@%2$s، به %1$s خوش آمدید!" #. TRANS: Server exception. -#: classes/User.php:902 +#: classes/User.php:912 msgid "No single user defined for single-user mode." msgstr "هیچ کاربر تنهایی برای حالت تک کاربره مشخص نشده است." #. TRANS: Server exception. -#: classes/User.php:906 +#: classes/User.php:916 msgid "Single-user mode code called when not enabled." msgstr "" @@ -7086,7 +7246,8 @@ msgstr "مؤلف" msgid "FOAF" msgstr "" -#: lib/feedlist.php:65 +#. TRANS: Header for feed links (h2). +#: lib/feedlist.php:66 msgid "Feeds" msgstr "" @@ -7244,40 +7405,55 @@ msgstr "این صفحه در نوع رسانه‌ای که پذیرفته‌ای msgid "Unsupported image file format." msgstr "فرمت(فایل) عکس پشتیبانی نشده." -#: lib/imagefile.php:88 +#. TRANS: Exception thrown when too large a file is uploaded. +#. TRANS: %s is the maximum file size, for example "500b", "10kB" or "2MB". +#: lib/imagefile.php:90 #, php-format msgid "That file is too big. The maximum file size is %s." msgstr "این پرونده خیلی بزرگ است. بیشینهٔ اندازهٔ پرونده %s است." -#: lib/imagefile.php:93 +#: lib/imagefile.php:95 #, fuzzy msgid "Partial upload." msgstr "هیچ پرونده‌ای بارگذاری نشد." #. TRANS: Client exception thrown when a file upload operation has failed with an unknown reason. -#: lib/imagefile.php:101 lib/mediafile.php:179 +#: lib/imagefile.php:103 lib/mediafile.php:179 msgid "System error uploading file." msgstr "هنگام بارگذاری پرونده خطای سیستمی رخ داد." -#: lib/imagefile.php:109 +#: lib/imagefile.php:111 msgid "Not an image or corrupt file." msgstr "تصویر یا فایل خرابی نیست" -#: lib/imagefile.php:122 +#: lib/imagefile.php:124 msgid "Lost our file." msgstr "فایلمان گم شده" -#: lib/imagefile.php:163 lib/imagefile.php:224 +#: lib/imagefile.php:165 lib/imagefile.php:226 msgid "Unknown file type" msgstr "نوع فایل پشتیبانی نشده" -#: lib/imagefile.php:244 -msgid "MB" -msgstr "مگابایت" +#. TRANS: Number of megabytes. %d is the number. +#: lib/imagefile.php:248 +#, fuzzy, php-format +msgid "%dMB" +msgid_plural "%dMB" +msgstr[0] "مگابایت" -#: lib/imagefile.php:246 -msgid "kB" -msgstr "کیلوبایت" +#. TRANS: Number of kilobytes. %d is the number. +#: lib/imagefile.php:252 +#, fuzzy, php-format +msgid "%dkB" +msgid_plural "%dkB" +msgstr[0] "کیلوبایت" + +#. TRANS: Number of bytes. %d is the number. +#: lib/imagefile.php:255 +#, php-format +msgid "%dB" +msgid_plural "%dB" +msgstr[0] "" #: lib/jabber.php:387 #, php-format @@ -8170,6 +8346,13 @@ msgstr "خطا هنگام به‌هنگام‌سازی نمایهٔ از راه msgid "Top posters" msgstr "اعلان های بالا" +#. TRANS: Title for the form to unblock a user. +#: lib/unblockform.php:67 +#, fuzzy +msgctxt "TITLE" +msgid "Unblock" +msgstr "آزاد سازی" + #: lib/unsandboxform.php:69 msgid "Unsandbox" msgstr "" @@ -8348,3 +8531,9 @@ msgstr "هیچ شناسهٔ کاربری مشخص نشده است." #, php-format msgid "%d entries in backup." msgstr "" + +#~ msgid "Description is too long (max %d chars)." +#~ msgstr "توصیف خیلی طولانی است (حداکثر %d نویسه)" + +#~ msgid "Too many aliases! Maximum %d." +#~ msgstr "نام‌های مستعار بسیار زیاد هستند! حداکثر %d." diff --git a/locale/fi/LC_MESSAGES/statusnet.po b/locale/fi/LC_MESSAGES/statusnet.po index adf3205e7e..cd6c5c2358 100644 --- a/locale/fi/LC_MESSAGES/statusnet.po +++ b/locale/fi/LC_MESSAGES/statusnet.po @@ -14,17 +14,17 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet - Core\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-10-27 23:43+0000\n" -"PO-Revision-Date: 2010-10-28 23:08:58+0000\n" +"POT-Creation-Date: 2010-10-30 23:18+0000\n" +"PO-Revision-Date: 2010-10-30 23:20:13+0000\n" "Language-Team: Finnish \n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r75629); Translate extension (2010-09-17)\n" +"X-Generator: MediaWiki 1.17alpha (r75708); Translate extension (2010-09-17)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: fi\n" "X-Message-Group: #out-statusnet-core\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-POT-Import-Date: 2010-10-28 00:13:15+0000\n" +"X-POT-Import-Date: 2010-10-30 09:48:40+0000\n" #. TRANS: Page title for Access admin panel that allows configuring site access. #. TRANS: Menu item for site administration @@ -126,6 +126,7 @@ msgstr "Sivua ei ole." #. TRANS: Client error displayed when requesting most recent dents by user and friends for a non-existing user. #. TRANS: Client error displayed when requesting most recent mentions for a non-existing user. #. TRANS: Client error displayed requesting most recent notices for a non-existing user. +#. TRANS: Client error displayed trying to get an avatar for a non-existing user. #. TRANS: Error text shown when trying to send a direct message to a user that does not exist. #: actions/all.php:80 actions/apiaccountupdatedeliverydevice.php:110 #: actions/apiaccountupdateprofile.php:103 @@ -138,7 +139,7 @@ msgstr "Sivua ei ole." #: actions/apistatusesupdate.php:230 actions/apisubscriptions.php:85 #: actions/apitimelinefavorites.php:70 actions/apitimelinefriends.php:173 #: actions/apitimelinehome.php:78 actions/apitimelinementions.php:77 -#: actions/apitimelineuser.php:79 actions/avatarbynickname.php:75 +#: actions/apitimelineuser.php:79 actions/avatarbynickname.php:79 #: 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 @@ -314,11 +315,12 @@ msgstr "Käyttäjän päivitys epäonnistui." #. TRANS: Client error displayed a user has no profile updating profile colours. #. TRANS: Client error displayed if a user profile could not be found updating a profile image. #. TRANS: Client error displayed when requesting user information for a user without a profile. +#. TRANS: Client error displayed trying to get an avatar for a user without a profile. #: actions/apiaccountupdateprofile.php:111 #: actions/apiaccountupdateprofilebackgroundimage.php:199 #: actions/apiaccountupdateprofilecolors.php:183 #: actions/apiaccountupdateprofileimage.php:130 actions/apiusershow.php:108 -#: actions/avatarbynickname.php:80 actions/foaf.php:65 actions/hcard.php:74 +#: actions/avatarbynickname.php:85 actions/foaf.php:65 actions/hcard.php:74 #: actions/replies.php:80 actions/usergroups.php:100 lib/galleryaction.php:66 #: lib/profileaction.php:84 msgid "User has no profile." @@ -333,7 +335,7 @@ msgstr "Profiilin tallennus epäonnistui." #. TRANS: %s is the number of bytes of the CONTENT_LENGTH. #: actions/apiaccountupdateprofilebackgroundimage.php:108 #: actions/apiaccountupdateprofileimage.php:95 actions/apimediaupload.php:81 -#: actions/apistatusesupdate.php:210 actions/avatarsettings.php:259 +#: actions/apistatusesupdate.php:210 actions/avatarsettings.php:269 #: actions/designadminpanel.php:125 actions/editapplication.php:121 #: actions/newapplication.php:104 actions/newnotice.php:95 #, php-format @@ -511,9 +513,11 @@ msgstr "Ei voitu päivittää käyttäjää." msgid "Could not find target user." msgstr "Ei voitu päivittää käyttäjää." +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. #. TRANS: Validation error in form for profile settings. -#: actions/apigroupcreate.php:165 actions/editgroup.php:186 -#: actions/newgroup.php:126 actions/profilesettings.php:243 +#: actions/apigroupcreate.php:165 actions/editgroup.php:191 +#: actions/newgroup.php:127 actions/profilesettings.php:243 #: actions/register.php:212 msgid "Nickname must have only lowercase letters and numbers and no spaces." msgstr "" @@ -521,35 +525,43 @@ msgstr "" "välilyöntiä." #. TRANS: Client error trying to create a group with a nickname this is already in use. +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. #. TRANS: Validation error in form for profile settings. -#: actions/apigroupcreate.php:175 actions/editgroup.php:190 -#: actions/newgroup.php:130 actions/profilesettings.php:277 +#: actions/apigroupcreate.php:175 actions/editgroup.php:196 +#: actions/newgroup.php:132 actions/profilesettings.php:277 #: actions/register.php:215 msgid "Nickname already in use. Try another one." msgstr "Tunnus on jo käytössä. Yritä toista tunnusta." #. TRANS: Client error in form for group creation. +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. #. TRANS: Validation error in form for profile settings. -#: actions/apigroupcreate.php:183 actions/editgroup.php:193 -#: actions/newgroup.php:133 actions/profilesettings.php:247 +#: actions/apigroupcreate.php:183 actions/editgroup.php:200 +#: actions/newgroup.php:136 actions/profilesettings.php:247 #: actions/register.php:217 msgid "Not a valid nickname." msgstr "Tuo ei ole kelvollinen tunnus." #. TRANS: Client error in form for group creation. #. TRANS: Validation error shown when providing an invalid homepage URL in the "Edit application" form. +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. #. TRANS: Validation error in form for profile settings. #: actions/apigroupcreate.php:200 actions/editapplication.php:233 -#: actions/editgroup.php:199 actions/newapplication.php:211 -#: actions/newgroup.php:139 actions/profilesettings.php:252 +#: actions/editgroup.php:207 actions/newapplication.php:211 +#: actions/newgroup.php:143 actions/profilesettings.php:252 #: actions/register.php:224 msgid "Homepage is not a valid URL." msgstr "Kotisivun verkko-osoite ei ole toimiva." #. TRANS: Client error in form for group creation. +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. #. TRANS: Validation error in form for profile settings. -#: actions/apigroupcreate.php:210 actions/editgroup.php:202 -#: actions/newgroup.php:142 actions/profilesettings.php:256 +#: actions/apigroupcreate.php:210 actions/editgroup.php:211 +#: actions/newgroup.php:147 actions/profilesettings.php:256 #: actions/register.php:227 #, fuzzy msgid "Full name is too long (maximum 255 characters)." @@ -558,10 +570,11 @@ msgstr "Koko nimi on liian pitkä (max 255 merkkiä)." #. TRANS: Client error shown when providing too long a description during group creation. #. TRANS: %d is the maximum number of allowed characters. #. TRANS: Validation error shown when providing too long a description in the "Edit application" form. +#. TRANS: Group edit form validation error. #. TRANS: Form validation error in New application form. #. TRANS: %d is the maximum number of characters for the description. #: actions/apigroupcreate.php:220 actions/editapplication.php:201 -#: actions/newapplication.php:178 +#: actions/editgroup.php:216 actions/newapplication.php:178 #, fuzzy, php-format msgid "Description is too long (maximum %d character)." msgid_plural "Description is too long (maximum %d characters)." @@ -569,9 +582,11 @@ msgstr[0] "kuvaus on liian pitkä (max %d merkkiä)." msgstr[1] "kuvaus on liian pitkä (max %d merkkiä)." #. TRANS: Client error shown when providing too long a location during group creation. +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. #. TRANS: Validation error in form for profile settings. -#: actions/apigroupcreate.php:234 actions/editgroup.php:208 -#: actions/newgroup.php:153 actions/profilesettings.php:269 +#: actions/apigroupcreate.php:234 actions/editgroup.php:223 +#: actions/newgroup.php:159 actions/profilesettings.php:269 #: actions/register.php:236 #, fuzzy msgid "Location is too long (maximum 255 characters)." @@ -579,7 +594,12 @@ msgstr "Kotipaikka on liian pitkä (max 255 merkkiä)." #. TRANS: Client error shown when providing too many aliases during group creation. #. TRANS: %d is the maximum number of allowed aliases. -#: actions/apigroupcreate.php:255 actions/newgroup.php:166 +#. TRANS: Group edit form validation error. +#. TRANS: %d is the maximum number of allowed aliases. +#. TRANS: Group create form validation error. +#. TRANS: %d is the maximum number of allowed aliases. +#: actions/apigroupcreate.php:255 actions/editgroup.php:236 +#: actions/newgroup.php:172 #, fuzzy, php-format msgid "Too many aliases! Maximum %d allowed." msgid_plural "Too many aliases! Maximum %d allowed." @@ -595,15 +615,19 @@ msgstr "Virheellinen alias: \"%s\"" #. TRANS: Client error displayed when trying to use an alias during group creation that is already in use. #. TRANS: %s is the alias that is already in use. -#: actions/apigroupcreate.php:291 actions/editgroup.php:232 -#: actions/newgroup.php:181 +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. +#: actions/apigroupcreate.php:291 actions/editgroup.php:253 +#: actions/newgroup.php:189 #, php-format msgid "Alias \"%s\" already in use. Try another one." msgstr "Alias \"%s\" on jo käytössä. Yritä toista aliasta." #. TRANS: Client error displayed when trying to use an alias during group creation that is the same as the group's nickname. -#: actions/apigroupcreate.php:305 actions/editgroup.php:238 -#: actions/newgroup.php:187 +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. +#: actions/apigroupcreate.php:305 actions/editgroup.php:260 +#: actions/newgroup.php:196 msgid "Alias can't be the same as nickname." msgstr "Alias ei voi olla sama kuin ryhmätunnus." @@ -709,18 +733,18 @@ msgid "Request token already authorized." msgstr "Sinulla ei ole valtuutusta tähän." #. TRANS: Form validation error in API OAuth authorisation because of an invalid session token. -#: actions/apioauthauthorize.php:147 actions/avatarsettings.php:270 +#: actions/apioauthauthorize.php:147 actions/avatarsettings.php:280 #: actions/deletenotice.php:172 actions/disfavor.php:74 #: actions/emailsettings.php:271 actions/favor.php:75 actions/geocode.php:55 #: actions/groupblock.php:66 actions/grouplogo.php:312 -#: actions/groupunblock.php:66 actions/imsettings.php:230 +#: actions/groupunblock.php:65 actions/imsettings.php:230 #: actions/invite.php:59 actions/login.php:137 actions/makeadmin.php:66 #: actions/newmessage.php:135 actions/newnotice.php:105 actions/nudge.php:80 #: actions/oauthappssettings.php:165 actions/oauthconnectionssettings.php:138 #: actions/othersettings.php:145 actions/passwordsettings.php:138 #: actions/profilesettings.php:221 actions/recoverpassword.php:350 #: actions/register.php:172 actions/remotesubscribe.php:77 -#: actions/repeat.php:83 actions/smssettings.php:256 actions/subedit.php:38 +#: actions/repeat.php:83 actions/smssettings.php:256 actions/subedit.php:40 #: actions/subscribe.php:86 actions/tagother.php:166 #: actions/unsubscribe.php:69 actions/userauthorization.php:52 #: lib/designsettings.php:294 @@ -742,12 +766,13 @@ msgid "Database error inserting oauth_token_association." msgstr "Tietokantavirhe tallennettaessa risutagiä: %s" #. TRANS: Client error given on when invalid data was passed through a form in the OAuth API. +#. TRANS: Unexpected validation error on avatar upload form. #. TRANS: Client error displayed submitting invalid form data for edit application. #. TRANS: Message given submitting a form with an unknown action in e-mail settings. #. TRANS: Message given submitting a form with an unknown action in IM settings. #. TRANS: Client error when submitting a form with unexpected information. #. TRANS: Message given submitting a form with an unknown action in SMS settings. -#: actions/apioauthauthorize.php:294 actions/avatarsettings.php:283 +#: actions/apioauthauthorize.php:294 actions/avatarsettings.php:294 #: actions/designadminpanel.php:104 actions/editapplication.php:144 #: actions/emailsettings.php:290 actions/grouplogo.php:322 #: actions/imsettings.php:245 actions/newapplication.php:125 @@ -796,6 +821,7 @@ msgstr "Käyttäjätili" #. TRANS: Field label on OAuth API authorisation form. #. TRANS: Field label in form for profile settings. +#. TRANS: Label for group nickname (dt). Text hidden by default. #: actions/apioauthauthorize.php:459 actions/login.php:252 #: actions/profilesettings.php:110 actions/register.php:433 #: actions/showgroup.php:245 actions/tagother.php:94 @@ -1048,105 +1074,139 @@ msgstr "API-metodi on työn alla!" msgid "User not found." msgstr "API-metodia ei löytynyt." +#. TRANS: Client error displayed trying to get a non-existing attachment. #: actions/attachment.php:73 msgid "No such attachment." msgstr "Liitettä ei ole." -#: actions/avatarbynickname.php:59 actions/blockedfromgroup.php:73 -#: actions/editgroup.php:84 actions/groupdesignsettings.php:84 +#. TRANS: Client error displayed trying to get an avatar without providing a nickname. +#. TRANS: Client error displayed when requesting a list of blocked users for a group without providing a group nickname. +#. TRANS: Client error displayed trying to edit a group while not proving a nickname for the group to edit. +#. TRANS: Client error displayed if no nickname argument was given requesting a group page. +#: actions/avatarbynickname.php:60 actions/blockedfromgroup.php:73 +#: actions/editgroup.php:85 actions/groupdesignsettings.php:84 #: actions/grouplogo.php:86 actions/groupmembers.php:76 #: actions/grouprss.php:91 actions/showgroup.php:121 msgid "No nickname." msgstr "Tunnusta ei ole." -#: actions/avatarbynickname.php:64 +#. TRANS: Client error displayed trying to get an avatar without providing an avatar size. +#: actions/avatarbynickname.php:66 msgid "No size." msgstr "Kokoa ei ole." -#: actions/avatarbynickname.php:69 +#. TRANS: Client error displayed trying to get an avatar providing an invalid avatar size. +#: actions/avatarbynickname.php:72 msgid "Invalid size." msgstr "Koko ei kelpaa." +#. TRANS: Title for avatar upload page. +#. TRANS: Label for group avatar (dt). Text hidden by default. #. TRANS: Link description in user account settings menu. -#: actions/avatarsettings.php:67 actions/showgroup.php:230 +#: actions/avatarsettings.php:66 actions/showgroup.php:229 #: lib/accountsettingsaction.php:113 msgid "Avatar" msgstr "Kuva" +#. TRANS: Instruction for avatar upload page. +#. TRANS: %s is the maximum file size, for example "500b", "10kB" or "2MB". #: actions/avatarsettings.php:78 #, php-format msgid "You can upload your personal avatar. The maximum file size is %s." msgstr "Voit ladata oman profiilikuvasi. Maksimikoko on %s." -#: actions/avatarsettings.php:106 actions/avatarsettings.php:185 +#. TRANS: Server error displayed in avatar upload page when no matching profile can be found for a user. +#: actions/avatarsettings.php:108 actions/avatarsettings.php:192 #: actions/grouplogo.php:181 actions/remotesubscribe.php:191 #: actions/userauthorization.php:72 actions/userrss.php:108 msgid "User without matching profile." msgstr "Käyttäjällä ei ole profiilia." -#: actions/avatarsettings.php:119 actions/avatarsettings.php:197 +#. TRANS: Avatar upload page form legend. +#. TRANS: Avatar upload page crop form legend. +#: actions/avatarsettings.php:122 actions/avatarsettings.php:205 #: actions/grouplogo.php:254 msgid "Avatar settings" msgstr "Profiilikuva-asetukset" -#: actions/avatarsettings.php:127 actions/avatarsettings.php:205 +#. TRANS: Header on avatar upload page for thumbnail of originally uploaded avatar (h2). +#. TRANS: Header on avatar upload crop form for thumbnail of originally uploaded avatar (h2). +#: actions/avatarsettings.php:131 actions/avatarsettings.php:214 #: actions/grouplogo.php:202 actions/grouplogo.php:262 msgid "Original" msgstr "Alkuperäinen" -#: actions/avatarsettings.php:142 actions/avatarsettings.php:217 +#. TRANS: Header on avatar upload page for thumbnail of to be used rendition of uploaded avatar (h2). +#. TRANS: Header on avatar upload crop form for thumbnail of to be used rendition of uploaded avatar (h2). +#: actions/avatarsettings.php:147 actions/avatarsettings.php:227 #: actions/grouplogo.php:213 actions/grouplogo.php:274 msgid "Preview" msgstr "Esikatselu" -#: actions/avatarsettings.php:149 actions/showapplication.php:252 -#: lib/deletegroupform.php:121 lib/deleteuserform.php:66 -#: lib/noticelist.php:667 +#. TRANS: Button on avatar upload page to delete current avatar. +#: actions/avatarsettings.php:155 +#, fuzzy +msgctxt "BUTTON" msgid "Delete" msgstr "Poista" -#: actions/avatarsettings.php:166 actions/grouplogo.php:236 +#. TRANS: Button on avatar upload page to upload an avatar. +#: actions/avatarsettings.php:173 +#, fuzzy +msgctxt "BUTTON" msgid "Upload" msgstr "Lataa" -#: actions/avatarsettings.php:231 actions/grouplogo.php:289 +#. TRANS: Button on avatar upload crop form to confirm a selected crop as avatar. +#: actions/avatarsettings.php:243 +#, fuzzy +msgctxt "BUTTON" msgid "Crop" msgstr "Rajaa" -#: actions/avatarsettings.php:307 +#. TRANS: Validation error on avatar upload form when no file was uploaded. +#: actions/avatarsettings.php:318 #, fuzzy msgid "No file uploaded." msgstr "Profiilia ei ole määritelty." -#: actions/avatarsettings.php:334 +#. TRANS: Avatar upload form unstruction after uploading a file. +#: actions/avatarsettings.php:346 msgid "Pick a square area of the image to be your avatar" msgstr "Valitse neliön muotoinen alue kuvasta profiilikuvaksi" -#: actions/avatarsettings.php:349 actions/grouplogo.php:380 +#. TRANS: Server error displayed if an avatar upload went wrong somehow server side. +#: actions/avatarsettings.php:361 actions/grouplogo.php:380 msgid "Lost our file data." msgstr "Tiedoston data hävisi." -#: actions/avatarsettings.php:372 +#: actions/avatarsettings.php:384 msgid "Avatar updated." msgstr "Kuva päivitetty." -#: actions/avatarsettings.php:375 +#. TRANS: Error displayed on the avatar upload page if the avatar could not be updated for an unknown reason. +#: actions/avatarsettings.php:388 msgid "Failed updating avatar." msgstr "Profiilikuvan päivittäminen epäonnistui." -#: actions/avatarsettings.php:399 +#. TRANS: Success message for deleting a user avatar. +#: actions/avatarsettings.php:412 msgid "Avatar deleted." msgstr "Kuva poistettu." -#: actions/block.php:69 +#. TRANS: Client error displayed when blocking a user that has already been blocked. +#: actions/block.php:68 msgid "You already blocked that user." msgstr "!!FUZZZY!!Olet jos tilannut seuraavien käyttäjien päivitykset:" -#: actions/block.php:107 actions/block.php:136 actions/groupblock.php:158 +#. TRANS: Title for block user page. +#. TRANS: Legend for block user form. +#: actions/block.php:106 actions/block.php:136 actions/groupblock.php:158 msgid "Block user" msgstr "Estä käyttäjä" -#: actions/block.php:138 +#. TRANS: Explanation of consequences when blocking a user on the block user page. +#: actions/block.php:139 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 " @@ -1159,7 +1219,7 @@ msgstr "" #. TRANS: Button label on the delete notice form. #. TRANS: Button label on the delete user form. #. TRANS: Button label on the form to block a user from a group. -#: actions/block.php:153 actions/deleteapplication.php:154 +#: actions/block.php:154 actions/deleteapplication.php:154 #: actions/deletegroup.php:220 actions/deletenotice.php:150 #: actions/deleteuser.php:152 actions/groupblock.php:178 msgctxt "BUTTON" @@ -1168,7 +1228,7 @@ msgstr "Huomaa" #. TRANS: Submit button title for 'No' when blocking a user. #. TRANS: Submit button title for 'No' when deleting a user. -#: actions/block.php:157 actions/deleteuser.php:156 +#: actions/block.php:158 actions/deleteuser.php:156 msgid "Do not block this user" msgstr "Älä estä tätä käyttäjää" @@ -1178,7 +1238,7 @@ msgstr "Älä estä tätä käyttäjää" #. TRANS: Button label on the delete notice form. #. TRANS: Button label on the delete user form. #. TRANS: Button label on the form to block a user from a group. -#: actions/block.php:160 actions/deleteapplication.php:161 +#: actions/block.php:161 actions/deleteapplication.php:161 #: actions/deletegroup.php:227 actions/deletenotice.php:157 #: actions/deleteuser.php:159 actions/groupblock.php:185 #, fuzzy @@ -1188,90 +1248,111 @@ msgstr "Kyllä" #. TRANS: Submit button title for 'Yes' when blocking a user. #. TRANS: Description of the form to block a user. -#: actions/block.php:164 lib/blockform.php:79 +#: actions/block.php:165 lib/blockform.php:79 msgid "Block this user" msgstr "Estä tämä käyttäjä" -#: actions/block.php:187 +#. TRANS: Server error displayed when blocking a user fails. +#: actions/block.php:189 msgid "Failed to save block information." msgstr "Käyttäjän estotiedon tallennus epäonnistui." +#. TRANS: Client error displayed when requesting a list of blocked users for a non-local group. +#. TRANS: Client error displayed when requesting a list of blocked users for a non-existing group. #. TRANS: Client error when trying to delete a non-local group. #. TRANS: Client error when trying to delete a non-existing group. +#. TRANS: Client error displayed trying to edit a non-existing group. +#. TRANS: Client error displayed when trying to unblock a user from a non-existing group. +#. TRANS: Client error displayed if no remote group with a given name was found requesting group page. +#. TRANS: Client error displayed if no local group with a given name was found requesting group page. #. TRANS: Command exception text shown when a group is requested that does not exist. #. TRANS: Error text shown when trying to leave a group that does not exist. -#: actions/blockedfromgroup.php:80 actions/blockedfromgroup.php:87 +#: actions/blockedfromgroup.php:81 actions/blockedfromgroup.php:89 #: actions/deletegroup.php:87 actions/deletegroup.php:100 -#: actions/editgroup.php:100 actions/foafgroup.php:44 actions/foafgroup.php:62 +#: actions/editgroup.php:102 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/groupunblock.php:88 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:168 +#: actions/showgroup.php:139 actions/showgroup.php:148 lib/command.php:168 #: lib/command.php:380 msgid "No such group." msgstr "Tuota ryhmää ei ole." -#: actions/blockedfromgroup.php:97 +#. TRANS: Title for first page with list of users blocked from a group. +#. TRANS: %s is a group nickname. +#: actions/blockedfromgroup.php:101 #, fuzzy, php-format msgid "%s blocked profiles" msgstr "Käyttäjän profiili" -#: actions/blockedfromgroup.php:100 +#. TRANS: Title for any but the first page with list of users blocked from a group. +#. TRANS: %1$s is a group nickname, %2$d is a page number. +#: actions/blockedfromgroup.php:106 #, fuzzy, php-format msgid "%1$s blocked profiles, page %2$d" msgstr "%s ja kaverit, sivu %d" -#: actions/blockedfromgroup.php:115 +#. TRANS: Instructions for list of users blocked from a group. +#: actions/blockedfromgroup.php:122 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:288 +#. TRANS: Form legend for unblocking a user from a group. +#: actions/blockedfromgroup.php:291 msgid "Unblock user from group" msgstr "Poista käyttäjän esto ryhmästä" -#. TRANS: Title for the form to unblock a user. -#: actions/blockedfromgroup.php:320 lib/unblockform.php:70 +#. TRANS: Button text for unblocking a user from a group. +#: actions/blockedfromgroup.php:323 +#, fuzzy +msgctxt "BUTTON" msgid "Unblock" msgstr "Poista esto" +#. TRANS: Tooltip for button for unblocking a user from a group. #. TRANS: Description of the form to unblock a user. -#: actions/blockedfromgroup.php:320 lib/unblockform.php:82 +#: actions/blockedfromgroup.php:327 lib/unblockform.php:78 msgid "Unblock this user" msgstr "Poista esto tältä käyttäjältä" #. TRANS: Title for mini-posting window loaded from bookmarklet. +#. TRANS: %s is the StatusNet site name. #: actions/bookmarklet.php:51 #, php-format msgid "Post to %s" msgstr "Vastaukset käyttäjälle %s" -#: actions/confirmaddress.php:75 +#. TRANS: Client error displayed when not providing a confirmation code in the contact address confirmation action. +#: actions/confirmaddress.php:74 msgid "No confirmation code." msgstr "Varmistuskoodia ei ole annettu." +#. TRANS: Client error displayed when providing a non-existing confirmation code in the contact address confirmation action. #: actions/confirmaddress.php:80 msgid "Confirmation code not found." msgstr "Vahvistuskoodia ei löytynyt." -#: actions/confirmaddress.php:85 +#. TRANS: Client error displayed when not providing a confirmation code for another user in the contact address confirmation action. +#: actions/confirmaddress.php:86 msgid "That confirmation code is not for you!" msgstr "Tämä vahvistuskoodi ei ole sinun!" -#. TRANS: Server error for an unknow address type, which can be 'email', 'jabber', or 'sms'. -#: actions/confirmaddress.php:91 +#. TRANS: Server error for a unknow address type %s, which can be 'email', 'jabber', or 'sms'. +#: actions/confirmaddress.php:92 #, fuzzy, php-format msgid "Unrecognized address type %s." msgstr "Tuntematon osoitetyyppi %s " -#. TRANS: Client error for an already confirmed email/jabbel/sms address. -#: actions/confirmaddress.php:96 +#. TRANS: Client error for an already confirmed email/jabber/sms address. +#: actions/confirmaddress.php:97 msgid "That address has already been confirmed." msgstr "Tämä osoite on jo vahvistettu." +#. TRANS: Server error displayed when a user update to the database fails in the contact address confirmation action. #. TRANS: Server error thrown on database error updating e-mail preferences. #. TRANS: Server error thrown on database error removing a registered e-mail address. #. TRANS: Server error thrown on database error updating IM preferences. @@ -1279,7 +1360,7 @@ msgstr "Tämä osoite on jo vahvistettu." #. TRANS: Server error thrown when user profile settings could not be updated. #. TRANS: Server error thrown on database error updating SMS preferences. #. TRANS: Server error thrown on database error removing a registered SMS phone number. -#: actions/confirmaddress.php:116 actions/emailsettings.php:331 +#: actions/confirmaddress.php:118 actions/emailsettings.php:331 #: actions/emailsettings.php:477 actions/imsettings.php:283 #: actions/imsettings.php:442 actions/othersettings.php:174 #: actions/profilesettings.php:326 actions/smssettings.php:308 @@ -1287,27 +1368,32 @@ msgstr "Tämä osoite on jo vahvistettu." msgid "Couldn't update user." msgstr "Ei voitu päivittää käyttäjää." -#. TRANS: Server error thrown on database error canceling e-mail address confirmation. -#. TRANS: Server error thrown on database error canceling SMS phone number confirmation. -#: actions/confirmaddress.php:128 actions/emailsettings.php:437 -#: actions/smssettings.php:422 -msgid "Couldn't delete email confirmation." +#. TRANS: Server error displayed when an address confirmation code deletion from the +#. TRANS: database fails in the contact address confirmation action. +#: actions/confirmaddress.php:132 +#, fuzzy +msgid "Could not delete address confirmation." msgstr "Ei voitu poistaa sähköpostivahvistusta." -#: actions/confirmaddress.php:146 +#. TRANS: Title for the contact address confirmation action. +#: actions/confirmaddress.php:150 msgid "Confirm address" msgstr "Tämän hetken vahvistettu sähköpostiosoite." -#: actions/confirmaddress.php:161 +#. TRANS: Success message for the contact address confirmation action. +#. TRANS: %s can be 'email', 'jabber', or 'sms'. +#: actions/confirmaddress.php:166 #, php-format msgid "The address \"%s\" has been confirmed for your account." msgstr "Osoite \"%s\" on vahvistettu sinun käyttäjätunnuksellesi." -#: actions/conversation.php:99 +#. TRANS: Title for page with a conversion (multiple notices in context). +#: actions/conversation.php:96 msgid "Conversation" msgstr "Keskustelu" -#: actions/conversation.php:154 lib/mailbox.php:116 lib/noticelist.php:87 +#. TRANS: Header on conversation page. Hidden by default (h2). +#: actions/conversation.php:149 lib/mailbox.php:116 lib/noticelist.php:87 #: lib/profileaction.php:229 lib/searchgroupnav.php:82 msgid "Notices" msgstr "Päivitykset" @@ -1417,11 +1503,13 @@ msgstr "Älä poista tätä päivitystä" msgid "Delete this group" msgstr "Poista käyttäjä" +#. TRANS: Client error displayed when trying to unblock a user from a group while not logged in. +#. TRANS: Client error displayed trying a change a subscription while not logged in. #. TRANS: Client error message thrown when trying to access the admin panel while not logged in. #: actions/deletenotice.php:50 actions/disfavor.php:61 actions/favor.php:62 -#: actions/groupblock.php:61 actions/groupunblock.php:61 actions/logout.php:69 +#: actions/groupblock.php:61 actions/groupunblock.php:60 actions/logout.php:69 #: actions/makeadmin.php:61 actions/newmessage.php:87 actions/newnotice.php:88 -#: actions/nudge.php:63 actions/subedit.php:31 actions/subscribe.php:96 +#: actions/nudge.php:63 actions/subedit.php:33 actions/subscribe.php:96 #: actions/tagother.php:33 actions/unsubscribe.php:52 #: lib/adminpanelaction.php:71 lib/profileformaction.php:64 #: lib/settingsaction.php:72 @@ -1741,50 +1829,50 @@ msgstr "" msgid "Could not update application." msgstr "Ei voitu päivittää ryhmää." -#: actions/editgroup.php:56 +#. TRANS: Title for form to edit a group. %s is a group nickname. +#: actions/editgroup.php:55 #, php-format msgid "Edit %s group" msgstr "Muokkaa ryhmää %s" +#. TRANS: Client error displayed trying to edit a group while not logged in. +#. TRANS: Client error displayed trying to create a group while not logged in. #: actions/editgroup.php:68 actions/grouplogo.php:70 actions/newgroup.php:65 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:107 actions/editgroup.php:172 +#. TRANS: Client error displayed trying to edit a group while not being a group admin. +#: actions/editgroup.php:110 actions/editgroup.php:176 #: actions/groupdesignsettings.php:107 actions/grouplogo.php:109 msgid "You must be an admin to edit the group." msgstr "" "Sinun pitää olla kirjautunut sisään, jotta voit muuttaa ryhmän tietoja." -#: actions/editgroup.php:158 +#. TRANS: Form instructions for group edit form. +#: actions/editgroup.php:161 msgid "Use this form to edit the group." msgstr "Käytä tätä lomaketta muokataksesi ryhmää." -#: actions/editgroup.php:205 -#, php-format -msgid "Description is too long (max %d chars)." -msgstr "kuvaus on liian pitkä (max %d merkkiä)." - -#: actions/editgroup.php:219 -#, php-format -msgid "Too many aliases! Maximum %d." -msgstr "Liikaa aliaksia. Maksimimäärä on %d." - -#: actions/editgroup.php:228 actions/newgroup.php:177 +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. +#: actions/editgroup.php:248 actions/newgroup.php:184 #, php-format msgid "Invalid alias: \"%s\"" msgstr "Virheellinen alias: \"%s\"" -#: actions/editgroup.php:258 +#. TRANS: Server error displayed when editing a group fails. +#: actions/editgroup.php:281 msgid "Could not update group." msgstr "Ei voitu päivittää ryhmää." +#. TRANS: Server error displayed when group aliases could not be added. #. TRANS: Server exception thrown when creating group aliases failed. -#: actions/editgroup.php:264 classes/User_group.php:513 +#: actions/editgroup.php:288 classes/User_group.php:513 msgid "Could not create aliases." msgstr "Ei voitu lisätä aliasta." -#: actions/editgroup.php:280 +#. TRANS: Group edit form success message. +#: actions/editgroup.php:305 msgid "Options saved." msgstr "Asetukset tallennettu." @@ -1984,6 +2072,12 @@ msgstr "Avoimia vahvistuksia ei ole peruutettavana." msgid "That is the wrong email address." msgstr "Tämä on väärä pikaviestiosoite." +#. TRANS: Server error thrown on database error canceling e-mail address confirmation. +#. TRANS: Server error thrown on database error canceling SMS phone number confirmation. +#: actions/emailsettings.php:437 actions/smssettings.php:422 +msgid "Couldn't delete email confirmation." +msgstr "Ei voitu poistaa sähköpostivahvistusta." + #. TRANS: Message given after successfully canceling e-mail address confirmation. #: actions/emailsettings.php:442 msgid "Email confirmation cancelled." @@ -2162,20 +2256,24 @@ msgstr "Päivityksesi tähän palveluun on estetty." msgid "User already has this role." msgstr "Käyttäjällä ei ole profiilia." +#. TRANS: Client error displayed when trying to unblock a user from a group without providing a profile. +#. TRANS: Client error displayed trying a change a subscription without providing a profile. #: actions/groupblock.php:71 actions/groupunblock.php:71 -#: actions/makeadmin.php:71 actions/subedit.php:46 +#: actions/makeadmin.php:71 actions/subedit.php:49 #: lib/profileformaction.php:79 msgid "No profile specified." msgstr "Profiilia ei ole määritelty." -#: actions/groupblock.php:76 actions/groupunblock.php:76 -#: actions/makeadmin.php:76 actions/subedit.php:53 actions/tagother.php:46 +#. TRANS: Client error displayed when trying to unblock a user from a group without providing an existing profile. +#. TRANS: Client error displayed trying a change a subscription for a non-existant profile ID. +#: actions/groupblock.php:76 actions/groupunblock.php:77 +#: actions/makeadmin.php:76 actions/subedit.php:57 actions/tagother.php:46 #: actions/unsubscribe.php:84 lib/profileformaction.php:86 #, fuzzy msgid "No profile with that ID." msgstr "Ei profiilia tuolle ID:lle." -#: actions/groupblock.php:81 actions/groupunblock.php:81 +#: actions/groupblock.php:81 actions/groupunblock.php:82 #: actions/makeadmin.php:81 msgid "No group specified." msgstr "Ryhmää ei ole määritelty." @@ -2258,6 +2356,14 @@ 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:236 +msgid "Upload" +msgstr "Lataa" + +#: actions/grouplogo.php:289 +msgid "Crop" +msgstr "Rajaa" + #: actions/grouplogo.php:365 msgid "Pick a square area of the image to be the logo." msgstr "Valitse neliön muotoinen alue kuvasta logokuvaksi" @@ -2392,15 +2498,18 @@ msgid "" "action.newgroup%%) yourself!" msgstr "" -#: actions/groupunblock.php:91 +#. TRANS: Client error displayed when trying to unblock a user from a group without being an administrator for the group. +#: actions/groupunblock.php:94 msgid "Only an admin can unblock group members." msgstr "Vain ylläpitäjä voi poistaa eston ryhmän jäseniltä." -#: actions/groupunblock.php:95 +#. TRANS: Client error displayed when trying to unblock a non-blocked user from a group. +#: actions/groupunblock.php:99 msgid "User is not blocked from group." msgstr "Käyttäjää ei ole estetty ryhmästä." -#: actions/groupunblock.php:128 actions/unblock.php:86 +#. TRANS: Server error displayed when unblocking a user from a group fails because of an unknown error. +#: actions/groupunblock.php:131 actions/unblock.php:86 msgid "Error removing the block." msgstr "Tapahtui virhe, kun estoa poistettiin." @@ -3005,10 +3114,12 @@ msgstr "Kotipaikka on liian pitkä (max 255 merkkiä)." msgid "Could not create application." msgstr "Ei voitu lisätä aliasta." +#. TRANS: Title for form to create a group. #: actions/newgroup.php:53 msgid "New group" msgstr "Uusi ryhmä" +#. TRANS: Form instructions for group create form. #: actions/newgroup.php:110 msgid "Use this form to create a new group." msgstr "Käytä tätä lomaketta luodaksesi ryhmän." @@ -3726,8 +3837,9 @@ msgstr "" "välilyöntejä" #. TRANS: Field label in form for profile settings. +#. TRANS: Label for full group name (dt). Text hidden by default. #: actions/profilesettings.php:117 actions/register.php:457 -#: actions/showgroup.php:256 actions/tagother.php:104 +#: actions/showgroup.php:257 actions/tagother.php:104 #: lib/groupeditform.php:157 lib/userprofile.php:150 msgid "Full name" msgstr "Koko nimi" @@ -3767,8 +3879,9 @@ msgid "Bio" msgstr "Tietoja" #. TRANS: Field label in form for profile settings. +#. TRANS: Label for group location (dt). Text hidden by default. #: actions/profilesettings.php:149 actions/register.php:485 -#: actions/showgroup.php:265 actions/tagother.php:112 +#: actions/showgroup.php:267 actions/tagother.php:112 #: actions/userauthorization.php:166 lib/groupeditform.php:177 #: lib/userprofile.php:165 msgid "Location" @@ -4504,7 +4617,8 @@ msgstr "Sivutus" msgid "Description" msgstr "Kuvaus" -#: actions/showapplication.php:192 actions/showgroup.php:442 +#. TRANS: Header for group statistics on a group page (h2). +#: actions/showapplication.php:192 actions/showgroup.php:453 #: lib/profileaction.php:187 msgid "Statistics" msgstr "Tilastot" @@ -4522,6 +4636,11 @@ msgstr "" msgid "Reset key & secret" msgstr "" +#: actions/showapplication.php:252 lib/deletegroupform.php:121 +#: lib/deleteuserform.php:66 lib/noticelist.php:667 +msgid "Delete" +msgstr "Poista" + #: actions/showapplication.php:261 msgid "Application info" msgstr "" @@ -4606,78 +4725,107 @@ msgstr "" msgid "This is a way to share what you like." msgstr "" -#: actions/showgroup.php:82 +#. TRANS: Page title for first group page. %s is a group name. +#: actions/showgroup.php:80 #, php-format msgid "%s group" msgstr "Ryhmä %s" +#. TRANS: Page title for any but first group page. +#. TRANS: %1$s is a group name, $2$s is a page number. #: actions/showgroup.php:84 #, php-format msgid "%1$s group, page %2$d" msgstr "Ryhmät, sivu %d" -#: actions/showgroup.php:227 +#. TRANS: Group profile header (h2). Text hidden by default. +#: actions/showgroup.php:225 msgid "Group profile" msgstr "Ryhmän profiili" -#: actions/showgroup.php:272 actions/tagother.php:118 +#. TRANS: Label for group URL (dt). Text hidden by default. +#: actions/showgroup.php:275 actions/tagother.php:118 #: actions/userauthorization.php:175 lib/userprofile.php:178 msgid "URL" msgstr "URL" -#: actions/showgroup.php:283 actions/tagother.php:128 +#. TRANS: Label for group description or group note (dt). Text hidden by default. +#: actions/showgroup.php:287 actions/tagother.php:128 #: actions/userauthorization.php:187 lib/userprofile.php:195 msgid "Note" msgstr "Huomaa" -#: actions/showgroup.php:293 lib/groupeditform.php:184 +#. TRANS: Label for group aliases (dt). Text hidden by default. +#: actions/showgroup.php:298 lib/groupeditform.php:184 msgid "Aliases" msgstr "Aliakset" -#: actions/showgroup.php:302 +#. TRANS: Group actions header (h2). Text hidden by default. +#: actions/showgroup.php:309 msgid "Group actions" msgstr "Ryhmän toiminnot" -#: actions/showgroup.php:344 +#. TRANS: Tooltip for feed link. %s is a group nickname. +#: actions/showgroup.php:350 #, 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:350 +#. TRANS: Tooltip for feed link. %s is a group nickname. +#: actions/showgroup.php:357 #, 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:356 +#. TRANS: Tooltip for feed link. %s is a group nickname. +#: actions/showgroup.php:364 #, php-format msgid "Notice feed for %s group (Atom)" msgstr "Syöte ryhmän %s päivityksille (Atom)" -#: actions/showgroup.php:361 +#. TRANS: Tooltip for feed link. %s is a group nickname. +#: actions/showgroup.php:370 #, php-format msgid "FOAF for %s group" msgstr "Käyttäjän %s lähetetyt viestit" -#: actions/showgroup.php:399 actions/showgroup.php:451 +#. TRANS: Header for mini list of group members on a group page (h2). +#: actions/showgroup.php:407 msgid "Members" msgstr "Jäsenet" -#: actions/showgroup.php:404 lib/profileaction.php:117 +#. TRANS: Description for mini list of group members on a group page when the group has no members. +#: actions/showgroup.php:413 lib/profileaction.php:117 #: lib/profileaction.php:152 lib/profileaction.php:255 lib/section.php:95 #: lib/subscriptionlist.php:127 lib/tagcloudsection.php:71 #, fuzzy msgid "(None)" msgstr "(Tyhjä)" -#: actions/showgroup.php:410 +#. TRANS: Link to all group members from mini list of group members if group has more than n members. +#: actions/showgroup.php:422 msgid "All members" msgstr "Kaikki jäsenet" -#: actions/showgroup.php:445 +#. TRANS: Label for creation date in statistics on group page. +#: actions/showgroup.php:458 +#, fuzzy +msgctxt "LABEL" msgid "Created" msgstr "Luotu" -#: actions/showgroup.php:461 +#. TRANS: Label for member count in statistics on group page. +#: actions/showgroup.php:466 +#, fuzzy +msgctxt "LABEL" +msgid "Members" +msgstr "Jäsenet" + +#. TRANS: Notice on group pages for anonymous users for StatusNet sites that accept new registrations. +#. TRANS: **%s** is the group alias, %%%%site.name%%%% is the site name, +#. TRANS: %%%%action.register%%%% is the URL for registration, %%%%doc.help%%%% is a URL to help. +#. TRANS: This message contains Markdown links. Ensure they are formatted correctly: [Description](link). +#: actions/showgroup.php:481 #, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -4687,7 +4835,10 @@ msgid "" "of this group and many more! ([Read more](%%%%doc.help%%%%))" msgstr "" -#: actions/showgroup.php:467 +#. TRANS: Notice on group pages for anonymous users for StatusNet sites that accept no new registrations. +#. TRANS: **%s** is the group alias, %%%%site.name%%%% is the site name, +#. TRANS: This message contains Markdown links. Ensure they are formatted correctly: [Description](link). +#: actions/showgroup.php:491 #, fuzzy, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -4698,24 +4849,31 @@ msgstr "" "**%s** on ryhmä palvelussa %%%%site.name%%%%, joka on [mikroblogauspalvelu]" "(http://en.wikipedia.org/wiki/Micro-blogging)" -#: actions/showgroup.php:495 +#. TRANS: Header for list of group administrators on a group page (h2). +#: actions/showgroup.php:520 msgid "Admins" msgstr "Ylläpitäjät" -#: actions/showmessage.php:81 +#. TRANS: Client error displayed requesting a single message that does not exist. +#: actions/showmessage.php:79 msgid "No such message." msgstr "Tuota viestiä ei ole." -#: actions/showmessage.php:98 +#. TRANS: Client error displayed requesting a single direct message the requesting user was not a party in. +#: actions/showmessage.php:97 msgid "Only the sender and recipient may read this message." msgstr "Vain lähettäjä ja vastaanottaja voivat lukea tämän viestin." -#: actions/showmessage.php:108 +#. TRANS: Page title for single direct message display when viewing user is the sender. +#. TRANS: %1$s is the addressed user's nickname, $2$s is a timestamp. +#: actions/showmessage.php:110 #, php-format msgid "Message to %1$s on %2$s" msgstr "Viesti käyttäjälle %1$s, %2$s" -#: actions/showmessage.php:113 +#. TRANS: Page title for single message display. +#. TRANS: %1$s is the sending user's nickname, $2$s is a timestamp. +#: actions/showmessage.php:118 #, php-format msgid "Message from %1$s on %2$s" msgstr "Viesti käyttäjältä %1$s, %2$s" @@ -5167,12 +5325,14 @@ msgstr "" msgid "Save snapshot settings" msgstr "Profiilikuva-asetukset" -#: actions/subedit.php:70 +#. TRANS: Client error displayed trying a change a subscription for a non-subscribed profile. +#: actions/subedit.php:75 msgid "You are not subscribed to that profile." msgstr "Et ole tilannut tämän käyttäjän päivityksiä." +#. TRANS: Server error displayed when updating a subscription fails with a database error. #. TRANS: Exception thrown when a subscription could not be stored on the server. -#: actions/subedit.php:83 classes/Subscription.php:136 +#: actions/subedit.php:89 classes/Subscription.php:136 msgid "Could not save subscription." msgstr "Tilausta ei onnistuttu tallentamaan." @@ -5984,12 +6144,12 @@ msgid "Welcome to %1$s, @%2$s!" msgstr "Viesti käyttäjälle %1$s, %2$s" #. TRANS: Server exception. -#: classes/User.php:902 +#: classes/User.php:912 msgid "No single user defined for single-user mode." msgstr "" #. TRANS: Server exception. -#: classes/User.php:906 +#: classes/User.php:916 msgid "Single-user mode code called when not enabled." msgstr "" @@ -7154,7 +7314,8 @@ msgstr "Atom" msgid "FOAF" msgstr "FOAF" -#: lib/feedlist.php:65 +#. TRANS: Header for feed links (h2). +#: lib/feedlist.php:66 msgid "Feeds" msgstr "" @@ -7318,39 +7479,57 @@ msgstr "Tämä sivu ei ole saatavilla sinulle sopivassa mediatyypissä." msgid "Unsupported image file format." msgstr "Kuvatiedoston formaattia ei ole tuettu." -#: lib/imagefile.php:88 +#. TRANS: Exception thrown when too large a file is uploaded. +#. TRANS: %s is the maximum file size, for example "500b", "10kB" or "2MB". +#: lib/imagefile.php:90 #, fuzzy, php-format msgid "That file is too big. The maximum file size is %s." msgstr "Voit ladata ryhmälle logon." -#: lib/imagefile.php:93 +#: lib/imagefile.php:95 msgid "Partial upload." msgstr "Osittain ladattu palvelimelle." #. TRANS: Client exception thrown when a file upload operation has failed with an unknown reason. -#: lib/imagefile.php:101 lib/mediafile.php:179 +#: lib/imagefile.php:103 lib/mediafile.php:179 msgid "System error uploading file." msgstr "Tiedoston lähetyksessä tapahtui järjestelmävirhe." -#: lib/imagefile.php:109 +#: lib/imagefile.php:111 msgid "Not an image or corrupt file." msgstr "Tuo ei ole kelvollinen kuva tai tiedosto on rikkoutunut." -#: lib/imagefile.php:122 +#: lib/imagefile.php:124 msgid "Lost our file." msgstr "Tiedosto hävisi." -#: lib/imagefile.php:163 lib/imagefile.php:224 +#: lib/imagefile.php:165 lib/imagefile.php:226 msgid "Unknown file type" msgstr "Tunnistamaton tiedoston tyyppi" -#: lib/imagefile.php:244 -msgid "MB" -msgstr "" +#. TRANS: Number of megabytes. %d is the number. +#: lib/imagefile.php:248 +#, php-format +msgid "%dMB" +msgid_plural "%dMB" +msgstr[0] "" +msgstr[1] "" -#: lib/imagefile.php:246 -msgid "kB" -msgstr "" +#. TRANS: Number of kilobytes. %d is the number. +#: lib/imagefile.php:252 +#, php-format +msgid "%dkB" +msgid_plural "%dkB" +msgstr[0] "" +msgstr[1] "" + +#. TRANS: Number of bytes. %d is the number. +#: lib/imagefile.php:255 +#, php-format +msgid "%dB" +msgid_plural "%dB" +msgstr[0] "" +msgstr[1] "" #: lib/jabber.php:387 #, php-format @@ -8171,6 +8350,13 @@ msgstr "Tapahtui virhe, kun estoa poistettiin." msgid "Top posters" msgstr "Eniten päivityksiä" +#. TRANS: Title for the form to unblock a user. +#: lib/unblockform.php:67 +#, fuzzy +msgctxt "TITLE" +msgid "Unblock" +msgstr "Poista esto" + #: lib/unsandboxform.php:69 msgid "Unsandbox" msgstr "" @@ -8357,3 +8543,9 @@ msgstr "Ryhmää ei ole määritelty." #, php-format msgid "%d entries in backup." msgstr "" + +#~ msgid "Description is too long (max %d chars)." +#~ msgstr "kuvaus on liian pitkä (max %d merkkiä)." + +#~ msgid "Too many aliases! Maximum %d." +#~ msgstr "Liikaa aliaksia. Maksimimäärä on %d." diff --git a/locale/fr/LC_MESSAGES/statusnet.po b/locale/fr/LC_MESSAGES/statusnet.po index d5d956107e..b2e8cc18a1 100644 --- a/locale/fr/LC_MESSAGES/statusnet.po +++ b/locale/fr/LC_MESSAGES/statusnet.po @@ -20,17 +20,17 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet - Core\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-10-27 23:43+0000\n" -"PO-Revision-Date: 2010-10-28 23:08:59+0000\n" +"POT-Creation-Date: 2010-10-30 23:18+0000\n" +"PO-Revision-Date: 2010-10-30 23:20:16+0000\n" "Language-Team: French \n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r75629); Translate extension (2010-09-17)\n" +"X-Generator: MediaWiki 1.17alpha (r75708); Translate extension (2010-09-17)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: fr\n" "X-Message-Group: #out-statusnet-core\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" -"X-POT-Import-Date: 2010-10-28 00:13:15+0000\n" +"X-POT-Import-Date: 2010-10-30 09:48:40+0000\n" #. TRANS: Page title for Access admin panel that allows configuring site access. #. TRANS: Menu item for site administration @@ -126,6 +126,7 @@ msgstr "Page non trouvée." #. TRANS: Client error displayed when requesting most recent dents by user and friends for a non-existing user. #. TRANS: Client error displayed when requesting most recent mentions for a non-existing user. #. TRANS: Client error displayed requesting most recent notices for a non-existing user. +#. TRANS: Client error displayed trying to get an avatar for a non-existing user. #. TRANS: Error text shown when trying to send a direct message to a user that does not exist. #: actions/all.php:80 actions/apiaccountupdatedeliverydevice.php:110 #: actions/apiaccountupdateprofile.php:103 @@ -138,7 +139,7 @@ msgstr "Page non trouvée." #: actions/apistatusesupdate.php:230 actions/apisubscriptions.php:85 #: actions/apitimelinefavorites.php:70 actions/apitimelinefriends.php:173 #: actions/apitimelinehome.php:78 actions/apitimelinementions.php:77 -#: actions/apitimelineuser.php:79 actions/avatarbynickname.php:75 +#: actions/apitimelineuser.php:79 actions/avatarbynickname.php:79 #: 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 @@ -319,11 +320,12 @@ msgstr "Impossible de mettre à jour l’utilisateur." #. TRANS: Client error displayed a user has no profile updating profile colours. #. TRANS: Client error displayed if a user profile could not be found updating a profile image. #. TRANS: Client error displayed when requesting user information for a user without a profile. +#. TRANS: Client error displayed trying to get an avatar for a user without a profile. #: actions/apiaccountupdateprofile.php:111 #: actions/apiaccountupdateprofilebackgroundimage.php:199 #: actions/apiaccountupdateprofilecolors.php:183 #: actions/apiaccountupdateprofileimage.php:130 actions/apiusershow.php:108 -#: actions/avatarbynickname.php:80 actions/foaf.php:65 actions/hcard.php:74 +#: actions/avatarbynickname.php:85 actions/foaf.php:65 actions/hcard.php:74 #: actions/replies.php:80 actions/usergroups.php:100 lib/galleryaction.php:66 #: lib/profileaction.php:84 msgid "User has no profile." @@ -338,7 +340,7 @@ msgstr "Impossible d’enregistrer le profil." #. TRANS: %s is the number of bytes of the CONTENT_LENGTH. #: actions/apiaccountupdateprofilebackgroundimage.php:108 #: actions/apiaccountupdateprofileimage.php:95 actions/apimediaupload.php:81 -#: actions/apistatusesupdate.php:210 actions/avatarsettings.php:259 +#: actions/apistatusesupdate.php:210 actions/avatarsettings.php:269 #: actions/designadminpanel.php:125 actions/editapplication.php:121 #: actions/newapplication.php:104 actions/newnotice.php:95 #, php-format @@ -517,9 +519,11 @@ msgstr "Impossible de déterminer l’utilisateur source." msgid "Could not find target user." msgstr "Impossible de trouver l’utilisateur cible." +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. #. TRANS: Validation error in form for profile settings. -#: actions/apigroupcreate.php:165 actions/editgroup.php:186 -#: actions/newgroup.php:126 actions/profilesettings.php:243 +#: actions/apigroupcreate.php:165 actions/editgroup.php:191 +#: actions/newgroup.php:127 actions/profilesettings.php:243 #: actions/register.php:212 msgid "Nickname must have only lowercase letters and numbers and no spaces." msgstr "" @@ -527,35 +531,43 @@ msgstr "" "chiffres, sans espaces." #. TRANS: Client error trying to create a group with a nickname this is already in use. +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. #. TRANS: Validation error in form for profile settings. -#: actions/apigroupcreate.php:175 actions/editgroup.php:190 -#: actions/newgroup.php:130 actions/profilesettings.php:277 +#: actions/apigroupcreate.php:175 actions/editgroup.php:196 +#: actions/newgroup.php:132 actions/profilesettings.php:277 #: actions/register.php:215 msgid "Nickname already in use. Try another one." msgstr "Pseudo déjà utilisé. Essayez-en un autre." #. TRANS: Client error in form for group creation. +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. #. TRANS: Validation error in form for profile settings. -#: actions/apigroupcreate.php:183 actions/editgroup.php:193 -#: actions/newgroup.php:133 actions/profilesettings.php:247 +#: actions/apigroupcreate.php:183 actions/editgroup.php:200 +#: actions/newgroup.php:136 actions/profilesettings.php:247 #: actions/register.php:217 msgid "Not a valid nickname." msgstr "Pseudo invalide." #. TRANS: Client error in form for group creation. #. TRANS: Validation error shown when providing an invalid homepage URL in the "Edit application" form. +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. #. TRANS: Validation error in form for profile settings. #: actions/apigroupcreate.php:200 actions/editapplication.php:233 -#: actions/editgroup.php:199 actions/newapplication.php:211 -#: actions/newgroup.php:139 actions/profilesettings.php:252 +#: actions/editgroup.php:207 actions/newapplication.php:211 +#: actions/newgroup.php:143 actions/profilesettings.php:252 #: actions/register.php:224 msgid "Homepage is not a valid URL." msgstr "L’adresse du site personnel n’est pas un URL valide. " #. TRANS: Client error in form for group creation. +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. #. TRANS: Validation error in form for profile settings. -#: actions/apigroupcreate.php:210 actions/editgroup.php:202 -#: actions/newgroup.php:142 actions/profilesettings.php:256 +#: actions/apigroupcreate.php:210 actions/editgroup.php:211 +#: actions/newgroup.php:147 actions/profilesettings.php:256 #: actions/register.php:227 msgid "Full name is too long (maximum 255 characters)." msgstr "Le nom complet est trop long (limité à 255 caractères maximum)." @@ -563,10 +575,11 @@ msgstr "Le nom complet est trop long (limité à 255 caractères maximum)." #. TRANS: Client error shown when providing too long a description during group creation. #. TRANS: %d is the maximum number of allowed characters. #. TRANS: Validation error shown when providing too long a description in the "Edit application" form. +#. TRANS: Group edit form validation error. #. TRANS: Form validation error in New application form. #. TRANS: %d is the maximum number of characters for the description. #: actions/apigroupcreate.php:220 actions/editapplication.php:201 -#: actions/newapplication.php:178 +#: actions/editgroup.php:216 actions/newapplication.php:178 #, php-format msgid "Description is too long (maximum %d character)." msgid_plural "Description is too long (maximum %d characters)." @@ -574,16 +587,23 @@ msgstr[0] "La description est trop longue (limitée à %d caractère maximum)." msgstr[1] "La description est trop longue (limitée à %d caractères maximum)." #. TRANS: Client error shown when providing too long a location during group creation. +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. #. TRANS: Validation error in form for profile settings. -#: actions/apigroupcreate.php:234 actions/editgroup.php:208 -#: actions/newgroup.php:153 actions/profilesettings.php:269 +#: actions/apigroupcreate.php:234 actions/editgroup.php:223 +#: actions/newgroup.php:159 actions/profilesettings.php:269 #: actions/register.php:236 msgid "Location is too long (maximum 255 characters)." msgstr "L’emplacement est trop long (limité à 255 caractères maximum)." #. TRANS: Client error shown when providing too many aliases during group creation. #. TRANS: %d is the maximum number of allowed aliases. -#: actions/apigroupcreate.php:255 actions/newgroup.php:166 +#. TRANS: Group edit form validation error. +#. TRANS: %d is the maximum number of allowed aliases. +#. TRANS: Group create form validation error. +#. TRANS: %d is the maximum number of allowed aliases. +#: actions/apigroupcreate.php:255 actions/editgroup.php:236 +#: actions/newgroup.php:172 #, fuzzy, php-format msgid "Too many aliases! Maximum %d allowed." msgid_plural "Too many aliases! Maximum %d allowed." @@ -599,15 +619,19 @@ msgstr "Alias invalide : « %s »." #. TRANS: Client error displayed when trying to use an alias during group creation that is already in use. #. TRANS: %s is the alias that is already in use. -#: actions/apigroupcreate.php:291 actions/editgroup.php:232 -#: actions/newgroup.php:181 +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. +#: actions/apigroupcreate.php:291 actions/editgroup.php:253 +#: actions/newgroup.php:189 #, php-format msgid "Alias \"%s\" already in use. Try another one." msgstr "Alias « %s » déjà utilisé. Essayez-en un autre." #. TRANS: Client error displayed when trying to use an alias during group creation that is the same as the group's nickname. -#: actions/apigroupcreate.php:305 actions/editgroup.php:238 -#: actions/newgroup.php:187 +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. +#: actions/apigroupcreate.php:305 actions/editgroup.php:260 +#: actions/newgroup.php:196 msgid "Alias can't be the same as nickname." msgstr "L’alias ne peut pas être le même que le pseudo." @@ -710,18 +734,18 @@ msgid "Request token already authorized." msgstr "Le jeton de requête a déjà été autorisé." #. TRANS: Form validation error in API OAuth authorisation because of an invalid session token. -#: actions/apioauthauthorize.php:147 actions/avatarsettings.php:270 +#: actions/apioauthauthorize.php:147 actions/avatarsettings.php:280 #: actions/deletenotice.php:172 actions/disfavor.php:74 #: actions/emailsettings.php:271 actions/favor.php:75 actions/geocode.php:55 #: actions/groupblock.php:66 actions/grouplogo.php:312 -#: actions/groupunblock.php:66 actions/imsettings.php:230 +#: actions/groupunblock.php:65 actions/imsettings.php:230 #: actions/invite.php:59 actions/login.php:137 actions/makeadmin.php:66 #: actions/newmessage.php:135 actions/newnotice.php:105 actions/nudge.php:80 #: actions/oauthappssettings.php:165 actions/oauthconnectionssettings.php:138 #: actions/othersettings.php:145 actions/passwordsettings.php:138 #: actions/profilesettings.php:221 actions/recoverpassword.php:350 #: actions/register.php:172 actions/remotesubscribe.php:77 -#: actions/repeat.php:83 actions/smssettings.php:256 actions/subedit.php:38 +#: actions/repeat.php:83 actions/smssettings.php:256 actions/subedit.php:40 #: actions/subscribe.php:86 actions/tagother.php:166 #: actions/unsubscribe.php:69 actions/userauthorization.php:52 #: lib/designsettings.php:294 @@ -743,12 +767,13 @@ msgstr "" "l’utilisateur de l’application OAuth" #. TRANS: Client error given on when invalid data was passed through a form in the OAuth API. +#. TRANS: Unexpected validation error on avatar upload form. #. TRANS: Client error displayed submitting invalid form data for edit application. #. TRANS: Message given submitting a form with an unknown action in e-mail settings. #. TRANS: Message given submitting a form with an unknown action in IM settings. #. TRANS: Client error when submitting a form with unexpected information. #. TRANS: Message given submitting a form with an unknown action in SMS settings. -#: actions/apioauthauthorize.php:294 actions/avatarsettings.php:283 +#: actions/apioauthauthorize.php:294 actions/avatarsettings.php:294 #: actions/designadminpanel.php:104 actions/editapplication.php:144 #: actions/emailsettings.php:290 actions/grouplogo.php:322 #: actions/imsettings.php:245 actions/newapplication.php:125 @@ -805,6 +830,7 @@ msgstr "Compte" #. TRANS: Field label on OAuth API authorisation form. #. TRANS: Field label in form for profile settings. +#. TRANS: Label for group nickname (dt). Text hidden by default. #: actions/apioauthauthorize.php:459 actions/login.php:252 #: actions/profilesettings.php:110 actions/register.php:433 #: actions/showgroup.php:245 actions/tagother.php:94 @@ -1062,31 +1088,42 @@ msgstr "Méthode API en construction." msgid "User not found." msgstr "Page non trouvée." +#. TRANS: Client error displayed trying to get a non-existing attachment. #: actions/attachment.php:73 msgid "No such attachment." msgstr "Pièce jointe non trouvée." -#: actions/avatarbynickname.php:59 actions/blockedfromgroup.php:73 -#: actions/editgroup.php:84 actions/groupdesignsettings.php:84 +#. TRANS: Client error displayed trying to get an avatar without providing a nickname. +#. TRANS: Client error displayed when requesting a list of blocked users for a group without providing a group nickname. +#. TRANS: Client error displayed trying to edit a group while not proving a nickname for the group to edit. +#. TRANS: Client error displayed if no nickname argument was given requesting a group page. +#: actions/avatarbynickname.php:60 actions/blockedfromgroup.php:73 +#: actions/editgroup.php:85 actions/groupdesignsettings.php:84 #: actions/grouplogo.php:86 actions/groupmembers.php:76 #: actions/grouprss.php:91 actions/showgroup.php:121 msgid "No nickname." msgstr "Aucun pseudo." -#: actions/avatarbynickname.php:64 +#. TRANS: Client error displayed trying to get an avatar without providing an avatar size. +#: actions/avatarbynickname.php:66 msgid "No size." msgstr "Aucune taille" -#: actions/avatarbynickname.php:69 +#. TRANS: Client error displayed trying to get an avatar providing an invalid avatar size. +#: actions/avatarbynickname.php:72 msgid "Invalid size." msgstr "Taille incorrecte." +#. TRANS: Title for avatar upload page. +#. TRANS: Label for group avatar (dt). Text hidden by default. #. TRANS: Link description in user account settings menu. -#: actions/avatarsettings.php:67 actions/showgroup.php:230 +#: actions/avatarsettings.php:66 actions/showgroup.php:229 #: lib/accountsettingsaction.php:113 msgid "Avatar" msgstr "Avatar" +#. TRANS: Instruction for avatar upload page. +#. TRANS: %s is the maximum file size, for example "500b", "10kB" or "2MB". #: actions/avatarsettings.php:78 #, php-format msgid "You can upload your personal avatar. The maximum file size is %s." @@ -1094,74 +1131,97 @@ msgstr "" "Vous pouvez associer un « avatar » (image personnelle) à votre profil. La " "taille maximale du fichier est de %s." -#: actions/avatarsettings.php:106 actions/avatarsettings.php:185 +#. TRANS: Server error displayed in avatar upload page when no matching profile can be found for a user. +#: actions/avatarsettings.php:108 actions/avatarsettings.php:192 #: actions/grouplogo.php:181 actions/remotesubscribe.php:191 #: actions/userauthorization.php:72 actions/userrss.php:108 msgid "User without matching profile." msgstr "Utilisateur sans profil correspondant." -#: actions/avatarsettings.php:119 actions/avatarsettings.php:197 +#. TRANS: Avatar upload page form legend. +#. TRANS: Avatar upload page crop form legend. +#: actions/avatarsettings.php:122 actions/avatarsettings.php:205 #: actions/grouplogo.php:254 msgid "Avatar settings" msgstr "Paramètres de l’avatar" -#: actions/avatarsettings.php:127 actions/avatarsettings.php:205 +#. TRANS: Header on avatar upload page for thumbnail of originally uploaded avatar (h2). +#. TRANS: Header on avatar upload crop form for thumbnail of originally uploaded avatar (h2). +#: actions/avatarsettings.php:131 actions/avatarsettings.php:214 #: actions/grouplogo.php:202 actions/grouplogo.php:262 msgid "Original" msgstr "Image originale" -#: actions/avatarsettings.php:142 actions/avatarsettings.php:217 +#. TRANS: Header on avatar upload page for thumbnail of to be used rendition of uploaded avatar (h2). +#. TRANS: Header on avatar upload crop form for thumbnail of to be used rendition of uploaded avatar (h2). +#: actions/avatarsettings.php:147 actions/avatarsettings.php:227 #: actions/grouplogo.php:213 actions/grouplogo.php:274 msgid "Preview" msgstr "Aperçu" -#: actions/avatarsettings.php:149 actions/showapplication.php:252 -#: lib/deletegroupform.php:121 lib/deleteuserform.php:66 -#: lib/noticelist.php:667 +#. TRANS: Button on avatar upload page to delete current avatar. +#: actions/avatarsettings.php:155 +#, fuzzy +msgctxt "BUTTON" msgid "Delete" msgstr "Supprimer" -#: actions/avatarsettings.php:166 actions/grouplogo.php:236 +#. TRANS: Button on avatar upload page to upload an avatar. +#: actions/avatarsettings.php:173 +#, fuzzy +msgctxt "BUTTON" msgid "Upload" msgstr "Transfert" -#: actions/avatarsettings.php:231 actions/grouplogo.php:289 +#. TRANS: Button on avatar upload crop form to confirm a selected crop as avatar. +#: actions/avatarsettings.php:243 +#, fuzzy +msgctxt "BUTTON" msgid "Crop" msgstr "Recadrer" -#: actions/avatarsettings.php:307 +#. TRANS: Validation error on avatar upload form when no file was uploaded. +#: actions/avatarsettings.php:318 msgid "No file uploaded." msgstr "Aucun fichier n’a été téléversé." -#: actions/avatarsettings.php:334 +#. TRANS: Avatar upload form unstruction after uploading a file. +#: actions/avatarsettings.php:346 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:349 actions/grouplogo.php:380 +#. TRANS: Server error displayed if an avatar upload went wrong somehow server side. +#: actions/avatarsettings.php:361 actions/grouplogo.php:380 msgid "Lost our file data." msgstr "Données perdues." -#: actions/avatarsettings.php:372 +#: actions/avatarsettings.php:384 msgid "Avatar updated." msgstr "Avatar mis à jour." -#: actions/avatarsettings.php:375 +#. TRANS: Error displayed on the avatar upload page if the avatar could not be updated for an unknown reason. +#: actions/avatarsettings.php:388 msgid "Failed updating avatar." msgstr "La mise à jour de l’avatar a échoué." -#: actions/avatarsettings.php:399 +#. TRANS: Success message for deleting a user avatar. +#: actions/avatarsettings.php:412 msgid "Avatar deleted." msgstr "Avatar supprimé." -#: actions/block.php:69 +#. TRANS: Client error displayed when blocking a user that has already been blocked. +#: actions/block.php:68 msgid "You already blocked that user." msgstr "Vous avez déjà bloqué cet utilisateur." -#: actions/block.php:107 actions/block.php:136 actions/groupblock.php:158 +#. TRANS: Title for block user page. +#. TRANS: Legend for block user form. +#: actions/block.php:106 actions/block.php:136 actions/groupblock.php:158 msgid "Block user" msgstr "Bloquer cet utilisateur" -#: actions/block.php:138 +#. TRANS: Explanation of consequences when blocking a user on the block user page. +#: actions/block.php:139 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 " @@ -1177,7 +1237,7 @@ msgstr "" #. TRANS: Button label on the delete notice form. #. TRANS: Button label on the delete user form. #. TRANS: Button label on the form to block a user from a group. -#: actions/block.php:153 actions/deleteapplication.php:154 +#: actions/block.php:154 actions/deleteapplication.php:154 #: actions/deletegroup.php:220 actions/deletenotice.php:150 #: actions/deleteuser.php:152 actions/groupblock.php:178 msgctxt "BUTTON" @@ -1186,7 +1246,7 @@ msgstr "Non" #. TRANS: Submit button title for 'No' when blocking a user. #. TRANS: Submit button title for 'No' when deleting a user. -#: actions/block.php:157 actions/deleteuser.php:156 +#: actions/block.php:158 actions/deleteuser.php:156 msgid "Do not block this user" msgstr "Ne pas bloquer cet utilisateur" @@ -1196,7 +1256,7 @@ msgstr "Ne pas bloquer cet utilisateur" #. TRANS: Button label on the delete notice form. #. TRANS: Button label on the delete user form. #. TRANS: Button label on the form to block a user from a group. -#: actions/block.php:160 actions/deleteapplication.php:161 +#: actions/block.php:161 actions/deleteapplication.php:161 #: actions/deletegroup.php:227 actions/deletenotice.php:157 #: actions/deleteuser.php:159 actions/groupblock.php:185 msgctxt "BUTTON" @@ -1205,90 +1265,111 @@ msgstr "Oui" #. TRANS: Submit button title for 'Yes' when blocking a user. #. TRANS: Description of the form to block a user. -#: actions/block.php:164 lib/blockform.php:79 +#: actions/block.php:165 lib/blockform.php:79 msgid "Block this user" msgstr "Bloquer cet utilisateur" -#: actions/block.php:187 +#. TRANS: Server error displayed when blocking a user fails. +#: actions/block.php:189 msgid "Failed to save block information." msgstr "Impossible d’enregistrer les informations de blocage." +#. TRANS: Client error displayed when requesting a list of blocked users for a non-local group. +#. TRANS: Client error displayed when requesting a list of blocked users for a non-existing group. #. TRANS: Client error when trying to delete a non-local group. #. TRANS: Client error when trying to delete a non-existing group. +#. TRANS: Client error displayed trying to edit a non-existing group. +#. TRANS: Client error displayed when trying to unblock a user from a non-existing group. +#. TRANS: Client error displayed if no remote group with a given name was found requesting group page. +#. TRANS: Client error displayed if no local group with a given name was found requesting group page. #. TRANS: Command exception text shown when a group is requested that does not exist. #. TRANS: Error text shown when trying to leave a group that does not exist. -#: actions/blockedfromgroup.php:80 actions/blockedfromgroup.php:87 +#: actions/blockedfromgroup.php:81 actions/blockedfromgroup.php:89 #: actions/deletegroup.php:87 actions/deletegroup.php:100 -#: actions/editgroup.php:100 actions/foafgroup.php:44 actions/foafgroup.php:62 +#: actions/editgroup.php:102 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/groupunblock.php:88 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:168 +#: actions/showgroup.php:139 actions/showgroup.php:148 lib/command.php:168 #: lib/command.php:380 msgid "No such group." msgstr "Aucun groupe trouvé." -#: actions/blockedfromgroup.php:97 +#. TRANS: Title for first page with list of users blocked from a group. +#. TRANS: %s is a group nickname. +#: actions/blockedfromgroup.php:101 #, php-format msgid "%s blocked profiles" msgstr "%s profils bloqués" -#: actions/blockedfromgroup.php:100 +#. TRANS: Title for any but the first page with list of users blocked from a group. +#. TRANS: %1$s is a group nickname, %2$d is a page number. +#: actions/blockedfromgroup.php:106 #, php-format msgid "%1$s blocked profiles, page %2$d" msgstr "%1$s profils bloqués, page %2$d" -#: actions/blockedfromgroup.php:115 +#. TRANS: Instructions for list of users blocked from a group. +#: actions/blockedfromgroup.php:122 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:288 +#. TRANS: Form legend for unblocking a user from a group. +#: actions/blockedfromgroup.php:291 msgid "Unblock user from group" msgstr "Débloquer l’utilisateur de ce groupe" -#. TRANS: Title for the form to unblock a user. -#: actions/blockedfromgroup.php:320 lib/unblockform.php:70 +#. TRANS: Button text for unblocking a user from a group. +#: actions/blockedfromgroup.php:323 +#, fuzzy +msgctxt "BUTTON" msgid "Unblock" msgstr "Débloquer" +#. TRANS: Tooltip for button for unblocking a user from a group. #. TRANS: Description of the form to unblock a user. -#: actions/blockedfromgroup.php:320 lib/unblockform.php:82 +#: actions/blockedfromgroup.php:327 lib/unblockform.php:78 msgid "Unblock this user" msgstr "Débloquer cet utilisateur" #. TRANS: Title for mini-posting window loaded from bookmarklet. +#. TRANS: %s is the StatusNet site name. #: actions/bookmarklet.php:51 #, php-format msgid "Post to %s" msgstr "Poster sur %s" -#: actions/confirmaddress.php:75 +#. TRANS: Client error displayed when not providing a confirmation code in the contact address confirmation action. +#: actions/confirmaddress.php:74 msgid "No confirmation code." msgstr "Aucun code de confirmation." +#. TRANS: Client error displayed when providing a non-existing confirmation code in the contact address confirmation action. #: actions/confirmaddress.php:80 msgid "Confirmation code not found." msgstr "Code de confirmation non trouvé." -#: actions/confirmaddress.php:85 +#. TRANS: Client error displayed when not providing a confirmation code for another user in the contact address confirmation action. +#: actions/confirmaddress.php:86 msgid "That confirmation code is not for you!" msgstr "Ce code de confirmation n’est pas pour vous !" -#. TRANS: Server error for an unknow address type, which can be 'email', 'jabber', or 'sms'. -#: actions/confirmaddress.php:91 +#. TRANS: Server error for a unknow address type %s, which can be 'email', 'jabber', or 'sms'. +#: actions/confirmaddress.php:92 #, php-format msgid "Unrecognized address type %s." msgstr "Type d’adresse non reconnu : %s." -#. TRANS: Client error for an already confirmed email/jabbel/sms address. -#: actions/confirmaddress.php:96 +#. TRANS: Client error for an already confirmed email/jabber/sms address. +#: actions/confirmaddress.php:97 msgid "That address has already been confirmed." msgstr "Cette adresse a déjà été confirmée." +#. TRANS: Server error displayed when a user update to the database fails in the contact address confirmation action. #. TRANS: Server error thrown on database error updating e-mail preferences. #. TRANS: Server error thrown on database error removing a registered e-mail address. #. TRANS: Server error thrown on database error updating IM preferences. @@ -1296,7 +1377,7 @@ msgstr "Cette adresse a déjà été confirmée." #. TRANS: Server error thrown when user profile settings could not be updated. #. TRANS: Server error thrown on database error updating SMS preferences. #. TRANS: Server error thrown on database error removing a registered SMS phone number. -#: actions/confirmaddress.php:116 actions/emailsettings.php:331 +#: actions/confirmaddress.php:118 actions/emailsettings.php:331 #: actions/emailsettings.php:477 actions/imsettings.php:283 #: actions/imsettings.php:442 actions/othersettings.php:174 #: actions/profilesettings.php:326 actions/smssettings.php:308 @@ -1304,27 +1385,32 @@ msgstr "Cette adresse a déjà été confirmée." msgid "Couldn't update user." msgstr "Impossible de mettre à jour l’utilisateur." -#. TRANS: Server error thrown on database error canceling e-mail address confirmation. -#. TRANS: Server error thrown on database error canceling SMS phone number confirmation. -#: actions/confirmaddress.php:128 actions/emailsettings.php:437 -#: actions/smssettings.php:422 -msgid "Couldn't delete email confirmation." -msgstr "Impossible de supprimer le courriel de confirmation." +#. TRANS: Server error displayed when an address confirmation code deletion from the +#. TRANS: database fails in the contact address confirmation action. +#: actions/confirmaddress.php:132 +#, fuzzy +msgid "Could not delete address confirmation." +msgstr "Impossible de supprimer la confirmation de messagerie instantanée." -#: actions/confirmaddress.php:146 +#. TRANS: Title for the contact address confirmation action. +#: actions/confirmaddress.php:150 msgid "Confirm address" msgstr "Confirmer l’adresse" -#: actions/confirmaddress.php:161 +#. TRANS: Success message for the contact address confirmation action. +#. TRANS: %s can be 'email', 'jabber', or 'sms'. +#: actions/confirmaddress.php:166 #, php-format msgid "The address \"%s\" has been confirmed for your account." msgstr "L'adresse \"%s\" a été validée pour votre compte." -#: actions/conversation.php:99 +#. TRANS: Title for page with a conversion (multiple notices in context). +#: actions/conversation.php:96 msgid "Conversation" msgstr "Conversation" -#: actions/conversation.php:154 lib/mailbox.php:116 lib/noticelist.php:87 +#. TRANS: Header on conversation page. Hidden by default (h2). +#: actions/conversation.php:149 lib/mailbox.php:116 lib/noticelist.php:87 #: lib/profileaction.php:229 lib/searchgroupnav.php:82 msgid "Notices" msgstr "Avis" @@ -1431,11 +1517,13 @@ msgstr "Ne pas supprimer ce groupe" msgid "Delete this group" msgstr "Supprimer ce groupe" +#. TRANS: Client error displayed when trying to unblock a user from a group while not logged in. +#. TRANS: Client error displayed trying a change a subscription while not logged in. #. TRANS: Client error message thrown when trying to access the admin panel while not logged in. #: actions/deletenotice.php:50 actions/disfavor.php:61 actions/favor.php:62 -#: actions/groupblock.php:61 actions/groupunblock.php:61 actions/logout.php:69 +#: actions/groupblock.php:61 actions/groupunblock.php:60 actions/logout.php:69 #: actions/makeadmin.php:61 actions/newmessage.php:87 actions/newnotice.php:88 -#: actions/nudge.php:63 actions/subedit.php:31 actions/subscribe.php:96 +#: actions/nudge.php:63 actions/subedit.php:33 actions/subscribe.php:96 #: actions/tagother.php:33 actions/unsubscribe.php:52 #: lib/adminpanelaction.php:71 lib/profileformaction.php:64 #: lib/settingsaction.php:72 @@ -1736,49 +1824,49 @@ msgstr "L’URL de rappel (Callback) est invalide." msgid "Could not update application." msgstr "Impossible de mettre à jour l’application." -#: actions/editgroup.php:56 +#. TRANS: Title for form to edit a group. %s is a group nickname. +#: actions/editgroup.php:55 #, php-format msgid "Edit %s group" msgstr "Modifier le groupe %s" +#. TRANS: Client error displayed trying to edit a group while not logged in. +#. TRANS: Client error displayed trying to create a group while not logged in. #: actions/editgroup.php:68 actions/grouplogo.php:70 actions/newgroup.php:65 msgid "You must be logged in to create a group." msgstr "Vous devez ouvrir une session pour créer un groupe." -#: actions/editgroup.php:107 actions/editgroup.php:172 +#. TRANS: Client error displayed trying to edit a group while not being a group admin. +#: actions/editgroup.php:110 actions/editgroup.php:176 #: 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:158 +#. TRANS: Form instructions for group edit form. +#: actions/editgroup.php:161 msgid "Use this form to edit the group." msgstr "Remplissez ce formulaire pour modifier les options du groupe." -#: actions/editgroup.php:205 -#, php-format -msgid "Description is too long (max %d chars)." -msgstr "La description est trop longue (limitée à %d caractères maximum)." - -#: actions/editgroup.php:219 -#, php-format -msgid "Too many aliases! Maximum %d." -msgstr "Trop d’alias ! Maximum %d." - -#: actions/editgroup.php:228 actions/newgroup.php:177 +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. +#: actions/editgroup.php:248 actions/newgroup.php:184 #, php-format msgid "Invalid alias: \"%s\"" msgstr "Alias invalide : « %s »" -#: actions/editgroup.php:258 +#. TRANS: Server error displayed when editing a group fails. +#: actions/editgroup.php:281 msgid "Could not update group." msgstr "Impossible de mettre à jour le groupe." +#. TRANS: Server error displayed when group aliases could not be added. #. TRANS: Server exception thrown when creating group aliases failed. -#: actions/editgroup.php:264 classes/User_group.php:513 +#: actions/editgroup.php:288 classes/User_group.php:513 msgid "Could not create aliases." msgstr "Impossible de créer les alias." -#: actions/editgroup.php:280 +#. TRANS: Group edit form success message. +#: actions/editgroup.php:305 msgid "Options saved." msgstr "Vos options ont été enregistrées." @@ -1971,6 +2059,12 @@ msgstr "Aucune confirmation à annuler." msgid "That is the wrong email address." msgstr "Cette adresse de messagerie électronique est erronée." +#. TRANS: Server error thrown on database error canceling e-mail address confirmation. +#. TRANS: Server error thrown on database error canceling SMS phone number confirmation. +#: actions/emailsettings.php:437 actions/smssettings.php:422 +msgid "Couldn't delete email confirmation." +msgstr "Impossible de supprimer le courriel de confirmation." + #. TRANS: Message given after successfully canceling e-mail address confirmation. #: actions/emailsettings.php:442 msgid "Email confirmation cancelled." @@ -2151,19 +2245,23 @@ msgstr "Vous ne pouvez pas attribuer des rôles aux utilisateurs sur ce site." msgid "User already has this role." msgstr "L’utilisateur a déjà ce rôle." +#. TRANS: Client error displayed when trying to unblock a user from a group without providing a profile. +#. TRANS: Client error displayed trying a change a subscription without providing a profile. #: actions/groupblock.php:71 actions/groupunblock.php:71 -#: actions/makeadmin.php:71 actions/subedit.php:46 +#: actions/makeadmin.php:71 actions/subedit.php:49 #: lib/profileformaction.php:79 msgid "No profile specified." msgstr "Aucun profil n’a été spécifié." -#: actions/groupblock.php:76 actions/groupunblock.php:76 -#: actions/makeadmin.php:76 actions/subedit.php:53 actions/tagother.php:46 +#. TRANS: Client error displayed when trying to unblock a user from a group without providing an existing profile. +#. TRANS: Client error displayed trying a change a subscription for a non-existant profile ID. +#: actions/groupblock.php:76 actions/groupunblock.php:77 +#: actions/makeadmin.php:76 actions/subedit.php:57 actions/tagother.php:46 #: actions/unsubscribe.php:84 lib/profileformaction.php:86 msgid "No profile with that ID." msgstr "Aucun profil ne correspond à cet identifiant." -#: actions/groupblock.php:81 actions/groupunblock.php:81 +#: actions/groupblock.php:81 actions/groupunblock.php:82 #: actions/makeadmin.php:81 msgid "No group specified." msgstr "Aucun groupe n’a été spécifié." @@ -2251,6 +2349,14 @@ msgstr "" "Vous pouvez choisir un logo pour votre groupe. La taille maximale du fichier " "est de %s." +#: actions/grouplogo.php:236 +msgid "Upload" +msgstr "Transfert" + +#: actions/grouplogo.php:289 +msgid "Crop" +msgstr "Recadrer" + #: 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." @@ -2395,15 +2501,18 @@ msgstr "" "Pourquoi ne pas [créer un compte](%%action.register%%) et [créer le groupe](%" "%action.newgroup%%) vous-même !" -#: actions/groupunblock.php:91 +#. TRANS: Client error displayed when trying to unblock a user from a group without being an administrator for the group. +#: actions/groupunblock.php:94 msgid "Only an admin can unblock group members." msgstr "Seul un administrateur peut débloquer les membres du groupes." -#: actions/groupunblock.php:95 +#. TRANS: Client error displayed when trying to unblock a non-blocked user from a group. +#: actions/groupunblock.php:99 msgid "User is not blocked from group." msgstr "Cet utilisateur n’est pas bloqué du groupe." -#: actions/groupunblock.php:128 actions/unblock.php:86 +#. TRANS: Server error displayed when unblocking a user from a group fails because of an unknown error. +#: actions/groupunblock.php:131 actions/unblock.php:86 msgid "Error removing the block." msgstr "Erreur lors de l’annulation du blocage." @@ -3008,10 +3117,12 @@ msgstr "L’organisation est trop longue (limitée à 255 caractères maximum)." msgid "Could not create application." msgstr "Impossible de créer l’application." +#. TRANS: Title for form to create a group. #: actions/newgroup.php:53 msgid "New group" msgstr "Nouveau groupe" +#. TRANS: Form instructions for group create form. #: actions/newgroup.php:110 msgid "Use this form to create a new group." msgstr "Remplissez les champs ci-dessous pour créer un nouveau groupe :" @@ -3705,8 +3816,9 @@ msgid "1-64 lowercase letters or numbers, no punctuation or spaces." msgstr "1 à 64 lettres minuscules ou chiffres, sans ponctuation ni espaces." #. TRANS: Field label in form for profile settings. +#. TRANS: Label for full group name (dt). Text hidden by default. #: actions/profilesettings.php:117 actions/register.php:457 -#: actions/showgroup.php:256 actions/tagother.php:104 +#: actions/showgroup.php:257 actions/tagother.php:104 #: lib/groupeditform.php:157 lib/userprofile.php:150 msgid "Full name" msgstr "Nom complet" @@ -3746,8 +3858,9 @@ msgid "Bio" msgstr "Bio" #. TRANS: Field label in form for profile settings. +#. TRANS: Label for group location (dt). Text hidden by default. #: actions/profilesettings.php:149 actions/register.php:485 -#: actions/showgroup.php:265 actions/tagother.php:112 +#: actions/showgroup.php:267 actions/tagother.php:112 #: actions/userauthorization.php:166 lib/groupeditform.php:177 #: lib/userprofile.php:165 msgid "Location" @@ -4481,7 +4594,8 @@ msgstr "Organisation" msgid "Description" msgstr "Description" -#: actions/showapplication.php:192 actions/showgroup.php:442 +#. TRANS: Header for group statistics on a group page (h2). +#: actions/showapplication.php:192 actions/showgroup.php:453 #: lib/profileaction.php:187 msgid "Statistics" msgstr "Statistiques" @@ -4499,6 +4613,11 @@ msgstr "Actions de l’application" msgid "Reset key & secret" msgstr "Réinitialiser la clé et le secret" +#: actions/showapplication.php:252 lib/deletegroupform.php:121 +#: lib/deleteuserform.php:66 lib/noticelist.php:667 +msgid "Delete" +msgstr "Supprimer" + #: actions/showapplication.php:261 msgid "Application info" msgstr "Informations sur l’application" @@ -4592,77 +4711,106 @@ msgstr "" msgid "This is a way to share what you like." msgstr "C’est un moyen de partager ce que vous aimez." -#: actions/showgroup.php:82 +#. TRANS: Page title for first group page. %s is a group name. +#: actions/showgroup.php:80 #, php-format msgid "%s group" msgstr "Groupe %s" +#. TRANS: Page title for any but first group page. +#. TRANS: %1$s is a group name, $2$s is a page number. #: actions/showgroup.php:84 #, php-format msgid "%1$s group, page %2$d" msgstr "Groupe %1$s, page %2$d" -#: actions/showgroup.php:227 +#. TRANS: Group profile header (h2). Text hidden by default. +#: actions/showgroup.php:225 msgid "Group profile" msgstr "Profil du groupe" -#: actions/showgroup.php:272 actions/tagother.php:118 +#. TRANS: Label for group URL (dt). Text hidden by default. +#: actions/showgroup.php:275 actions/tagother.php:118 #: actions/userauthorization.php:175 lib/userprofile.php:178 msgid "URL" msgstr "URL" -#: actions/showgroup.php:283 actions/tagother.php:128 +#. TRANS: Label for group description or group note (dt). Text hidden by default. +#: actions/showgroup.php:287 actions/tagother.php:128 #: actions/userauthorization.php:187 lib/userprofile.php:195 msgid "Note" msgstr "Note" -#: actions/showgroup.php:293 lib/groupeditform.php:184 +#. TRANS: Label for group aliases (dt). Text hidden by default. +#: actions/showgroup.php:298 lib/groupeditform.php:184 msgid "Aliases" msgstr "Alias" -#: actions/showgroup.php:302 +#. TRANS: Group actions header (h2). Text hidden by default. +#: actions/showgroup.php:309 msgid "Group actions" msgstr "Actions du groupe" -#: actions/showgroup.php:344 +#. TRANS: Tooltip for feed link. %s is a group nickname. +#: actions/showgroup.php:350 #, php-format msgid "Notice feed for %s group (RSS 1.0)" msgstr "Fil des avis du groupe %s (RSS 1.0)" -#: actions/showgroup.php:350 +#. TRANS: Tooltip for feed link. %s is a group nickname. +#: actions/showgroup.php:357 #, php-format msgid "Notice feed for %s group (RSS 2.0)" msgstr "Fil des avis du groupe %s (RSS 2.0)" -#: actions/showgroup.php:356 +#. TRANS: Tooltip for feed link. %s is a group nickname. +#: actions/showgroup.php:364 #, php-format msgid "Notice feed for %s group (Atom)" msgstr "Fil des avis du groupe %s (Atom)" -#: actions/showgroup.php:361 +#. TRANS: Tooltip for feed link. %s is a group nickname. +#: actions/showgroup.php:370 #, php-format msgid "FOAF for %s group" msgstr "ami d’un ami pour le groupe %s" -#: actions/showgroup.php:399 actions/showgroup.php:451 +#. TRANS: Header for mini list of group members on a group page (h2). +#: actions/showgroup.php:407 msgid "Members" msgstr "Membres" -#: actions/showgroup.php:404 lib/profileaction.php:117 +#. TRANS: Description for mini list of group members on a group page when the group has no members. +#: actions/showgroup.php:413 lib/profileaction.php:117 #: lib/profileaction.php:152 lib/profileaction.php:255 lib/section.php:95 #: lib/subscriptionlist.php:127 lib/tagcloudsection.php:71 msgid "(None)" msgstr "(aucun)" -#: actions/showgroup.php:410 +#. TRANS: Link to all group members from mini list of group members if group has more than n members. +#: actions/showgroup.php:422 msgid "All members" msgstr "Tous les membres" -#: actions/showgroup.php:445 +#. TRANS: Label for creation date in statistics on group page. +#: actions/showgroup.php:458 +#, fuzzy +msgctxt "LABEL" msgid "Created" msgstr "Créé" -#: actions/showgroup.php:461 +#. TRANS: Label for member count in statistics on group page. +#: actions/showgroup.php:466 +#, fuzzy +msgctxt "LABEL" +msgid "Members" +msgstr "Membres" + +#. TRANS: Notice on group pages for anonymous users for StatusNet sites that accept new registrations. +#. TRANS: **%s** is the group alias, %%%%site.name%%%% is the site name, +#. TRANS: %%%%action.register%%%% is the URL for registration, %%%%doc.help%%%% is a URL to help. +#. TRANS: This message contains Markdown links. Ensure they are formatted correctly: [Description](link). +#: actions/showgroup.php:481 #, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -4678,7 +4826,10 @@ msgstr "" "action.register%%%%) pour devenir membre de ce groupe et bien plus ! ([En " "lire plus](%%%%doc.help%%%%))" -#: actions/showgroup.php:467 +#. TRANS: Notice on group pages for anonymous users for StatusNet sites that accept no new registrations. +#. TRANS: **%s** is the group alias, %%%%site.name%%%% is the site name, +#. TRANS: This message contains Markdown links. Ensure they are formatted correctly: [Description](link). +#: actions/showgroup.php:491 #, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -4691,26 +4842,33 @@ 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:495 +#. TRANS: Header for list of group administrators on a group page (h2). +#: actions/showgroup.php:520 msgid "Admins" msgstr "Administrateurs" -#: actions/showmessage.php:81 +#. TRANS: Client error displayed requesting a single message that does not exist. +#: actions/showmessage.php:79 msgid "No such message." msgstr "Message introuvable." -#: actions/showmessage.php:98 +#. TRANS: Client error displayed requesting a single direct message the requesting user was not a party in. +#: actions/showmessage.php:97 msgid "Only the sender and recipient may read this message." msgstr "" "Ce message personnel ne peut être lu que par son expéditeur et son " "destinataire." -#: actions/showmessage.php:108 +#. TRANS: Page title for single direct message display when viewing user is the sender. +#. TRANS: %1$s is the addressed user's nickname, $2$s is a timestamp. +#: actions/showmessage.php:110 #, php-format msgid "Message to %1$s on %2$s" msgstr "Message adressé à %1$s le %2$s" -#: actions/showmessage.php:113 +#. TRANS: Page title for single message display. +#. TRANS: %1$s is the sending user's nickname, $2$s is a timestamp. +#: actions/showmessage.php:118 #, php-format msgid "Message from %1$s on %2$s" msgstr "Message reçu de %1$s le %2$s" @@ -5161,12 +5319,14 @@ msgstr "Les instantanés seront envoyés à cette URL" msgid "Save snapshot settings" msgstr "Sauvegarder les paramètres des instantanés" -#: actions/subedit.php:70 +#. TRANS: Client error displayed trying a change a subscription for a non-subscribed profile. +#: actions/subedit.php:75 msgid "You are not subscribed to that profile." msgstr "Vous n’êtes pas abonné(e) à ce profil." +#. TRANS: Server error displayed when updating a subscription fails with a database error. #. TRANS: Exception thrown when a subscription could not be stored on the server. -#: actions/subedit.php:83 classes/Subscription.php:136 +#: actions/subedit.php:89 classes/Subscription.php:136 msgid "Could not save subscription." msgstr "Impossible d’enregistrer l’abonnement." @@ -5986,12 +6146,12 @@ msgid "Welcome to %1$s, @%2$s!" msgstr "Bienvenue à %1$s, @%2$s !" #. TRANS: Server exception. -#: classes/User.php:902 +#: classes/User.php:912 msgid "No single user defined for single-user mode." msgstr "Aucun utilisateur unique défini pour le mode mono-utilisateur." #. TRANS: Server exception. -#: classes/User.php:906 +#: classes/User.php:916 msgid "Single-user mode code called when not enabled." msgstr "Code en mode mono-utilisateur appelé quand ce n’est pas autorisé." @@ -7168,7 +7328,8 @@ msgstr "Atom" msgid "FOAF" msgstr "Ami d’un ami" -#: lib/feedlist.php:65 +#. TRANS: Header for feed links (h2). +#: lib/feedlist.php:66 msgid "Feeds" msgstr "Flux d’informations" @@ -7331,39 +7492,57 @@ msgstr "" msgid "Unsupported image file format." msgstr "Format de fichier d’image non supporté." -#: lib/imagefile.php:88 +#. TRANS: Exception thrown when too large a file is uploaded. +#. TRANS: %s is the maximum file size, for example "500b", "10kB" or "2MB". +#: lib/imagefile.php:90 #, php-format msgid "That file is too big. The maximum file size is %s." msgstr "Ce fichier est trop grand. La taille maximale est %s." -#: lib/imagefile.php:93 +#: lib/imagefile.php:95 msgid "Partial upload." msgstr "Transfert partiel." #. TRANS: Client exception thrown when a file upload operation has failed with an unknown reason. -#: lib/imagefile.php:101 lib/mediafile.php:179 +#: lib/imagefile.php:103 lib/mediafile.php:179 msgid "System error uploading file." msgstr "Erreur système lors du transfert du fichier." -#: lib/imagefile.php:109 +#: lib/imagefile.php:111 msgid "Not an image or corrupt file." msgstr "Ceci n’est pas une image, ou c’est un fichier corrompu." -#: lib/imagefile.php:122 +#: lib/imagefile.php:124 msgid "Lost our file." msgstr "Fichier perdu." -#: lib/imagefile.php:163 lib/imagefile.php:224 +#: lib/imagefile.php:165 lib/imagefile.php:226 msgid "Unknown file type" msgstr "Type de fichier inconnu" -#: lib/imagefile.php:244 -msgid "MB" -msgstr "Mo" +#. TRANS: Number of megabytes. %d is the number. +#: lib/imagefile.php:248 +#, fuzzy, php-format +msgid "%dMB" +msgid_plural "%dMB" +msgstr[0] "Mo" +msgstr[1] "Mo" -#: lib/imagefile.php:246 -msgid "kB" -msgstr "Ko" +#. TRANS: Number of kilobytes. %d is the number. +#: lib/imagefile.php:252 +#, fuzzy, php-format +msgid "%dkB" +msgid_plural "%dkB" +msgstr[0] "Ko" +msgstr[1] "Ko" + +#. TRANS: Number of bytes. %d is the number. +#: lib/imagefile.php:255 +#, php-format +msgid "%dB" +msgid_plural "%dB" +msgstr[0] "" +msgstr[1] "" #: lib/jabber.php:387 #, php-format @@ -8268,6 +8447,13 @@ msgstr "Erreur lors de l’ouverture de l’archive du thème." msgid "Top posters" msgstr "Utilisateurs les plus actifs" +#. TRANS: Title for the form to unblock a user. +#: lib/unblockform.php:67 +#, fuzzy +msgctxt "TITLE" +msgid "Unblock" +msgstr "Débloquer" + #: lib/unsandboxform.php:69 msgid "Unsandbox" msgstr "Sortir du bac à sable" @@ -8453,3 +8639,9 @@ msgstr "Aucun utilisateur spécifié ; utilisation de l’utilisateur de secours #, php-format msgid "%d entries in backup." msgstr "%d entrées dans la sauvegarde." + +#~ msgid "Description is too long (max %d chars)." +#~ msgstr "La description est trop longue (limitée à %d caractères maximum)." + +#~ msgid "Too many aliases! Maximum %d." +#~ msgstr "Trop d’alias ! Maximum %d." diff --git a/locale/ga/LC_MESSAGES/statusnet.po b/locale/ga/LC_MESSAGES/statusnet.po index 852fc62353..5ceb45a932 100644 --- a/locale/ga/LC_MESSAGES/statusnet.po +++ b/locale/ga/LC_MESSAGES/statusnet.po @@ -9,18 +9,18 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet - Core\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-10-27 23:43+0000\n" -"PO-Revision-Date: 2010-10-28 23:09:00+0000\n" +"POT-Creation-Date: 2010-10-30 23:18+0000\n" +"PO-Revision-Date: 2010-10-30 23:20:18+0000\n" "Language-Team: Irish \n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r75629); Translate extension (2010-09-17)\n" +"X-Generator: MediaWiki 1.17alpha (r75708); Translate extension (2010-09-17)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: ga\n" "X-Message-Group: #out-statusnet-core\n" "Plural-Forms: nplurals=5; plural=(n == 1) ? 0 : ( (n == 2) ? 1 : ( (n < 7) ? " "2 : ( (n < 11) ? 3 : 4 ) ) );\n" -"X-POT-Import-Date: 2010-10-28 00:13:15+0000\n" +"X-POT-Import-Date: 2010-10-30 09:48:40+0000\n" #. TRANS: Page title for Access admin panel that allows configuring site access. #. TRANS: Menu item for site administration @@ -124,6 +124,7 @@ msgstr "Non existe a etiqueta." #. TRANS: Client error displayed when requesting most recent dents by user and friends for a non-existing user. #. TRANS: Client error displayed when requesting most recent mentions for a non-existing user. #. TRANS: Client error displayed requesting most recent notices for a non-existing user. +#. TRANS: Client error displayed trying to get an avatar for a non-existing user. #. TRANS: Error text shown when trying to send a direct message to a user that does not exist. #: actions/all.php:80 actions/apiaccountupdatedeliverydevice.php:110 #: actions/apiaccountupdateprofile.php:103 @@ -136,7 +137,7 @@ msgstr "Non existe a etiqueta." #: actions/apistatusesupdate.php:230 actions/apisubscriptions.php:85 #: actions/apitimelinefavorites.php:70 actions/apitimelinefriends.php:173 #: actions/apitimelinehome.php:78 actions/apitimelinementions.php:77 -#: actions/apitimelineuser.php:79 actions/avatarbynickname.php:75 +#: actions/apitimelineuser.php:79 actions/avatarbynickname.php:79 #: 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 @@ -309,11 +310,12 @@ msgstr "Non se puido actualizar o usuario." #. TRANS: Client error displayed a user has no profile updating profile colours. #. TRANS: Client error displayed if a user profile could not be found updating a profile image. #. TRANS: Client error displayed when requesting user information for a user without a profile. +#. TRANS: Client error displayed trying to get an avatar for a user without a profile. #: actions/apiaccountupdateprofile.php:111 #: actions/apiaccountupdateprofilebackgroundimage.php:199 #: actions/apiaccountupdateprofilecolors.php:183 #: actions/apiaccountupdateprofileimage.php:130 actions/apiusershow.php:108 -#: actions/avatarbynickname.php:80 actions/foaf.php:65 actions/hcard.php:74 +#: actions/avatarbynickname.php:85 actions/foaf.php:65 actions/hcard.php:74 #: actions/replies.php:80 actions/usergroups.php:100 lib/galleryaction.php:66 #: lib/profileaction.php:84 msgid "User has no profile." @@ -329,7 +331,7 @@ msgstr "Non se puido gardar o perfil." #. TRANS: %s is the number of bytes of the CONTENT_LENGTH. #: actions/apiaccountupdateprofilebackgroundimage.php:108 #: actions/apiaccountupdateprofileimage.php:95 actions/apimediaupload.php:81 -#: actions/apistatusesupdate.php:210 actions/avatarsettings.php:259 +#: actions/apistatusesupdate.php:210 actions/avatarsettings.php:269 #: actions/designadminpanel.php:125 actions/editapplication.php:121 #: actions/newapplication.php:104 actions/newnotice.php:95 #, php-format @@ -519,43 +521,53 @@ msgstr "Non se puido actualizar o usuario." msgid "Could not find target user." msgstr "Non se puido actualizar o usuario." +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. #. TRANS: Validation error in form for profile settings. -#: actions/apigroupcreate.php:165 actions/editgroup.php:186 -#: actions/newgroup.php:126 actions/profilesettings.php:243 +#: actions/apigroupcreate.php:165 actions/editgroup.php:191 +#: actions/newgroup.php:127 actions/profilesettings.php:243 #: actions/register.php:212 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." #. TRANS: Client error trying to create a group with a nickname this is already in use. +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. #. TRANS: Validation error in form for profile settings. -#: actions/apigroupcreate.php:175 actions/editgroup.php:190 -#: actions/newgroup.php:130 actions/profilesettings.php:277 +#: actions/apigroupcreate.php:175 actions/editgroup.php:196 +#: actions/newgroup.php:132 actions/profilesettings.php:277 #: actions/register.php:215 msgid "Nickname already in use. Try another one." msgstr "O alcume xa está sendo empregado por outro usuario. Tenta con outro." #. TRANS: Client error in form for group creation. +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. #. TRANS: Validation error in form for profile settings. -#: actions/apigroupcreate.php:183 actions/editgroup.php:193 -#: actions/newgroup.php:133 actions/profilesettings.php:247 +#: actions/apigroupcreate.php:183 actions/editgroup.php:200 +#: actions/newgroup.php:136 actions/profilesettings.php:247 #: actions/register.php:217 msgid "Not a valid nickname." msgstr "Non é un alcume válido." #. TRANS: Client error in form for group creation. #. TRANS: Validation error shown when providing an invalid homepage URL in the "Edit application" form. +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. #. TRANS: Validation error in form for profile settings. #: actions/apigroupcreate.php:200 actions/editapplication.php:233 -#: actions/editgroup.php:199 actions/newapplication.php:211 -#: actions/newgroup.php:139 actions/profilesettings.php:252 +#: actions/editgroup.php:207 actions/newapplication.php:211 +#: actions/newgroup.php:143 actions/profilesettings.php:252 #: actions/register.php:224 msgid "Homepage is not a valid URL." msgstr "A páxina persoal semella que non é unha URL válida." #. TRANS: Client error in form for group creation. +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. #. TRANS: Validation error in form for profile settings. -#: actions/apigroupcreate.php:210 actions/editgroup.php:202 -#: actions/newgroup.php:142 actions/profilesettings.php:256 +#: actions/apigroupcreate.php:210 actions/editgroup.php:211 +#: actions/newgroup.php:147 actions/profilesettings.php:256 #: actions/register.php:227 #, fuzzy msgid "Full name is too long (maximum 255 characters)." @@ -564,10 +576,11 @@ msgstr "O nome completo é demasiado longo (max 255 car)." #. TRANS: Client error shown when providing too long a description during group creation. #. TRANS: %d is the maximum number of allowed characters. #. TRANS: Validation error shown when providing too long a description in the "Edit application" form. +#. TRANS: Group edit form validation error. #. TRANS: Form validation error in New application form. #. TRANS: %d is the maximum number of characters for the description. #: actions/apigroupcreate.php:220 actions/editapplication.php:201 -#: actions/newapplication.php:178 +#: actions/editgroup.php:216 actions/newapplication.php:178 #, fuzzy, php-format msgid "Description is too long (maximum %d character)." msgid_plural "Description is too long (maximum %d characters)." @@ -578,9 +591,11 @@ msgstr[3] "O teu Bio é demasiado longo (max %d car.)." msgstr[4] "O teu Bio é demasiado longo (max %d car.)." #. TRANS: Client error shown when providing too long a location during group creation. +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. #. TRANS: Validation error in form for profile settings. -#: actions/apigroupcreate.php:234 actions/editgroup.php:208 -#: actions/newgroup.php:153 actions/profilesettings.php:269 +#: actions/apigroupcreate.php:234 actions/editgroup.php:223 +#: actions/newgroup.php:159 actions/profilesettings.php:269 #: actions/register.php:236 #, fuzzy msgid "Location is too long (maximum 255 characters)." @@ -588,7 +603,12 @@ msgstr "A localización é demasiado longa (max 255 car.)." #. TRANS: Client error shown when providing too many aliases during group creation. #. TRANS: %d is the maximum number of allowed aliases. -#: actions/apigroupcreate.php:255 actions/newgroup.php:166 +#. TRANS: Group edit form validation error. +#. TRANS: %d is the maximum number of allowed aliases. +#. TRANS: Group create form validation error. +#. TRANS: %d is the maximum number of allowed aliases. +#: actions/apigroupcreate.php:255 actions/editgroup.php:236 +#: actions/newgroup.php:172 #, php-format msgid "Too many aliases! Maximum %d allowed." msgid_plural "Too many aliases! Maximum %d allowed." @@ -607,15 +627,19 @@ msgstr "Etiqueta inválida: '%s'" #. TRANS: Client error displayed when trying to use an alias during group creation that is already in use. #. TRANS: %s is the alias that is already in use. -#: actions/apigroupcreate.php:291 actions/editgroup.php:232 -#: actions/newgroup.php:181 +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. +#: actions/apigroupcreate.php:291 actions/editgroup.php:253 +#: actions/newgroup.php:189 #, 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." #. TRANS: Client error displayed when trying to use an alias during group creation that is the same as the group's nickname. -#: actions/apigroupcreate.php:305 actions/editgroup.php:238 -#: actions/newgroup.php:187 +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. +#: actions/apigroupcreate.php:305 actions/editgroup.php:260 +#: actions/newgroup.php:196 msgid "Alias can't be the same as nickname." msgstr "" @@ -721,18 +745,18 @@ msgid "Request token already authorized." msgstr "Non estás suscrito a ese perfil" #. TRANS: Form validation error in API OAuth authorisation because of an invalid session token. -#: actions/apioauthauthorize.php:147 actions/avatarsettings.php:270 +#: actions/apioauthauthorize.php:147 actions/avatarsettings.php:280 #: actions/deletenotice.php:172 actions/disfavor.php:74 #: actions/emailsettings.php:271 actions/favor.php:75 actions/geocode.php:55 #: actions/groupblock.php:66 actions/grouplogo.php:312 -#: actions/groupunblock.php:66 actions/imsettings.php:230 +#: actions/groupunblock.php:65 actions/imsettings.php:230 #: actions/invite.php:59 actions/login.php:137 actions/makeadmin.php:66 #: actions/newmessage.php:135 actions/newnotice.php:105 actions/nudge.php:80 #: actions/oauthappssettings.php:165 actions/oauthconnectionssettings.php:138 #: actions/othersettings.php:145 actions/passwordsettings.php:138 #: actions/profilesettings.php:221 actions/recoverpassword.php:350 #: actions/register.php:172 actions/remotesubscribe.php:77 -#: actions/repeat.php:83 actions/smssettings.php:256 actions/subedit.php:38 +#: actions/repeat.php:83 actions/smssettings.php:256 actions/subedit.php:40 #: actions/subscribe.php:86 actions/tagother.php:166 #: actions/unsubscribe.php:69 actions/userauthorization.php:52 #: lib/designsettings.php:294 @@ -752,12 +776,13 @@ msgid "Database error inserting oauth_token_association." msgstr "Erro ó inserir o hashtag na BD: %s" #. TRANS: Client error given on when invalid data was passed through a form in the OAuth API. +#. TRANS: Unexpected validation error on avatar upload form. #. TRANS: Client error displayed submitting invalid form data for edit application. #. TRANS: Message given submitting a form with an unknown action in e-mail settings. #. TRANS: Message given submitting a form with an unknown action in IM settings. #. TRANS: Client error when submitting a form with unexpected information. #. TRANS: Message given submitting a form with an unknown action in SMS settings. -#: actions/apioauthauthorize.php:294 actions/avatarsettings.php:283 +#: actions/apioauthauthorize.php:294 actions/avatarsettings.php:294 #: actions/designadminpanel.php:104 actions/editapplication.php:144 #: actions/emailsettings.php:290 actions/grouplogo.php:322 #: actions/imsettings.php:245 actions/newapplication.php:125 @@ -806,6 +831,7 @@ msgstr "Sobre" #. TRANS: Field label on OAuth API authorisation form. #. TRANS: Field label in form for profile settings. +#. TRANS: Label for group nickname (dt). Text hidden by default. #: actions/apioauthauthorize.php:459 actions/login.php:252 #: actions/profilesettings.php:110 actions/register.php:433 #: actions/showgroup.php:245 actions/tagother.php:94 @@ -1065,106 +1091,139 @@ msgstr "Método da API en contrución." msgid "User not found." msgstr "Método da API non atopado" +#. TRANS: Client error displayed trying to get a non-existing attachment. #: actions/attachment.php:73 msgid "No such attachment." msgstr "Non existe a etiqueta." -#: actions/avatarbynickname.php:59 actions/blockedfromgroup.php:73 -#: actions/editgroup.php:84 actions/groupdesignsettings.php:84 +#. TRANS: Client error displayed trying to get an avatar without providing a nickname. +#. TRANS: Client error displayed when requesting a list of blocked users for a group without providing a group nickname. +#. TRANS: Client error displayed trying to edit a group while not proving a nickname for the group to edit. +#. TRANS: Client error displayed if no nickname argument was given requesting a group page. +#: actions/avatarbynickname.php:60 actions/blockedfromgroup.php:73 +#: actions/editgroup.php:85 actions/groupdesignsettings.php:84 #: actions/grouplogo.php:86 actions/groupmembers.php:76 #: actions/grouprss.php:91 actions/showgroup.php:121 msgid "No nickname." msgstr "Sen alcume." -#: actions/avatarbynickname.php:64 +#. TRANS: Client error displayed trying to get an avatar without providing an avatar size. +#: actions/avatarbynickname.php:66 msgid "No size." msgstr "Sen tamaño." -#: actions/avatarbynickname.php:69 +#. TRANS: Client error displayed trying to get an avatar providing an invalid avatar size. +#: actions/avatarbynickname.php:72 msgid "Invalid size." msgstr "Tamaño inválido." +#. TRANS: Title for avatar upload page. +#. TRANS: Label for group avatar (dt). Text hidden by default. #. TRANS: Link description in user account settings menu. -#: actions/avatarsettings.php:67 actions/showgroup.php:230 +#: actions/avatarsettings.php:66 actions/showgroup.php:229 #: lib/accountsettingsaction.php:113 msgid "Avatar" msgstr "Avatar" +#. TRANS: Instruction for avatar upload page. +#. TRANS: %s is the maximum file size, for example "500b", "10kB" or "2MB". #: actions/avatarsettings.php:78 #, fuzzy, php-format msgid "You can upload your personal avatar. The maximum file size is %s." msgstr "Podes actualizar a túa información do perfil persoal aquí" -#: actions/avatarsettings.php:106 actions/avatarsettings.php:185 +#. TRANS: Server error displayed in avatar upload page when no matching profile can be found for a user. +#: actions/avatarsettings.php:108 actions/avatarsettings.php:192 #: actions/grouplogo.php:181 actions/remotesubscribe.php:191 #: actions/userauthorization.php:72 actions/userrss.php:108 msgid "User without matching profile." msgstr "O usuario non ten perfil." -#: actions/avatarsettings.php:119 actions/avatarsettings.php:197 +#. TRANS: Avatar upload page form legend. +#. TRANS: Avatar upload page crop form legend. +#: actions/avatarsettings.php:122 actions/avatarsettings.php:205 #: actions/grouplogo.php:254 msgid "Avatar settings" msgstr "Configuración de perfil" -#: actions/avatarsettings.php:127 actions/avatarsettings.php:205 +#. TRANS: Header on avatar upload page for thumbnail of originally uploaded avatar (h2). +#. TRANS: Header on avatar upload crop form for thumbnail of originally uploaded avatar (h2). +#: actions/avatarsettings.php:131 actions/avatarsettings.php:214 #: actions/grouplogo.php:202 actions/grouplogo.php:262 msgid "Original" msgstr "" -#: actions/avatarsettings.php:142 actions/avatarsettings.php:217 +#. TRANS: Header on avatar upload page for thumbnail of to be used rendition of uploaded avatar (h2). +#. TRANS: Header on avatar upload crop form for thumbnail of to be used rendition of uploaded avatar (h2). +#: actions/avatarsettings.php:147 actions/avatarsettings.php:227 #: actions/grouplogo.php:213 actions/grouplogo.php:274 msgid "Preview" msgstr "" -#: actions/avatarsettings.php:149 actions/showapplication.php:252 -#: lib/deletegroupform.php:121 lib/deleteuserform.php:66 -#: lib/noticelist.php:667 +#. TRANS: Button on avatar upload page to delete current avatar. +#: actions/avatarsettings.php:155 +#, fuzzy +msgctxt "BUTTON" msgid "Delete" msgstr "Eliminar chío" -#: actions/avatarsettings.php:166 actions/grouplogo.php:236 +#. TRANS: Button on avatar upload page to upload an avatar. +#: actions/avatarsettings.php:173 +#, fuzzy +msgctxt "BUTTON" msgid "Upload" msgstr "Subir" -#: actions/avatarsettings.php:231 actions/grouplogo.php:289 +#. TRANS: Button on avatar upload crop form to confirm a selected crop as avatar. +#: actions/avatarsettings.php:243 +msgctxt "BUTTON" msgid "Crop" msgstr "" -#: actions/avatarsettings.php:307 +#. TRANS: Validation error on avatar upload form when no file was uploaded. +#: actions/avatarsettings.php:318 #, fuzzy msgid "No file uploaded." msgstr "Non se especificou ningún perfil." -#: actions/avatarsettings.php:334 +#. TRANS: Avatar upload form unstruction after uploading a file. +#: actions/avatarsettings.php:346 msgid "Pick a square area of the image to be your avatar" msgstr "" -#: actions/avatarsettings.php:349 actions/grouplogo.php:380 +#. TRANS: Server error displayed if an avatar upload went wrong somehow server side. +#: actions/avatarsettings.php:361 actions/grouplogo.php:380 msgid "Lost our file data." msgstr "" -#: actions/avatarsettings.php:372 +#: actions/avatarsettings.php:384 msgid "Avatar updated." msgstr "Avatar actualizado." -#: actions/avatarsettings.php:375 +#. TRANS: Error displayed on the avatar upload page if the avatar could not be updated for an unknown reason. +#: actions/avatarsettings.php:388 msgid "Failed updating avatar." msgstr "Acounteceu un fallo ó actualizar o avatar." -#: actions/avatarsettings.php:399 +#. TRANS: Success message for deleting a user avatar. +#: actions/avatarsettings.php:412 #, fuzzy msgid "Avatar deleted." msgstr "Avatar actualizado." -#: actions/block.php:69 +#. TRANS: Client error displayed when blocking a user that has already been blocked. +#: actions/block.php:68 msgid "You already blocked that user." msgstr "Xa estas suscrito a estes usuarios:" -#: actions/block.php:107 actions/block.php:136 actions/groupblock.php:158 +#. TRANS: Title for block user page. +#. TRANS: Legend for block user form. +#: actions/block.php:106 actions/block.php:136 actions/groupblock.php:158 msgid "Block user" msgstr "Bloquear usuario" -#: actions/block.php:138 +#. TRANS: Explanation of consequences when blocking a user on the block user page. +#: actions/block.php:139 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 " @@ -1180,7 +1239,7 @@ msgstr "" #. TRANS: Button label on the delete notice form. #. TRANS: Button label on the delete user form. #. TRANS: Button label on the form to block a user from a group. -#: actions/block.php:153 actions/deleteapplication.php:154 +#: actions/block.php:154 actions/deleteapplication.php:154 #: actions/deletegroup.php:220 actions/deletenotice.php:150 #: actions/deleteuser.php:152 actions/groupblock.php:178 #, fuzzy @@ -1190,7 +1249,7 @@ msgstr "No" #. TRANS: Submit button title for 'No' when blocking a user. #. TRANS: Submit button title for 'No' when deleting a user. -#: actions/block.php:157 actions/deleteuser.php:156 +#: actions/block.php:158 actions/deleteuser.php:156 #, fuzzy msgid "Do not block this user" msgstr "Bloquear usuario" @@ -1201,7 +1260,7 @@ msgstr "Bloquear usuario" #. TRANS: Button label on the delete notice form. #. TRANS: Button label on the delete user form. #. TRANS: Button label on the form to block a user from a group. -#: actions/block.php:160 actions/deleteapplication.php:161 +#: actions/block.php:161 actions/deleteapplication.php:161 #: actions/deletegroup.php:227 actions/deletenotice.php:157 #: actions/deleteuser.php:159 actions/groupblock.php:185 #, fuzzy @@ -1211,94 +1270,115 @@ msgstr "Si" #. TRANS: Submit button title for 'Yes' when blocking a user. #. TRANS: Description of the form to block a user. -#: actions/block.php:164 lib/blockform.php:79 +#: actions/block.php:165 lib/blockform.php:79 #, fuzzy msgid "Block this user" msgstr "Bloquear usuario" -#: actions/block.php:187 +#. TRANS: Server error displayed when blocking a user fails. +#: actions/block.php:189 msgid "Failed to save block information." msgstr "Erro ao gardar información de bloqueo." +#. TRANS: Client error displayed when requesting a list of blocked users for a non-local group. +#. TRANS: Client error displayed when requesting a list of blocked users for a non-existing group. #. TRANS: Client error when trying to delete a non-local group. #. TRANS: Client error when trying to delete a non-existing group. +#. TRANS: Client error displayed trying to edit a non-existing group. +#. TRANS: Client error displayed when trying to unblock a user from a non-existing group. +#. TRANS: Client error displayed if no remote group with a given name was found requesting group page. +#. TRANS: Client error displayed if no local group with a given name was found requesting group page. #. TRANS: Command exception text shown when a group is requested that does not exist. #. TRANS: Error text shown when trying to leave a group that does not exist. -#: actions/blockedfromgroup.php:80 actions/blockedfromgroup.php:87 +#: actions/blockedfromgroup.php:81 actions/blockedfromgroup.php:89 #: actions/deletegroup.php:87 actions/deletegroup.php:100 -#: actions/editgroup.php:100 actions/foafgroup.php:44 actions/foafgroup.php:62 +#: actions/editgroup.php:102 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/groupunblock.php:88 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:168 +#: actions/showgroup.php:139 actions/showgroup.php:148 lib/command.php:168 #: lib/command.php:380 #, fuzzy msgid "No such group." msgstr "Non existe a etiqueta." -#: actions/blockedfromgroup.php:97 +#. TRANS: Title for first page with list of users blocked from a group. +#. TRANS: %s is a group nickname. +#: actions/blockedfromgroup.php:101 #, php-format msgid "%s blocked profiles" msgstr "" -#: actions/blockedfromgroup.php:100 +#. TRANS: Title for any but the first page with list of users blocked from a group. +#. TRANS: %1$s is a group nickname, %2$d is a page number. +#: actions/blockedfromgroup.php:106 #, fuzzy, php-format msgid "%1$s blocked profiles, page %2$d" msgstr "%s e amigos" -#: actions/blockedfromgroup.php:115 +#. TRANS: Instructions for list of users blocked from a group. +#: actions/blockedfromgroup.php:122 msgid "A list of the users blocked from joining this group." msgstr "" -#: actions/blockedfromgroup.php:288 +#. TRANS: Form legend for unblocking a user from a group. +#: actions/blockedfromgroup.php:291 #, fuzzy msgid "Unblock user from group" msgstr "Desbloqueo de usuario fallido." -#. TRANS: Title for the form to unblock a user. -#: actions/blockedfromgroup.php:320 lib/unblockform.php:70 +#. TRANS: Button text for unblocking a user from a group. +#: actions/blockedfromgroup.php:323 +#, fuzzy +msgctxt "BUTTON" msgid "Unblock" msgstr "Desbloquear" +#. TRANS: Tooltip for button for unblocking a user from a group. #. TRANS: Description of the form to unblock a user. -#: actions/blockedfromgroup.php:320 lib/unblockform.php:82 +#: actions/blockedfromgroup.php:327 lib/unblockform.php:78 #, fuzzy msgid "Unblock this user" msgstr "Bloquear usuario" #. TRANS: Title for mini-posting window loaded from bookmarklet. +#. TRANS: %s is the StatusNet site name. #: actions/bookmarklet.php:51 #, php-format msgid "Post to %s" msgstr "Replies to %s" -#: actions/confirmaddress.php:75 +#. TRANS: Client error displayed when not providing a confirmation code in the contact address confirmation action. +#: actions/confirmaddress.php:74 msgid "No confirmation code." msgstr "Sen código de confirmación." +#. TRANS: Client error displayed when providing a non-existing confirmation code in the contact address confirmation action. #: actions/confirmaddress.php:80 msgid "Confirmation code not found." msgstr "Confirmation code not found." -#: actions/confirmaddress.php:85 +#. TRANS: Client error displayed when not providing a confirmation code for another user in the contact address confirmation action. +#: actions/confirmaddress.php:86 msgid "That confirmation code is not for you!" msgstr "¡Ese código de confirmación non é para ti!" -#. TRANS: Server error for an unknow address type, which can be 'email', 'jabber', or 'sms'. -#: actions/confirmaddress.php:91 +#. TRANS: Server error for a unknow address type %s, which can be 'email', 'jabber', or 'sms'. +#: actions/confirmaddress.php:92 #, fuzzy, php-format msgid "Unrecognized address type %s." msgstr "Tipo de enderezo %s non recoñecido" -#. TRANS: Client error for an already confirmed email/jabbel/sms address. -#: actions/confirmaddress.php:96 +#. TRANS: Client error for an already confirmed email/jabber/sms address. +#: actions/confirmaddress.php:97 msgid "That address has already been confirmed." msgstr "Esa dirección xa foi confirmada." +#. TRANS: Server error displayed when a user update to the database fails in the contact address confirmation action. #. TRANS: Server error thrown on database error updating e-mail preferences. #. TRANS: Server error thrown on database error removing a registered e-mail address. #. TRANS: Server error thrown on database error updating IM preferences. @@ -1306,7 +1386,7 @@ msgstr "Esa dirección xa foi confirmada." #. TRANS: Server error thrown when user profile settings could not be updated. #. TRANS: Server error thrown on database error updating SMS preferences. #. TRANS: Server error thrown on database error removing a registered SMS phone number. -#: actions/confirmaddress.php:116 actions/emailsettings.php:331 +#: actions/confirmaddress.php:118 actions/emailsettings.php:331 #: actions/emailsettings.php:477 actions/imsettings.php:283 #: actions/imsettings.php:442 actions/othersettings.php:174 #: actions/profilesettings.php:326 actions/smssettings.php:308 @@ -1314,28 +1394,33 @@ msgstr "Esa dirección xa foi confirmada." msgid "Couldn't update user." msgstr "Non se puido actualizar o usuario." -#. TRANS: Server error thrown on database error canceling e-mail address confirmation. -#. TRANS: Server error thrown on database error canceling SMS phone number confirmation. -#: actions/confirmaddress.php:128 actions/emailsettings.php:437 -#: actions/smssettings.php:422 -msgid "Couldn't delete email confirmation." +#. TRANS: Server error displayed when an address confirmation code deletion from the +#. TRANS: database fails in the contact address confirmation action. +#: actions/confirmaddress.php:132 +#, fuzzy +msgid "Could not delete address confirmation." msgstr "Non se pode eliminar a confirmación de email." -#: actions/confirmaddress.php:146 +#. TRANS: Title for the contact address confirmation action. +#: actions/confirmaddress.php:150 msgid "Confirm address" msgstr "Direccións de correo confirmadas actualmente." -#: actions/confirmaddress.php:161 +#. TRANS: Success message for the contact address confirmation action. +#. TRANS: %s can be 'email', 'jabber', or 'sms'. +#: actions/confirmaddress.php:166 #, php-format msgid "The address \"%s\" has been confirmed for your account." msgstr "A dirección \"%s\" xa foi confirmada para a túa conta." -#: actions/conversation.php:99 +#. TRANS: Title for page with a conversion (multiple notices in context). +#: actions/conversation.php:96 #, fuzzy msgid "Conversation" msgstr "Código de confirmación." -#: actions/conversation.php:154 lib/mailbox.php:116 lib/noticelist.php:87 +#. TRANS: Header on conversation page. Hidden by default (h2). +#: actions/conversation.php:149 lib/mailbox.php:116 lib/noticelist.php:87 #: lib/profileaction.php:229 lib/searchgroupnav.php:82 msgid "Notices" msgstr "Chíos" @@ -1447,11 +1532,13 @@ msgstr "Non se pode eliminar este chíos." msgid "Delete this group" msgstr "Eliminar chío" +#. TRANS: Client error displayed when trying to unblock a user from a group while not logged in. +#. TRANS: Client error displayed trying a change a subscription while not logged in. #. TRANS: Client error message thrown when trying to access the admin panel while not logged in. #: actions/deletenotice.php:50 actions/disfavor.php:61 actions/favor.php:62 -#: actions/groupblock.php:61 actions/groupunblock.php:61 actions/logout.php:69 +#: actions/groupblock.php:61 actions/groupunblock.php:60 actions/logout.php:69 #: actions/makeadmin.php:61 actions/newmessage.php:87 actions/newnotice.php:88 -#: actions/nudge.php:63 actions/subedit.php:31 actions/subscribe.php:96 +#: actions/nudge.php:63 actions/subedit.php:33 actions/subscribe.php:96 #: actions/tagother.php:33 actions/unsubscribe.php:52 #: lib/adminpanelaction.php:71 lib/profileformaction.php:64 #: lib/settingsaction.php:72 @@ -1774,53 +1861,53 @@ msgstr "" msgid "Could not update application." msgstr "Non se puido actualizar o usuario." -#: actions/editgroup.php:56 +#. TRANS: Title for form to edit a group. %s is a group nickname. +#: actions/editgroup.php:55 #, php-format msgid "Edit %s group" msgstr "" +#. TRANS: Client error displayed trying to edit a group while not logged in. +#. TRANS: Client error displayed trying to create a group while not logged in. #: actions/editgroup.php:68 actions/grouplogo.php:70 actions/newgroup.php:65 #, fuzzy 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:107 actions/editgroup.php:172 +#. TRANS: Client error displayed trying to edit a group while not being a group admin. +#: actions/editgroup.php:110 actions/editgroup.php:176 #: 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:158 +#. TRANS: Form instructions for group edit form. +#: actions/editgroup.php:161 msgid "Use this form to edit the group." msgstr "" -#: actions/editgroup.php:205 -#, php-format -msgid "Description is too long (max %d chars)." -msgstr "O teu Bio é demasiado longo (max %d car.)." - -#: actions/editgroup.php:219 -#, php-format -msgid "Too many aliases! Maximum %d." -msgstr "" - -#: actions/editgroup.php:228 actions/newgroup.php:177 +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. +#: actions/editgroup.php:248 actions/newgroup.php:184 #, fuzzy, php-format msgid "Invalid alias: \"%s\"" msgstr "Etiqueta inválida: '%s'" -#: actions/editgroup.php:258 +#. TRANS: Server error displayed when editing a group fails. +#: actions/editgroup.php:281 #, fuzzy msgid "Could not update group." msgstr "Non se puido actualizar o usuario." +#. TRANS: Server error displayed when group aliases could not be added. #. TRANS: Server exception thrown when creating group aliases failed. -#: actions/editgroup.php:264 classes/User_group.php:513 +#: actions/editgroup.php:288 classes/User_group.php:513 #, fuzzy msgid "Could not create aliases." msgstr "Non se puido crear o favorito." -#: actions/editgroup.php:280 +#. TRANS: Group edit form success message. +#: actions/editgroup.php:305 #, fuzzy msgid "Options saved." msgstr "Configuracións gardadas." @@ -2020,6 +2107,12 @@ msgstr "Non hai ningunha confirmación pendente para cancelar." msgid "That is the wrong email address." msgstr "Esa é unha enderezo IM incorrecto." +#. TRANS: Server error thrown on database error canceling e-mail address confirmation. +#. TRANS: Server error thrown on database error canceling SMS phone number confirmation. +#: actions/emailsettings.php:437 actions/smssettings.php:422 +msgid "Couldn't delete email confirmation." +msgstr "Non se pode eliminar a confirmación de email." + #. TRANS: Message given after successfully canceling e-mail address confirmation. #: actions/emailsettings.php:442 msgid "Email confirmation cancelled." @@ -2202,19 +2295,23 @@ msgstr "Tes restrinxido o envio de chíos neste sitio." msgid "User already has this role." msgstr "O usuario non ten perfil." +#. TRANS: Client error displayed when trying to unblock a user from a group without providing a profile. +#. TRANS: Client error displayed trying a change a subscription without providing a profile. #: actions/groupblock.php:71 actions/groupunblock.php:71 -#: actions/makeadmin.php:71 actions/subedit.php:46 +#: actions/makeadmin.php:71 actions/subedit.php:49 #: lib/profileformaction.php:79 msgid "No profile specified." msgstr "Non se especificou ningún perfil." -#: actions/groupblock.php:76 actions/groupunblock.php:76 -#: actions/makeadmin.php:76 actions/subedit.php:53 actions/tagother.php:46 +#. TRANS: Client error displayed when trying to unblock a user from a group without providing an existing profile. +#. TRANS: Client error displayed trying a change a subscription for a non-existant profile ID. +#: actions/groupblock.php:76 actions/groupunblock.php:77 +#: actions/makeadmin.php:76 actions/subedit.php:57 actions/tagother.php:46 #: actions/unsubscribe.php:84 lib/profileformaction.php:86 msgid "No profile with that ID." msgstr "Non se atopou un perfil con ese ID." -#: actions/groupblock.php:81 actions/groupunblock.php:81 +#: actions/groupblock.php:81 actions/groupunblock.php:82 #: actions/makeadmin.php:81 #, fuzzy msgid "No group specified." @@ -2304,6 +2401,14 @@ msgid "" "You can upload a logo image for your group. The maximum file size is %s." msgstr "Podes actualizar a túa información do perfil persoal aquí" +#: actions/grouplogo.php:236 +msgid "Upload" +msgstr "Subir" + +#: actions/grouplogo.php:289 +msgid "Crop" +msgstr "" + #: actions/grouplogo.php:365 msgid "Pick a square area of the image to be the logo." msgstr "" @@ -2441,16 +2546,19 @@ msgid "" "action.newgroup%%) yourself!" msgstr "" -#: actions/groupunblock.php:91 +#. TRANS: Client error displayed when trying to unblock a user from a group without being an administrator for the group. +#: actions/groupunblock.php:94 msgid "Only an admin can unblock group members." msgstr "" -#: actions/groupunblock.php:95 +#. TRANS: Client error displayed when trying to unblock a non-blocked user from a group. +#: actions/groupunblock.php:99 #, fuzzy msgid "User is not blocked from group." msgstr "O usuario bloqueoute." -#: actions/groupunblock.php:128 actions/unblock.php:86 +#. TRANS: Server error displayed when unblocking a user from a group fails because of an unknown error. +#: actions/groupunblock.php:131 actions/unblock.php:86 msgid "Error removing the block." msgstr "Acounteceu un erro borrando o bloqueo." @@ -3063,10 +3171,12 @@ msgstr "A localización é demasiado longa (max 255 car.)." msgid "Could not create application." msgstr "Non se puido crear o favorito." +#. TRANS: Title for form to create a group. #: actions/newgroup.php:53 msgid "New group" msgstr "" +#. TRANS: Form instructions for group create form. #: actions/newgroup.php:110 msgid "Use this form to create a new group." msgstr "" @@ -3778,8 +3888,9 @@ msgstr "" "De 1 a 64 letras minúsculas ou númeors, nin espazos nin signos de puntuación" #. TRANS: Field label in form for profile settings. +#. TRANS: Label for full group name (dt). Text hidden by default. #: actions/profilesettings.php:117 actions/register.php:457 -#: actions/showgroup.php:256 actions/tagother.php:104 +#: actions/showgroup.php:257 actions/tagother.php:104 #: lib/groupeditform.php:157 lib/userprofile.php:150 msgid "Full name" msgstr "Nome completo" @@ -3823,8 +3934,9 @@ msgid "Bio" msgstr "Bio" #. TRANS: Field label in form for profile settings. +#. TRANS: Label for group location (dt). Text hidden by default. #: actions/profilesettings.php:149 actions/register.php:485 -#: actions/showgroup.php:265 actions/tagother.php:112 +#: actions/showgroup.php:267 actions/tagother.php:112 #: actions/userauthorization.php:166 lib/groupeditform.php:177 #: lib/userprofile.php:165 msgid "Location" @@ -4563,7 +4675,8 @@ msgstr "Invitación(s) enviada(s)." msgid "Description" msgstr "Subscricións" -#: actions/showapplication.php:192 actions/showgroup.php:442 +#. TRANS: Header for group statistics on a group page (h2). +#: actions/showapplication.php:192 actions/showgroup.php:453 #: lib/profileaction.php:187 msgid "Statistics" msgstr "Estatísticas" @@ -4581,6 +4694,11 @@ msgstr "" msgid "Reset key & secret" msgstr "" +#: actions/showapplication.php:252 lib/deletegroupform.php:121 +#: lib/deleteuserform.php:66 lib/noticelist.php:667 +msgid "Delete" +msgstr "Eliminar chío" + #: actions/showapplication.php:261 msgid "Application info" msgstr "" @@ -4665,81 +4783,110 @@ msgstr "" msgid "This is a way to share what you like." msgstr "" -#: actions/showgroup.php:82 +#. TRANS: Page title for first group page. %s is a group name. +#: actions/showgroup.php:80 #, php-format msgid "%s group" msgstr "" +#. TRANS: Page title for any but first group page. +#. TRANS: %1$s is a group name, $2$s is a page number. #: actions/showgroup.php:84 #, fuzzy, php-format msgid "%1$s group, page %2$d" msgstr "Tódalas subscricións" -#: actions/showgroup.php:227 +#. TRANS: Group profile header (h2). Text hidden by default. +#: actions/showgroup.php:225 msgid "Group profile" msgstr "O usuario non ten perfil." -#: actions/showgroup.php:272 actions/tagother.php:118 +#. TRANS: Label for group URL (dt). Text hidden by default. +#: actions/showgroup.php:275 actions/tagother.php:118 #: actions/userauthorization.php:175 lib/userprofile.php:178 msgid "URL" msgstr "" -#: actions/showgroup.php:283 actions/tagother.php:128 +#. TRANS: Label for group description or group note (dt). Text hidden by default. +#: actions/showgroup.php:287 actions/tagother.php:128 #: actions/userauthorization.php:187 lib/userprofile.php:195 #, fuzzy msgid "Note" msgstr "Chíos" -#: actions/showgroup.php:293 lib/groupeditform.php:184 +#. TRANS: Label for group aliases (dt). Text hidden by default. +#: actions/showgroup.php:298 lib/groupeditform.php:184 msgid "Aliases" msgstr "" -#: actions/showgroup.php:302 +#. TRANS: Group actions header (h2). Text hidden by default. +#: actions/showgroup.php:309 #, fuzzy msgid "Group actions" msgstr "Outras opcions" -#: actions/showgroup.php:344 +#. TRANS: Tooltip for feed link. %s is a group nickname. +#: actions/showgroup.php:350 #, php-format msgid "Notice feed for %s group (RSS 1.0)" msgstr "Fonte para os amigos de %s" -#: actions/showgroup.php:350 +#. TRANS: Tooltip for feed link. %s is a group nickname. +#: actions/showgroup.php:357 #, php-format msgid "Notice feed for %s group (RSS 2.0)" msgstr "Fonte para os amigos de %s" -#: actions/showgroup.php:356 +#. TRANS: Tooltip for feed link. %s is a group nickname. +#: actions/showgroup.php:364 #, fuzzy, php-format msgid "Notice feed for %s group (Atom)" msgstr "Fonte de chíos para %s" -#: actions/showgroup.php:361 +#. TRANS: Tooltip for feed link. %s is a group nickname. +#: actions/showgroup.php:370 #, fuzzy, php-format msgid "FOAF for %s group" msgstr "Band. Saída para %s" -#: actions/showgroup.php:399 actions/showgroup.php:451 +#. TRANS: Header for mini list of group members on a group page (h2). +#: actions/showgroup.php:407 #, fuzzy msgid "Members" msgstr "Membro dende" -#: actions/showgroup.php:404 lib/profileaction.php:117 +#. TRANS: Description for mini list of group members on a group page when the group has no members. +#: actions/showgroup.php:413 lib/profileaction.php:117 #: lib/profileaction.php:152 lib/profileaction.php:255 lib/section.php:95 #: lib/subscriptionlist.php:127 lib/tagcloudsection.php:71 #, fuzzy msgid "(None)" msgstr "(nada)" -#: actions/showgroup.php:410 +#. TRANS: Link to all group members from mini list of group members if group has more than n members. +#: actions/showgroup.php:422 msgid "All members" msgstr "" -#: actions/showgroup.php:445 +#. TRANS: Label for creation date in statistics on group page. +#: actions/showgroup.php:458 +#, fuzzy +msgctxt "LABEL" msgid "Created" msgstr "Destacado" -#: actions/showgroup.php:461 +#. TRANS: Label for member count in statistics on group page. +#: actions/showgroup.php:466 +#, fuzzy +msgctxt "LABEL" +msgid "Members" +msgstr "Membro dende" + +#. TRANS: Notice on group pages for anonymous users for StatusNet sites that accept new registrations. +#. TRANS: **%s** is the group alias, %%%%site.name%%%% is the site name, +#. TRANS: %%%%action.register%%%% is the URL for registration, %%%%doc.help%%%% is a URL to help. +#. TRANS: This message contains Markdown links. Ensure they are formatted correctly: [Description](link). +#: actions/showgroup.php:481 #, fuzzy, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -4753,7 +4900,10 @@ 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:467 +#. TRANS: Notice on group pages for anonymous users for StatusNet sites that accept no new registrations. +#. TRANS: **%s** is the group alias, %%%%site.name%%%% is the site name, +#. TRANS: This message contains Markdown links. Ensure they are formatted correctly: [Description](link). +#: actions/showgroup.php:491 #, fuzzy, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -4766,24 +4916,31 @@ 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:495 +#. TRANS: Header for list of group administrators on a group page (h2). +#: actions/showgroup.php:520 msgid "Admins" msgstr "" -#: actions/showmessage.php:81 +#. TRANS: Client error displayed requesting a single message that does not exist. +#: actions/showmessage.php:79 msgid "No such message." msgstr "Non existe a mensaxe." -#: actions/showmessage.php:98 +#. TRANS: Client error displayed requesting a single direct message the requesting user was not a party in. +#: actions/showmessage.php:97 msgid "Only the sender and recipient may read this message." msgstr "Só o emisor e destinatario poden ler esta mensaxe." -#: actions/showmessage.php:108 +#. TRANS: Page title for single direct message display when viewing user is the sender. +#. TRANS: %1$s is the addressed user's nickname, $2$s is a timestamp. +#: actions/showmessage.php:110 #, php-format msgid "Message to %1$s on %2$s" msgstr "Mensaxe de %1$s en %2$s" -#: actions/showmessage.php:113 +#. TRANS: Page title for single message display. +#. TRANS: %1$s is the sending user's nickname, $2$s is a timestamp. +#: actions/showmessage.php:118 #, php-format msgid "Message from %1$s on %2$s" msgstr "Mensaxe dende %1$s en %2$s" @@ -5234,12 +5391,14 @@ msgstr "" msgid "Save snapshot settings" msgstr "Configuracións de Twitter" -#: actions/subedit.php:70 +#. TRANS: Client error displayed trying a change a subscription for a non-subscribed profile. +#: actions/subedit.php:75 msgid "You are not subscribed to that profile." msgstr "Non estás suscrito a ese perfil" +#. TRANS: Server error displayed when updating a subscription fails with a database error. #. TRANS: Exception thrown when a subscription could not be stored on the server. -#: actions/subedit.php:83 classes/Subscription.php:136 +#: actions/subedit.php:89 classes/Subscription.php:136 msgid "Could not save subscription." msgstr "Non se pode gardar a subscrición." @@ -6056,12 +6215,12 @@ msgid "Welcome to %1$s, @%2$s!" msgstr "Mensaxe de %1$s en %2$s" #. TRANS: Server exception. -#: classes/User.php:902 +#: classes/User.php:912 msgid "No single user defined for single-user mode." msgstr "" #. TRANS: Server exception. -#: classes/User.php:906 +#: classes/User.php:916 msgid "Single-user mode code called when not enabled." msgstr "" @@ -7273,7 +7432,8 @@ msgstr "" msgid "FOAF" msgstr "" -#: lib/feedlist.php:65 +#. TRANS: Header for feed links (h2). +#: lib/feedlist.php:66 msgid "Feeds" msgstr "" @@ -7436,40 +7596,67 @@ msgstr "Esta páxina non está dispoñíbel no tipo de medio que aceptas" msgid "Unsupported image file format." msgstr "Formato de ficheiro de imaxe non soportado." -#: lib/imagefile.php:88 +#. TRANS: Exception thrown when too large a file is uploaded. +#. TRANS: %s is the maximum file size, for example "500b", "10kB" or "2MB". +#: lib/imagefile.php:90 #, fuzzy, php-format msgid "That file is too big. The maximum file size is %s." msgstr "Podes actualizar a túa información do perfil persoal aquí" -#: lib/imagefile.php:93 +#: lib/imagefile.php:95 msgid "Partial upload." msgstr "Carga parcial." #. TRANS: Client exception thrown when a file upload operation has failed with an unknown reason. -#: lib/imagefile.php:101 lib/mediafile.php:179 +#: lib/imagefile.php:103 lib/mediafile.php:179 msgid "System error uploading file." msgstr "Aconteceu un erro no sistema namentras se estaba cargando o ficheiro." -#: lib/imagefile.php:109 +#: lib/imagefile.php:111 msgid "Not an image or corrupt file." msgstr "Non é unha imaxe ou está corrupta." -#: lib/imagefile.php:122 +#: lib/imagefile.php:124 msgid "Lost our file." msgstr "Ningún chío." -#: lib/imagefile.php:163 lib/imagefile.php:224 +#: lib/imagefile.php:165 lib/imagefile.php:226 #, fuzzy msgid "Unknown file type" msgstr "tipo de ficheiro non soportado" -#: lib/imagefile.php:244 -msgid "MB" -msgstr "" +#. TRANS: Number of megabytes. %d is the number. +#: lib/imagefile.php:248 +#, php-format +msgid "%dMB" +msgid_plural "%dMB" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" +msgstr[3] "" +msgstr[4] "" -#: lib/imagefile.php:246 -msgid "kB" -msgstr "" +#. TRANS: Number of kilobytes. %d is the number. +#: lib/imagefile.php:252 +#, php-format +msgid "%dkB" +msgid_plural "%dkB" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" +msgstr[3] "" +msgstr[4] "" + +#. TRANS: Number of bytes. %d is the number. +#: lib/imagefile.php:255 +#, php-format +msgid "%dB" +msgid_plural "%dB" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" +msgstr[3] "" +msgstr[4] "" #: lib/jabber.php:387 #, php-format @@ -8349,6 +8536,13 @@ msgstr "Acounteceu un erro borrando o bloqueo." msgid "Top posters" msgstr "" +#. TRANS: Title for the form to unblock a user. +#: lib/unblockform.php:67 +#, fuzzy +msgctxt "TITLE" +msgid "Unblock" +msgstr "Desbloquear" + #: lib/unsandboxform.php:69 msgid "Unsandbox" msgstr "" @@ -8558,3 +8752,6 @@ msgstr "Non se especificou ningún perfil." #, php-format msgid "%d entries in backup." msgstr "" + +#~ msgid "Description is too long (max %d chars)." +#~ msgstr "O teu Bio é demasiado longo (max %d car.)." diff --git a/locale/gl/LC_MESSAGES/statusnet.po b/locale/gl/LC_MESSAGES/statusnet.po index e321affb72..ab9374d1f1 100644 --- a/locale/gl/LC_MESSAGES/statusnet.po +++ b/locale/gl/LC_MESSAGES/statusnet.po @@ -11,17 +11,17 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet - Core\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-10-27 23:43+0000\n" -"PO-Revision-Date: 2010-10-28 23:09:02+0000\n" +"POT-Creation-Date: 2010-10-30 23:18+0000\n" +"PO-Revision-Date: 2010-10-30 23:20:19+0000\n" "Language-Team: Galician \n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r75629); Translate extension (2010-09-17)\n" +"X-Generator: MediaWiki 1.17alpha (r75708); Translate extension (2010-09-17)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: gl\n" "X-Message-Group: #out-statusnet-core\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-POT-Import-Date: 2010-10-28 00:13:15+0000\n" +"X-POT-Import-Date: 2010-10-30 09:48:40+0000\n" #. TRANS: Page title for Access admin panel that allows configuring site access. #. TRANS: Menu item for site administration @@ -117,6 +117,7 @@ msgstr "Esa páxina non existe." #. TRANS: Client error displayed when requesting most recent dents by user and friends for a non-existing user. #. TRANS: Client error displayed when requesting most recent mentions for a non-existing user. #. TRANS: Client error displayed requesting most recent notices for a non-existing user. +#. TRANS: Client error displayed trying to get an avatar for a non-existing user. #. TRANS: Error text shown when trying to send a direct message to a user that does not exist. #: actions/all.php:80 actions/apiaccountupdatedeliverydevice.php:110 #: actions/apiaccountupdateprofile.php:103 @@ -129,7 +130,7 @@ msgstr "Esa páxina non existe." #: actions/apistatusesupdate.php:230 actions/apisubscriptions.php:85 #: actions/apitimelinefavorites.php:70 actions/apitimelinefriends.php:173 #: actions/apitimelinehome.php:78 actions/apitimelinementions.php:77 -#: actions/apitimelineuser.php:79 actions/avatarbynickname.php:75 +#: actions/apitimelineuser.php:79 actions/avatarbynickname.php:79 #: 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 @@ -309,11 +310,12 @@ msgstr "Non se puido actualizar o usuario." #. TRANS: Client error displayed a user has no profile updating profile colours. #. TRANS: Client error displayed if a user profile could not be found updating a profile image. #. TRANS: Client error displayed when requesting user information for a user without a profile. +#. TRANS: Client error displayed trying to get an avatar for a user without a profile. #: actions/apiaccountupdateprofile.php:111 #: actions/apiaccountupdateprofilebackgroundimage.php:199 #: actions/apiaccountupdateprofilecolors.php:183 #: actions/apiaccountupdateprofileimage.php:130 actions/apiusershow.php:108 -#: actions/avatarbynickname.php:80 actions/foaf.php:65 actions/hcard.php:74 +#: actions/avatarbynickname.php:85 actions/foaf.php:65 actions/hcard.php:74 #: actions/replies.php:80 actions/usergroups.php:100 lib/galleryaction.php:66 #: lib/profileaction.php:84 msgid "User has no profile." @@ -328,7 +330,7 @@ msgstr "Non se puido gardar o perfil." #. TRANS: %s is the number of bytes of the CONTENT_LENGTH. #: actions/apiaccountupdateprofilebackgroundimage.php:108 #: actions/apiaccountupdateprofileimage.php:95 actions/apimediaupload.php:81 -#: actions/apistatusesupdate.php:210 actions/avatarsettings.php:259 +#: actions/apistatusesupdate.php:210 actions/avatarsettings.php:269 #: actions/designadminpanel.php:125 actions/editapplication.php:121 #: actions/newapplication.php:104 actions/newnotice.php:95 #, fuzzy, php-format @@ -507,9 +509,11 @@ msgstr "Non se puido determinar o usuario de orixe." msgid "Could not find target user." msgstr "Non se puido atopar o usuario de destino." +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. #. TRANS: Validation error in form for profile settings. -#: actions/apigroupcreate.php:165 actions/editgroup.php:186 -#: actions/newgroup.php:126 actions/profilesettings.php:243 +#: actions/apigroupcreate.php:165 actions/editgroup.php:191 +#: actions/newgroup.php:127 actions/profilesettings.php:243 #: actions/register.php:212 msgid "Nickname must have only lowercase letters and numbers and no spaces." msgstr "" @@ -517,35 +521,43 @@ msgstr "" "en branco." #. TRANS: Client error trying to create a group with a nickname this is already in use. +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. #. TRANS: Validation error in form for profile settings. -#: actions/apigroupcreate.php:175 actions/editgroup.php:190 -#: actions/newgroup.php:130 actions/profilesettings.php:277 +#: actions/apigroupcreate.php:175 actions/editgroup.php:196 +#: actions/newgroup.php:132 actions/profilesettings.php:277 #: actions/register.php:215 msgid "Nickname already in use. Try another one." msgstr "Ese alcume xa está en uso. Probe con outro." #. TRANS: Client error in form for group creation. +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. #. TRANS: Validation error in form for profile settings. -#: actions/apigroupcreate.php:183 actions/editgroup.php:193 -#: actions/newgroup.php:133 actions/profilesettings.php:247 +#: actions/apigroupcreate.php:183 actions/editgroup.php:200 +#: actions/newgroup.php:136 actions/profilesettings.php:247 #: actions/register.php:217 msgid "Not a valid nickname." msgstr "O formato do alcume non é correcto." #. TRANS: Client error in form for group creation. #. TRANS: Validation error shown when providing an invalid homepage URL in the "Edit application" form. +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. #. TRANS: Validation error in form for profile settings. #: actions/apigroupcreate.php:200 actions/editapplication.php:233 -#: actions/editgroup.php:199 actions/newapplication.php:211 -#: actions/newgroup.php:139 actions/profilesettings.php:252 +#: actions/editgroup.php:207 actions/newapplication.php:211 +#: actions/newgroup.php:143 actions/profilesettings.php:252 #: actions/register.php:224 msgid "Homepage is not a valid URL." msgstr "O URL da páxina persoal non é correcto." #. TRANS: Client error in form for group creation. +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. #. TRANS: Validation error in form for profile settings. -#: actions/apigroupcreate.php:210 actions/editgroup.php:202 -#: actions/newgroup.php:142 actions/profilesettings.php:256 +#: actions/apigroupcreate.php:210 actions/editgroup.php:211 +#: actions/newgroup.php:147 actions/profilesettings.php:256 #: actions/register.php:227 #, fuzzy msgid "Full name is too long (maximum 255 characters)." @@ -554,10 +566,11 @@ msgstr "O nome completo é longo de máis (o máximo son 255 caracteres)." #. TRANS: Client error shown when providing too long a description during group creation. #. TRANS: %d is the maximum number of allowed characters. #. TRANS: Validation error shown when providing too long a description in the "Edit application" form. +#. TRANS: Group edit form validation error. #. TRANS: Form validation error in New application form. #. TRANS: %d is the maximum number of characters for the description. #: actions/apigroupcreate.php:220 actions/editapplication.php:201 -#: actions/newapplication.php:178 +#: actions/editgroup.php:216 actions/newapplication.php:178 #, fuzzy, php-format msgid "Description is too long (maximum %d character)." msgid_plural "Description is too long (maximum %d characters)." @@ -565,9 +578,11 @@ msgstr[0] "A descrición é longa de máis (o máximo son %d caracteres)." msgstr[1] "A descrición é longa de máis (o máximo son %d caracteres)." #. TRANS: Client error shown when providing too long a location during group creation. +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. #. TRANS: Validation error in form for profile settings. -#: actions/apigroupcreate.php:234 actions/editgroup.php:208 -#: actions/newgroup.php:153 actions/profilesettings.php:269 +#: actions/apigroupcreate.php:234 actions/editgroup.php:223 +#: actions/newgroup.php:159 actions/profilesettings.php:269 #: actions/register.php:236 #, fuzzy msgid "Location is too long (maximum 255 characters)." @@ -575,7 +590,12 @@ msgstr "A localidade é longa de máis (o máximo son 255 caracteres)." #. TRANS: Client error shown when providing too many aliases during group creation. #. TRANS: %d is the maximum number of allowed aliases. -#: actions/apigroupcreate.php:255 actions/newgroup.php:166 +#. TRANS: Group edit form validation error. +#. TRANS: %d is the maximum number of allowed aliases. +#. TRANS: Group create form validation error. +#. TRANS: %d is the maximum number of allowed aliases. +#: actions/apigroupcreate.php:255 actions/editgroup.php:236 +#: actions/newgroup.php:172 #, fuzzy, php-format msgid "Too many aliases! Maximum %d allowed." msgid_plural "Too many aliases! Maximum %d allowed." @@ -591,15 +611,19 @@ msgstr "Pseudónimo incorrecto: \"%s\"." #. TRANS: Client error displayed when trying to use an alias during group creation that is already in use. #. TRANS: %s is the alias that is already in use. -#: actions/apigroupcreate.php:291 actions/editgroup.php:232 -#: actions/newgroup.php:181 +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. +#: actions/apigroupcreate.php:291 actions/editgroup.php:253 +#: actions/newgroup.php:189 #, php-format msgid "Alias \"%s\" already in use. Try another one." msgstr "O pseudónimo \"%s\" xa se está a usar. Proba con outro." #. TRANS: Client error displayed when trying to use an alias during group creation that is the same as the group's nickname. -#: actions/apigroupcreate.php:305 actions/editgroup.php:238 -#: actions/newgroup.php:187 +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. +#: actions/apigroupcreate.php:305 actions/editgroup.php:260 +#: actions/newgroup.php:196 msgid "Alias can't be the same as nickname." msgstr "O pseudónimo non pode coincidir co alcume." @@ -705,18 +729,18 @@ msgid "Request token already authorized." msgstr "Non está autorizado." #. TRANS: Form validation error in API OAuth authorisation because of an invalid session token. -#: actions/apioauthauthorize.php:147 actions/avatarsettings.php:270 +#: actions/apioauthauthorize.php:147 actions/avatarsettings.php:280 #: actions/deletenotice.php:172 actions/disfavor.php:74 #: actions/emailsettings.php:271 actions/favor.php:75 actions/geocode.php:55 #: actions/groupblock.php:66 actions/grouplogo.php:312 -#: actions/groupunblock.php:66 actions/imsettings.php:230 +#: actions/groupunblock.php:65 actions/imsettings.php:230 #: actions/invite.php:59 actions/login.php:137 actions/makeadmin.php:66 #: actions/newmessage.php:135 actions/newnotice.php:105 actions/nudge.php:80 #: actions/oauthappssettings.php:165 actions/oauthconnectionssettings.php:138 #: actions/othersettings.php:145 actions/passwordsettings.php:138 #: actions/profilesettings.php:221 actions/recoverpassword.php:350 #: actions/register.php:172 actions/remotesubscribe.php:77 -#: actions/repeat.php:83 actions/smssettings.php:256 actions/subedit.php:38 +#: actions/repeat.php:83 actions/smssettings.php:256 actions/subedit.php:40 #: actions/subscribe.php:86 actions/tagother.php:166 #: actions/unsubscribe.php:69 actions/userauthorization.php:52 #: lib/designsettings.php:294 @@ -737,12 +761,13 @@ msgstr "" "OAuth." #. TRANS: Client error given on when invalid data was passed through a form in the OAuth API. +#. TRANS: Unexpected validation error on avatar upload form. #. TRANS: Client error displayed submitting invalid form data for edit application. #. TRANS: Message given submitting a form with an unknown action in e-mail settings. #. TRANS: Message given submitting a form with an unknown action in IM settings. #. TRANS: Client error when submitting a form with unexpected information. #. TRANS: Message given submitting a form with an unknown action in SMS settings. -#: actions/apioauthauthorize.php:294 actions/avatarsettings.php:283 +#: actions/apioauthauthorize.php:294 actions/avatarsettings.php:294 #: actions/designadminpanel.php:104 actions/editapplication.php:144 #: actions/emailsettings.php:290 actions/grouplogo.php:322 #: actions/imsettings.php:245 actions/newapplication.php:125 @@ -797,6 +822,7 @@ msgstr "Conta" #. TRANS: Field label on OAuth API authorisation form. #. TRANS: Field label in form for profile settings. +#. TRANS: Label for group nickname (dt). Text hidden by default. #: actions/apioauthauthorize.php:459 actions/login.php:252 #: actions/profilesettings.php:110 actions/register.php:433 #: actions/showgroup.php:245 actions/tagother.php:94 @@ -1052,31 +1078,42 @@ msgstr "Método API en desenvolvemento." msgid "User not found." msgstr "Non se atopou o método da API." +#. TRANS: Client error displayed trying to get a non-existing attachment. #: actions/attachment.php:73 msgid "No such attachment." msgstr "Non existe tal dato adxunto." -#: actions/avatarbynickname.php:59 actions/blockedfromgroup.php:73 -#: actions/editgroup.php:84 actions/groupdesignsettings.php:84 +#. TRANS: Client error displayed trying to get an avatar without providing a nickname. +#. TRANS: Client error displayed when requesting a list of blocked users for a group without providing a group nickname. +#. TRANS: Client error displayed trying to edit a group while not proving a nickname for the group to edit. +#. TRANS: Client error displayed if no nickname argument was given requesting a group page. +#: actions/avatarbynickname.php:60 actions/blockedfromgroup.php:73 +#: actions/editgroup.php:85 actions/groupdesignsettings.php:84 #: actions/grouplogo.php:86 actions/groupmembers.php:76 #: actions/grouprss.php:91 actions/showgroup.php:121 msgid "No nickname." msgstr "Sen alcume." -#: actions/avatarbynickname.php:64 +#. TRANS: Client error displayed trying to get an avatar without providing an avatar size. +#: actions/avatarbynickname.php:66 msgid "No size." msgstr "Sen tamaño." -#: actions/avatarbynickname.php:69 +#. TRANS: Client error displayed trying to get an avatar providing an invalid avatar size. +#: actions/avatarbynickname.php:72 msgid "Invalid size." msgstr "Tamaño non válido." +#. TRANS: Title for avatar upload page. +#. TRANS: Label for group avatar (dt). Text hidden by default. #. TRANS: Link description in user account settings menu. -#: actions/avatarsettings.php:67 actions/showgroup.php:230 +#: actions/avatarsettings.php:66 actions/showgroup.php:229 #: lib/accountsettingsaction.php:113 msgid "Avatar" msgstr "Avatar" +#. TRANS: Instruction for avatar upload page. +#. TRANS: %s is the maximum file size, for example "500b", "10kB" or "2MB". #: actions/avatarsettings.php:78 #, php-format msgid "You can upload your personal avatar. The maximum file size is %s." @@ -1084,74 +1121,97 @@ msgstr "" "Pode cargar o seu avatar personalizado. O tamaño máximo para o ficheiro é de " "%s." -#: actions/avatarsettings.php:106 actions/avatarsettings.php:185 +#. TRANS: Server error displayed in avatar upload page when no matching profile can be found for a user. +#: actions/avatarsettings.php:108 actions/avatarsettings.php:192 #: actions/grouplogo.php:181 actions/remotesubscribe.php:191 #: actions/userauthorization.php:72 actions/userrss.php:108 msgid "User without matching profile." msgstr "O usuario non ten perfil." -#: actions/avatarsettings.php:119 actions/avatarsettings.php:197 +#. TRANS: Avatar upload page form legend. +#. TRANS: Avatar upload page crop form legend. +#: actions/avatarsettings.php:122 actions/avatarsettings.php:205 #: actions/grouplogo.php:254 msgid "Avatar settings" msgstr "Configuración do avatar" -#: actions/avatarsettings.php:127 actions/avatarsettings.php:205 +#. TRANS: Header on avatar upload page for thumbnail of originally uploaded avatar (h2). +#. TRANS: Header on avatar upload crop form for thumbnail of originally uploaded avatar (h2). +#: actions/avatarsettings.php:131 actions/avatarsettings.php:214 #: actions/grouplogo.php:202 actions/grouplogo.php:262 msgid "Original" msgstr "Orixinal" -#: actions/avatarsettings.php:142 actions/avatarsettings.php:217 +#. TRANS: Header on avatar upload page for thumbnail of to be used rendition of uploaded avatar (h2). +#. TRANS: Header on avatar upload crop form for thumbnail of to be used rendition of uploaded avatar (h2). +#: actions/avatarsettings.php:147 actions/avatarsettings.php:227 #: actions/grouplogo.php:213 actions/grouplogo.php:274 msgid "Preview" msgstr "Vista previa" -#: actions/avatarsettings.php:149 actions/showapplication.php:252 -#: lib/deletegroupform.php:121 lib/deleteuserform.php:66 -#: lib/noticelist.php:667 +#. TRANS: Button on avatar upload page to delete current avatar. +#: actions/avatarsettings.php:155 +#, fuzzy +msgctxt "BUTTON" msgid "Delete" msgstr "Borrar" -#: actions/avatarsettings.php:166 actions/grouplogo.php:236 +#. TRANS: Button on avatar upload page to upload an avatar. +#: actions/avatarsettings.php:173 +#, fuzzy +msgctxt "BUTTON" msgid "Upload" msgstr "Cargar" -#: actions/avatarsettings.php:231 actions/grouplogo.php:289 +#. TRANS: Button on avatar upload crop form to confirm a selected crop as avatar. +#: actions/avatarsettings.php:243 +#, fuzzy +msgctxt "BUTTON" msgid "Crop" msgstr "Recortar" -#: actions/avatarsettings.php:307 +#. TRANS: Validation error on avatar upload form when no file was uploaded. +#: actions/avatarsettings.php:318 msgid "No file uploaded." msgstr "Non se subiu ficheiro ningún." -#: actions/avatarsettings.php:334 +#. TRANS: Avatar upload form unstruction after uploading a file. +#: actions/avatarsettings.php:346 msgid "Pick a square area of the image to be your avatar" msgstr "Escolla unha zona cadrada da imaxe para usala como avatar" -#: actions/avatarsettings.php:349 actions/grouplogo.php:380 +#. TRANS: Server error displayed if an avatar upload went wrong somehow server side. +#: actions/avatarsettings.php:361 actions/grouplogo.php:380 msgid "Lost our file data." msgstr "Perdéronse os datos do ficheiro." -#: actions/avatarsettings.php:372 +#: actions/avatarsettings.php:384 msgid "Avatar updated." msgstr "Actualizouse o avatar." -#: actions/avatarsettings.php:375 +#. TRANS: Error displayed on the avatar upload page if the avatar could not be updated for an unknown reason. +#: actions/avatarsettings.php:388 msgid "Failed updating avatar." msgstr "Non se puido actualizar o avatar." -#: actions/avatarsettings.php:399 +#. TRANS: Success message for deleting a user avatar. +#: actions/avatarsettings.php:412 msgid "Avatar deleted." msgstr "Borrouse o avatar." -#: actions/block.php:69 +#. TRANS: Client error displayed when blocking a user that has already been blocked. +#: actions/block.php:68 msgid "You already blocked that user." msgstr "Xa bloqueou ese usuario." -#: actions/block.php:107 actions/block.php:136 actions/groupblock.php:158 +#. TRANS: Title for block user page. +#. TRANS: Legend for block user form. +#: actions/block.php:106 actions/block.php:136 actions/groupblock.php:158 msgid "Block user" msgstr "Bloquear o usuario" -#: actions/block.php:138 +#. TRANS: Explanation of consequences when blocking a user on the block user page. +#: actions/block.php:139 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 " @@ -1167,7 +1227,7 @@ msgstr "" #. TRANS: Button label on the delete notice form. #. TRANS: Button label on the delete user form. #. TRANS: Button label on the form to block a user from a group. -#: actions/block.php:153 actions/deleteapplication.php:154 +#: actions/block.php:154 actions/deleteapplication.php:154 #: actions/deletegroup.php:220 actions/deletenotice.php:150 #: actions/deleteuser.php:152 actions/groupblock.php:178 msgctxt "BUTTON" @@ -1176,7 +1236,7 @@ msgstr "Non" #. TRANS: Submit button title for 'No' when blocking a user. #. TRANS: Submit button title for 'No' when deleting a user. -#: actions/block.php:157 actions/deleteuser.php:156 +#: actions/block.php:158 actions/deleteuser.php:156 msgid "Do not block this user" msgstr "Non bloquear este usuario" @@ -1186,7 +1246,7 @@ msgstr "Non bloquear este usuario" #. TRANS: Button label on the delete notice form. #. TRANS: Button label on the delete user form. #. TRANS: Button label on the form to block a user from a group. -#: actions/block.php:160 actions/deleteapplication.php:161 +#: actions/block.php:161 actions/deleteapplication.php:161 #: actions/deletegroup.php:227 actions/deletenotice.php:157 #: actions/deleteuser.php:159 actions/groupblock.php:185 msgctxt "BUTTON" @@ -1195,90 +1255,111 @@ msgstr "Si" #. TRANS: Submit button title for 'Yes' when blocking a user. #. TRANS: Description of the form to block a user. -#: actions/block.php:164 lib/blockform.php:79 +#: actions/block.php:165 lib/blockform.php:79 msgid "Block this user" msgstr "Bloquear este usuario" -#: actions/block.php:187 +#. TRANS: Server error displayed when blocking a user fails. +#: actions/block.php:189 msgid "Failed to save block information." msgstr "Non se puido gardar a información do bloqueo." +#. TRANS: Client error displayed when requesting a list of blocked users for a non-local group. +#. TRANS: Client error displayed when requesting a list of blocked users for a non-existing group. #. TRANS: Client error when trying to delete a non-local group. #. TRANS: Client error when trying to delete a non-existing group. +#. TRANS: Client error displayed trying to edit a non-existing group. +#. TRANS: Client error displayed when trying to unblock a user from a non-existing group. +#. TRANS: Client error displayed if no remote group with a given name was found requesting group page. +#. TRANS: Client error displayed if no local group with a given name was found requesting group page. #. TRANS: Command exception text shown when a group is requested that does not exist. #. TRANS: Error text shown when trying to leave a group that does not exist. -#: actions/blockedfromgroup.php:80 actions/blockedfromgroup.php:87 +#: actions/blockedfromgroup.php:81 actions/blockedfromgroup.php:89 #: actions/deletegroup.php:87 actions/deletegroup.php:100 -#: actions/editgroup.php:100 actions/foafgroup.php:44 actions/foafgroup.php:62 +#: actions/editgroup.php:102 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/groupunblock.php:88 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:168 +#: actions/showgroup.php:139 actions/showgroup.php:148 lib/command.php:168 #: lib/command.php:380 msgid "No such group." msgstr "Non existe tal grupo." -#: actions/blockedfromgroup.php:97 +#. TRANS: Title for first page with list of users blocked from a group. +#. TRANS: %s is a group nickname. +#: actions/blockedfromgroup.php:101 #, php-format msgid "%s blocked profiles" msgstr "%s perfís bloqueados" -#: actions/blockedfromgroup.php:100 +#. TRANS: Title for any but the first page with list of users blocked from a group. +#. TRANS: %1$s is a group nickname, %2$d is a page number. +#: actions/blockedfromgroup.php:106 #, php-format msgid "%1$s blocked profiles, page %2$d" msgstr "%1$s perfís bloqueados, páxina %2$d" -#: actions/blockedfromgroup.php:115 +#. TRANS: Instructions for list of users blocked from a group. +#: actions/blockedfromgroup.php:122 msgid "A list of the users blocked from joining this group." msgstr "Unha lista de usuarios bloqueados fronte á unión a este grupo." -#: actions/blockedfromgroup.php:288 +#. TRANS: Form legend for unblocking a user from a group. +#: actions/blockedfromgroup.php:291 msgid "Unblock user from group" msgstr "Desbloquear o usuario do grupo" -#. TRANS: Title for the form to unblock a user. -#: actions/blockedfromgroup.php:320 lib/unblockform.php:70 +#. TRANS: Button text for unblocking a user from a group. +#: actions/blockedfromgroup.php:323 +#, fuzzy +msgctxt "BUTTON" msgid "Unblock" msgstr "Desbloquear" +#. TRANS: Tooltip for button for unblocking a user from a group. #. TRANS: Description of the form to unblock a user. -#: actions/blockedfromgroup.php:320 lib/unblockform.php:82 +#: actions/blockedfromgroup.php:327 lib/unblockform.php:78 msgid "Unblock this user" msgstr "Desbloquear este usuario" #. TRANS: Title for mini-posting window loaded from bookmarklet. +#. TRANS: %s is the StatusNet site name. #: actions/bookmarklet.php:51 #, php-format msgid "Post to %s" msgstr "Publicar en %s" -#: actions/confirmaddress.php:75 +#. TRANS: Client error displayed when not providing a confirmation code in the contact address confirmation action. +#: actions/confirmaddress.php:74 msgid "No confirmation code." msgstr "Sen código de confirmación." +#. TRANS: Client error displayed when providing a non-existing confirmation code in the contact address confirmation action. #: actions/confirmaddress.php:80 msgid "Confirmation code not found." msgstr "Non se atopou o código de confirmación." -#: actions/confirmaddress.php:85 +#. TRANS: Client error displayed when not providing a confirmation code for another user in the contact address confirmation action. +#: actions/confirmaddress.php:86 msgid "That confirmation code is not for you!" msgstr "Ese código de confirmación non é para vostede!" -#. TRANS: Server error for an unknow address type, which can be 'email', 'jabber', or 'sms'. -#: actions/confirmaddress.php:91 +#. TRANS: Server error for a unknow address type %s, which can be 'email', 'jabber', or 'sms'. +#: actions/confirmaddress.php:92 #, php-format msgid "Unrecognized address type %s." msgstr "Non se recoñeceu o tipo de enderezo %s." -#. TRANS: Client error for an already confirmed email/jabbel/sms address. -#: actions/confirmaddress.php:96 +#. TRANS: Client error for an already confirmed email/jabber/sms address. +#: actions/confirmaddress.php:97 msgid "That address has already been confirmed." msgstr "Ese enderezo xa se confirmou." +#. TRANS: Server error displayed when a user update to the database fails in the contact address confirmation action. #. TRANS: Server error thrown on database error updating e-mail preferences. #. TRANS: Server error thrown on database error removing a registered e-mail address. #. TRANS: Server error thrown on database error updating IM preferences. @@ -1286,7 +1367,7 @@ msgstr "Ese enderezo xa se confirmou." #. TRANS: Server error thrown when user profile settings could not be updated. #. TRANS: Server error thrown on database error updating SMS preferences. #. TRANS: Server error thrown on database error removing a registered SMS phone number. -#: actions/confirmaddress.php:116 actions/emailsettings.php:331 +#: actions/confirmaddress.php:118 actions/emailsettings.php:331 #: actions/emailsettings.php:477 actions/imsettings.php:283 #: actions/imsettings.php:442 actions/othersettings.php:174 #: actions/profilesettings.php:326 actions/smssettings.php:308 @@ -1294,27 +1375,32 @@ msgstr "Ese enderezo xa se confirmou." msgid "Couldn't update user." msgstr "Non se puido actualizar o usuario." -#. TRANS: Server error thrown on database error canceling e-mail address confirmation. -#. TRANS: Server error thrown on database error canceling SMS phone number confirmation. -#: actions/confirmaddress.php:128 actions/emailsettings.php:437 -#: actions/smssettings.php:422 -msgid "Couldn't delete email confirmation." -msgstr "Non se puido borrar a confirmación por correo electrónico." +#. TRANS: Server error displayed when an address confirmation code deletion from the +#. TRANS: database fails in the contact address confirmation action. +#: actions/confirmaddress.php:132 +#, fuzzy +msgid "Could not delete address confirmation." +msgstr "Non se puido borrar a confirmación por mensaxería instantánea." -#: actions/confirmaddress.php:146 +#. TRANS: Title for the contact address confirmation action. +#: actions/confirmaddress.php:150 msgid "Confirm address" msgstr "Confirmar o enderezo" -#: actions/confirmaddress.php:161 +#. TRANS: Success message for the contact address confirmation action. +#. TRANS: %s can be 'email', 'jabber', or 'sms'. +#: actions/confirmaddress.php:166 #, php-format msgid "The address \"%s\" has been confirmed for your account." msgstr "Confirmouse o enderezo \"%s\" para a súa conta." -#: actions/conversation.php:99 +#. TRANS: Title for page with a conversion (multiple notices in context). +#: actions/conversation.php:96 msgid "Conversation" msgstr "Conversa" -#: actions/conversation.php:154 lib/mailbox.php:116 lib/noticelist.php:87 +#. TRANS: Header on conversation page. Hidden by default (h2). +#: actions/conversation.php:149 lib/mailbox.php:116 lib/noticelist.php:87 #: lib/profileaction.php:229 lib/searchgroupnav.php:82 msgid "Notices" msgstr "Notas" @@ -1425,11 +1511,13 @@ msgstr "Non borrar esta nota" msgid "Delete this group" msgstr "Borrar o usuario" +#. TRANS: Client error displayed when trying to unblock a user from a group while not logged in. +#. TRANS: Client error displayed trying a change a subscription while not logged in. #. TRANS: Client error message thrown when trying to access the admin panel while not logged in. #: actions/deletenotice.php:50 actions/disfavor.php:61 actions/favor.php:62 -#: actions/groupblock.php:61 actions/groupunblock.php:61 actions/logout.php:69 +#: actions/groupblock.php:61 actions/groupunblock.php:60 actions/logout.php:69 #: actions/makeadmin.php:61 actions/newmessage.php:87 actions/newnotice.php:88 -#: actions/nudge.php:63 actions/subedit.php:31 actions/subscribe.php:96 +#: actions/nudge.php:63 actions/subedit.php:33 actions/subscribe.php:96 #: actions/tagother.php:33 actions/unsubscribe.php:52 #: lib/adminpanelaction.php:71 lib/profileformaction.php:64 #: lib/settingsaction.php:72 @@ -1734,49 +1822,49 @@ msgstr "O URL do retorno de chamada é incorrecto." msgid "Could not update application." msgstr "Non se puido actualizar a aplicación." -#: actions/editgroup.php:56 +#. TRANS: Title for form to edit a group. %s is a group nickname. +#: actions/editgroup.php:55 #, php-format msgid "Edit %s group" msgstr "Editar o grupo %s" +#. TRANS: Client error displayed trying to edit a group while not logged in. +#. TRANS: Client error displayed trying to create a group while not logged in. #: actions/editgroup.php:68 actions/grouplogo.php:70 actions/newgroup.php:65 msgid "You must be logged in to create a group." msgstr "Ten que iniciar sesión para crear un grupo." -#: actions/editgroup.php:107 actions/editgroup.php:172 +#. TRANS: Client error displayed trying to edit a group while not being a group admin. +#: actions/editgroup.php:110 actions/editgroup.php:176 #: actions/groupdesignsettings.php:107 actions/grouplogo.php:109 msgid "You must be an admin to edit the group." msgstr "Ten que ser administrador para editar o grupo." -#: actions/editgroup.php:158 +#. TRANS: Form instructions for group edit form. +#: actions/editgroup.php:161 msgid "Use this form to edit the group." msgstr "Utilice este formulario para editar o grupo." -#: actions/editgroup.php:205 -#, php-format -msgid "Description is too long (max %d chars)." -msgstr "A descrición é longa de máis (o máximo son %d caracteres)." - -#: actions/editgroup.php:219 -#, php-format -msgid "Too many aliases! Maximum %d." -msgstr "Demasiados pseudónimos! O número máximo é %d." - -#: actions/editgroup.php:228 actions/newgroup.php:177 +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. +#: actions/editgroup.php:248 actions/newgroup.php:184 #, php-format msgid "Invalid alias: \"%s\"" msgstr "Pseudónimo inválido: \"%s\"" -#: actions/editgroup.php:258 +#. TRANS: Server error displayed when editing a group fails. +#: actions/editgroup.php:281 msgid "Could not update group." msgstr "Non se puido actualizar o grupo." +#. TRANS: Server error displayed when group aliases could not be added. #. TRANS: Server exception thrown when creating group aliases failed. -#: actions/editgroup.php:264 classes/User_group.php:513 +#: actions/editgroup.php:288 classes/User_group.php:513 msgid "Could not create aliases." msgstr "Non se puideron crear os pseudónimos." -#: actions/editgroup.php:280 +#. TRANS: Group edit form success message. +#: actions/editgroup.php:305 msgid "Options saved." msgstr "Gardáronse as preferencias." @@ -1975,6 +2063,12 @@ msgstr "Non hai ningunha confirmación pendente que cancelar." msgid "That is the wrong email address." msgstr "Ese enderezo de correo electrónico é incorrecto." +#. TRANS: Server error thrown on database error canceling e-mail address confirmation. +#. TRANS: Server error thrown on database error canceling SMS phone number confirmation. +#: actions/emailsettings.php:437 actions/smssettings.php:422 +msgid "Couldn't delete email confirmation." +msgstr "Non se puido borrar a confirmación por correo electrónico." + #. TRANS: Message given after successfully canceling e-mail address confirmation. #: actions/emailsettings.php:442 msgid "Email confirmation cancelled." @@ -2153,19 +2247,23 @@ msgstr "Non pode concederlles roles aos usuarios neste sitio." msgid "User already has this role." msgstr "O usuario xa ten este rol." +#. TRANS: Client error displayed when trying to unblock a user from a group without providing a profile. +#. TRANS: Client error displayed trying a change a subscription without providing a profile. #: actions/groupblock.php:71 actions/groupunblock.php:71 -#: actions/makeadmin.php:71 actions/subedit.php:46 +#: actions/makeadmin.php:71 actions/subedit.php:49 #: lib/profileformaction.php:79 msgid "No profile specified." msgstr "Non se especificou ningún perfil." -#: actions/groupblock.php:76 actions/groupunblock.php:76 -#: actions/makeadmin.php:76 actions/subedit.php:53 actions/tagother.php:46 +#. TRANS: Client error displayed when trying to unblock a user from a group without providing an existing profile. +#. TRANS: Client error displayed trying a change a subscription for a non-existant profile ID. +#: actions/groupblock.php:76 actions/groupunblock.php:77 +#: actions/makeadmin.php:76 actions/subedit.php:57 actions/tagother.php:46 #: actions/unsubscribe.php:84 lib/profileformaction.php:86 msgid "No profile with that ID." msgstr "Ningún perfil ten esa ID." -#: actions/groupblock.php:81 actions/groupunblock.php:81 +#: actions/groupblock.php:81 actions/groupunblock.php:82 #: actions/makeadmin.php:81 msgid "No group specified." msgstr "Non se especificou ningún grupo." @@ -2252,6 +2350,14 @@ msgstr "" "Pode cargar un logo para o seu grupo. O tamaño máximo para o ficheiro é de %" "s." +#: actions/grouplogo.php:236 +msgid "Upload" +msgstr "Cargar" + +#: actions/grouplogo.php:289 +msgid "Crop" +msgstr "Recortar" + #: actions/grouplogo.php:365 msgid "Pick a square area of the image to be the logo." msgstr "Escolla unha zona cadrada da imaxe para usala como logo." @@ -2393,15 +2499,18 @@ msgstr "" "Por que non [rexistrar unha conta](%%action.register%%) e [crear o grupo](%%" "action.newgroup%%)?" -#: actions/groupunblock.php:91 +#. TRANS: Client error displayed when trying to unblock a user from a group without being an administrator for the group. +#: actions/groupunblock.php:94 msgid "Only an admin can unblock group members." msgstr "Só os administradores poden readmitir a membros do grupo." -#: actions/groupunblock.php:95 +#. TRANS: Client error displayed when trying to unblock a non-blocked user from a group. +#: actions/groupunblock.php:99 msgid "User is not blocked from group." msgstr "O usuario non está excluído do grupo." -#: actions/groupunblock.php:128 actions/unblock.php:86 +#. TRANS: Server error displayed when unblocking a user from a group fails because of an unknown error. +#: actions/groupunblock.php:131 actions/unblock.php:86 msgid "Error removing the block." msgstr "Houbo un erro ao facer efectiva a readmisión." @@ -3001,10 +3110,12 @@ msgstr "A organización é longa de máis (o límite é de 255 caracteres)." msgid "Could not create application." msgstr "Non se puido crear a aplicación." +#. TRANS: Title for form to create a group. #: actions/newgroup.php:53 msgid "New group" msgstr "Novo grupo" +#. TRANS: Form instructions for group create form. #: actions/newgroup.php:110 msgid "Use this form to create a new group." msgstr "Utilice o seguinte formulario para crear un novo grupo." @@ -3714,8 +3825,9 @@ msgstr "" "espazos, tiles ou eñes" #. TRANS: Field label in form for profile settings. +#. TRANS: Label for full group name (dt). Text hidden by default. #: actions/profilesettings.php:117 actions/register.php:457 -#: actions/showgroup.php:256 actions/tagother.php:104 +#: actions/showgroup.php:257 actions/tagother.php:104 #: lib/groupeditform.php:157 lib/userprofile.php:150 msgid "Full name" msgstr "Nome completo" @@ -3755,8 +3867,9 @@ msgid "Bio" msgstr "Biografía" #. TRANS: Field label in form for profile settings. +#. TRANS: Label for group location (dt). Text hidden by default. #: actions/profilesettings.php:149 actions/register.php:485 -#: actions/showgroup.php:265 actions/tagother.php:112 +#: actions/showgroup.php:267 actions/tagother.php:112 #: actions/userauthorization.php:166 lib/groupeditform.php:177 #: lib/userprofile.php:165 msgid "Location" @@ -4490,7 +4603,8 @@ msgstr "Organización" msgid "Description" msgstr "Descrición" -#: actions/showapplication.php:192 actions/showgroup.php:442 +#. TRANS: Header for group statistics on a group page (h2). +#: actions/showapplication.php:192 actions/showgroup.php:453 #: lib/profileaction.php:187 msgid "Statistics" msgstr "Estatísticas" @@ -4508,6 +4622,11 @@ msgstr "Accións da aplicación" msgid "Reset key & secret" msgstr "Restablecer o contrasinal ou a pregunta secreta" +#: actions/showapplication.php:252 lib/deletegroupform.php:121 +#: lib/deleteuserform.php:66 lib/noticelist.php:667 +msgid "Delete" +msgstr "Borrar" + #: actions/showapplication.php:261 msgid "Application info" msgstr "Información da aplicación" @@ -4602,77 +4721,106 @@ msgstr "" msgid "This is a way to share what you like." msgstr "Isto é un modo de compartir o que lle gusta." -#: actions/showgroup.php:82 +#. TRANS: Page title for first group page. %s is a group name. +#: actions/showgroup.php:80 #, php-format msgid "%s group" msgstr "Grupo %s" +#. TRANS: Page title for any but first group page. +#. TRANS: %1$s is a group name, $2$s is a page number. #: actions/showgroup.php:84 #, php-format msgid "%1$s group, page %2$d" msgstr "Grupo %1$s, páxina %2$d" -#: actions/showgroup.php:227 +#. TRANS: Group profile header (h2). Text hidden by default. +#: actions/showgroup.php:225 msgid "Group profile" msgstr "Perfil do grupo" -#: actions/showgroup.php:272 actions/tagother.php:118 +#. TRANS: Label for group URL (dt). Text hidden by default. +#: actions/showgroup.php:275 actions/tagother.php:118 #: actions/userauthorization.php:175 lib/userprofile.php:178 msgid "URL" msgstr "URL" -#: actions/showgroup.php:283 actions/tagother.php:128 +#. TRANS: Label for group description or group note (dt). Text hidden by default. +#: actions/showgroup.php:287 actions/tagother.php:128 #: actions/userauthorization.php:187 lib/userprofile.php:195 msgid "Note" msgstr "Nota" -#: actions/showgroup.php:293 lib/groupeditform.php:184 +#. TRANS: Label for group aliases (dt). Text hidden by default. +#: actions/showgroup.php:298 lib/groupeditform.php:184 msgid "Aliases" msgstr "Pseudónimos" -#: actions/showgroup.php:302 +#. TRANS: Group actions header (h2). Text hidden by default. +#: actions/showgroup.php:309 msgid "Group actions" msgstr "Accións do grupo" -#: actions/showgroup.php:344 +#. TRANS: Tooltip for feed link. %s is a group nickname. +#: actions/showgroup.php:350 #, php-format msgid "Notice feed for %s group (RSS 1.0)" msgstr "Fonte de novas das notas do grupo %s (RSS 1.0)" -#: actions/showgroup.php:350 +#. TRANS: Tooltip for feed link. %s is a group nickname. +#: actions/showgroup.php:357 #, php-format msgid "Notice feed for %s group (RSS 2.0)" msgstr "Fonte de novas das notas do grupo %s (RSS 2.0)" -#: actions/showgroup.php:356 +#. TRANS: Tooltip for feed link. %s is a group nickname. +#: actions/showgroup.php:364 #, php-format msgid "Notice feed for %s group (Atom)" msgstr "Fonte de novas das notas do grupo %s (Atom)" -#: actions/showgroup.php:361 +#. TRANS: Tooltip for feed link. %s is a group nickname. +#: actions/showgroup.php:370 #, php-format msgid "FOAF for %s group" msgstr "Amigo dun amigo para o grupo %s" -#: actions/showgroup.php:399 actions/showgroup.php:451 +#. TRANS: Header for mini list of group members on a group page (h2). +#: actions/showgroup.php:407 msgid "Members" msgstr "Membros" -#: actions/showgroup.php:404 lib/profileaction.php:117 +#. TRANS: Description for mini list of group members on a group page when the group has no members. +#: actions/showgroup.php:413 lib/profileaction.php:117 #: lib/profileaction.php:152 lib/profileaction.php:255 lib/section.php:95 #: lib/subscriptionlist.php:127 lib/tagcloudsection.php:71 msgid "(None)" msgstr "(Ningún)" -#: actions/showgroup.php:410 +#. TRANS: Link to all group members from mini list of group members if group has more than n members. +#: actions/showgroup.php:422 msgid "All members" msgstr "Todos os membros" -#: actions/showgroup.php:445 +#. TRANS: Label for creation date in statistics on group page. +#: actions/showgroup.php:458 +#, fuzzy +msgctxt "LABEL" msgid "Created" msgstr "Creado" -#: actions/showgroup.php:461 +#. TRANS: Label for member count in statistics on group page. +#: actions/showgroup.php:466 +#, fuzzy +msgctxt "LABEL" +msgid "Members" +msgstr "Membros" + +#. TRANS: Notice on group pages for anonymous users for StatusNet sites that accept new registrations. +#. TRANS: **%s** is the group alias, %%%%site.name%%%% is the site name, +#. TRANS: %%%%action.register%%%% is the URL for registration, %%%%doc.help%%%% is a URL to help. +#. TRANS: This message contains Markdown links. Ensure they are formatted correctly: [Description](link). +#: actions/showgroup.php:481 #, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -4688,7 +4836,10 @@ msgstr "" "[Únase agora](%%%%action.register%%%%) para pasar a formar parte deste grupo " "e de moitos máis! ([Máis información](%%%%doc.help%%%%))" -#: actions/showgroup.php:467 +#. TRANS: Notice on group pages for anonymous users for StatusNet sites that accept no new registrations. +#. TRANS: **%s** is the group alias, %%%%site.name%%%% is the site name, +#. TRANS: This message contains Markdown links. Ensure they are formatted correctly: [Description](link). +#: actions/showgroup.php:491 #, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -4701,24 +4852,31 @@ msgstr "" "baseado na ferramenta de software libre [StatusNet](http://status.net/). Os " "seus membros comparten mensaxes curtas sobre as súas vidas e intereses. " -#: actions/showgroup.php:495 +#. TRANS: Header for list of group administrators on a group page (h2). +#: actions/showgroup.php:520 msgid "Admins" msgstr "Administradores" -#: actions/showmessage.php:81 +#. TRANS: Client error displayed requesting a single message that does not exist. +#: actions/showmessage.php:79 msgid "No such message." msgstr "Non se atopou esa mensaxe." -#: actions/showmessage.php:98 +#. TRANS: Client error displayed requesting a single direct message the requesting user was not a party in. +#: actions/showmessage.php:97 msgid "Only the sender and recipient may read this message." msgstr "Esta mensaxe só a poden ler o destinatario e mais o remitente." -#: actions/showmessage.php:108 +#. TRANS: Page title for single direct message display when viewing user is the sender. +#. TRANS: %1$s is the addressed user's nickname, $2$s is a timestamp. +#: actions/showmessage.php:110 #, php-format msgid "Message to %1$s on %2$s" msgstr "Mensaxe a %1$s en %2$s" -#: actions/showmessage.php:113 +#. TRANS: Page title for single message display. +#. TRANS: %1$s is the sending user's nickname, $2$s is a timestamp. +#: actions/showmessage.php:118 #, php-format msgid "Message from %1$s on %2$s" msgstr "Mensaxe de %1$s en %2$s" @@ -5168,12 +5326,14 @@ msgstr "As instantáneas enviaranse a este URL" msgid "Save snapshot settings" msgstr "Gardar a configuración das instantáneas" -#: actions/subedit.php:70 +#. TRANS: Client error displayed trying a change a subscription for a non-subscribed profile. +#: actions/subedit.php:75 msgid "You are not subscribed to that profile." msgstr "Non está subscrito a ese perfil." +#. TRANS: Server error displayed when updating a subscription fails with a database error. #. TRANS: Exception thrown when a subscription could not be stored on the server. -#: actions/subedit.php:83 classes/Subscription.php:136 +#: actions/subedit.php:89 classes/Subscription.php:136 msgid "Could not save subscription." msgstr "Non se puido gardar a subscrición." @@ -5986,12 +6146,12 @@ msgid "Welcome to %1$s, @%2$s!" msgstr "Benvido a %1$s, @%2$s!" #. TRANS: Server exception. -#: classes/User.php:902 +#: classes/User.php:912 msgid "No single user defined for single-user mode." msgstr "Non se estableceu ningún usuario único para o modo de usuario único." #. TRANS: Server exception. -#: classes/User.php:906 +#: classes/User.php:916 msgid "Single-user mode code called when not enabled." msgstr "" @@ -7166,7 +7326,8 @@ msgstr "Atom" msgid "FOAF" msgstr "Amigo dun amigo" -#: lib/feedlist.php:65 +#. TRANS: Header for feed links (h2). +#: lib/feedlist.php:66 msgid "Feeds" msgstr "Fontes de novas" @@ -7330,39 +7491,57 @@ msgstr "Esta páxina non está dispoñible nun formato axeitado para vostede" msgid "Unsupported image file format." msgstr "Non se soporta o formato da imaxe." -#: lib/imagefile.php:88 +#. TRANS: Exception thrown when too large a file is uploaded. +#. TRANS: %s is the maximum file size, for example "500b", "10kB" or "2MB". +#: lib/imagefile.php:90 #, php-format msgid "That file is too big. The maximum file size is %s." msgstr "Ese ficheiro é grande de máis. O tamaño máximo por ficheiro son %s." -#: lib/imagefile.php:93 +#: lib/imagefile.php:95 msgid "Partial upload." msgstr "Carga parcial." #. TRANS: Client exception thrown when a file upload operation has failed with an unknown reason. -#: lib/imagefile.php:101 lib/mediafile.php:179 +#: lib/imagefile.php:103 lib/mediafile.php:179 msgid "System error uploading file." msgstr "Houbo un erro no sistema ao cargar o ficheiro." -#: lib/imagefile.php:109 +#: lib/imagefile.php:111 msgid "Not an image or corrupt file." msgstr "O ficheiro está mal ou non é unha imaxe." -#: lib/imagefile.php:122 +#: lib/imagefile.php:124 msgid "Lost our file." msgstr "Perdeuse o noso ficheiro." -#: lib/imagefile.php:163 lib/imagefile.php:224 +#: lib/imagefile.php:165 lib/imagefile.php:226 msgid "Unknown file type" msgstr "Non se coñece o tipo de ficheiro" -#: lib/imagefile.php:244 -msgid "MB" -msgstr "MB" +#. TRANS: Number of megabytes. %d is the number. +#: lib/imagefile.php:248 +#, fuzzy, php-format +msgid "%dMB" +msgid_plural "%dMB" +msgstr[0] "MB" +msgstr[1] "MB" -#: lib/imagefile.php:246 -msgid "kB" -msgstr "kB" +#. TRANS: Number of kilobytes. %d is the number. +#: lib/imagefile.php:252 +#, fuzzy, php-format +msgid "%dkB" +msgid_plural "%dkB" +msgstr[0] "kB" +msgstr[1] "kB" + +#. TRANS: Number of bytes. %d is the number. +#: lib/imagefile.php:255 +#, php-format +msgid "%dB" +msgid_plural "%dB" +msgstr[0] "" +msgstr[1] "" #: lib/jabber.php:387 #, php-format @@ -8262,6 +8441,13 @@ msgstr "Houbo un erro ao abrir o arquivo do tema visual." msgid "Top posters" msgstr "Os que máis publican" +#. TRANS: Title for the form to unblock a user. +#: lib/unblockform.php:67 +#, fuzzy +msgctxt "TITLE" +msgid "Unblock" +msgstr "Desbloquear" + #: lib/unsandboxform.php:69 msgid "Unsandbox" msgstr "Deixar de illar" @@ -8443,3 +8629,9 @@ msgstr "Non se especificou ningún usuario; emprégase o usuario de reserva." #, php-format msgid "%d entries in backup." msgstr "%d entradas na reserva." + +#~ msgid "Description is too long (max %d chars)." +#~ msgstr "A descrición é longa de máis (o máximo son %d caracteres)." + +#~ msgid "Too many aliases! Maximum %d." +#~ msgstr "Demasiados pseudónimos! O número máximo é %d." diff --git a/locale/hsb/LC_MESSAGES/statusnet.po b/locale/hsb/LC_MESSAGES/statusnet.po index bbb11a4979..89d8f334b7 100644 --- a/locale/hsb/LC_MESSAGES/statusnet.po +++ b/locale/hsb/LC_MESSAGES/statusnet.po @@ -11,18 +11,18 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet - Core\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-10-27 23:43+0000\n" -"PO-Revision-Date: 2010-10-28 23:09:03+0000\n" +"POT-Creation-Date: 2010-10-30 23:18+0000\n" +"PO-Revision-Date: 2010-10-30 23:20:21+0000\n" "Language-Team: Upper Sorbian \n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r75629); Translate extension (2010-09-17)\n" +"X-Generator: MediaWiki 1.17alpha (r75708); Translate extension (2010-09-17)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: hsb\n" "X-Message-Group: #out-statusnet-core\n" "Plural-Forms: nplurals=4; plural=(n%100==1 ? 0 : n%100==2 ? 1 : (n%100==3 || " "n%100==4) ? 2 : 3)\n" -"X-POT-Import-Date: 2010-10-28 00:13:15+0000\n" +"X-POT-Import-Date: 2010-10-30 09:48:40+0000\n" #. TRANS: Page title for Access admin panel that allows configuring site access. #. TRANS: Menu item for site administration @@ -118,6 +118,7 @@ msgstr "Strona njeeksistuje." #. TRANS: Client error displayed when requesting most recent dents by user and friends for a non-existing user. #. TRANS: Client error displayed when requesting most recent mentions for a non-existing user. #. TRANS: Client error displayed requesting most recent notices for a non-existing user. +#. TRANS: Client error displayed trying to get an avatar for a non-existing user. #. TRANS: Error text shown when trying to send a direct message to a user that does not exist. #: actions/all.php:80 actions/apiaccountupdatedeliverydevice.php:110 #: actions/apiaccountupdateprofile.php:103 @@ -130,7 +131,7 @@ msgstr "Strona njeeksistuje." #: actions/apistatusesupdate.php:230 actions/apisubscriptions.php:85 #: actions/apitimelinefavorites.php:70 actions/apitimelinefriends.php:173 #: actions/apitimelinehome.php:78 actions/apitimelinementions.php:77 -#: actions/apitimelineuser.php:79 actions/avatarbynickname.php:75 +#: actions/apitimelineuser.php:79 actions/avatarbynickname.php:79 #: 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 @@ -300,11 +301,12 @@ msgstr "Wužiwar njeje so dał aktualizować." #. TRANS: Client error displayed a user has no profile updating profile colours. #. TRANS: Client error displayed if a user profile could not be found updating a profile image. #. TRANS: Client error displayed when requesting user information for a user without a profile. +#. TRANS: Client error displayed trying to get an avatar for a user without a profile. #: actions/apiaccountupdateprofile.php:111 #: actions/apiaccountupdateprofilebackgroundimage.php:199 #: actions/apiaccountupdateprofilecolors.php:183 #: actions/apiaccountupdateprofileimage.php:130 actions/apiusershow.php:108 -#: actions/avatarbynickname.php:80 actions/foaf.php:65 actions/hcard.php:74 +#: actions/avatarbynickname.php:85 actions/foaf.php:65 actions/hcard.php:74 #: actions/replies.php:80 actions/usergroups.php:100 lib/galleryaction.php:66 #: lib/profileaction.php:84 msgid "User has no profile." @@ -319,7 +321,7 @@ msgstr "Profil njeje so składować dał." #. TRANS: %s is the number of bytes of the CONTENT_LENGTH. #: actions/apiaccountupdateprofilebackgroundimage.php:108 #: actions/apiaccountupdateprofileimage.php:95 actions/apimediaupload.php:81 -#: actions/apistatusesupdate.php:210 actions/avatarsettings.php:259 +#: actions/apistatusesupdate.php:210 actions/avatarsettings.php:269 #: actions/designadminpanel.php:125 actions/editapplication.php:121 #: actions/newapplication.php:104 actions/newnotice.php:95 #, php-format @@ -498,44 +500,54 @@ msgstr "Žórłowy wužiwar njeda so postajić." msgid "Could not find target user." msgstr "Cilowy wužiwar njeda so namakać." +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. #. TRANS: Validation error in form for profile settings. -#: actions/apigroupcreate.php:165 actions/editgroup.php:186 -#: actions/newgroup.php:126 actions/profilesettings.php:243 +#: actions/apigroupcreate.php:165 actions/editgroup.php:191 +#: actions/newgroup.php:127 actions/profilesettings.php:243 #: actions/register.php:212 msgid "Nickname must have only lowercase letters and numbers and no spaces." msgstr "" "Přimjeno smě jenož małe pismiki a cyfry wobsahować. Mjezery njejsu dowolene." #. TRANS: Client error trying to create a group with a nickname this is already in use. +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. #. TRANS: Validation error in form for profile settings. -#: actions/apigroupcreate.php:175 actions/editgroup.php:190 -#: actions/newgroup.php:130 actions/profilesettings.php:277 +#: actions/apigroupcreate.php:175 actions/editgroup.php:196 +#: actions/newgroup.php:132 actions/profilesettings.php:277 #: actions/register.php:215 msgid "Nickname already in use. Try another one." msgstr "Přimjeno so hižo wužiwa. Spytaj druhe." #. TRANS: Client error in form for group creation. +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. #. TRANS: Validation error in form for profile settings. -#: actions/apigroupcreate.php:183 actions/editgroup.php:193 -#: actions/newgroup.php:133 actions/profilesettings.php:247 +#: actions/apigroupcreate.php:183 actions/editgroup.php:200 +#: actions/newgroup.php:136 actions/profilesettings.php:247 #: actions/register.php:217 msgid "Not a valid nickname." msgstr "Žane płaćiwe přimjeno." #. TRANS: Client error in form for group creation. #. TRANS: Validation error shown when providing an invalid homepage URL in the "Edit application" form. +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. #. TRANS: Validation error in form for profile settings. #: actions/apigroupcreate.php:200 actions/editapplication.php:233 -#: actions/editgroup.php:199 actions/newapplication.php:211 -#: actions/newgroup.php:139 actions/profilesettings.php:252 +#: actions/editgroup.php:207 actions/newapplication.php:211 +#: actions/newgroup.php:143 actions/profilesettings.php:252 #: actions/register.php:224 msgid "Homepage is not a valid URL." msgstr "Startowa strona njeje płaćiwy URL." #. TRANS: Client error in form for group creation. +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. #. TRANS: Validation error in form for profile settings. -#: actions/apigroupcreate.php:210 actions/editgroup.php:202 -#: actions/newgroup.php:142 actions/profilesettings.php:256 +#: actions/apigroupcreate.php:210 actions/editgroup.php:211 +#: actions/newgroup.php:147 actions/profilesettings.php:256 #: actions/register.php:227 #, fuzzy msgid "Full name is too long (maximum 255 characters)." @@ -544,10 +556,11 @@ msgstr "Dospołne mjeno je předołho (maks. 255 znamješkow)." #. TRANS: Client error shown when providing too long a description during group creation. #. TRANS: %d is the maximum number of allowed characters. #. TRANS: Validation error shown when providing too long a description in the "Edit application" form. +#. TRANS: Group edit form validation error. #. TRANS: Form validation error in New application form. #. TRANS: %d is the maximum number of characters for the description. #: actions/apigroupcreate.php:220 actions/editapplication.php:201 -#: actions/newapplication.php:178 +#: actions/editgroup.php:216 actions/newapplication.php:178 #, fuzzy, php-format msgid "Description is too long (maximum %d character)." msgid_plural "Description is too long (maximum %d characters)." @@ -557,9 +570,11 @@ msgstr[2] "Wopisanje je předołho (maks. %d znamješkow)." msgstr[3] "Wopisanje je předołho (maks. %d znamješkow)." #. TRANS: Client error shown when providing too long a location during group creation. +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. #. TRANS: Validation error in form for profile settings. -#: actions/apigroupcreate.php:234 actions/editgroup.php:208 -#: actions/newgroup.php:153 actions/profilesettings.php:269 +#: actions/apigroupcreate.php:234 actions/editgroup.php:223 +#: actions/newgroup.php:159 actions/profilesettings.php:269 #: actions/register.php:236 #, fuzzy msgid "Location is too long (maximum 255 characters)." @@ -567,7 +582,12 @@ msgstr "Městno je předołho (maks. 255 znamješkow)." #. TRANS: Client error shown when providing too many aliases during group creation. #. TRANS: %d is the maximum number of allowed aliases. -#: actions/apigroupcreate.php:255 actions/newgroup.php:166 +#. TRANS: Group edit form validation error. +#. TRANS: %d is the maximum number of allowed aliases. +#. TRANS: Group create form validation error. +#. TRANS: %d is the maximum number of allowed aliases. +#: actions/apigroupcreate.php:255 actions/editgroup.php:236 +#: actions/newgroup.php:172 #, fuzzy, php-format msgid "Too many aliases! Maximum %d allowed." msgid_plural "Too many aliases! Maximum %d allowed." @@ -585,15 +605,19 @@ msgstr "Njepłaćiwy alias: \"%s\"." #. TRANS: Client error displayed when trying to use an alias during group creation that is already in use. #. TRANS: %s is the alias that is already in use. -#: actions/apigroupcreate.php:291 actions/editgroup.php:232 -#: actions/newgroup.php:181 +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. +#: actions/apigroupcreate.php:291 actions/editgroup.php:253 +#: actions/newgroup.php:189 #, php-format msgid "Alias \"%s\" already in use. Try another one." msgstr "Alias \"%s\" so hižo wužiwa. Spytaj druhi." #. TRANS: Client error displayed when trying to use an alias during group creation that is the same as the group's nickname. -#: actions/apigroupcreate.php:305 actions/editgroup.php:238 -#: actions/newgroup.php:187 +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. +#: actions/apigroupcreate.php:305 actions/editgroup.php:260 +#: actions/newgroup.php:196 msgid "Alias can't be the same as nickname." msgstr "Alias njemóže samsny kaž přimjeno być." @@ -699,18 +723,18 @@ msgid "Request token already authorized." msgstr "Njejsy awtorizowany." #. TRANS: Form validation error in API OAuth authorisation because of an invalid session token. -#: actions/apioauthauthorize.php:147 actions/avatarsettings.php:270 +#: actions/apioauthauthorize.php:147 actions/avatarsettings.php:280 #: actions/deletenotice.php:172 actions/disfavor.php:74 #: actions/emailsettings.php:271 actions/favor.php:75 actions/geocode.php:55 #: actions/groupblock.php:66 actions/grouplogo.php:312 -#: actions/groupunblock.php:66 actions/imsettings.php:230 +#: actions/groupunblock.php:65 actions/imsettings.php:230 #: actions/invite.php:59 actions/login.php:137 actions/makeadmin.php:66 #: actions/newmessage.php:135 actions/newnotice.php:105 actions/nudge.php:80 #: actions/oauthappssettings.php:165 actions/oauthconnectionssettings.php:138 #: actions/othersettings.php:145 actions/passwordsettings.php:138 #: actions/profilesettings.php:221 actions/recoverpassword.php:350 #: actions/register.php:172 actions/remotesubscribe.php:77 -#: actions/repeat.php:83 actions/smssettings.php:256 actions/subedit.php:38 +#: actions/repeat.php:83 actions/smssettings.php:256 actions/subedit.php:40 #: actions/subscribe.php:86 actions/tagother.php:166 #: actions/unsubscribe.php:69 actions/userauthorization.php:52 #: lib/designsettings.php:294 @@ -729,12 +753,13 @@ msgid "Database error inserting oauth_token_association." msgstr "Zmylk datoweje banki při zasunjenju wužiwarja OAuth-aplikacije." #. TRANS: Client error given on when invalid data was passed through a form in the OAuth API. +#. TRANS: Unexpected validation error on avatar upload form. #. TRANS: Client error displayed submitting invalid form data for edit application. #. TRANS: Message given submitting a form with an unknown action in e-mail settings. #. TRANS: Message given submitting a form with an unknown action in IM settings. #. TRANS: Client error when submitting a form with unexpected information. #. TRANS: Message given submitting a form with an unknown action in SMS settings. -#: actions/apioauthauthorize.php:294 actions/avatarsettings.php:283 +#: actions/apioauthauthorize.php:294 actions/avatarsettings.php:294 #: actions/designadminpanel.php:104 actions/editapplication.php:144 #: actions/emailsettings.php:290 actions/grouplogo.php:322 #: actions/imsettings.php:245 actions/newapplication.php:125 @@ -783,6 +808,7 @@ msgstr "Konto" #. TRANS: Field label on OAuth API authorisation form. #. TRANS: Field label in form for profile settings. +#. TRANS: Label for group nickname (dt). Text hidden by default. #: actions/apioauthauthorize.php:459 actions/login.php:252 #: actions/profilesettings.php:110 actions/register.php:433 #: actions/showgroup.php:245 actions/tagother.php:94 @@ -1039,105 +1065,139 @@ msgstr "API-metoda njenamakana." msgid "User not found." msgstr "API-metoda njenamakana." +#. TRANS: Client error displayed trying to get a non-existing attachment. #: actions/attachment.php:73 msgid "No such attachment." msgstr "Přiwěšk njeeksistuje." -#: actions/avatarbynickname.php:59 actions/blockedfromgroup.php:73 -#: actions/editgroup.php:84 actions/groupdesignsettings.php:84 +#. TRANS: Client error displayed trying to get an avatar without providing a nickname. +#. TRANS: Client error displayed when requesting a list of blocked users for a group without providing a group nickname. +#. TRANS: Client error displayed trying to edit a group while not proving a nickname for the group to edit. +#. TRANS: Client error displayed if no nickname argument was given requesting a group page. +#: actions/avatarbynickname.php:60 actions/blockedfromgroup.php:73 +#: actions/editgroup.php:85 actions/groupdesignsettings.php:84 #: actions/grouplogo.php:86 actions/groupmembers.php:76 #: actions/grouprss.php:91 actions/showgroup.php:121 msgid "No nickname." msgstr "Žane přimjeno." -#: actions/avatarbynickname.php:64 +#. TRANS: Client error displayed trying to get an avatar without providing an avatar size. +#: actions/avatarbynickname.php:66 msgid "No size." msgstr "Žana wulkosć." -#: actions/avatarbynickname.php:69 +#. TRANS: Client error displayed trying to get an avatar providing an invalid avatar size. +#: actions/avatarbynickname.php:72 msgid "Invalid size." msgstr "Njepłaćiwa wulkosć." +#. TRANS: Title for avatar upload page. +#. TRANS: Label for group avatar (dt). Text hidden by default. #. TRANS: Link description in user account settings menu. -#: actions/avatarsettings.php:67 actions/showgroup.php:230 +#: actions/avatarsettings.php:66 actions/showgroup.php:229 #: lib/accountsettingsaction.php:113 msgid "Avatar" msgstr "Awatar" +#. TRANS: Instruction for avatar upload page. +#. TRANS: %s is the maximum file size, for example "500b", "10kB" or "2MB". #: actions/avatarsettings.php:78 #, php-format msgid "You can upload your personal avatar. The maximum file size is %s." msgstr "" "Móžeš swój wosobinski awatar nahrać. Maksimalna datajowa wulkosć je %s." -#: actions/avatarsettings.php:106 actions/avatarsettings.php:185 +#. TRANS: Server error displayed in avatar upload page when no matching profile can be found for a user. +#: actions/avatarsettings.php:108 actions/avatarsettings.php:192 #: actions/grouplogo.php:181 actions/remotesubscribe.php:191 #: actions/userauthorization.php:72 actions/userrss.php:108 msgid "User without matching profile." msgstr "Wužiwar bjez hodźaceho so profila." -#: actions/avatarsettings.php:119 actions/avatarsettings.php:197 +#. TRANS: Avatar upload page form legend. +#. TRANS: Avatar upload page crop form legend. +#: actions/avatarsettings.php:122 actions/avatarsettings.php:205 #: actions/grouplogo.php:254 msgid "Avatar settings" msgstr "Nastajenja awatara" -#: actions/avatarsettings.php:127 actions/avatarsettings.php:205 +#. TRANS: Header on avatar upload page for thumbnail of originally uploaded avatar (h2). +#. TRANS: Header on avatar upload crop form for thumbnail of originally uploaded avatar (h2). +#: actions/avatarsettings.php:131 actions/avatarsettings.php:214 #: actions/grouplogo.php:202 actions/grouplogo.php:262 msgid "Original" msgstr "Original" -#: actions/avatarsettings.php:142 actions/avatarsettings.php:217 +#. TRANS: Header on avatar upload page for thumbnail of to be used rendition of uploaded avatar (h2). +#. TRANS: Header on avatar upload crop form for thumbnail of to be used rendition of uploaded avatar (h2). +#: actions/avatarsettings.php:147 actions/avatarsettings.php:227 #: actions/grouplogo.php:213 actions/grouplogo.php:274 msgid "Preview" msgstr "Přehlad" -#: actions/avatarsettings.php:149 actions/showapplication.php:252 -#: lib/deletegroupform.php:121 lib/deleteuserform.php:66 -#: lib/noticelist.php:667 +#. TRANS: Button on avatar upload page to delete current avatar. +#: actions/avatarsettings.php:155 +#, fuzzy +msgctxt "BUTTON" msgid "Delete" msgstr "Zničić" -#: actions/avatarsettings.php:166 actions/grouplogo.php:236 +#. TRANS: Button on avatar upload page to upload an avatar. +#: actions/avatarsettings.php:173 +#, fuzzy +msgctxt "BUTTON" msgid "Upload" msgstr "Nahrać" -#: actions/avatarsettings.php:231 actions/grouplogo.php:289 +#. TRANS: Button on avatar upload crop form to confirm a selected crop as avatar. +#: actions/avatarsettings.php:243 +#, fuzzy +msgctxt "BUTTON" msgid "Crop" msgstr "Přirězać" -#: actions/avatarsettings.php:307 +#. TRANS: Validation error on avatar upload form when no file was uploaded. +#: actions/avatarsettings.php:318 msgid "No file uploaded." msgstr "Žana dataja nahrata." -#: actions/avatarsettings.php:334 +#. TRANS: Avatar upload form unstruction after uploading a file. +#: actions/avatarsettings.php:346 msgid "Pick a square area of the image to be your avatar" msgstr "" -#: actions/avatarsettings.php:349 actions/grouplogo.php:380 +#. TRANS: Server error displayed if an avatar upload went wrong somehow server side. +#: actions/avatarsettings.php:361 actions/grouplogo.php:380 msgid "Lost our file data." msgstr "Naše datajowe daty su so zhubili." -#: actions/avatarsettings.php:372 +#: actions/avatarsettings.php:384 msgid "Avatar updated." msgstr "Awatar zaktualizowany." -#: actions/avatarsettings.php:375 +#. TRANS: Error displayed on the avatar upload page if the avatar could not be updated for an unknown reason. +#: actions/avatarsettings.php:388 msgid "Failed updating avatar." msgstr "Aktualizowanje awatara je so njeporadźiło." -#: actions/avatarsettings.php:399 +#. TRANS: Success message for deleting a user avatar. +#: actions/avatarsettings.php:412 msgid "Avatar deleted." msgstr "Awatar zničeny." -#: actions/block.php:69 +#. TRANS: Client error displayed when blocking a user that has already been blocked. +#: actions/block.php:68 msgid "You already blocked that user." msgstr "Sy tutoho wužiwarja hižo zablokował." -#: actions/block.php:107 actions/block.php:136 actions/groupblock.php:158 +#. TRANS: Title for block user page. +#. TRANS: Legend for block user form. +#: actions/block.php:106 actions/block.php:136 actions/groupblock.php:158 msgid "Block user" msgstr "Wužiwarja blokować" -#: actions/block.php:138 +#. TRANS: Explanation of consequences when blocking a user on the block user page. +#: actions/block.php:139 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 " @@ -1150,7 +1210,7 @@ msgstr "" #. TRANS: Button label on the delete notice form. #. TRANS: Button label on the delete user form. #. TRANS: Button label on the form to block a user from a group. -#: actions/block.php:153 actions/deleteapplication.php:154 +#: actions/block.php:154 actions/deleteapplication.php:154 #: actions/deletegroup.php:220 actions/deletenotice.php:150 #: actions/deleteuser.php:152 actions/groupblock.php:178 msgctxt "BUTTON" @@ -1159,7 +1219,7 @@ msgstr "Ně" #. TRANS: Submit button title for 'No' when blocking a user. #. TRANS: Submit button title for 'No' when deleting a user. -#: actions/block.php:157 actions/deleteuser.php:156 +#: actions/block.php:158 actions/deleteuser.php:156 msgid "Do not block this user" msgstr "Tutoho wužiwarja njeblokować" @@ -1169,7 +1229,7 @@ msgstr "Tutoho wužiwarja njeblokować" #. TRANS: Button label on the delete notice form. #. TRANS: Button label on the delete user form. #. TRANS: Button label on the form to block a user from a group. -#: actions/block.php:160 actions/deleteapplication.php:161 +#: actions/block.php:161 actions/deleteapplication.php:161 #: actions/deletegroup.php:227 actions/deletenotice.php:157 #: actions/deleteuser.php:159 actions/groupblock.php:185 msgctxt "BUTTON" @@ -1178,92 +1238,113 @@ msgstr "Haj" #. TRANS: Submit button title for 'Yes' when blocking a user. #. TRANS: Description of the form to block a user. -#: actions/block.php:164 lib/blockform.php:79 +#: actions/block.php:165 lib/blockform.php:79 msgid "Block this user" msgstr "Tutoho wužiwarja blokować" -#: actions/block.php:187 +#. TRANS: Server error displayed when blocking a user fails. +#: actions/block.php:189 #, fuzzy msgid "Failed to save block information." msgstr "Njeje móžno, sydłowu zdźělenku składować." +#. TRANS: Client error displayed when requesting a list of blocked users for a non-local group. +#. TRANS: Client error displayed when requesting a list of blocked users for a non-existing group. #. TRANS: Client error when trying to delete a non-local group. #. TRANS: Client error when trying to delete a non-existing group. +#. TRANS: Client error displayed trying to edit a non-existing group. +#. TRANS: Client error displayed when trying to unblock a user from a non-existing group. +#. TRANS: Client error displayed if no remote group with a given name was found requesting group page. +#. TRANS: Client error displayed if no local group with a given name was found requesting group page. #. TRANS: Command exception text shown when a group is requested that does not exist. #. TRANS: Error text shown when trying to leave a group that does not exist. -#: actions/blockedfromgroup.php:80 actions/blockedfromgroup.php:87 +#: actions/blockedfromgroup.php:81 actions/blockedfromgroup.php:89 #: actions/deletegroup.php:87 actions/deletegroup.php:100 -#: actions/editgroup.php:100 actions/foafgroup.php:44 actions/foafgroup.php:62 +#: actions/editgroup.php:102 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/groupunblock.php:88 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:168 +#: actions/showgroup.php:139 actions/showgroup.php:148 lib/command.php:168 #: lib/command.php:380 msgid "No such group." msgstr "Skupina njeeksistuje." -#: actions/blockedfromgroup.php:97 +#. TRANS: Title for first page with list of users blocked from a group. +#. TRANS: %s is a group nickname. +#: actions/blockedfromgroup.php:101 #, php-format msgid "%s blocked profiles" msgstr "%s je profile zablokował" -#: actions/blockedfromgroup.php:100 +#. TRANS: Title for any but the first page with list of users blocked from a group. +#. TRANS: %1$s is a group nickname, %2$d is a page number. +#: actions/blockedfromgroup.php:106 #, php-format msgid "%1$s blocked profiles, page %2$d" msgstr "%1$s zablokowa profile, stronu %2$d" -#: actions/blockedfromgroup.php:115 +#. TRANS: Instructions for list of users blocked from a group. +#: actions/blockedfromgroup.php:122 #, fuzzy msgid "A list of the users blocked from joining this group." msgstr "Lisćina wužiwarjow w tutej skupinje." -#: actions/blockedfromgroup.php:288 +#. TRANS: Form legend for unblocking a user from a group. +#: actions/blockedfromgroup.php:291 msgid "Unblock user from group" msgstr "Wužiwarja za skupinu wotblokować" -#. TRANS: Title for the form to unblock a user. -#: actions/blockedfromgroup.php:320 lib/unblockform.php:70 +#. TRANS: Button text for unblocking a user from a group. +#: actions/blockedfromgroup.php:323 +#, fuzzy +msgctxt "BUTTON" msgid "Unblock" msgstr "Wotblokować" +#. TRANS: Tooltip for button for unblocking a user from a group. #. TRANS: Description of the form to unblock a user. -#: actions/blockedfromgroup.php:320 lib/unblockform.php:82 +#: actions/blockedfromgroup.php:327 lib/unblockform.php:78 msgid "Unblock this user" msgstr "Tutoho wužiwarja wotblokować" #. TRANS: Title for mini-posting window loaded from bookmarklet. +#. TRANS: %s is the StatusNet site name. #: actions/bookmarklet.php:51 #, php-format msgid "Post to %s" msgstr "Na %s pósłać" -#: actions/confirmaddress.php:75 +#. TRANS: Client error displayed when not providing a confirmation code in the contact address confirmation action. +#: actions/confirmaddress.php:74 msgid "No confirmation code." msgstr "Žadyn wobkrućenski kod." +#. TRANS: Client error displayed when providing a non-existing confirmation code in the contact address confirmation action. #: actions/confirmaddress.php:80 msgid "Confirmation code not found." msgstr "Wobkrućenski kod njenamakany." -#: actions/confirmaddress.php:85 +#. TRANS: Client error displayed when not providing a confirmation code for another user in the contact address confirmation action. +#: actions/confirmaddress.php:86 msgid "That confirmation code is not for you!" msgstr "Tutón wobkrućenski kod njeje za tebje!" -#. TRANS: Server error for an unknow address type, which can be 'email', 'jabber', or 'sms'. -#: actions/confirmaddress.php:91 +#. TRANS: Server error for a unknow address type %s, which can be 'email', 'jabber', or 'sms'. +#: actions/confirmaddress.php:92 #, php-format msgid "Unrecognized address type %s." msgstr "Njespóznaty adresowy typ %s." -#. TRANS: Client error for an already confirmed email/jabbel/sms address. -#: actions/confirmaddress.php:96 +#. TRANS: Client error for an already confirmed email/jabber/sms address. +#: actions/confirmaddress.php:97 msgid "That address has already been confirmed." msgstr "Tuta adresa bu hižo wobkrućena." +#. TRANS: Server error displayed when a user update to the database fails in the contact address confirmation action. #. TRANS: Server error thrown on database error updating e-mail preferences. #. TRANS: Server error thrown on database error removing a registered e-mail address. #. TRANS: Server error thrown on database error updating IM preferences. @@ -1271,7 +1352,7 @@ msgstr "Tuta adresa bu hižo wobkrućena." #. TRANS: Server error thrown when user profile settings could not be updated. #. TRANS: Server error thrown on database error updating SMS preferences. #. TRANS: Server error thrown on database error removing a registered SMS phone number. -#: actions/confirmaddress.php:116 actions/emailsettings.php:331 +#: actions/confirmaddress.php:118 actions/emailsettings.php:331 #: actions/emailsettings.php:477 actions/imsettings.php:283 #: actions/imsettings.php:442 actions/othersettings.php:174 #: actions/profilesettings.php:326 actions/smssettings.php:308 @@ -1279,27 +1360,32 @@ msgstr "Tuta adresa bu hižo wobkrućena." msgid "Couldn't update user." msgstr "Wužiwar njeda aktualizować." -#. TRANS: Server error thrown on database error canceling e-mail address confirmation. -#. TRANS: Server error thrown on database error canceling SMS phone number confirmation. -#: actions/confirmaddress.php:128 actions/emailsettings.php:437 -#: actions/smssettings.php:422 -msgid "Couldn't delete email confirmation." -msgstr "E-mejlowe wobkrućenje njeda so zhašeć." +#. TRANS: Server error displayed when an address confirmation code deletion from the +#. TRANS: database fails in the contact address confirmation action. +#: actions/confirmaddress.php:132 +#, fuzzy +msgid "Could not delete address confirmation." +msgstr "IM-wobkrućenje njeda so zhašeć." -#: actions/confirmaddress.php:146 +#. TRANS: Title for the contact address confirmation action. +#: actions/confirmaddress.php:150 msgid "Confirm address" msgstr "Adresu wobkrućić" -#: actions/confirmaddress.php:161 +#. TRANS: Success message for the contact address confirmation action. +#. TRANS: %s can be 'email', 'jabber', or 'sms'. +#: actions/confirmaddress.php:166 #, php-format msgid "The address \"%s\" has been confirmed for your account." msgstr "Adresa \"%s\" bu za twoje konto wobkrućena." -#: actions/conversation.php:99 +#. TRANS: Title for page with a conversion (multiple notices in context). +#: actions/conversation.php:96 msgid "Conversation" msgstr "Konwersacija" -#: actions/conversation.php:154 lib/mailbox.php:116 lib/noticelist.php:87 +#. TRANS: Header on conversation page. Hidden by default (h2). +#: actions/conversation.php:149 lib/mailbox.php:116 lib/noticelist.php:87 #: lib/profileaction.php:229 lib/searchgroupnav.php:82 msgid "Notices" msgstr "Zdźělenki" @@ -1404,11 +1490,13 @@ msgstr "Tutu zdźělenku njewušmórnyć" msgid "Delete this group" msgstr "Tutoho wužiwarja wušmórnyć" +#. TRANS: Client error displayed when trying to unblock a user from a group while not logged in. +#. TRANS: Client error displayed trying a change a subscription while not logged in. #. TRANS: Client error message thrown when trying to access the admin panel while not logged in. #: actions/deletenotice.php:50 actions/disfavor.php:61 actions/favor.php:62 -#: actions/groupblock.php:61 actions/groupunblock.php:61 actions/logout.php:69 +#: actions/groupblock.php:61 actions/groupunblock.php:60 actions/logout.php:69 #: actions/makeadmin.php:61 actions/newmessage.php:87 actions/newnotice.php:88 -#: actions/nudge.php:63 actions/subedit.php:31 actions/subscribe.php:96 +#: actions/nudge.php:63 actions/subedit.php:33 actions/subscribe.php:96 #: actions/tagother.php:33 actions/unsubscribe.php:52 #: lib/adminpanelaction.php:71 lib/profileformaction.php:64 #: lib/settingsaction.php:72 @@ -1711,49 +1799,49 @@ msgstr "URL žórła płaćiwy njeje." msgid "Could not update application." msgstr "Aplikacija njeda so aktualizować." -#: actions/editgroup.php:56 +#. TRANS: Title for form to edit a group. %s is a group nickname. +#: actions/editgroup.php:55 #, php-format msgid "Edit %s group" msgstr "Skupinu %s wobdźěłać" +#. TRANS: Client error displayed trying to edit a group while not logged in. +#. TRANS: Client error displayed trying to create a group while not logged in. #: actions/editgroup.php:68 actions/grouplogo.php:70 actions/newgroup.php:65 msgid "You must be logged in to create a group." msgstr "Dyrbiš přizjewjeny być, zo by skupinu wutworił." -#: actions/editgroup.php:107 actions/editgroup.php:172 +#. TRANS: Client error displayed trying to edit a group while not being a group admin. +#: actions/editgroup.php:110 actions/editgroup.php:176 #: 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:158 +#. TRANS: Form instructions for group edit form. +#: actions/editgroup.php:161 msgid "Use this form to edit the group." msgstr "Wuž tutón formular, zo by skupinu wobdźěłał." -#: actions/editgroup.php:205 -#, php-format -msgid "Description is too long (max %d chars)." -msgstr "Wopisanje je předołho (maks. %d znamješkow)." - -#: actions/editgroup.php:219 -#, php-format -msgid "Too many aliases! Maximum %d." -msgstr "Přewjele aliasow! Maksimum: %d." - -#: actions/editgroup.php:228 actions/newgroup.php:177 +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. +#: actions/editgroup.php:248 actions/newgroup.php:184 #, php-format msgid "Invalid alias: \"%s\"" msgstr "Njepłaćiwy alias: \"%s\"" -#: actions/editgroup.php:258 +#. TRANS: Server error displayed when editing a group fails. +#: actions/editgroup.php:281 msgid "Could not update group." msgstr "Skupina njeje so dała aktualizować." +#. TRANS: Server error displayed when group aliases could not be added. #. TRANS: Server exception thrown when creating group aliases failed. -#: actions/editgroup.php:264 classes/User_group.php:513 +#: actions/editgroup.php:288 classes/User_group.php:513 msgid "Could not create aliases." msgstr "Aliasy njejsu so dali wutworić." -#: actions/editgroup.php:280 +#. TRANS: Group edit form success message. +#: actions/editgroup.php:305 msgid "Options saved." msgstr "Opcije składowane." @@ -1943,6 +2031,12 @@ msgstr "IM-wobkrućenje přetorhnjene." msgid "That is the wrong email address." msgstr "To je wopačna e-mejlowa adresa." +#. TRANS: Server error thrown on database error canceling e-mail address confirmation. +#. TRANS: Server error thrown on database error canceling SMS phone number confirmation. +#: actions/emailsettings.php:437 actions/smssettings.php:422 +msgid "Couldn't delete email confirmation." +msgstr "E-mejlowe wobkrućenje njeda so zhašeć." + #. TRANS: Message given after successfully canceling e-mail address confirmation. #: actions/emailsettings.php:442 msgid "Email confirmation cancelled." @@ -2118,19 +2212,23 @@ msgstr "Njemóžeš wužiwarske róle na tutym sydle garantować." msgid "User already has this role." msgstr "Wužiwar hižo ma tutu rólu." +#. TRANS: Client error displayed when trying to unblock a user from a group without providing a profile. +#. TRANS: Client error displayed trying a change a subscription without providing a profile. #: actions/groupblock.php:71 actions/groupunblock.php:71 -#: actions/makeadmin.php:71 actions/subedit.php:46 +#: actions/makeadmin.php:71 actions/subedit.php:49 #: lib/profileformaction.php:79 msgid "No profile specified." msgstr "Žadyn profil podaty." -#: actions/groupblock.php:76 actions/groupunblock.php:76 -#: actions/makeadmin.php:76 actions/subedit.php:53 actions/tagother.php:46 +#. TRANS: Client error displayed when trying to unblock a user from a group without providing an existing profile. +#. TRANS: Client error displayed trying a change a subscription for a non-existant profile ID. +#: actions/groupblock.php:76 actions/groupunblock.php:77 +#: actions/makeadmin.php:76 actions/subedit.php:57 actions/tagother.php:46 #: actions/unsubscribe.php:84 lib/profileformaction.php:86 msgid "No profile with that ID." msgstr "Žadyn profil z tym ID." -#: actions/groupblock.php:81 actions/groupunblock.php:81 +#: actions/groupblock.php:81 actions/groupunblock.php:82 #: actions/makeadmin.php:81 msgid "No group specified." msgstr "Žana skupina podata." @@ -2212,6 +2310,14 @@ msgstr "" "Móžeš logowy wobraz za swoju skupinu nahrać. Maksimalna datajowa wulkosć je %" "s." +#: actions/grouplogo.php:236 +msgid "Upload" +msgstr "Nahrać" + +#: actions/grouplogo.php:289 +msgid "Crop" +msgstr "Přirězać" + #: actions/grouplogo.php:365 msgid "Pick a square area of the image to be the logo." msgstr "" @@ -2345,15 +2451,18 @@ msgid "" "action.newgroup%%) yourself!" msgstr "" -#: actions/groupunblock.php:91 +#. TRANS: Client error displayed when trying to unblock a user from a group without being an administrator for the group. +#: actions/groupunblock.php:94 msgid "Only an admin can unblock group members." msgstr "Jenož administrator móže skupinskich čłonow wotblokować." -#: actions/groupunblock.php:95 +#. TRANS: Client error displayed when trying to unblock a non-blocked user from a group. +#: actions/groupunblock.php:99 msgid "User is not blocked from group." msgstr "Wužiwar njeje zablokowany za skupinu." -#: actions/groupunblock.php:128 actions/unblock.php:86 +#. TRANS: Server error displayed when unblocking a user from a group fails because of an unknown error. +#: actions/groupunblock.php:131 actions/unblock.php:86 msgid "Error removing the block." msgstr "Zmylk při wotstronjenju blokowanja." @@ -2916,10 +3025,12 @@ msgstr "Mjeno organizacije je předołho (maks. 255 znamješkow)." msgid "Could not create application." msgstr "Aplikacija njeda so wutworić." +#. TRANS: Title for form to create a group. #: actions/newgroup.php:53 msgid "New group" msgstr "Nowa skupina" +#. TRANS: Form instructions for group create form. #: actions/newgroup.php:110 msgid "Use this form to create a new group." msgstr "Wužij tutón formular, zo by nowu skupinu wutworił." @@ -3616,8 +3727,9 @@ msgstr "" "Přimjeno smě jenož małe pismiki a cyfry wobsahować. Mjezery njejsu dowolene." #. TRANS: Field label in form for profile settings. +#. TRANS: Label for full group name (dt). Text hidden by default. #: actions/profilesettings.php:117 actions/register.php:457 -#: actions/showgroup.php:256 actions/tagother.php:104 +#: actions/showgroup.php:257 actions/tagother.php:104 #: lib/groupeditform.php:157 lib/userprofile.php:150 msgid "Full name" msgstr "Dospołne mjeno" @@ -3659,8 +3771,9 @@ msgid "Bio" msgstr "Biografija" #. TRANS: Field label in form for profile settings. +#. TRANS: Label for group location (dt). Text hidden by default. #: actions/profilesettings.php:149 actions/register.php:485 -#: actions/showgroup.php:265 actions/tagother.php:112 +#: actions/showgroup.php:267 actions/tagother.php:112 #: actions/userauthorization.php:166 lib/groupeditform.php:177 #: lib/userprofile.php:165 msgid "Location" @@ -4342,7 +4455,8 @@ msgstr "Organizacija" msgid "Description" msgstr "Wopisanje" -#: actions/showapplication.php:192 actions/showgroup.php:442 +#. TRANS: Header for group statistics on a group page (h2). +#: actions/showapplication.php:192 actions/showgroup.php:453 #: lib/profileaction.php:187 msgid "Statistics" msgstr "Statistika" @@ -4360,6 +4474,11 @@ msgstr "Aplikaciske akcije" msgid "Reset key & secret" msgstr "" +#: actions/showapplication.php:252 lib/deletegroupform.php:121 +#: lib/deleteuserform.php:66 lib/noticelist.php:667 +msgid "Delete" +msgstr "Zničić" + #: actions/showapplication.php:261 msgid "Application info" msgstr "Aplikaciske informacije" @@ -4444,78 +4563,107 @@ msgstr "" msgid "This is a way to share what you like." msgstr "" -#: actions/showgroup.php:82 +#. TRANS: Page title for first group page. %s is a group name. +#: actions/showgroup.php:80 #, php-format msgid "%s group" msgstr "skupina %s" +#. TRANS: Page title for any but first group page. +#. TRANS: %1$s is a group name, $2$s is a page number. #: actions/showgroup.php:84 #, php-format msgid "%1$s group, page %2$d" msgstr "%1$s skupina, strona %2$d" -#: actions/showgroup.php:227 +#. TRANS: Group profile header (h2). Text hidden by default. +#: actions/showgroup.php:225 msgid "Group profile" msgstr "Skupinski profil" -#: actions/showgroup.php:272 actions/tagother.php:118 +#. TRANS: Label for group URL (dt). Text hidden by default. +#: actions/showgroup.php:275 actions/tagother.php:118 #: actions/userauthorization.php:175 lib/userprofile.php:178 msgid "URL" msgstr "URL" -#: actions/showgroup.php:283 actions/tagother.php:128 +#. TRANS: Label for group description or group note (dt). Text hidden by default. +#: actions/showgroup.php:287 actions/tagother.php:128 #: actions/userauthorization.php:187 lib/userprofile.php:195 #, fuzzy msgid "Note" msgstr "Žadyn" -#: actions/showgroup.php:293 lib/groupeditform.php:184 +#. TRANS: Label for group aliases (dt). Text hidden by default. +#: actions/showgroup.php:298 lib/groupeditform.php:184 msgid "Aliases" msgstr "Aliasy" -#: actions/showgroup.php:302 +#. TRANS: Group actions header (h2). Text hidden by default. +#: actions/showgroup.php:309 msgid "Group actions" msgstr "Skupinske akcije" -#: actions/showgroup.php:344 +#. TRANS: Tooltip for feed link. %s is a group nickname. +#: actions/showgroup.php:350 #, fuzzy, php-format msgid "Notice feed for %s group (RSS 1.0)" msgstr "Powěsćowy kanal za %1$s je %2$s (RSS 1.0) markěrował" -#: actions/showgroup.php:350 +#. TRANS: Tooltip for feed link. %s is a group nickname. +#: actions/showgroup.php:357 #, fuzzy, php-format msgid "Notice feed for %s group (RSS 2.0)" msgstr "Powěsćowy kanal za %1$s je %2$s (RSS 1.0) markěrował" -#: actions/showgroup.php:356 +#. TRANS: Tooltip for feed link. %s is a group nickname. +#: actions/showgroup.php:364 #, fuzzy, php-format msgid "Notice feed for %s group (Atom)" msgstr "Powěsćowy kanal za %1$s je %2$s (RSS 1.0) markěrował" -#: actions/showgroup.php:361 +#. TRANS: Tooltip for feed link. %s is a group nickname. +#: actions/showgroup.php:370 #, fuzzy, php-format msgid "FOAF for %s group" msgstr "FOAF za %s" -#: actions/showgroup.php:399 actions/showgroup.php:451 +#. TRANS: Header for mini list of group members on a group page (h2). +#: actions/showgroup.php:407 msgid "Members" msgstr "Čłonojo" -#: actions/showgroup.php:404 lib/profileaction.php:117 +#. TRANS: Description for mini list of group members on a group page when the group has no members. +#: actions/showgroup.php:413 lib/profileaction.php:117 #: lib/profileaction.php:152 lib/profileaction.php:255 lib/section.php:95 #: lib/subscriptionlist.php:127 lib/tagcloudsection.php:71 msgid "(None)" msgstr "(Žadyn)" -#: actions/showgroup.php:410 +#. TRANS: Link to all group members from mini list of group members if group has more than n members. +#: actions/showgroup.php:422 msgid "All members" msgstr "Wšitcy čłonojo" -#: actions/showgroup.php:445 +#. TRANS: Label for creation date in statistics on group page. +#: actions/showgroup.php:458 +#, fuzzy +msgctxt "LABEL" msgid "Created" msgstr "Wutworjeny" -#: actions/showgroup.php:461 +#. TRANS: Label for member count in statistics on group page. +#: actions/showgroup.php:466 +#, fuzzy +msgctxt "LABEL" +msgid "Members" +msgstr "Čłonojo" + +#. TRANS: Notice on group pages for anonymous users for StatusNet sites that accept new registrations. +#. TRANS: **%s** is the group alias, %%%%site.name%%%% is the site name, +#. TRANS: %%%%action.register%%%% is the URL for registration, %%%%doc.help%%%% is a URL to help. +#. TRANS: This message contains Markdown links. Ensure they are formatted correctly: [Description](link). +#: actions/showgroup.php:481 #, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -4525,7 +4673,10 @@ msgid "" "of this group and many more! ([Read more](%%%%doc.help%%%%))" msgstr "" -#: actions/showgroup.php:467 +#. TRANS: Notice on group pages for anonymous users for StatusNet sites that accept no new registrations. +#. TRANS: **%s** is the group alias, %%%%site.name%%%% is the site name, +#. TRANS: This message contains Markdown links. Ensure they are formatted correctly: [Description](link). +#: actions/showgroup.php:491 #, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -4534,25 +4685,32 @@ msgid "" "their life and interests. " msgstr "" -#: actions/showgroup.php:495 +#. TRANS: Header for list of group administrators on a group page (h2). +#: actions/showgroup.php:520 msgid "Admins" msgstr "Administratorojo" -#: actions/showmessage.php:81 +#. TRANS: Client error displayed requesting a single message that does not exist. +#: actions/showmessage.php:79 msgid "No such message." msgstr "Powěsć njeeksistuje." -#: actions/showmessage.php:98 +#. TRANS: Client error displayed requesting a single direct message the requesting user was not a party in. +#: actions/showmessage.php:97 #, fuzzy msgid "Only the sender and recipient may read this message." msgstr "Jenož wužiwar móže swoje póstowe kašćiki čitać." -#: actions/showmessage.php:108 +#. TRANS: Page title for single direct message display when viewing user is the sender. +#. TRANS: %1$s is the addressed user's nickname, $2$s is a timestamp. +#: actions/showmessage.php:110 #, php-format msgid "Message to %1$s on %2$s" msgstr "Powěsć do %1$s na %2$s" -#: actions/showmessage.php:113 +#. TRANS: Page title for single message display. +#. TRANS: %1$s is the sending user's nickname, $2$s is a timestamp. +#: actions/showmessage.php:118 #, php-format msgid "Message from %1$s on %2$s" msgstr "Powěsć wot %1$s na %2$s" @@ -4986,12 +5144,14 @@ msgstr "" msgid "Save snapshot settings" msgstr "Nastajenja wobrazowkoweho fota składować" -#: actions/subedit.php:70 +#. TRANS: Client error displayed trying a change a subscription for a non-subscribed profile. +#: actions/subedit.php:75 msgid "You are not subscribed to that profile." msgstr "Njejsy tón profil abonował." +#. TRANS: Server error displayed when updating a subscription fails with a database error. #. TRANS: Exception thrown when a subscription could not be stored on the server. -#: actions/subedit.php:83 classes/Subscription.php:136 +#: actions/subedit.php:89 classes/Subscription.php:136 msgid "Could not save subscription." msgstr "Abonement njeda so składować." @@ -5770,12 +5930,12 @@ msgid "Welcome to %1$s, @%2$s!" msgstr "Witaj do %1$s, @%2$s!" #. TRANS: Server exception. -#: classes/User.php:902 +#: classes/User.php:912 msgid "No single user defined for single-user mode." msgstr "Žadyn jednotliwy wužiwar za modus jednotliweho wužiwarja definowany." #. TRANS: Server exception. -#: classes/User.php:906 +#: classes/User.php:916 msgid "Single-user mode code called when not enabled." msgstr "" @@ -6913,7 +7073,8 @@ msgstr "Atom" msgid "FOAF" msgstr "FOAF" -#: lib/feedlist.php:65 +#. TRANS: Header for feed links (h2). +#: lib/feedlist.php:66 msgid "Feeds" msgstr "" @@ -7078,39 +7239,63 @@ msgstr "" msgid "Unsupported image file format." msgstr "Njepodpěrowany wobrazowy format." -#: lib/imagefile.php:88 +#. TRANS: Exception thrown when too large a file is uploaded. +#. TRANS: %s is the maximum file size, for example "500b", "10kB" or "2MB". +#: lib/imagefile.php:90 #, php-format msgid "That file is too big. The maximum file size is %s." msgstr "Tuta dataja je přewulka. Maksimalna datajowa wulkosć je %s." -#: lib/imagefile.php:93 +#: lib/imagefile.php:95 msgid "Partial upload." msgstr "Dźělne nahraće." #. TRANS: Client exception thrown when a file upload operation has failed with an unknown reason. -#: lib/imagefile.php:101 lib/mediafile.php:179 +#: lib/imagefile.php:103 lib/mediafile.php:179 msgid "System error uploading file." msgstr "Systemowy zmylk při nahrawanju dataje." -#: lib/imagefile.php:109 +#: lib/imagefile.php:111 msgid "Not an image or corrupt file." msgstr "Žady wobraz abo žana wobškodźena dataja." -#: lib/imagefile.php:122 +#: lib/imagefile.php:124 msgid "Lost our file." msgstr "Naša dataja je so zhubiła." -#: lib/imagefile.php:163 lib/imagefile.php:224 +#: lib/imagefile.php:165 lib/imagefile.php:226 msgid "Unknown file type" msgstr "Njeznaty datajowy typ" -#: lib/imagefile.php:244 -msgid "MB" -msgstr "MB" +#. TRANS: Number of megabytes. %d is the number. +#: lib/imagefile.php:248 +#, fuzzy, php-format +msgid "%dMB" +msgid_plural "%dMB" +msgstr[0] "MB" +msgstr[1] "MB" +msgstr[2] "MB" +msgstr[3] "MB" -#: lib/imagefile.php:246 -msgid "kB" -msgstr "KB" +#. TRANS: Number of kilobytes. %d is the number. +#: lib/imagefile.php:252 +#, fuzzy, php-format +msgid "%dkB" +msgid_plural "%dkB" +msgstr[0] "KB" +msgstr[1] "KB" +msgstr[2] "KB" +msgstr[3] "KB" + +#. TRANS: Number of bytes. %d is the number. +#: lib/imagefile.php:255 +#, php-format +msgid "%dB" +msgid_plural "%dB" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" +msgstr[3] "" #: lib/jabber.php:387 #, php-format @@ -7905,6 +8090,13 @@ msgstr "Zmylk při wočinjenju šatoweho archiwa." msgid "Top posters" msgstr "" +#. TRANS: Title for the form to unblock a user. +#: lib/unblockform.php:67 +#, fuzzy +msgctxt "TITLE" +msgid "Unblock" +msgstr "Wotblokować" + #: lib/unsandboxform.php:69 msgid "Unsandbox" msgstr "" @@ -8107,3 +8299,9 @@ msgstr "Žadyn wužiwarski ID podaty." #, php-format msgid "%d entries in backup." msgstr "" + +#~ msgid "Description is too long (max %d chars)." +#~ msgstr "Wopisanje je předołho (maks. %d znamješkow)." + +#~ msgid "Too many aliases! Maximum %d." +#~ msgstr "Přewjele aliasow! Maksimum: %d." diff --git a/locale/hu/LC_MESSAGES/statusnet.po b/locale/hu/LC_MESSAGES/statusnet.po index bf7613336e..acf0eaf40e 100644 --- a/locale/hu/LC_MESSAGES/statusnet.po +++ b/locale/hu/LC_MESSAGES/statusnet.po @@ -12,13 +12,13 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet - Core\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-10-27 23:43+0000\n" -"PO-Revision-Date: 2010-10-28 23:09:05+0000\n" +"POT-Creation-Date: 2010-10-30 23:18+0000\n" +"PO-Revision-Date: 2010-10-30 23:20:22+0000\n" "Language-Team: Hungarian \n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-POT-Import-Date: 2010-10-28 00:13:15+0000\n" -"X-Generator: MediaWiki 1.17alpha (r75629); Translate extension (2010-09-17)\n" +"X-POT-Import-Date: 2010-10-30 09:48:40+0000\n" +"X-Generator: MediaWiki 1.17alpha (r75708); Translate extension (2010-09-17)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: hu\n" "X-Message-Group: #out-statusnet-core\n" @@ -120,6 +120,7 @@ msgstr "Nincs ilyen lap." #. TRANS: Client error displayed when requesting most recent dents by user and friends for a non-existing user. #. TRANS: Client error displayed when requesting most recent mentions for a non-existing user. #. TRANS: Client error displayed requesting most recent notices for a non-existing user. +#. TRANS: Client error displayed trying to get an avatar for a non-existing user. #. TRANS: Error text shown when trying to send a direct message to a user that does not exist. #: actions/all.php:80 actions/apiaccountupdatedeliverydevice.php:110 #: actions/apiaccountupdateprofile.php:103 @@ -132,7 +133,7 @@ msgstr "Nincs ilyen lap." #: actions/apistatusesupdate.php:230 actions/apisubscriptions.php:85 #: actions/apitimelinefavorites.php:70 actions/apitimelinefriends.php:173 #: actions/apitimelinehome.php:78 actions/apitimelinementions.php:77 -#: actions/apitimelineuser.php:79 actions/avatarbynickname.php:75 +#: actions/apitimelineuser.php:79 actions/avatarbynickname.php:79 #: 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 @@ -306,11 +307,12 @@ msgstr "Nem sikerült frissíteni a felhasználót." #. TRANS: Client error displayed a user has no profile updating profile colours. #. TRANS: Client error displayed if a user profile could not be found updating a profile image. #. TRANS: Client error displayed when requesting user information for a user without a profile. +#. TRANS: Client error displayed trying to get an avatar for a user without a profile. #: actions/apiaccountupdateprofile.php:111 #: actions/apiaccountupdateprofilebackgroundimage.php:199 #: actions/apiaccountupdateprofilecolors.php:183 #: actions/apiaccountupdateprofileimage.php:130 actions/apiusershow.php:108 -#: actions/avatarbynickname.php:80 actions/foaf.php:65 actions/hcard.php:74 +#: actions/avatarbynickname.php:85 actions/foaf.php:65 actions/hcard.php:74 #: actions/replies.php:80 actions/usergroups.php:100 lib/galleryaction.php:66 #: lib/profileaction.php:84 msgid "User has no profile." @@ -325,7 +327,7 @@ msgstr "Nem sikerült menteni a profilt." #. TRANS: %s is the number of bytes of the CONTENT_LENGTH. #: actions/apiaccountupdateprofilebackgroundimage.php:108 #: actions/apiaccountupdateprofileimage.php:95 actions/apimediaupload.php:81 -#: actions/apistatusesupdate.php:210 actions/avatarsettings.php:259 +#: actions/apistatusesupdate.php:210 actions/avatarsettings.php:269 #: actions/designadminpanel.php:125 actions/editapplication.php:121 #: actions/newapplication.php:104 actions/newnotice.php:95 #, fuzzy, php-format @@ -502,43 +504,53 @@ msgstr "Nem sikerült megállapítani a forrás felhasználót." msgid "Could not find target user." msgstr "A cél felhasználó nem található." +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. #. TRANS: Validation error in form for profile settings. -#: actions/apigroupcreate.php:165 actions/editgroup.php:186 -#: actions/newgroup.php:126 actions/profilesettings.php:243 +#: actions/apigroupcreate.php:165 actions/editgroup.php:191 +#: actions/newgroup.php:127 actions/profilesettings.php:243 #: actions/register.php:212 msgid "Nickname must have only lowercase letters and numbers and no spaces." msgstr "A becenév csak kisbetűket és számokat tartalmazhat, szóközök nélkül." #. TRANS: Client error trying to create a group with a nickname this is already in use. +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. #. TRANS: Validation error in form for profile settings. -#: actions/apigroupcreate.php:175 actions/editgroup.php:190 -#: actions/newgroup.php:130 actions/profilesettings.php:277 +#: actions/apigroupcreate.php:175 actions/editgroup.php:196 +#: actions/newgroup.php:132 actions/profilesettings.php:277 #: actions/register.php:215 msgid "Nickname already in use. Try another one." msgstr "A becenév már foglalt. Próbálj meg egy másikat." #. TRANS: Client error in form for group creation. +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. #. TRANS: Validation error in form for profile settings. -#: actions/apigroupcreate.php:183 actions/editgroup.php:193 -#: actions/newgroup.php:133 actions/profilesettings.php:247 +#: actions/apigroupcreate.php:183 actions/editgroup.php:200 +#: actions/newgroup.php:136 actions/profilesettings.php:247 #: actions/register.php:217 msgid "Not a valid nickname." msgstr "Nem érvényes becenév." #. TRANS: Client error in form for group creation. #. TRANS: Validation error shown when providing an invalid homepage URL in the "Edit application" form. +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. #. TRANS: Validation error in form for profile settings. #: actions/apigroupcreate.php:200 actions/editapplication.php:233 -#: actions/editgroup.php:199 actions/newapplication.php:211 -#: actions/newgroup.php:139 actions/profilesettings.php:252 +#: actions/editgroup.php:207 actions/newapplication.php:211 +#: actions/newgroup.php:143 actions/profilesettings.php:252 #: actions/register.php:224 msgid "Homepage is not a valid URL." msgstr "A honlap érvénytelen URL-cím." #. TRANS: Client error in form for group creation. +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. #. TRANS: Validation error in form for profile settings. -#: actions/apigroupcreate.php:210 actions/editgroup.php:202 -#: actions/newgroup.php:142 actions/profilesettings.php:256 +#: actions/apigroupcreate.php:210 actions/editgroup.php:211 +#: actions/newgroup.php:147 actions/profilesettings.php:256 #: actions/register.php:227 #, fuzzy msgid "Full name is too long (maximum 255 characters)." @@ -547,10 +559,11 @@ msgstr "A teljes név túl hosszú (legfeljebb 255 karakter lehet)." #. TRANS: Client error shown when providing too long a description during group creation. #. TRANS: %d is the maximum number of allowed characters. #. TRANS: Validation error shown when providing too long a description in the "Edit application" form. +#. TRANS: Group edit form validation error. #. TRANS: Form validation error in New application form. #. TRANS: %d is the maximum number of characters for the description. #: actions/apigroupcreate.php:220 actions/editapplication.php:201 -#: actions/newapplication.php:178 +#: actions/editgroup.php:216 actions/newapplication.php:178 #, fuzzy, php-format msgid "Description is too long (maximum %d character)." msgid_plural "Description is too long (maximum %d characters)." @@ -558,9 +571,11 @@ msgstr[0] "A leírás túl hosszú (legfeljebb %d karakter lehet)." msgstr[1] "A leírás túl hosszú (legfeljebb %d karakter lehet)." #. TRANS: Client error shown when providing too long a location during group creation. +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. #. TRANS: Validation error in form for profile settings. -#: actions/apigroupcreate.php:234 actions/editgroup.php:208 -#: actions/newgroup.php:153 actions/profilesettings.php:269 +#: actions/apigroupcreate.php:234 actions/editgroup.php:223 +#: actions/newgroup.php:159 actions/profilesettings.php:269 #: actions/register.php:236 #, fuzzy msgid "Location is too long (maximum 255 characters)." @@ -568,7 +583,12 @@ msgstr "A hely túl hosszú (legfeljebb 255 karakter lehet)." #. TRANS: Client error shown when providing too many aliases during group creation. #. TRANS: %d is the maximum number of allowed aliases. -#: actions/apigroupcreate.php:255 actions/newgroup.php:166 +#. TRANS: Group edit form validation error. +#. TRANS: %d is the maximum number of allowed aliases. +#. TRANS: Group create form validation error. +#. TRANS: %d is the maximum number of allowed aliases. +#: actions/apigroupcreate.php:255 actions/editgroup.php:236 +#: actions/newgroup.php:172 #, fuzzy, php-format msgid "Too many aliases! Maximum %d allowed." msgid_plural "Too many aliases! Maximum %d allowed." @@ -584,15 +604,19 @@ msgstr "Érvénytelen álnév: „%s”." #. TRANS: Client error displayed when trying to use an alias during group creation that is already in use. #. TRANS: %s is the alias that is already in use. -#: actions/apigroupcreate.php:291 actions/editgroup.php:232 -#: actions/newgroup.php:181 +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. +#: actions/apigroupcreate.php:291 actions/editgroup.php:253 +#: actions/newgroup.php:189 #, php-format msgid "Alias \"%s\" already in use. Try another one." msgstr "A(z) „%s” álnév már használatban van. Próbálj meg egy másikat." #. TRANS: Client error displayed when trying to use an alias during group creation that is the same as the group's nickname. -#: actions/apigroupcreate.php:305 actions/editgroup.php:238 -#: actions/newgroup.php:187 +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. +#: actions/apigroupcreate.php:305 actions/editgroup.php:260 +#: actions/newgroup.php:196 msgid "Alias can't be the same as nickname." msgstr "Az álnév nem egyezhet meg a becenévvel." @@ -697,18 +721,18 @@ msgid "Request token already authorized." msgstr "Nincs jogosultságod." #. TRANS: Form validation error in API OAuth authorisation because of an invalid session token. -#: actions/apioauthauthorize.php:147 actions/avatarsettings.php:270 +#: actions/apioauthauthorize.php:147 actions/avatarsettings.php:280 #: actions/deletenotice.php:172 actions/disfavor.php:74 #: actions/emailsettings.php:271 actions/favor.php:75 actions/geocode.php:55 #: actions/groupblock.php:66 actions/grouplogo.php:312 -#: actions/groupunblock.php:66 actions/imsettings.php:230 +#: actions/groupunblock.php:65 actions/imsettings.php:230 #: actions/invite.php:59 actions/login.php:137 actions/makeadmin.php:66 #: actions/newmessage.php:135 actions/newnotice.php:105 actions/nudge.php:80 #: actions/oauthappssettings.php:165 actions/oauthconnectionssettings.php:138 #: actions/othersettings.php:145 actions/passwordsettings.php:138 #: actions/profilesettings.php:221 actions/recoverpassword.php:350 #: actions/register.php:172 actions/remotesubscribe.php:77 -#: actions/repeat.php:83 actions/smssettings.php:256 actions/subedit.php:38 +#: actions/repeat.php:83 actions/smssettings.php:256 actions/subedit.php:40 #: actions/subscribe.php:86 actions/tagother.php:166 #: actions/unsubscribe.php:69 actions/userauthorization.php:52 #: lib/designsettings.php:294 @@ -726,12 +750,13 @@ msgid "Database error inserting oauth_token_association." msgstr "" #. TRANS: Client error given on when invalid data was passed through a form in the OAuth API. +#. TRANS: Unexpected validation error on avatar upload form. #. TRANS: Client error displayed submitting invalid form data for edit application. #. TRANS: Message given submitting a form with an unknown action in e-mail settings. #. TRANS: Message given submitting a form with an unknown action in IM settings. #. TRANS: Client error when submitting a form with unexpected information. #. TRANS: Message given submitting a form with an unknown action in SMS settings. -#: actions/apioauthauthorize.php:294 actions/avatarsettings.php:283 +#: actions/apioauthauthorize.php:294 actions/avatarsettings.php:294 #: actions/designadminpanel.php:104 actions/editapplication.php:144 #: actions/emailsettings.php:290 actions/grouplogo.php:322 #: actions/imsettings.php:245 actions/newapplication.php:125 @@ -780,6 +805,7 @@ msgstr "Kontó" #. TRANS: Field label on OAuth API authorisation form. #. TRANS: Field label in form for profile settings. +#. TRANS: Label for group nickname (dt). Text hidden by default. #: actions/apioauthauthorize.php:459 actions/login.php:252 #: actions/profilesettings.php:110 actions/register.php:433 #: actions/showgroup.php:245 actions/tagother.php:94 @@ -1031,104 +1057,138 @@ msgstr "Az API-metódus fejlesztés alatt áll." msgid "User not found." msgstr "Az API-metódus nem található." +#. TRANS: Client error displayed trying to get a non-existing attachment. #: actions/attachment.php:73 msgid "No such attachment." msgstr "Nincs ilyen csatolmány." -#: actions/avatarbynickname.php:59 actions/blockedfromgroup.php:73 -#: actions/editgroup.php:84 actions/groupdesignsettings.php:84 +#. TRANS: Client error displayed trying to get an avatar without providing a nickname. +#. TRANS: Client error displayed when requesting a list of blocked users for a group without providing a group nickname. +#. TRANS: Client error displayed trying to edit a group while not proving a nickname for the group to edit. +#. TRANS: Client error displayed if no nickname argument was given requesting a group page. +#: actions/avatarbynickname.php:60 actions/blockedfromgroup.php:73 +#: actions/editgroup.php:85 actions/groupdesignsettings.php:84 #: actions/grouplogo.php:86 actions/groupmembers.php:76 #: actions/grouprss.php:91 actions/showgroup.php:121 msgid "No nickname." msgstr "Nincs becenév." -#: actions/avatarbynickname.php:64 +#. TRANS: Client error displayed trying to get an avatar without providing an avatar size. +#: actions/avatarbynickname.php:66 msgid "No size." msgstr "Nincs méret." -#: actions/avatarbynickname.php:69 +#. TRANS: Client error displayed trying to get an avatar providing an invalid avatar size. +#: actions/avatarbynickname.php:72 msgid "Invalid size." msgstr "Érvénytelen méret." +#. TRANS: Title for avatar upload page. +#. TRANS: Label for group avatar (dt). Text hidden by default. #. TRANS: Link description in user account settings menu. -#: actions/avatarsettings.php:67 actions/showgroup.php:230 +#: actions/avatarsettings.php:66 actions/showgroup.php:229 #: lib/accountsettingsaction.php:113 msgid "Avatar" msgstr "Avatar" +#. TRANS: Instruction for avatar upload page. +#. TRANS: %s is the maximum file size, for example "500b", "10kB" or "2MB". #: actions/avatarsettings.php:78 #, php-format msgid "You can upload your personal avatar. The maximum file size is %s." msgstr "Feltöltheted a személyes avatarodat. A fájl maximális mérete %s lehet." -#: actions/avatarsettings.php:106 actions/avatarsettings.php:185 +#. TRANS: Server error displayed in avatar upload page when no matching profile can be found for a user. +#: actions/avatarsettings.php:108 actions/avatarsettings.php:192 #: actions/grouplogo.php:181 actions/remotesubscribe.php:191 #: actions/userauthorization.php:72 actions/userrss.php:108 msgid "User without matching profile." msgstr "" -#: actions/avatarsettings.php:119 actions/avatarsettings.php:197 +#. TRANS: Avatar upload page form legend. +#. TRANS: Avatar upload page crop form legend. +#: actions/avatarsettings.php:122 actions/avatarsettings.php:205 #: actions/grouplogo.php:254 msgid "Avatar settings" msgstr "Avatarbeállítások" -#: actions/avatarsettings.php:127 actions/avatarsettings.php:205 +#. TRANS: Header on avatar upload page for thumbnail of originally uploaded avatar (h2). +#. TRANS: Header on avatar upload crop form for thumbnail of originally uploaded avatar (h2). +#: actions/avatarsettings.php:131 actions/avatarsettings.php:214 #: actions/grouplogo.php:202 actions/grouplogo.php:262 msgid "Original" msgstr "Eredeti" -#: actions/avatarsettings.php:142 actions/avatarsettings.php:217 +#. TRANS: Header on avatar upload page for thumbnail of to be used rendition of uploaded avatar (h2). +#. TRANS: Header on avatar upload crop form for thumbnail of to be used rendition of uploaded avatar (h2). +#: actions/avatarsettings.php:147 actions/avatarsettings.php:227 #: actions/grouplogo.php:213 actions/grouplogo.php:274 msgid "Preview" msgstr "Előnézet" -#: actions/avatarsettings.php:149 actions/showapplication.php:252 -#: lib/deletegroupform.php:121 lib/deleteuserform.php:66 -#: lib/noticelist.php:667 +#. TRANS: Button on avatar upload page to delete current avatar. +#: actions/avatarsettings.php:155 +#, fuzzy +msgctxt "BUTTON" msgid "Delete" msgstr "Törlés" -#: actions/avatarsettings.php:166 actions/grouplogo.php:236 +#. TRANS: Button on avatar upload page to upload an avatar. +#: actions/avatarsettings.php:173 +#, fuzzy +msgctxt "BUTTON" msgid "Upload" msgstr "Feltöltés" -#: actions/avatarsettings.php:231 actions/grouplogo.php:289 +#. TRANS: Button on avatar upload crop form to confirm a selected crop as avatar. +#: actions/avatarsettings.php:243 +#, fuzzy +msgctxt "BUTTON" msgid "Crop" msgstr "Levágás" -#: actions/avatarsettings.php:307 +#. TRANS: Validation error on avatar upload form when no file was uploaded. +#: actions/avatarsettings.php:318 msgid "No file uploaded." msgstr "Nincs feltöltve fájl." -#: actions/avatarsettings.php:334 +#. TRANS: Avatar upload form unstruction after uploading a file. +#: actions/avatarsettings.php:346 msgid "Pick a square area of the image to be your avatar" msgstr "Válassz ki egy négyzet alakú területet a képből, ami az avatarod lesz" -#: actions/avatarsettings.php:349 actions/grouplogo.php:380 +#. TRANS: Server error displayed if an avatar upload went wrong somehow server side. +#: actions/avatarsettings.php:361 actions/grouplogo.php:380 msgid "Lost our file data." msgstr "Elvesztettük az adatainkat." -#: actions/avatarsettings.php:372 +#: actions/avatarsettings.php:384 msgid "Avatar updated." msgstr "Avatar frissítve." -#: actions/avatarsettings.php:375 +#. TRANS: Error displayed on the avatar upload page if the avatar could not be updated for an unknown reason. +#: actions/avatarsettings.php:388 msgid "Failed updating avatar." msgstr "Nem sikerült felölteni az avatart." -#: actions/avatarsettings.php:399 +#. TRANS: Success message for deleting a user avatar. +#: actions/avatarsettings.php:412 msgid "Avatar deleted." msgstr "Avatar törölve." -#: actions/block.php:69 +#. TRANS: Client error displayed when blocking a user that has already been blocked. +#: actions/block.php:68 msgid "You already blocked that user." msgstr "Már blokkoltad azt a felhasználót." -#: actions/block.php:107 actions/block.php:136 actions/groupblock.php:158 +#. TRANS: Title for block user page. +#. TRANS: Legend for block user form. +#: actions/block.php:106 actions/block.php:136 actions/groupblock.php:158 msgid "Block user" msgstr "Felhasználó blokkolása" -#: actions/block.php:138 +#. TRANS: Explanation of consequences when blocking a user on the block user page. +#: actions/block.php:139 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 " @@ -1141,7 +1201,7 @@ msgstr "" #. TRANS: Button label on the delete notice form. #. TRANS: Button label on the delete user form. #. TRANS: Button label on the form to block a user from a group. -#: actions/block.php:153 actions/deleteapplication.php:154 +#: actions/block.php:154 actions/deleteapplication.php:154 #: actions/deletegroup.php:220 actions/deletenotice.php:150 #: actions/deleteuser.php:152 actions/groupblock.php:178 msgctxt "BUTTON" @@ -1150,7 +1210,7 @@ msgstr "Nem" #. TRANS: Submit button title for 'No' when blocking a user. #. TRANS: Submit button title for 'No' when deleting a user. -#: actions/block.php:157 actions/deleteuser.php:156 +#: actions/block.php:158 actions/deleteuser.php:156 msgid "Do not block this user" msgstr "Ne blokkoljuk ezt a felhasználót" @@ -1160,7 +1220,7 @@ msgstr "Ne blokkoljuk ezt a felhasználót" #. TRANS: Button label on the delete notice form. #. TRANS: Button label on the delete user form. #. TRANS: Button label on the form to block a user from a group. -#: actions/block.php:160 actions/deleteapplication.php:161 +#: actions/block.php:161 actions/deleteapplication.php:161 #: actions/deletegroup.php:227 actions/deletenotice.php:157 #: actions/deleteuser.php:159 actions/groupblock.php:185 msgctxt "BUTTON" @@ -1169,90 +1229,111 @@ msgstr "Igen" #. TRANS: Submit button title for 'Yes' when blocking a user. #. TRANS: Description of the form to block a user. -#: actions/block.php:164 lib/blockform.php:79 +#: actions/block.php:165 lib/blockform.php:79 msgid "Block this user" msgstr "Felhasználó blokkolása" -#: actions/block.php:187 +#. TRANS: Server error displayed when blocking a user fails. +#: actions/block.php:189 msgid "Failed to save block information." msgstr "Nem sikerült elmenteni a blokkolási információkat." +#. TRANS: Client error displayed when requesting a list of blocked users for a non-local group. +#. TRANS: Client error displayed when requesting a list of blocked users for a non-existing group. #. TRANS: Client error when trying to delete a non-local group. #. TRANS: Client error when trying to delete a non-existing group. +#. TRANS: Client error displayed trying to edit a non-existing group. +#. TRANS: Client error displayed when trying to unblock a user from a non-existing group. +#. TRANS: Client error displayed if no remote group with a given name was found requesting group page. +#. TRANS: Client error displayed if no local group with a given name was found requesting group page. #. TRANS: Command exception text shown when a group is requested that does not exist. #. TRANS: Error text shown when trying to leave a group that does not exist. -#: actions/blockedfromgroup.php:80 actions/blockedfromgroup.php:87 +#: actions/blockedfromgroup.php:81 actions/blockedfromgroup.php:89 #: actions/deletegroup.php:87 actions/deletegroup.php:100 -#: actions/editgroup.php:100 actions/foafgroup.php:44 actions/foafgroup.php:62 +#: actions/editgroup.php:102 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/groupunblock.php:88 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:168 +#: actions/showgroup.php:139 actions/showgroup.php:148 lib/command.php:168 #: lib/command.php:380 msgid "No such group." msgstr "Nincs ilyen csoport." -#: actions/blockedfromgroup.php:97 +#. TRANS: Title for first page with list of users blocked from a group. +#. TRANS: %s is a group nickname. +#: actions/blockedfromgroup.php:101 #, php-format msgid "%s blocked profiles" msgstr "" -#: actions/blockedfromgroup.php:100 +#. TRANS: Title for any but the first page with list of users blocked from a group. +#. TRANS: %1$s is a group nickname, %2$d is a page number. +#: actions/blockedfromgroup.php:106 #, php-format msgid "%1$s blocked profiles, page %2$d" msgstr "" -#: actions/blockedfromgroup.php:115 +#. TRANS: Instructions for list of users blocked from a group. +#: actions/blockedfromgroup.php:122 msgid "A list of the users blocked from joining this group." msgstr "A csoportból blokkolt felhasználók listája" -#: actions/blockedfromgroup.php:288 +#. TRANS: Form legend for unblocking a user from a group. +#: actions/blockedfromgroup.php:291 msgid "Unblock user from group" msgstr "Oldjuk fel a felhasználó blokkolását a csoportban" -#. TRANS: Title for the form to unblock a user. -#: actions/blockedfromgroup.php:320 lib/unblockform.php:70 +#. TRANS: Button text for unblocking a user from a group. +#: actions/blockedfromgroup.php:323 +#, fuzzy +msgctxt "BUTTON" msgid "Unblock" msgstr "Blokk feloldása" +#. TRANS: Tooltip for button for unblocking a user from a group. #. TRANS: Description of the form to unblock a user. -#: actions/blockedfromgroup.php:320 lib/unblockform.php:82 +#: actions/blockedfromgroup.php:327 lib/unblockform.php:78 msgid "Unblock this user" msgstr "Ezen felhasználó blokkjának feloldása" #. TRANS: Title for mini-posting window loaded from bookmarklet. +#. TRANS: %s is the StatusNet site name. #: actions/bookmarklet.php:51 #, php-format msgid "Post to %s" msgstr "Küldés ide: %s" -#: actions/confirmaddress.php:75 +#. TRANS: Client error displayed when not providing a confirmation code in the contact address confirmation action. +#: actions/confirmaddress.php:74 msgid "No confirmation code." msgstr "Nincs megerősítő kód." +#. TRANS: Client error displayed when providing a non-existing confirmation code in the contact address confirmation action. #: actions/confirmaddress.php:80 msgid "Confirmation code not found." msgstr "A megerősítő kód nem található." -#: actions/confirmaddress.php:85 +#. TRANS: Client error displayed when not providing a confirmation code for another user in the contact address confirmation action. +#: actions/confirmaddress.php:86 msgid "That confirmation code is not for you!" msgstr "Ez a megerősítő kód nem hozzád tartozik!" -#. TRANS: Server error for an unknow address type, which can be 'email', 'jabber', or 'sms'. -#: actions/confirmaddress.php:91 +#. TRANS: Server error for a unknow address type %s, which can be 'email', 'jabber', or 'sms'. +#: actions/confirmaddress.php:92 #, php-format msgid "Unrecognized address type %s." msgstr "" -#. TRANS: Client error for an already confirmed email/jabbel/sms address. -#: actions/confirmaddress.php:96 +#. TRANS: Client error for an already confirmed email/jabber/sms address. +#: actions/confirmaddress.php:97 msgid "That address has already been confirmed." msgstr "Ez a cím már meg van erősítve." +#. TRANS: Server error displayed when a user update to the database fails in the contact address confirmation action. #. TRANS: Server error thrown on database error updating e-mail preferences. #. TRANS: Server error thrown on database error removing a registered e-mail address. #. TRANS: Server error thrown on database error updating IM preferences. @@ -1260,7 +1341,7 @@ msgstr "Ez a cím már meg van erősítve." #. TRANS: Server error thrown when user profile settings could not be updated. #. TRANS: Server error thrown on database error updating SMS preferences. #. TRANS: Server error thrown on database error removing a registered SMS phone number. -#: actions/confirmaddress.php:116 actions/emailsettings.php:331 +#: actions/confirmaddress.php:118 actions/emailsettings.php:331 #: actions/emailsettings.php:477 actions/imsettings.php:283 #: actions/imsettings.php:442 actions/othersettings.php:174 #: actions/profilesettings.php:326 actions/smssettings.php:308 @@ -1268,27 +1349,32 @@ msgstr "Ez a cím már meg van erősítve." msgid "Couldn't update user." msgstr "Nem sikerült frissíteni a felhasználót." -#. TRANS: Server error thrown on database error canceling e-mail address confirmation. -#. TRANS: Server error thrown on database error canceling SMS phone number confirmation. -#: actions/confirmaddress.php:128 actions/emailsettings.php:437 -#: actions/smssettings.php:422 -msgid "Couldn't delete email confirmation." +#. TRANS: Server error displayed when an address confirmation code deletion from the +#. TRANS: database fails in the contact address confirmation action. +#: actions/confirmaddress.php:132 +#, fuzzy +msgid "Could not delete address confirmation." msgstr "Nem sikerült törölni az e-mail cím megerősítését." -#: actions/confirmaddress.php:146 +#. TRANS: Title for the contact address confirmation action. +#: actions/confirmaddress.php:150 msgid "Confirm address" msgstr "Cím ellenőrzése" -#: actions/confirmaddress.php:161 +#. TRANS: Success message for the contact address confirmation action. +#. TRANS: %s can be 'email', 'jabber', or 'sms'. +#: actions/confirmaddress.php:166 #, php-format msgid "The address \"%s\" has been confirmed for your account." msgstr "A(z) „%s” cím meg van erősítve a fiókodhoz." -#: actions/conversation.php:99 +#. TRANS: Title for page with a conversion (multiple notices in context). +#: actions/conversation.php:96 msgid "Conversation" msgstr "Beszélgetés" -#: actions/conversation.php:154 lib/mailbox.php:116 lib/noticelist.php:87 +#. TRANS: Header on conversation page. Hidden by default (h2). +#: actions/conversation.php:149 lib/mailbox.php:116 lib/noticelist.php:87 #: lib/profileaction.php:229 lib/searchgroupnav.php:82 msgid "Notices" msgstr "Hírek" @@ -1396,11 +1482,13 @@ msgstr "Ne töröljük ezt a hírt" msgid "Delete this group" msgstr "Töröljük ezt a felhasználót" +#. TRANS: Client error displayed when trying to unblock a user from a group while not logged in. +#. TRANS: Client error displayed trying a change a subscription while not logged in. #. TRANS: Client error message thrown when trying to access the admin panel while not logged in. #: actions/deletenotice.php:50 actions/disfavor.php:61 actions/favor.php:62 -#: actions/groupblock.php:61 actions/groupunblock.php:61 actions/logout.php:69 +#: actions/groupblock.php:61 actions/groupunblock.php:60 actions/logout.php:69 #: actions/makeadmin.php:61 actions/newmessage.php:87 actions/newnotice.php:88 -#: actions/nudge.php:63 actions/subedit.php:31 actions/subscribe.php:96 +#: actions/nudge.php:63 actions/subedit.php:33 actions/subscribe.php:96 #: actions/tagother.php:33 actions/unsubscribe.php:52 #: lib/adminpanelaction.php:71 lib/profileformaction.php:64 #: lib/settingsaction.php:72 @@ -1700,49 +1788,49 @@ msgstr "" msgid "Could not update application." msgstr "" -#: actions/editgroup.php:56 +#. TRANS: Title for form to edit a group. %s is a group nickname. +#: actions/editgroup.php:55 #, php-format msgid "Edit %s group" msgstr "%s csoport szerkesztése" +#. TRANS: Client error displayed trying to edit a group while not logged in. +#. TRANS: Client error displayed trying to create a group while not logged in. #: actions/editgroup.php:68 actions/grouplogo.php:70 actions/newgroup.php:65 msgid "You must be logged in to create a group." msgstr "Csoport létrehozásához be kell jelentkezned." -#: actions/editgroup.php:107 actions/editgroup.php:172 +#. TRANS: Client error displayed trying to edit a group while not being a group admin. +#: actions/editgroup.php:110 actions/editgroup.php:176 #: actions/groupdesignsettings.php:107 actions/grouplogo.php:109 msgid "You must be an admin to edit the group." msgstr "" -#: actions/editgroup.php:158 +#. TRANS: Form instructions for group edit form. +#: actions/editgroup.php:161 msgid "Use this form to edit the group." msgstr "Ezen űrlap segítségével szerkesztheted a csoportot." -#: actions/editgroup.php:205 -#, php-format -msgid "Description is too long (max %d chars)." -msgstr "A leírás túl hosszú (legfeljebb %d karakter lehet)." - -#: actions/editgroup.php:219 -#, php-format -msgid "Too many aliases! Maximum %d." -msgstr "Túl sok álnév! Legfeljebb %d lehet." - -#: actions/editgroup.php:228 actions/newgroup.php:177 +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. +#: actions/editgroup.php:248 actions/newgroup.php:184 #, php-format msgid "Invalid alias: \"%s\"" msgstr "Érvénytelen álnév: „%s”" -#: actions/editgroup.php:258 +#. TRANS: Server error displayed when editing a group fails. +#: actions/editgroup.php:281 msgid "Could not update group." msgstr "Nem sikerült a csoport frissítése." +#. TRANS: Server error displayed when group aliases could not be added. #. TRANS: Server exception thrown when creating group aliases failed. -#: actions/editgroup.php:264 classes/User_group.php:513 +#: actions/editgroup.php:288 classes/User_group.php:513 msgid "Could not create aliases." msgstr "Nem sikerült létrehozni az álneveket." -#: actions/editgroup.php:280 +#. TRANS: Group edit form success message. +#: actions/editgroup.php:305 msgid "Options saved." msgstr "Beállítások elmentve." @@ -1937,6 +2025,12 @@ msgstr "Nincs várakozó megerősítés, amit vissza lehetne vonni." msgid "That is the wrong email address." msgstr "" +#. TRANS: Server error thrown on database error canceling e-mail address confirmation. +#. TRANS: Server error thrown on database error canceling SMS phone number confirmation. +#: actions/emailsettings.php:437 actions/smssettings.php:422 +msgid "Couldn't delete email confirmation." +msgstr "Nem sikerült törölni az e-mail cím megerősítését." + #. TRANS: Message given after successfully canceling e-mail address confirmation. #: actions/emailsettings.php:442 msgid "Email confirmation cancelled." @@ -2113,19 +2207,23 @@ msgstr "" msgid "User already has this role." msgstr "A felhasználónak már van ilyen szerepe." +#. TRANS: Client error displayed when trying to unblock a user from a group without providing a profile. +#. TRANS: Client error displayed trying a change a subscription without providing a profile. #: actions/groupblock.php:71 actions/groupunblock.php:71 -#: actions/makeadmin.php:71 actions/subedit.php:46 +#: actions/makeadmin.php:71 actions/subedit.php:49 #: lib/profileformaction.php:79 msgid "No profile specified." msgstr "Nincs profil megadva." -#: actions/groupblock.php:76 actions/groupunblock.php:76 -#: actions/makeadmin.php:76 actions/subedit.php:53 actions/tagother.php:46 +#. TRANS: Client error displayed when trying to unblock a user from a group without providing an existing profile. +#. TRANS: Client error displayed trying a change a subscription for a non-existant profile ID. +#: actions/groupblock.php:76 actions/groupunblock.php:77 +#: actions/makeadmin.php:76 actions/subedit.php:57 actions/tagother.php:46 #: actions/unsubscribe.php:84 lib/profileformaction.php:86 msgid "No profile with that ID." msgstr "Nincs ilyen azonosítóval rendelkező profil." -#: actions/groupblock.php:81 actions/groupunblock.php:81 +#: actions/groupblock.php:81 actions/groupunblock.php:82 #: actions/makeadmin.php:81 msgid "No group specified." msgstr "Nincs csoport megadva." @@ -2209,6 +2307,14 @@ msgid "" "You can upload a logo image for your group. The maximum file size is %s." msgstr "" +#: actions/grouplogo.php:236 +msgid "Upload" +msgstr "Feltöltés" + +#: actions/grouplogo.php:289 +msgid "Crop" +msgstr "Levágás" + #: actions/grouplogo.php:365 msgid "Pick a square area of the image to be the logo." msgstr "" @@ -2345,15 +2451,18 @@ msgid "" "action.newgroup%%) yourself!" msgstr "" -#: actions/groupunblock.php:91 +#. TRANS: Client error displayed when trying to unblock a user from a group without being an administrator for the group. +#: actions/groupunblock.php:94 msgid "Only an admin can unblock group members." msgstr "" -#: actions/groupunblock.php:95 +#. TRANS: Client error displayed when trying to unblock a non-blocked user from a group. +#: actions/groupunblock.php:99 msgid "User is not blocked from group." msgstr "A felhasználó nincs blokkolva a csoportból." -#: actions/groupunblock.php:128 actions/unblock.php:86 +#. TRANS: Server error displayed when unblocking a user from a group fails because of an unknown error. +#: actions/groupunblock.php:131 actions/unblock.php:86 msgid "Error removing the block." msgstr "Hiba a blokkolás feloldása közben." @@ -2904,10 +3013,12 @@ msgstr "A szervezet túl hosszú (255 karakter lehet)." msgid "Could not create application." msgstr "Nem sikerült létrehozni az alkalmazást." +#. TRANS: Title for form to create a group. #: actions/newgroup.php:53 msgid "New group" msgstr "Új csoport" +#. TRANS: Form instructions for group create form. #: actions/newgroup.php:110 msgid "Use this form to create a new group." msgstr "Ezen az űrlapon tudsz új csoportot létrehozni." @@ -3600,8 +3711,9 @@ msgid "1-64 lowercase letters or numbers, no punctuation or spaces." msgstr "1-64 kisbetű vagy számjegy, nem lehet benne írásjel vagy szóköz" #. TRANS: Field label in form for profile settings. +#. TRANS: Label for full group name (dt). Text hidden by default. #: actions/profilesettings.php:117 actions/register.php:457 -#: actions/showgroup.php:256 actions/tagother.php:104 +#: actions/showgroup.php:257 actions/tagother.php:104 #: lib/groupeditform.php:157 lib/userprofile.php:150 msgid "Full name" msgstr "Teljes név" @@ -3643,8 +3755,9 @@ msgid "Bio" msgstr "Életrajz" #. TRANS: Field label in form for profile settings. +#. TRANS: Label for group location (dt). Text hidden by default. #: actions/profilesettings.php:149 actions/register.php:485 -#: actions/showgroup.php:265 actions/tagother.php:112 +#: actions/showgroup.php:267 actions/tagother.php:112 #: actions/userauthorization.php:166 lib/groupeditform.php:177 #: lib/userprofile.php:165 msgid "Location" @@ -4327,7 +4440,8 @@ msgstr "Szervezet" msgid "Description" msgstr "Leírás" -#: actions/showapplication.php:192 actions/showgroup.php:442 +#. TRANS: Header for group statistics on a group page (h2). +#: actions/showapplication.php:192 actions/showgroup.php:453 #: lib/profileaction.php:187 msgid "Statistics" msgstr "Statisztika" @@ -4345,6 +4459,11 @@ msgstr "" msgid "Reset key & secret" msgstr "" +#: actions/showapplication.php:252 lib/deletegroupform.php:121 +#: lib/deleteuserform.php:66 lib/noticelist.php:667 +msgid "Delete" +msgstr "Törlés" + #: actions/showapplication.php:261 msgid "Application info" msgstr "" @@ -4428,77 +4547,106 @@ msgstr "" msgid "This is a way to share what you like." msgstr "Ez az egyik módja annak, hogy megoszd amit kedvelsz." -#: actions/showgroup.php:82 +#. TRANS: Page title for first group page. %s is a group name. +#: actions/showgroup.php:80 #, php-format msgid "%s group" msgstr "%s csoport" +#. TRANS: Page title for any but first group page. +#. TRANS: %1$s is a group name, $2$s is a page number. #: actions/showgroup.php:84 #, php-format msgid "%1$s group, page %2$d" msgstr "%1$s csoport, %2$d. oldal" -#: actions/showgroup.php:227 +#. TRANS: Group profile header (h2). Text hidden by default. +#: actions/showgroup.php:225 msgid "Group profile" msgstr "Csoportprofil" -#: actions/showgroup.php:272 actions/tagother.php:118 +#. TRANS: Label for group URL (dt). Text hidden by default. +#: actions/showgroup.php:275 actions/tagother.php:118 #: actions/userauthorization.php:175 lib/userprofile.php:178 msgid "URL" msgstr "URL-cím" -#: actions/showgroup.php:283 actions/tagother.php:128 +#. TRANS: Label for group description or group note (dt). Text hidden by default. +#: actions/showgroup.php:287 actions/tagother.php:128 #: actions/userauthorization.php:187 lib/userprofile.php:195 msgid "Note" msgstr "Megjegyzés" -#: actions/showgroup.php:293 lib/groupeditform.php:184 +#. TRANS: Label for group aliases (dt). Text hidden by default. +#: actions/showgroup.php:298 lib/groupeditform.php:184 msgid "Aliases" msgstr "Álnevek" -#: actions/showgroup.php:302 +#. TRANS: Group actions header (h2). Text hidden by default. +#: actions/showgroup.php:309 msgid "Group actions" msgstr "Csoport-tevékenységek" -#: actions/showgroup.php:344 +#. TRANS: Tooltip for feed link. %s is a group nickname. +#: actions/showgroup.php:350 #, php-format msgid "Notice feed for %s group (RSS 1.0)" msgstr "%s csoport RSS 1.0 hírcsatornája" -#: actions/showgroup.php:350 +#. TRANS: Tooltip for feed link. %s is a group nickname. +#: actions/showgroup.php:357 #, php-format msgid "Notice feed for %s group (RSS 2.0)" msgstr "%s csoport RSS 2.0 hírcsatornája" -#: actions/showgroup.php:356 +#. TRANS: Tooltip for feed link. %s is a group nickname. +#: actions/showgroup.php:364 #, php-format msgid "Notice feed for %s group (Atom)" msgstr "%s csoport Atom hírcsatornája" -#: actions/showgroup.php:361 +#. TRANS: Tooltip for feed link. %s is a group nickname. +#: actions/showgroup.php:370 #, php-format msgid "FOAF for %s group" msgstr "FOAF a %s csoportnak" -#: actions/showgroup.php:399 actions/showgroup.php:451 +#. TRANS: Header for mini list of group members on a group page (h2). +#: actions/showgroup.php:407 msgid "Members" msgstr "Tagok" -#: actions/showgroup.php:404 lib/profileaction.php:117 +#. TRANS: Description for mini list of group members on a group page when the group has no members. +#: actions/showgroup.php:413 lib/profileaction.php:117 #: lib/profileaction.php:152 lib/profileaction.php:255 lib/section.php:95 #: lib/subscriptionlist.php:127 lib/tagcloudsection.php:71 msgid "(None)" msgstr "(nincs)" -#: actions/showgroup.php:410 +#. TRANS: Link to all group members from mini list of group members if group has more than n members. +#: actions/showgroup.php:422 msgid "All members" msgstr "Összes tag" -#: actions/showgroup.php:445 +#. TRANS: Label for creation date in statistics on group page. +#: actions/showgroup.php:458 +#, fuzzy +msgctxt "LABEL" msgid "Created" msgstr "Létrehoztuk" -#: actions/showgroup.php:461 +#. TRANS: Label for member count in statistics on group page. +#: actions/showgroup.php:466 +#, fuzzy +msgctxt "LABEL" +msgid "Members" +msgstr "Tagok" + +#. TRANS: Notice on group pages for anonymous users for StatusNet sites that accept new registrations. +#. TRANS: **%s** is the group alias, %%%%site.name%%%% is the site name, +#. TRANS: %%%%action.register%%%% is the URL for registration, %%%%doc.help%%%% is a URL to help. +#. TRANS: This message contains Markdown links. Ensure they are formatted correctly: [Description](link). +#: actions/showgroup.php:481 #, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -4514,7 +4662,10 @@ msgstr "" "[Csatlakozz](%%%%action.register%%%%), és légy tagja ennek a csoportnak - és " "még sok másiknak is! ([Tudj meg többet](%%%%doc.help%%%%))" -#: actions/showgroup.php:467 +#. TRANS: Notice on group pages for anonymous users for StatusNet sites that accept no new registrations. +#. TRANS: **%s** is the group alias, %%%%site.name%%%% is the site name, +#. TRANS: This message contains Markdown links. Ensure they are formatted correctly: [Description](link). +#: actions/showgroup.php:491 #, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -4523,24 +4674,31 @@ msgid "" "their life and interests. " msgstr "" -#: actions/showgroup.php:495 +#. TRANS: Header for list of group administrators on a group page (h2). +#: actions/showgroup.php:520 msgid "Admins" msgstr "Adminisztrátorok" -#: actions/showmessage.php:81 +#. TRANS: Client error displayed requesting a single message that does not exist. +#: actions/showmessage.php:79 msgid "No such message." msgstr "Nincs ilyen üzenet." -#: actions/showmessage.php:98 +#. TRANS: Client error displayed requesting a single direct message the requesting user was not a party in. +#: actions/showmessage.php:97 msgid "Only the sender and recipient may read this message." msgstr "Csak a küldő és a címzett olvashatja ezt az üzenetet." -#: actions/showmessage.php:108 +#. TRANS: Page title for single direct message display when viewing user is the sender. +#. TRANS: %1$s is the addressed user's nickname, $2$s is a timestamp. +#: actions/showmessage.php:110 #, php-format msgid "Message to %1$s on %2$s" msgstr "" -#: actions/showmessage.php:113 +#. TRANS: Page title for single message display. +#. TRANS: %1$s is the sending user's nickname, $2$s is a timestamp. +#: actions/showmessage.php:118 #, php-format msgid "Message from %1$s on %2$s" msgstr "" @@ -4970,12 +5128,14 @@ msgstr "" msgid "Save snapshot settings" msgstr "" -#: actions/subedit.php:70 +#. TRANS: Client error displayed trying a change a subscription for a non-subscribed profile. +#: actions/subedit.php:75 msgid "You are not subscribed to that profile." msgstr "" +#. TRANS: Server error displayed when updating a subscription fails with a database error. #. TRANS: Exception thrown when a subscription could not be stored on the server. -#: actions/subedit.php:83 classes/Subscription.php:136 +#: actions/subedit.php:89 classes/Subscription.php:136 msgid "Could not save subscription." msgstr "" @@ -5738,12 +5898,12 @@ msgid "Welcome to %1$s, @%2$s!" msgstr "" #. TRANS: Server exception. -#: classes/User.php:902 +#: classes/User.php:912 msgid "No single user defined for single-user mode." msgstr "" #. TRANS: Server exception. -#: classes/User.php:906 +#: classes/User.php:916 msgid "Single-user mode code called when not enabled." msgstr "" @@ -6856,7 +7016,8 @@ msgstr "Atom" msgid "FOAF" msgstr "" -#: lib/feedlist.php:65 +#. TRANS: Header for feed links (h2). +#: lib/feedlist.php:66 msgid "Feeds" msgstr "" @@ -7018,39 +7179,57 @@ msgstr "" msgid "Unsupported image file format." msgstr "Nem támogatott képformátum." -#: lib/imagefile.php:88 +#. TRANS: Exception thrown when too large a file is uploaded. +#. TRANS: %s is the maximum file size, for example "500b", "10kB" or "2MB". +#: lib/imagefile.php:90 #, php-format msgid "That file is too big. The maximum file size is %s." msgstr "Az a fájl túl nagy. A maximális fájlméret %s." -#: lib/imagefile.php:93 +#: lib/imagefile.php:95 msgid "Partial upload." msgstr "Részleges feltöltés." #. TRANS: Client exception thrown when a file upload operation has failed with an unknown reason. -#: lib/imagefile.php:101 lib/mediafile.php:179 +#: lib/imagefile.php:103 lib/mediafile.php:179 msgid "System error uploading file." msgstr "" -#: lib/imagefile.php:109 +#: lib/imagefile.php:111 msgid "Not an image or corrupt file." msgstr "" -#: lib/imagefile.php:122 +#: lib/imagefile.php:124 msgid "Lost our file." msgstr "Elvesztettük a fájlt." -#: lib/imagefile.php:163 lib/imagefile.php:224 +#: lib/imagefile.php:165 lib/imagefile.php:226 msgid "Unknown file type" msgstr "Ismeretlen fájltípus" -#: lib/imagefile.php:244 -msgid "MB" -msgstr "MB" +#. TRANS: Number of megabytes. %d is the number. +#: lib/imagefile.php:248 +#, fuzzy, php-format +msgid "%dMB" +msgid_plural "%dMB" +msgstr[0] "MB" +msgstr[1] "MB" -#: lib/imagefile.php:246 -msgid "kB" -msgstr "kB" +#. TRANS: Number of kilobytes. %d is the number. +#: lib/imagefile.php:252 +#, fuzzy, php-format +msgid "%dkB" +msgid_plural "%dkB" +msgstr[0] "kB" +msgstr[1] "kB" + +#. TRANS: Number of bytes. %d is the number. +#: lib/imagefile.php:255 +#, php-format +msgid "%dB" +msgid_plural "%dB" +msgstr[0] "" +msgstr[1] "" #: lib/jabber.php:387 #, php-format @@ -7901,6 +8080,13 @@ msgstr "" msgid "Top posters" msgstr "" +#. TRANS: Title for the form to unblock a user. +#: lib/unblockform.php:67 +#, fuzzy +msgctxt "TITLE" +msgid "Unblock" +msgstr "Blokk feloldása" + #: lib/unsandboxform.php:69 msgid "Unsandbox" msgstr "" @@ -8080,3 +8266,9 @@ msgstr "" #, php-format msgid "%d entries in backup." msgstr "" + +#~ msgid "Description is too long (max %d chars)." +#~ msgstr "A leírás túl hosszú (legfeljebb %d karakter lehet)." + +#~ msgid "Too many aliases! Maximum %d." +#~ msgstr "Túl sok álnév! Legfeljebb %d lehet." diff --git a/locale/ia/LC_MESSAGES/statusnet.po b/locale/ia/LC_MESSAGES/statusnet.po index 6314e101d5..e78db5e5b5 100644 --- a/locale/ia/LC_MESSAGES/statusnet.po +++ b/locale/ia/LC_MESSAGES/statusnet.po @@ -9,17 +9,17 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet - Core\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-10-27 23:43+0000\n" -"PO-Revision-Date: 2010-10-28 23:09:06+0000\n" +"POT-Creation-Date: 2010-10-30 23:18+0000\n" +"PO-Revision-Date: 2010-10-30 23:20:23+0000\n" "Language-Team: Interlingua \n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r75629); Translate extension (2010-09-17)\n" +"X-Generator: MediaWiki 1.17alpha (r75708); Translate extension (2010-09-17)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: ia\n" "X-Message-Group: #out-statusnet-core\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-POT-Import-Date: 2010-10-28 00:13:15+0000\n" +"X-POT-Import-Date: 2010-10-30 09:48:40+0000\n" #. TRANS: Page title for Access admin panel that allows configuring site access. #. TRANS: Menu item for site administration @@ -115,6 +115,7 @@ msgstr "Pagina non existe." #. TRANS: Client error displayed when requesting most recent dents by user and friends for a non-existing user. #. TRANS: Client error displayed when requesting most recent mentions for a non-existing user. #. TRANS: Client error displayed requesting most recent notices for a non-existing user. +#. TRANS: Client error displayed trying to get an avatar for a non-existing user. #. TRANS: Error text shown when trying to send a direct message to a user that does not exist. #: actions/all.php:80 actions/apiaccountupdatedeliverydevice.php:110 #: actions/apiaccountupdateprofile.php:103 @@ -127,7 +128,7 @@ msgstr "Pagina non existe." #: actions/apistatusesupdate.php:230 actions/apisubscriptions.php:85 #: actions/apitimelinefavorites.php:70 actions/apitimelinefriends.php:173 #: actions/apitimelinehome.php:78 actions/apitimelinementions.php:77 -#: actions/apitimelineuser.php:79 actions/avatarbynickname.php:75 +#: actions/apitimelineuser.php:79 actions/avatarbynickname.php:79 #: 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 @@ -307,11 +308,12 @@ msgstr "Non poteva actualisar le usator." #. TRANS: Client error displayed a user has no profile updating profile colours. #. TRANS: Client error displayed if a user profile could not be found updating a profile image. #. TRANS: Client error displayed when requesting user information for a user without a profile. +#. TRANS: Client error displayed trying to get an avatar for a user without a profile. #: actions/apiaccountupdateprofile.php:111 #: actions/apiaccountupdateprofilebackgroundimage.php:199 #: actions/apiaccountupdateprofilecolors.php:183 #: actions/apiaccountupdateprofileimage.php:130 actions/apiusershow.php:108 -#: actions/avatarbynickname.php:80 actions/foaf.php:65 actions/hcard.php:74 +#: actions/avatarbynickname.php:85 actions/foaf.php:65 actions/hcard.php:74 #: actions/replies.php:80 actions/usergroups.php:100 lib/galleryaction.php:66 #: lib/profileaction.php:84 msgid "User has no profile." @@ -326,7 +328,7 @@ msgstr "Non poteva salveguardar le profilo." #. TRANS: %s is the number of bytes of the CONTENT_LENGTH. #: actions/apiaccountupdateprofilebackgroundimage.php:108 #: actions/apiaccountupdateprofileimage.php:95 actions/apimediaupload.php:81 -#: actions/apistatusesupdate.php:210 actions/avatarsettings.php:259 +#: actions/apistatusesupdate.php:210 actions/avatarsettings.php:269 #: actions/designadminpanel.php:125 actions/editapplication.php:121 #: actions/newapplication.php:104 actions/newnotice.php:95 #, php-format @@ -503,43 +505,53 @@ msgstr "Non poteva determinar le usator de origine." msgid "Could not find target user." msgstr "Non poteva trovar le usator de destination." +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. #. TRANS: Validation error in form for profile settings. -#: actions/apigroupcreate.php:165 actions/editgroup.php:186 -#: actions/newgroup.php:126 actions/profilesettings.php:243 +#: actions/apigroupcreate.php:165 actions/editgroup.php:191 +#: actions/newgroup.php:127 actions/profilesettings.php:243 #: actions/register.php:212 msgid "Nickname must have only lowercase letters and numbers and no spaces." msgstr "Le pseudonymo pote solmente haber minusculas e numeros, sin spatios." #. TRANS: Client error trying to create a group with a nickname this is already in use. +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. #. TRANS: Validation error in form for profile settings. -#: actions/apigroupcreate.php:175 actions/editgroup.php:190 -#: actions/newgroup.php:130 actions/profilesettings.php:277 +#: actions/apigroupcreate.php:175 actions/editgroup.php:196 +#: actions/newgroup.php:132 actions/profilesettings.php:277 #: actions/register.php:215 msgid "Nickname already in use. Try another one." msgstr "Pseudonymo ja in uso. Proba un altere." #. TRANS: Client error in form for group creation. +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. #. TRANS: Validation error in form for profile settings. -#: actions/apigroupcreate.php:183 actions/editgroup.php:193 -#: actions/newgroup.php:133 actions/profilesettings.php:247 +#: actions/apigroupcreate.php:183 actions/editgroup.php:200 +#: actions/newgroup.php:136 actions/profilesettings.php:247 #: actions/register.php:217 msgid "Not a valid nickname." msgstr "Non un pseudonymo valide." #. TRANS: Client error in form for group creation. #. TRANS: Validation error shown when providing an invalid homepage URL in the "Edit application" form. +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. #. TRANS: Validation error in form for profile settings. #: actions/apigroupcreate.php:200 actions/editapplication.php:233 -#: actions/editgroup.php:199 actions/newapplication.php:211 -#: actions/newgroup.php:139 actions/profilesettings.php:252 +#: actions/editgroup.php:207 actions/newapplication.php:211 +#: actions/newgroup.php:143 actions/profilesettings.php:252 #: actions/register.php:224 msgid "Homepage is not a valid URL." msgstr "Le pagina personal non es un URL valide." #. TRANS: Client error in form for group creation. +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. #. TRANS: Validation error in form for profile settings. -#: actions/apigroupcreate.php:210 actions/editgroup.php:202 -#: actions/newgroup.php:142 actions/profilesettings.php:256 +#: actions/apigroupcreate.php:210 actions/editgroup.php:211 +#: actions/newgroup.php:147 actions/profilesettings.php:256 #: actions/register.php:227 msgid "Full name is too long (maximum 255 characters)." msgstr "Le nomine complete es troppo longe (maximo 255 characteres)." @@ -547,10 +559,11 @@ msgstr "Le nomine complete es troppo longe (maximo 255 characteres)." #. TRANS: Client error shown when providing too long a description during group creation. #. TRANS: %d is the maximum number of allowed characters. #. TRANS: Validation error shown when providing too long a description in the "Edit application" form. +#. TRANS: Group edit form validation error. #. TRANS: Form validation error in New application form. #. TRANS: %d is the maximum number of characters for the description. #: actions/apigroupcreate.php:220 actions/editapplication.php:201 -#: actions/newapplication.php:178 +#: actions/editgroup.php:216 actions/newapplication.php:178 #, php-format msgid "Description is too long (maximum %d character)." msgid_plural "Description is too long (maximum %d characters)." @@ -558,16 +571,23 @@ msgstr[0] "Description es troppo longe (maximo %d characteres)." msgstr[1] "Description es troppo longe (maximo %d characteres)." #. TRANS: Client error shown when providing too long a location during group creation. +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. #. TRANS: Validation error in form for profile settings. -#: actions/apigroupcreate.php:234 actions/editgroup.php:208 -#: actions/newgroup.php:153 actions/profilesettings.php:269 +#: actions/apigroupcreate.php:234 actions/editgroup.php:223 +#: actions/newgroup.php:159 actions/profilesettings.php:269 #: actions/register.php:236 msgid "Location is too long (maximum 255 characters)." msgstr "Loco es troppo longe (maximo 255 characteres)." #. TRANS: Client error shown when providing too many aliases during group creation. #. TRANS: %d is the maximum number of allowed aliases. -#: actions/apigroupcreate.php:255 actions/newgroup.php:166 +#. TRANS: Group edit form validation error. +#. TRANS: %d is the maximum number of allowed aliases. +#. TRANS: Group create form validation error. +#. TRANS: %d is the maximum number of allowed aliases. +#: actions/apigroupcreate.php:255 actions/editgroup.php:236 +#: actions/newgroup.php:172 #, php-format msgid "Too many aliases! Maximum %d allowed." msgid_plural "Too many aliases! Maximum %d allowed." @@ -583,15 +603,19 @@ msgstr "Alias invalide: \"%s\"." #. TRANS: Client error displayed when trying to use an alias during group creation that is already in use. #. TRANS: %s is the alias that is already in use. -#: actions/apigroupcreate.php:291 actions/editgroup.php:232 -#: actions/newgroup.php:181 +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. +#: actions/apigroupcreate.php:291 actions/editgroup.php:253 +#: actions/newgroup.php:189 #, php-format msgid "Alias \"%s\" already in use. Try another one." msgstr "Le alias \"%s\" es ja in uso. Proba un altere." #. TRANS: Client error displayed when trying to use an alias during group creation that is the same as the group's nickname. -#: actions/apigroupcreate.php:305 actions/editgroup.php:238 -#: actions/newgroup.php:187 +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. +#: actions/apigroupcreate.php:305 actions/editgroup.php:260 +#: actions/newgroup.php:196 msgid "Alias can't be the same as nickname." msgstr "Le alias non pote esser identic al pseudonymo." @@ -694,18 +718,18 @@ msgid "Request token already authorized." msgstr "Indicio de requesta jam autorisate." #. TRANS: Form validation error in API OAuth authorisation because of an invalid session token. -#: actions/apioauthauthorize.php:147 actions/avatarsettings.php:270 +#: actions/apioauthauthorize.php:147 actions/avatarsettings.php:280 #: actions/deletenotice.php:172 actions/disfavor.php:74 #: actions/emailsettings.php:271 actions/favor.php:75 actions/geocode.php:55 #: actions/groupblock.php:66 actions/grouplogo.php:312 -#: actions/groupunblock.php:66 actions/imsettings.php:230 +#: actions/groupunblock.php:65 actions/imsettings.php:230 #: actions/invite.php:59 actions/login.php:137 actions/makeadmin.php:66 #: actions/newmessage.php:135 actions/newnotice.php:105 actions/nudge.php:80 #: actions/oauthappssettings.php:165 actions/oauthconnectionssettings.php:138 #: actions/othersettings.php:145 actions/passwordsettings.php:138 #: actions/profilesettings.php:221 actions/recoverpassword.php:350 #: actions/register.php:172 actions/remotesubscribe.php:77 -#: actions/repeat.php:83 actions/smssettings.php:256 actions/subedit.php:38 +#: actions/repeat.php:83 actions/smssettings.php:256 actions/subedit.php:40 #: actions/subscribe.php:86 actions/tagother.php:166 #: actions/unsubscribe.php:69 actions/userauthorization.php:52 #: lib/designsettings.php:294 @@ -724,12 +748,13 @@ msgstr "" "Error del base de datos durante le insertion de oauth_token_association." #. TRANS: Client error given on when invalid data was passed through a form in the OAuth API. +#. TRANS: Unexpected validation error on avatar upload form. #. TRANS: Client error displayed submitting invalid form data for edit application. #. TRANS: Message given submitting a form with an unknown action in e-mail settings. #. TRANS: Message given submitting a form with an unknown action in IM settings. #. TRANS: Client error when submitting a form with unexpected information. #. TRANS: Message given submitting a form with an unknown action in SMS settings. -#: actions/apioauthauthorize.php:294 actions/avatarsettings.php:283 +#: actions/apioauthauthorize.php:294 actions/avatarsettings.php:294 #: actions/designadminpanel.php:104 actions/editapplication.php:144 #: actions/emailsettings.php:290 actions/grouplogo.php:322 #: actions/imsettings.php:245 actions/newapplication.php:125 @@ -783,6 +808,7 @@ msgstr "Conto" #. TRANS: Field label on OAuth API authorisation form. #. TRANS: Field label in form for profile settings. +#. TRANS: Label for group nickname (dt). Text hidden by default. #: actions/apioauthauthorize.php:459 actions/login.php:252 #: actions/profilesettings.php:110 actions/register.php:433 #: actions/showgroup.php:245 actions/tagother.php:94 @@ -1036,105 +1062,139 @@ msgstr "Methodo API in construction." msgid "User not found." msgstr "Usator non trovate." +#. TRANS: Client error displayed trying to get a non-existing attachment. #: actions/attachment.php:73 msgid "No such attachment." msgstr "Annexo non existe." -#: actions/avatarbynickname.php:59 actions/blockedfromgroup.php:73 -#: actions/editgroup.php:84 actions/groupdesignsettings.php:84 +#. TRANS: Client error displayed trying to get an avatar without providing a nickname. +#. TRANS: Client error displayed when requesting a list of blocked users for a group without providing a group nickname. +#. TRANS: Client error displayed trying to edit a group while not proving a nickname for the group to edit. +#. TRANS: Client error displayed if no nickname argument was given requesting a group page. +#: actions/avatarbynickname.php:60 actions/blockedfromgroup.php:73 +#: actions/editgroup.php:85 actions/groupdesignsettings.php:84 #: actions/grouplogo.php:86 actions/groupmembers.php:76 #: actions/grouprss.php:91 actions/showgroup.php:121 msgid "No nickname." msgstr "Nulle pseudonymo." -#: actions/avatarbynickname.php:64 +#. TRANS: Client error displayed trying to get an avatar without providing an avatar size. +#: actions/avatarbynickname.php:66 msgid "No size." msgstr "Nulle dimension." -#: actions/avatarbynickname.php:69 +#. TRANS: Client error displayed trying to get an avatar providing an invalid avatar size. +#: actions/avatarbynickname.php:72 msgid "Invalid size." msgstr "Dimension invalide." +#. TRANS: Title for avatar upload page. +#. TRANS: Label for group avatar (dt). Text hidden by default. #. TRANS: Link description in user account settings menu. -#: actions/avatarsettings.php:67 actions/showgroup.php:230 +#: actions/avatarsettings.php:66 actions/showgroup.php:229 #: lib/accountsettingsaction.php:113 msgid "Avatar" msgstr "Avatar" +#. TRANS: Instruction for avatar upload page. +#. TRANS: %s is the maximum file size, for example "500b", "10kB" or "2MB". #: actions/avatarsettings.php:78 #, php-format msgid "You can upload your personal avatar. The maximum file size is %s." msgstr "" "Tu pote incargar tu avatar personal. Le dimension maximal del file es %s." -#: actions/avatarsettings.php:106 actions/avatarsettings.php:185 +#. TRANS: Server error displayed in avatar upload page when no matching profile can be found for a user. +#: actions/avatarsettings.php:108 actions/avatarsettings.php:192 #: actions/grouplogo.php:181 actions/remotesubscribe.php:191 #: actions/userauthorization.php:72 actions/userrss.php:108 msgid "User without matching profile." msgstr "Usator sin profilo correspondente" -#: actions/avatarsettings.php:119 actions/avatarsettings.php:197 +#. TRANS: Avatar upload page form legend. +#. TRANS: Avatar upload page crop form legend. +#: actions/avatarsettings.php:122 actions/avatarsettings.php:205 #: actions/grouplogo.php:254 msgid "Avatar settings" msgstr "Configuration del avatar" -#: actions/avatarsettings.php:127 actions/avatarsettings.php:205 +#. TRANS: Header on avatar upload page for thumbnail of originally uploaded avatar (h2). +#. TRANS: Header on avatar upload crop form for thumbnail of originally uploaded avatar (h2). +#: actions/avatarsettings.php:131 actions/avatarsettings.php:214 #: actions/grouplogo.php:202 actions/grouplogo.php:262 msgid "Original" msgstr "Original" -#: actions/avatarsettings.php:142 actions/avatarsettings.php:217 +#. TRANS: Header on avatar upload page for thumbnail of to be used rendition of uploaded avatar (h2). +#. TRANS: Header on avatar upload crop form for thumbnail of to be used rendition of uploaded avatar (h2). +#: actions/avatarsettings.php:147 actions/avatarsettings.php:227 #: actions/grouplogo.php:213 actions/grouplogo.php:274 msgid "Preview" msgstr "Previsualisation" -#: actions/avatarsettings.php:149 actions/showapplication.php:252 -#: lib/deletegroupform.php:121 lib/deleteuserform.php:66 -#: lib/noticelist.php:667 +#. TRANS: Button on avatar upload page to delete current avatar. +#: actions/avatarsettings.php:155 +#, fuzzy +msgctxt "BUTTON" msgid "Delete" msgstr "Deler" -#: actions/avatarsettings.php:166 actions/grouplogo.php:236 +#. TRANS: Button on avatar upload page to upload an avatar. +#: actions/avatarsettings.php:173 +#, fuzzy +msgctxt "BUTTON" msgid "Upload" msgstr "Incargar" -#: actions/avatarsettings.php:231 actions/grouplogo.php:289 +#. TRANS: Button on avatar upload crop form to confirm a selected crop as avatar. +#: actions/avatarsettings.php:243 +#, fuzzy +msgctxt "BUTTON" msgid "Crop" msgstr "Taliar" -#: actions/avatarsettings.php:307 +#. TRANS: Validation error on avatar upload form when no file was uploaded. +#: actions/avatarsettings.php:318 msgid "No file uploaded." msgstr "Nulle file incargate." -#: actions/avatarsettings.php:334 +#. TRANS: Avatar upload form unstruction after uploading a file. +#: actions/avatarsettings.php:346 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:349 actions/grouplogo.php:380 +#. TRANS: Server error displayed if an avatar upload went wrong somehow server side. +#: actions/avatarsettings.php:361 actions/grouplogo.php:380 msgid "Lost our file data." msgstr "Datos del file perdite." -#: actions/avatarsettings.php:372 +#: actions/avatarsettings.php:384 msgid "Avatar updated." msgstr "Avatar actualisate." -#: actions/avatarsettings.php:375 +#. TRANS: Error displayed on the avatar upload page if the avatar could not be updated for an unknown reason. +#: actions/avatarsettings.php:388 msgid "Failed updating avatar." msgstr "Actualisation del avatar fallite." -#: actions/avatarsettings.php:399 +#. TRANS: Success message for deleting a user avatar. +#: actions/avatarsettings.php:412 msgid "Avatar deleted." msgstr "Avatar delite." -#: actions/block.php:69 +#. TRANS: Client error displayed when blocking a user that has already been blocked. +#: actions/block.php:68 msgid "You already blocked that user." msgstr "Tu ha ja blocate iste usator." -#: actions/block.php:107 actions/block.php:136 actions/groupblock.php:158 +#. TRANS: Title for block user page. +#. TRANS: Legend for block user form. +#: actions/block.php:106 actions/block.php:136 actions/groupblock.php:158 msgid "Block user" msgstr "Blocar usator" -#: actions/block.php:138 +#. TRANS: Explanation of consequences when blocking a user on the block user page. +#: actions/block.php:139 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 " @@ -1150,7 +1210,7 @@ msgstr "" #. TRANS: Button label on the delete notice form. #. TRANS: Button label on the delete user form. #. TRANS: Button label on the form to block a user from a group. -#: actions/block.php:153 actions/deleteapplication.php:154 +#: actions/block.php:154 actions/deleteapplication.php:154 #: actions/deletegroup.php:220 actions/deletenotice.php:150 #: actions/deleteuser.php:152 actions/groupblock.php:178 msgctxt "BUTTON" @@ -1159,7 +1219,7 @@ msgstr "No" #. TRANS: Submit button title for 'No' when blocking a user. #. TRANS: Submit button title for 'No' when deleting a user. -#: actions/block.php:157 actions/deleteuser.php:156 +#: actions/block.php:158 actions/deleteuser.php:156 msgid "Do not block this user" msgstr "Non blocar iste usator" @@ -1169,7 +1229,7 @@ msgstr "Non blocar iste usator" #. TRANS: Button label on the delete notice form. #. TRANS: Button label on the delete user form. #. TRANS: Button label on the form to block a user from a group. -#: actions/block.php:160 actions/deleteapplication.php:161 +#: actions/block.php:161 actions/deleteapplication.php:161 #: actions/deletegroup.php:227 actions/deletenotice.php:157 #: actions/deleteuser.php:159 actions/groupblock.php:185 msgctxt "BUTTON" @@ -1178,90 +1238,111 @@ msgstr "Si" #. TRANS: Submit button title for 'Yes' when blocking a user. #. TRANS: Description of the form to block a user. -#: actions/block.php:164 lib/blockform.php:79 +#: actions/block.php:165 lib/blockform.php:79 msgid "Block this user" msgstr "Blocar iste usator" -#: actions/block.php:187 +#. TRANS: Server error displayed when blocking a user fails. +#: actions/block.php:189 msgid "Failed to save block information." msgstr "Falleva de salveguardar le information del blocada." +#. TRANS: Client error displayed when requesting a list of blocked users for a non-local group. +#. TRANS: Client error displayed when requesting a list of blocked users for a non-existing group. #. TRANS: Client error when trying to delete a non-local group. #. TRANS: Client error when trying to delete a non-existing group. +#. TRANS: Client error displayed trying to edit a non-existing group. +#. TRANS: Client error displayed when trying to unblock a user from a non-existing group. +#. TRANS: Client error displayed if no remote group with a given name was found requesting group page. +#. TRANS: Client error displayed if no local group with a given name was found requesting group page. #. TRANS: Command exception text shown when a group is requested that does not exist. #. TRANS: Error text shown when trying to leave a group that does not exist. -#: actions/blockedfromgroup.php:80 actions/blockedfromgroup.php:87 +#: actions/blockedfromgroup.php:81 actions/blockedfromgroup.php:89 #: actions/deletegroup.php:87 actions/deletegroup.php:100 -#: actions/editgroup.php:100 actions/foafgroup.php:44 actions/foafgroup.php:62 +#: actions/editgroup.php:102 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/groupunblock.php:88 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:168 +#: actions/showgroup.php:139 actions/showgroup.php:148 lib/command.php:168 #: lib/command.php:380 msgid "No such group." msgstr "Gruppo non existe." -#: actions/blockedfromgroup.php:97 +#. TRANS: Title for first page with list of users blocked from a group. +#. TRANS: %s is a group nickname. +#: actions/blockedfromgroup.php:101 #, php-format msgid "%s blocked profiles" msgstr "%s profilos blocate" -#: actions/blockedfromgroup.php:100 +#. TRANS: Title for any but the first page with list of users blocked from a group. +#. TRANS: %1$s is a group nickname, %2$d is a page number. +#: actions/blockedfromgroup.php:106 #, php-format msgid "%1$s blocked profiles, page %2$d" msgstr "%1$s profilos blocate, pagina %2$d" -#: actions/blockedfromgroup.php:115 +#. TRANS: Instructions for list of users blocked from a group. +#: actions/blockedfromgroup.php:122 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:288 +#. TRANS: Form legend for unblocking a user from a group. +#: actions/blockedfromgroup.php:291 msgid "Unblock user from group" msgstr "Disblocar le usator del gruppo" -#. TRANS: Title for the form to unblock a user. -#: actions/blockedfromgroup.php:320 lib/unblockform.php:70 +#. TRANS: Button text for unblocking a user from a group. +#: actions/blockedfromgroup.php:323 +#, fuzzy +msgctxt "BUTTON" msgid "Unblock" msgstr "Disblocar" +#. TRANS: Tooltip for button for unblocking a user from a group. #. TRANS: Description of the form to unblock a user. -#: actions/blockedfromgroup.php:320 lib/unblockform.php:82 +#: actions/blockedfromgroup.php:327 lib/unblockform.php:78 msgid "Unblock this user" msgstr "Disblocar iste usator" #. TRANS: Title for mini-posting window loaded from bookmarklet. +#. TRANS: %s is the StatusNet site name. #: actions/bookmarklet.php:51 #, php-format msgid "Post to %s" msgstr "Publicar in %s" -#: actions/confirmaddress.php:75 +#. TRANS: Client error displayed when not providing a confirmation code in the contact address confirmation action. +#: actions/confirmaddress.php:74 msgid "No confirmation code." msgstr "Nulle codice de confirmation." +#. TRANS: Client error displayed when providing a non-existing confirmation code in the contact address confirmation action. #: actions/confirmaddress.php:80 msgid "Confirmation code not found." msgstr "Codice de confirmation non trovate." -#: actions/confirmaddress.php:85 +#. TRANS: Client error displayed when not providing a confirmation code for another user in the contact address confirmation action. +#: actions/confirmaddress.php:86 msgid "That confirmation code is not for you!" msgstr "Iste codice de confirmation non es pro te!" -#. TRANS: Server error for an unknow address type, which can be 'email', 'jabber', or 'sms'. -#: actions/confirmaddress.php:91 +#. TRANS: Server error for a unknow address type %s, which can be 'email', 'jabber', or 'sms'. +#: actions/confirmaddress.php:92 #, php-format msgid "Unrecognized address type %s." msgstr "Le typo de adresse %s non es recognoscite." -#. TRANS: Client error for an already confirmed email/jabbel/sms address. -#: actions/confirmaddress.php:96 +#. TRANS: Client error for an already confirmed email/jabber/sms address. +#: actions/confirmaddress.php:97 msgid "That address has already been confirmed." msgstr "Iste adresse ha ja essite confirmate." +#. TRANS: Server error displayed when a user update to the database fails in the contact address confirmation action. #. TRANS: Server error thrown on database error updating e-mail preferences. #. TRANS: Server error thrown on database error removing a registered e-mail address. #. TRANS: Server error thrown on database error updating IM preferences. @@ -1269,7 +1350,7 @@ msgstr "Iste adresse ha ja essite confirmate." #. TRANS: Server error thrown when user profile settings could not be updated. #. TRANS: Server error thrown on database error updating SMS preferences. #. TRANS: Server error thrown on database error removing a registered SMS phone number. -#: actions/confirmaddress.php:116 actions/emailsettings.php:331 +#: actions/confirmaddress.php:118 actions/emailsettings.php:331 #: actions/emailsettings.php:477 actions/imsettings.php:283 #: actions/imsettings.php:442 actions/othersettings.php:174 #: actions/profilesettings.php:326 actions/smssettings.php:308 @@ -1277,27 +1358,32 @@ msgstr "Iste adresse ha ja essite confirmate." msgid "Couldn't update user." msgstr "Non poteva actualisar usator." -#. TRANS: Server error thrown on database error canceling e-mail address confirmation. -#. TRANS: Server error thrown on database error canceling SMS phone number confirmation. -#: actions/confirmaddress.php:128 actions/emailsettings.php:437 -#: actions/smssettings.php:422 -msgid "Couldn't delete email confirmation." -msgstr "Non poteva deler confirmation de e-mail." +#. TRANS: Server error displayed when an address confirmation code deletion from the +#. TRANS: database fails in the contact address confirmation action. +#: actions/confirmaddress.php:132 +#, fuzzy +msgid "Could not delete address confirmation." +msgstr "Non poteva deler confirmation de messageria instantanee." -#: actions/confirmaddress.php:146 +#. TRANS: Title for the contact address confirmation action. +#: actions/confirmaddress.php:150 msgid "Confirm address" msgstr "Confirmar adresse" -#: actions/confirmaddress.php:161 +#. TRANS: Success message for the contact address confirmation action. +#. TRANS: %s can be 'email', 'jabber', or 'sms'. +#: actions/confirmaddress.php:166 #, php-format msgid "The address \"%s\" has been confirmed for your account." msgstr "Le adresse \"%s\" ha essite confirmate pro tu conto." -#: actions/conversation.php:99 +#. TRANS: Title for page with a conversion (multiple notices in context). +#: actions/conversation.php:96 msgid "Conversation" msgstr "Conversation" -#: actions/conversation.php:154 lib/mailbox.php:116 lib/noticelist.php:87 +#. TRANS: Header on conversation page. Hidden by default (h2). +#: actions/conversation.php:149 lib/mailbox.php:116 lib/noticelist.php:87 #: lib/profileaction.php:229 lib/searchgroupnav.php:82 msgid "Notices" msgstr "Notas" @@ -1403,11 +1489,13 @@ msgstr "Non deler iste gruppo" msgid "Delete this group" msgstr "Deler iste gruppo" +#. TRANS: Client error displayed when trying to unblock a user from a group while not logged in. +#. TRANS: Client error displayed trying a change a subscription while not logged in. #. TRANS: Client error message thrown when trying to access the admin panel while not logged in. #: actions/deletenotice.php:50 actions/disfavor.php:61 actions/favor.php:62 -#: actions/groupblock.php:61 actions/groupunblock.php:61 actions/logout.php:69 +#: actions/groupblock.php:61 actions/groupunblock.php:60 actions/logout.php:69 #: actions/makeadmin.php:61 actions/newmessage.php:87 actions/newnotice.php:88 -#: actions/nudge.php:63 actions/subedit.php:31 actions/subscribe.php:96 +#: actions/nudge.php:63 actions/subedit.php:33 actions/subscribe.php:96 #: actions/tagother.php:33 actions/unsubscribe.php:52 #: lib/adminpanelaction.php:71 lib/profileformaction.php:64 #: lib/settingsaction.php:72 @@ -1709,49 +1797,49 @@ msgstr "Le URL de retorno non es valide." msgid "Could not update application." msgstr "Non poteva actualisar application." -#: actions/editgroup.php:56 +#. TRANS: Title for form to edit a group. %s is a group nickname. +#: actions/editgroup.php:55 #, php-format msgid "Edit %s group" msgstr "Modificar gruppo %s" +#. TRANS: Client error displayed trying to edit a group while not logged in. +#. TRANS: Client error displayed trying to create a group while not logged in. #: actions/editgroup.php:68 actions/grouplogo.php:70 actions/newgroup.php:65 msgid "You must be logged in to create a group." msgstr "Tu debe aperir un session pro crear un gruppo." -#: actions/editgroup.php:107 actions/editgroup.php:172 +#. TRANS: Client error displayed trying to edit a group while not being a group admin. +#: actions/editgroup.php:110 actions/editgroup.php:176 #: 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:158 +#. TRANS: Form instructions for group edit form. +#: actions/editgroup.php:161 msgid "Use this form to edit the group." msgstr "Usa iste formulario pro modificar le gruppo." -#: actions/editgroup.php:205 -#, php-format -msgid "Description is too long (max %d chars)." -msgstr "Description es troppo longe (max %d charachteres)." - -#: actions/editgroup.php:219 -#, php-format -msgid "Too many aliases! Maximum %d." -msgstr "Troppo de aliases! Maximo: %d." - -#: actions/editgroup.php:228 actions/newgroup.php:177 +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. +#: actions/editgroup.php:248 actions/newgroup.php:184 #, php-format msgid "Invalid alias: \"%s\"" msgstr "Alias invalide: \"%s\"" -#: actions/editgroup.php:258 +#. TRANS: Server error displayed when editing a group fails. +#: actions/editgroup.php:281 msgid "Could not update group." msgstr "Non poteva actualisar gruppo." +#. TRANS: Server error displayed when group aliases could not be added. #. TRANS: Server exception thrown when creating group aliases failed. -#: actions/editgroup.php:264 classes/User_group.php:513 +#: actions/editgroup.php:288 classes/User_group.php:513 msgid "Could not create aliases." msgstr "Non poteva crear aliases." -#: actions/editgroup.php:280 +#. TRANS: Group edit form success message. +#: actions/editgroup.php:305 msgid "Options saved." msgstr "Optiones salveguardate." @@ -1944,6 +2032,12 @@ msgstr "Nulle confirmation pendente a cancellar." msgid "That is the wrong email address." msgstr "Iste adresse de e-mail es erronee." +#. TRANS: Server error thrown on database error canceling e-mail address confirmation. +#. TRANS: Server error thrown on database error canceling SMS phone number confirmation. +#: actions/emailsettings.php:437 actions/smssettings.php:422 +msgid "Couldn't delete email confirmation." +msgstr "Non poteva deler confirmation de e-mail." + #. TRANS: Message given after successfully canceling e-mail address confirmation. #: actions/emailsettings.php:442 msgid "Email confirmation cancelled." @@ -2123,19 +2217,23 @@ msgstr "Tu non pote conceder rolos a usatores in iste sito." msgid "User already has this role." msgstr "Le usator ha ja iste rolo." +#. TRANS: Client error displayed when trying to unblock a user from a group without providing a profile. +#. TRANS: Client error displayed trying a change a subscription without providing a profile. #: actions/groupblock.php:71 actions/groupunblock.php:71 -#: actions/makeadmin.php:71 actions/subedit.php:46 +#: actions/makeadmin.php:71 actions/subedit.php:49 #: lib/profileformaction.php:79 msgid "No profile specified." msgstr "Nulle profilo specificate." -#: actions/groupblock.php:76 actions/groupunblock.php:76 -#: actions/makeadmin.php:76 actions/subedit.php:53 actions/tagother.php:46 +#. TRANS: Client error displayed when trying to unblock a user from a group without providing an existing profile. +#. TRANS: Client error displayed trying a change a subscription for a non-existant profile ID. +#: actions/groupblock.php:76 actions/groupunblock.php:77 +#: actions/makeadmin.php:76 actions/subedit.php:57 actions/tagother.php:46 #: actions/unsubscribe.php:84 lib/profileformaction.php:86 msgid "No profile with that ID." msgstr "Non existe un profilo con iste ID." -#: actions/groupblock.php:81 actions/groupunblock.php:81 +#: actions/groupblock.php:81 actions/groupunblock.php:82 #: actions/makeadmin.php:81 msgid "No group specified." msgstr "Nulle gruppo specificate." @@ -2222,6 +2320,14 @@ msgstr "" "Tu pote incargar un imagine pro le logotypo de tu gruppo. Le dimension " "maximal del file es %s." +#: actions/grouplogo.php:236 +msgid "Upload" +msgstr "Incargar" + +#: actions/grouplogo.php:289 +msgid "Crop" +msgstr "Taliar" + #: 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." @@ -2364,15 +2470,18 @@ msgstr "" "Proque non [registrar un conto](%%action.register%%) e [crear le gruppo](%%" "action.newgroup%%) tu mesme?" -#: actions/groupunblock.php:91 +#. TRANS: Client error displayed when trying to unblock a user from a group without being an administrator for the group. +#: actions/groupunblock.php:94 msgid "Only an admin can unblock group members." msgstr "Solmente un administrator pote disblocar membros de un gruppo." -#: actions/groupunblock.php:95 +#. TRANS: Client error displayed when trying to unblock a non-blocked user from a group. +#: actions/groupunblock.php:99 msgid "User is not blocked from group." msgstr "Le usator non es blocate del gruppo." -#: actions/groupunblock.php:128 actions/unblock.php:86 +#. TRANS: Server error displayed when unblocking a user from a group fails because of an unknown error. +#: actions/groupunblock.php:131 actions/unblock.php:86 msgid "Error removing the block." msgstr "Error de remover le blocada." @@ -2963,10 +3072,12 @@ msgstr "Le organisation es troppo longe (maximo 255 characteres)." msgid "Could not create application." msgstr "Non poteva crear application." +#. TRANS: Title for form to create a group. #: actions/newgroup.php:53 msgid "New group" msgstr "Nove gruppo" +#. TRANS: Form instructions for group create form. #: actions/newgroup.php:110 msgid "Use this form to create a new group." msgstr "Usa iste formulario pro crear un nove gruppo." @@ -3658,8 +3769,9 @@ msgid "1-64 lowercase letters or numbers, no punctuation or spaces." msgstr "1-64 minusculas o numeros, sin punctuation o spatios." #. TRANS: Field label in form for profile settings. +#. TRANS: Label for full group name (dt). Text hidden by default. #: actions/profilesettings.php:117 actions/register.php:457 -#: actions/showgroup.php:256 actions/tagother.php:104 +#: actions/showgroup.php:257 actions/tagother.php:104 #: lib/groupeditform.php:157 lib/userprofile.php:150 msgid "Full name" msgstr "Nomine complete" @@ -3698,8 +3810,9 @@ msgid "Bio" msgstr "Bio" #. TRANS: Field label in form for profile settings. +#. TRANS: Label for group location (dt). Text hidden by default. #: actions/profilesettings.php:149 actions/register.php:485 -#: actions/showgroup.php:265 actions/tagother.php:112 +#: actions/showgroup.php:267 actions/tagother.php:112 #: actions/userauthorization.php:166 lib/groupeditform.php:177 #: lib/userprofile.php:165 msgid "Location" @@ -4420,7 +4533,8 @@ msgstr "Organisation" msgid "Description" msgstr "Description" -#: actions/showapplication.php:192 actions/showgroup.php:442 +#. TRANS: Header for group statistics on a group page (h2). +#: actions/showapplication.php:192 actions/showgroup.php:453 #: lib/profileaction.php:187 msgid "Statistics" msgstr "Statisticas" @@ -4438,6 +4552,11 @@ msgstr "Actiones de application" msgid "Reset key & secret" msgstr "Reinitialisar clave e secreto" +#: actions/showapplication.php:252 lib/deletegroupform.php:121 +#: lib/deleteuserform.php:66 lib/noticelist.php:667 +msgid "Delete" +msgstr "Deler" + #: actions/showapplication.php:261 msgid "Application info" msgstr "Info del application" @@ -4531,77 +4650,106 @@ msgstr "" msgid "This is a way to share what you like." msgstr "Isto es un modo de condivider lo que te place." -#: actions/showgroup.php:82 +#. TRANS: Page title for first group page. %s is a group name. +#: actions/showgroup.php:80 #, php-format msgid "%s group" msgstr "Gruppo %s" +#. TRANS: Page title for any but first group page. +#. TRANS: %1$s is a group name, $2$s is a page number. #: actions/showgroup.php:84 #, php-format msgid "%1$s group, page %2$d" msgstr "Gruppo %1$s, pagina %2$d" -#: actions/showgroup.php:227 +#. TRANS: Group profile header (h2). Text hidden by default. +#: actions/showgroup.php:225 msgid "Group profile" msgstr "Profilo del gruppo" -#: actions/showgroup.php:272 actions/tagother.php:118 +#. TRANS: Label for group URL (dt). Text hidden by default. +#: actions/showgroup.php:275 actions/tagother.php:118 #: actions/userauthorization.php:175 lib/userprofile.php:178 msgid "URL" msgstr "URL" -#: actions/showgroup.php:283 actions/tagother.php:128 +#. TRANS: Label for group description or group note (dt). Text hidden by default. +#: actions/showgroup.php:287 actions/tagother.php:128 #: actions/userauthorization.php:187 lib/userprofile.php:195 msgid "Note" msgstr "Nota" -#: actions/showgroup.php:293 lib/groupeditform.php:184 +#. TRANS: Label for group aliases (dt). Text hidden by default. +#: actions/showgroup.php:298 lib/groupeditform.php:184 msgid "Aliases" msgstr "Aliases" -#: actions/showgroup.php:302 +#. TRANS: Group actions header (h2). Text hidden by default. +#: actions/showgroup.php:309 msgid "Group actions" msgstr "Actiones del gruppo" -#: actions/showgroup.php:344 +#. TRANS: Tooltip for feed link. %s is a group nickname. +#: actions/showgroup.php:350 #, 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:350 +#. TRANS: Tooltip for feed link. %s is a group nickname. +#: actions/showgroup.php:357 #, 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:356 +#. TRANS: Tooltip for feed link. %s is a group nickname. +#: actions/showgroup.php:364 #, php-format msgid "Notice feed for %s group (Atom)" msgstr "Syndication de notas pro le gruppo %s (Atom)" -#: actions/showgroup.php:361 +#. TRANS: Tooltip for feed link. %s is a group nickname. +#: actions/showgroup.php:370 #, php-format msgid "FOAF for %s group" msgstr "Amico de un amico pro le gruppo %s" -#: actions/showgroup.php:399 actions/showgroup.php:451 +#. TRANS: Header for mini list of group members on a group page (h2). +#: actions/showgroup.php:407 msgid "Members" msgstr "Membros" -#: actions/showgroup.php:404 lib/profileaction.php:117 +#. TRANS: Description for mini list of group members on a group page when the group has no members. +#: actions/showgroup.php:413 lib/profileaction.php:117 #: lib/profileaction.php:152 lib/profileaction.php:255 lib/section.php:95 #: lib/subscriptionlist.php:127 lib/tagcloudsection.php:71 msgid "(None)" msgstr "(Nulle)" -#: actions/showgroup.php:410 +#. TRANS: Link to all group members from mini list of group members if group has more than n members. +#: actions/showgroup.php:422 msgid "All members" msgstr "Tote le membros" -#: actions/showgroup.php:445 +#. TRANS: Label for creation date in statistics on group page. +#: actions/showgroup.php:458 +#, fuzzy +msgctxt "LABEL" msgid "Created" msgstr "Create" -#: actions/showgroup.php:461 +#. TRANS: Label for member count in statistics on group page. +#: actions/showgroup.php:466 +#, fuzzy +msgctxt "LABEL" +msgid "Members" +msgstr "Membros" + +#. TRANS: Notice on group pages for anonymous users for StatusNet sites that accept new registrations. +#. TRANS: **%s** is the group alias, %%%%site.name%%%% is the site name, +#. TRANS: %%%%action.register%%%% is the URL for registration, %%%%doc.help%%%% is a URL to help. +#. TRANS: This message contains Markdown links. Ensure they are formatted correctly: [Description](link). +#: actions/showgroup.php:481 #, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -4616,7 +4764,10 @@ 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:467 +#. TRANS: Notice on group pages for anonymous users for StatusNet sites that accept no new registrations. +#. TRANS: **%s** is the group alias, %%%%site.name%%%% is the site name, +#. TRANS: This message contains Markdown links. Ensure they are formatted correctly: [Description](link). +#: actions/showgroup.php:491 #, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -4629,24 +4780,31 @@ msgstr "" "[StatusNet](http://status.net/). Su membros condivide breve messages super " "lor vita e interesses. " -#: actions/showgroup.php:495 +#. TRANS: Header for list of group administrators on a group page (h2). +#: actions/showgroup.php:520 msgid "Admins" msgstr "Administratores" -#: actions/showmessage.php:81 +#. TRANS: Client error displayed requesting a single message that does not exist. +#: actions/showmessage.php:79 msgid "No such message." msgstr "Message non existe." -#: actions/showmessage.php:98 +#. TRANS: Client error displayed requesting a single direct message the requesting user was not a party in. +#: actions/showmessage.php:97 msgid "Only the sender and recipient may read this message." msgstr "Solmente le expeditor e destinatario pote leger iste message." -#: actions/showmessage.php:108 +#. TRANS: Page title for single direct message display when viewing user is the sender. +#. TRANS: %1$s is the addressed user's nickname, $2$s is a timestamp. +#: actions/showmessage.php:110 #, php-format msgid "Message to %1$s on %2$s" msgstr "Message a %1$s in %2$s" -#: actions/showmessage.php:113 +#. TRANS: Page title for single message display. +#. TRANS: %1$s is the sending user's nickname, $2$s is a timestamp. +#: actions/showmessage.php:118 #, php-format msgid "Message from %1$s on %2$s" msgstr "Message de %1$s in %2$s" @@ -5093,12 +5251,14 @@ msgstr "Le instantaneos essera inviate a iste URL" msgid "Save snapshot settings" msgstr "Salveguardar configuration de instantaneos" -#: actions/subedit.php:70 +#. TRANS: Client error displayed trying a change a subscription for a non-subscribed profile. +#: actions/subedit.php:75 msgid "You are not subscribed to that profile." msgstr "Tu non es subscribite a iste profilo." +#. TRANS: Server error displayed when updating a subscription fails with a database error. #. TRANS: Exception thrown when a subscription could not be stored on the server. -#: actions/subedit.php:83 classes/Subscription.php:136 +#: actions/subedit.php:89 classes/Subscription.php:136 msgid "Could not save subscription." msgstr "Non poteva salveguardar le subscription." @@ -5909,12 +6069,12 @@ msgid "Welcome to %1$s, @%2$s!" msgstr "Benvenite a %1$s, @%2$s!" #. TRANS: Server exception. -#: classes/User.php:902 +#: classes/User.php:912 msgid "No single user defined for single-user mode." msgstr "Nulle signule usator definite pro le modo de singule usator." #. TRANS: Server exception. -#: classes/User.php:906 +#: classes/User.php:916 msgid "Single-user mode code called when not enabled." msgstr "Codice in modo de usator singule appellate sin esser activate." @@ -7083,7 +7243,8 @@ msgstr "Atom" msgid "FOAF" msgstr "Amico de un amico" -#: lib/feedlist.php:65 +#. TRANS: Header for feed links (h2). +#: lib/feedlist.php:66 msgid "Feeds" msgstr "Syndicationes" @@ -7243,39 +7404,57 @@ msgstr "Iste pagina non es disponibile in un formato que tu accepta" msgid "Unsupported image file format." msgstr "Formato de file de imagine non supportate." -#: lib/imagefile.php:88 +#. TRANS: Exception thrown when too large a file is uploaded. +#. TRANS: %s is the maximum file size, for example "500b", "10kB" or "2MB". +#: lib/imagefile.php:90 #, php-format msgid "That file is too big. The maximum file size is %s." msgstr "Iste file es troppo grande. Le dimension maximal es %s." -#: lib/imagefile.php:93 +#: lib/imagefile.php:95 msgid "Partial upload." msgstr "Incargamento partial." #. TRANS: Client exception thrown when a file upload operation has failed with an unknown reason. -#: lib/imagefile.php:101 lib/mediafile.php:179 +#: lib/imagefile.php:103 lib/mediafile.php:179 msgid "System error uploading file." msgstr "Error de systema durante le incargamento del file." -#: lib/imagefile.php:109 +#: lib/imagefile.php:111 msgid "Not an image or corrupt file." msgstr "Le file non es un imagine o es defectuose." -#: lib/imagefile.php:122 +#: lib/imagefile.php:124 msgid "Lost our file." msgstr "File perdite." -#: lib/imagefile.php:163 lib/imagefile.php:224 +#: lib/imagefile.php:165 lib/imagefile.php:226 msgid "Unknown file type" msgstr "Typo de file incognite" -#: lib/imagefile.php:244 -msgid "MB" -msgstr "MB" +#. TRANS: Number of megabytes. %d is the number. +#: lib/imagefile.php:248 +#, fuzzy, php-format +msgid "%dMB" +msgid_plural "%dMB" +msgstr[0] "MB" +msgstr[1] "MB" -#: lib/imagefile.php:246 -msgid "kB" -msgstr "KB" +#. TRANS: Number of kilobytes. %d is the number. +#: lib/imagefile.php:252 +#, fuzzy, php-format +msgid "%dkB" +msgid_plural "%dkB" +msgstr[0] "KB" +msgstr[1] "KB" + +#. TRANS: Number of bytes. %d is the number. +#: lib/imagefile.php:255 +#, php-format +msgid "%dB" +msgid_plural "%dB" +msgstr[0] "" +msgstr[1] "" #: lib/jabber.php:387 #, php-format @@ -8176,6 +8355,13 @@ msgstr "Error durante le apertura del archivo del apparentia." msgid "Top posters" msgstr "Qui scribe le plus" +#. TRANS: Title for the form to unblock a user. +#: lib/unblockform.php:67 +#, fuzzy +msgctxt "TITLE" +msgid "Unblock" +msgstr "Disblocar" + #: lib/unsandboxform.php:69 msgid "Unsandbox" msgstr "Retirar del cassa de sablo" @@ -8355,3 +8541,9 @@ msgstr "Nulle usator specificate; le usator de reserva es usate." #, php-format msgid "%d entries in backup." msgstr "%d entratas in copia de reserva." + +#~ msgid "Description is too long (max %d chars)." +#~ msgstr "Description es troppo longe (max %d charachteres)." + +#~ msgid "Too many aliases! Maximum %d." +#~ msgstr "Troppo de aliases! Maximo: %d." diff --git a/locale/is/LC_MESSAGES/statusnet.po b/locale/is/LC_MESSAGES/statusnet.po index 94c7d592be..d2255523dc 100644 --- a/locale/is/LC_MESSAGES/statusnet.po +++ b/locale/is/LC_MESSAGES/statusnet.po @@ -9,17 +9,17 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet - Core\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-10-27 23:43+0000\n" -"PO-Revision-Date: 2010-10-28 23:09:08+0000\n" +"POT-Creation-Date: 2010-10-30 23:18+0000\n" +"PO-Revision-Date: 2010-10-30 23:20:24+0000\n" "Language-Team: Icelandic \n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r75629); Translate extension (2010-09-17)\n" +"X-Generator: MediaWiki 1.17alpha (r75708); Translate extension (2010-09-17)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: is\n" "X-Message-Group: #out-statusnet-core\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-POT-Import-Date: 2010-10-28 00:13:15+0000\n" +"X-POT-Import-Date: 2010-10-30 09:48:40+0000\n" #. TRANS: Page title for Access admin panel that allows configuring site access. #. TRANS: Menu item for site administration @@ -123,6 +123,7 @@ msgstr "Ekkert þannig merki." #. TRANS: Client error displayed when requesting most recent dents by user and friends for a non-existing user. #. TRANS: Client error displayed when requesting most recent mentions for a non-existing user. #. TRANS: Client error displayed requesting most recent notices for a non-existing user. +#. TRANS: Client error displayed trying to get an avatar for a non-existing user. #. TRANS: Error text shown when trying to send a direct message to a user that does not exist. #: actions/all.php:80 actions/apiaccountupdatedeliverydevice.php:110 #: actions/apiaccountupdateprofile.php:103 @@ -135,7 +136,7 @@ msgstr "Ekkert þannig merki." #: actions/apistatusesupdate.php:230 actions/apisubscriptions.php:85 #: actions/apitimelinefavorites.php:70 actions/apitimelinefriends.php:173 #: actions/apitimelinehome.php:78 actions/apitimelinementions.php:77 -#: actions/apitimelineuser.php:79 actions/avatarbynickname.php:75 +#: actions/apitimelineuser.php:79 actions/avatarbynickname.php:79 #: 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 @@ -308,11 +309,12 @@ msgstr "Gat ekki uppfært notanda." #. TRANS: Client error displayed a user has no profile updating profile colours. #. TRANS: Client error displayed if a user profile could not be found updating a profile image. #. TRANS: Client error displayed when requesting user information for a user without a profile. +#. TRANS: Client error displayed trying to get an avatar for a user without a profile. #: actions/apiaccountupdateprofile.php:111 #: actions/apiaccountupdateprofilebackgroundimage.php:199 #: actions/apiaccountupdateprofilecolors.php:183 #: actions/apiaccountupdateprofileimage.php:130 actions/apiusershow.php:108 -#: actions/avatarbynickname.php:80 actions/foaf.php:65 actions/hcard.php:74 +#: actions/avatarbynickname.php:85 actions/foaf.php:65 actions/hcard.php:74 #: actions/replies.php:80 actions/usergroups.php:100 lib/galleryaction.php:66 #: lib/profileaction.php:84 msgid "User has no profile." @@ -328,7 +330,7 @@ msgstr "Gat ekki vistað persónulega síðu." #. TRANS: %s is the number of bytes of the CONTENT_LENGTH. #: actions/apiaccountupdateprofilebackgroundimage.php:108 #: actions/apiaccountupdateprofileimage.php:95 actions/apimediaupload.php:81 -#: actions/apistatusesupdate.php:210 actions/avatarsettings.php:259 +#: actions/apistatusesupdate.php:210 actions/avatarsettings.php:269 #: actions/designadminpanel.php:125 actions/editapplication.php:121 #: actions/newapplication.php:104 actions/newnotice.php:95 #, php-format @@ -513,43 +515,53 @@ msgstr "Gat ekki uppfært notanda." msgid "Could not find target user." msgstr "Gat ekki uppfært notanda." +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. #. TRANS: Validation error in form for profile settings. -#: actions/apigroupcreate.php:165 actions/editgroup.php:186 -#: actions/newgroup.php:126 actions/profilesettings.php:243 +#: actions/apigroupcreate.php:165 actions/editgroup.php:191 +#: actions/newgroup.php:127 actions/profilesettings.php:243 #: actions/register.php:212 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." #. TRANS: Client error trying to create a group with a nickname this is already in use. +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. #. TRANS: Validation error in form for profile settings. -#: actions/apigroupcreate.php:175 actions/editgroup.php:190 -#: actions/newgroup.php:130 actions/profilesettings.php:277 +#: actions/apigroupcreate.php:175 actions/editgroup.php:196 +#: actions/newgroup.php:132 actions/profilesettings.php:277 #: actions/register.php:215 msgid "Nickname already in use. Try another one." msgstr "Stuttnefni nú þegar í notkun. Prófaðu eitthvað annað." #. TRANS: Client error in form for group creation. +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. #. TRANS: Validation error in form for profile settings. -#: actions/apigroupcreate.php:183 actions/editgroup.php:193 -#: actions/newgroup.php:133 actions/profilesettings.php:247 +#: actions/apigroupcreate.php:183 actions/editgroup.php:200 +#: actions/newgroup.php:136 actions/profilesettings.php:247 #: actions/register.php:217 msgid "Not a valid nickname." msgstr "Ekki tækt stuttnefni." #. TRANS: Client error in form for group creation. #. TRANS: Validation error shown when providing an invalid homepage URL in the "Edit application" form. +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. #. TRANS: Validation error in form for profile settings. #: actions/apigroupcreate.php:200 actions/editapplication.php:233 -#: actions/editgroup.php:199 actions/newapplication.php:211 -#: actions/newgroup.php:139 actions/profilesettings.php:252 +#: actions/editgroup.php:207 actions/newapplication.php:211 +#: actions/newgroup.php:143 actions/profilesettings.php:252 #: actions/register.php:224 msgid "Homepage is not a valid URL." msgstr "Heimasíða er ekki gild vefslóð." #. TRANS: Client error in form for group creation. +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. #. TRANS: Validation error in form for profile settings. -#: actions/apigroupcreate.php:210 actions/editgroup.php:202 -#: actions/newgroup.php:142 actions/profilesettings.php:256 +#: actions/apigroupcreate.php:210 actions/editgroup.php:211 +#: actions/newgroup.php:147 actions/profilesettings.php:256 #: actions/register.php:227 #, fuzzy msgid "Full name is too long (maximum 255 characters)." @@ -558,10 +570,11 @@ msgstr "Fullt nafn er of langt (í mesta lagi 255 stafir)." #. TRANS: Client error shown when providing too long a description during group creation. #. TRANS: %d is the maximum number of allowed characters. #. TRANS: Validation error shown when providing too long a description in the "Edit application" form. +#. TRANS: Group edit form validation error. #. TRANS: Form validation error in New application form. #. TRANS: %d is the maximum number of characters for the description. #: actions/apigroupcreate.php:220 actions/editapplication.php:201 -#: actions/newapplication.php:178 +#: actions/editgroup.php:216 actions/newapplication.php:178 #, fuzzy, php-format msgid "Description is too long (maximum %d character)." msgid_plural "Description is too long (maximum %d characters)." @@ -569,9 +582,11 @@ msgstr[0] "Staðsetning er of löng (í mesta lagi %d stafir)." msgstr[1] "Staðsetning er of löng (í mesta lagi %d stafir)." #. TRANS: Client error shown when providing too long a location during group creation. +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. #. TRANS: Validation error in form for profile settings. -#: actions/apigroupcreate.php:234 actions/editgroup.php:208 -#: actions/newgroup.php:153 actions/profilesettings.php:269 +#: actions/apigroupcreate.php:234 actions/editgroup.php:223 +#: actions/newgroup.php:159 actions/profilesettings.php:269 #: actions/register.php:236 #, fuzzy msgid "Location is too long (maximum 255 characters)." @@ -579,7 +594,12 @@ msgstr "Staðsetning er of löng (í mesta lagi 255 stafir)." #. TRANS: Client error shown when providing too many aliases during group creation. #. TRANS: %d is the maximum number of allowed aliases. -#: actions/apigroupcreate.php:255 actions/newgroup.php:166 +#. TRANS: Group edit form validation error. +#. TRANS: %d is the maximum number of allowed aliases. +#. TRANS: Group create form validation error. +#. TRANS: %d is the maximum number of allowed aliases. +#: actions/apigroupcreate.php:255 actions/editgroup.php:236 +#: actions/newgroup.php:172 #, php-format msgid "Too many aliases! Maximum %d allowed." msgid_plural "Too many aliases! Maximum %d allowed." @@ -595,15 +615,19 @@ msgstr "Ógilt merki: \"%s\"" #. TRANS: Client error displayed when trying to use an alias during group creation that is already in use. #. TRANS: %s is the alias that is already in use. -#: actions/apigroupcreate.php:291 actions/editgroup.php:232 -#: actions/newgroup.php:181 +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. +#: actions/apigroupcreate.php:291 actions/editgroup.php:253 +#: actions/newgroup.php:189 #, fuzzy, php-format msgid "Alias \"%s\" already in use. Try another one." msgstr "Stuttnefni nú þegar í notkun. Prófaðu eitthvað annað." #. TRANS: Client error displayed when trying to use an alias during group creation that is the same as the group's nickname. -#: actions/apigroupcreate.php:305 actions/editgroup.php:238 -#: actions/newgroup.php:187 +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. +#: actions/apigroupcreate.php:305 actions/editgroup.php:260 +#: actions/newgroup.php:196 msgid "Alias can't be the same as nickname." msgstr "" @@ -712,18 +736,18 @@ msgid "Request token already authorized." msgstr "Þú ert ekki áskrifandi." #. TRANS: Form validation error in API OAuth authorisation because of an invalid session token. -#: actions/apioauthauthorize.php:147 actions/avatarsettings.php:270 +#: actions/apioauthauthorize.php:147 actions/avatarsettings.php:280 #: actions/deletenotice.php:172 actions/disfavor.php:74 #: actions/emailsettings.php:271 actions/favor.php:75 actions/geocode.php:55 #: actions/groupblock.php:66 actions/grouplogo.php:312 -#: actions/groupunblock.php:66 actions/imsettings.php:230 +#: actions/groupunblock.php:65 actions/imsettings.php:230 #: actions/invite.php:59 actions/login.php:137 actions/makeadmin.php:66 #: actions/newmessage.php:135 actions/newnotice.php:105 actions/nudge.php:80 #: actions/oauthappssettings.php:165 actions/oauthconnectionssettings.php:138 #: actions/othersettings.php:145 actions/passwordsettings.php:138 #: actions/profilesettings.php:221 actions/recoverpassword.php:350 #: actions/register.php:172 actions/remotesubscribe.php:77 -#: actions/repeat.php:83 actions/smssettings.php:256 actions/subedit.php:38 +#: actions/repeat.php:83 actions/smssettings.php:256 actions/subedit.php:40 #: actions/subscribe.php:86 actions/tagother.php:166 #: actions/unsubscribe.php:69 actions/userauthorization.php:52 #: lib/designsettings.php:294 @@ -743,12 +767,13 @@ msgid "Database error inserting oauth_token_association." msgstr "Gagnagrunnsvilla við innsetningu myllumerkis: %s" #. TRANS: Client error given on when invalid data was passed through a form in the OAuth API. +#. TRANS: Unexpected validation error on avatar upload form. #. TRANS: Client error displayed submitting invalid form data for edit application. #. TRANS: Message given submitting a form with an unknown action in e-mail settings. #. TRANS: Message given submitting a form with an unknown action in IM settings. #. TRANS: Client error when submitting a form with unexpected information. #. TRANS: Message given submitting a form with an unknown action in SMS settings. -#: actions/apioauthauthorize.php:294 actions/avatarsettings.php:283 +#: actions/apioauthauthorize.php:294 actions/avatarsettings.php:294 #: actions/designadminpanel.php:104 actions/editapplication.php:144 #: actions/emailsettings.php:290 actions/grouplogo.php:322 #: actions/imsettings.php:245 actions/newapplication.php:125 @@ -797,6 +822,7 @@ msgstr "Aðgangur" #. TRANS: Field label on OAuth API authorisation form. #. TRANS: Field label in form for profile settings. +#. TRANS: Label for group nickname (dt). Text hidden by default. #: actions/apioauthauthorize.php:459 actions/login.php:252 #: actions/profilesettings.php:110 actions/register.php:433 #: actions/showgroup.php:245 actions/tagother.php:94 @@ -1049,108 +1075,142 @@ msgstr "Aðferð í forritsskilum er í þróun." msgid "User not found." msgstr "Aðferð í forritsskilum fannst ekki!" +#. TRANS: Client error displayed trying to get a non-existing attachment. #: actions/attachment.php:73 #, fuzzy msgid "No such attachment." msgstr "Ekkert þannig merki." -#: actions/avatarbynickname.php:59 actions/blockedfromgroup.php:73 -#: actions/editgroup.php:84 actions/groupdesignsettings.php:84 +#. TRANS: Client error displayed trying to get an avatar without providing a nickname. +#. TRANS: Client error displayed when requesting a list of blocked users for a group without providing a group nickname. +#. TRANS: Client error displayed trying to edit a group while not proving a nickname for the group to edit. +#. TRANS: Client error displayed if no nickname argument was given requesting a group page. +#: actions/avatarbynickname.php:60 actions/blockedfromgroup.php:73 +#: actions/editgroup.php:85 actions/groupdesignsettings.php:84 #: actions/grouplogo.php:86 actions/groupmembers.php:76 #: actions/grouprss.php:91 actions/showgroup.php:121 msgid "No nickname." msgstr "Ekkert stuttnefni." -#: actions/avatarbynickname.php:64 +#. TRANS: Client error displayed trying to get an avatar without providing an avatar size. +#: actions/avatarbynickname.php:66 msgid "No size." msgstr "Engin stærð." -#: actions/avatarbynickname.php:69 +#. TRANS: Client error displayed trying to get an avatar providing an invalid avatar size. +#: actions/avatarbynickname.php:72 msgid "Invalid size." msgstr "Ótæk stærð." +#. TRANS: Title for avatar upload page. +#. TRANS: Label for group avatar (dt). Text hidden by default. #. TRANS: Link description in user account settings menu. -#: actions/avatarsettings.php:67 actions/showgroup.php:230 +#: actions/avatarsettings.php:66 actions/showgroup.php:229 #: lib/accountsettingsaction.php:113 msgid "Avatar" msgstr "Mynd" +#. TRANS: Instruction for avatar upload page. +#. TRANS: %s is the maximum file size, for example "500b", "10kB" or "2MB". #: actions/avatarsettings.php:78 #, fuzzy, php-format msgid "You can upload your personal avatar. The maximum file size is %s." msgstr "Þetta er of langt. Hámarkslengd babls er 140 tákn." -#: actions/avatarsettings.php:106 actions/avatarsettings.php:185 +#. TRANS: Server error displayed in avatar upload page when no matching profile can be found for a user. +#: actions/avatarsettings.php:108 actions/avatarsettings.php:192 #: actions/grouplogo.php:181 actions/remotesubscribe.php:191 #: actions/userauthorization.php:72 actions/userrss.php:108 msgid "User without matching profile." msgstr "Notandi hefur enga persónulega síðu." -#: actions/avatarsettings.php:119 actions/avatarsettings.php:197 +#. TRANS: Avatar upload page form legend. +#. TRANS: Avatar upload page crop form legend. +#: actions/avatarsettings.php:122 actions/avatarsettings.php:205 #: actions/grouplogo.php:254 msgid "Avatar settings" msgstr "Stillingar fyrir mynd" -#: actions/avatarsettings.php:127 actions/avatarsettings.php:205 +#. TRANS: Header on avatar upload page for thumbnail of originally uploaded avatar (h2). +#. TRANS: Header on avatar upload crop form for thumbnail of originally uploaded avatar (h2). +#: actions/avatarsettings.php:131 actions/avatarsettings.php:214 #: actions/grouplogo.php:202 actions/grouplogo.php:262 msgid "Original" msgstr "Upphafleg mynd" -#: actions/avatarsettings.php:142 actions/avatarsettings.php:217 +#. TRANS: Header on avatar upload page for thumbnail of to be used rendition of uploaded avatar (h2). +#. TRANS: Header on avatar upload crop form for thumbnail of to be used rendition of uploaded avatar (h2). +#: actions/avatarsettings.php:147 actions/avatarsettings.php:227 #: actions/grouplogo.php:213 actions/grouplogo.php:274 msgid "Preview" msgstr "Forsýn" -#: actions/avatarsettings.php:149 actions/showapplication.php:252 -#: lib/deletegroupform.php:121 lib/deleteuserform.php:66 -#: lib/noticelist.php:667 +#. TRANS: Button on avatar upload page to delete current avatar. +#: actions/avatarsettings.php:155 +#, fuzzy +msgctxt "BUTTON" msgid "Delete" msgstr "Eyða" -#: actions/avatarsettings.php:166 actions/grouplogo.php:236 +#. TRANS: Button on avatar upload page to upload an avatar. +#: actions/avatarsettings.php:173 +#, fuzzy +msgctxt "BUTTON" msgid "Upload" msgstr "Hlaða upp" -#: actions/avatarsettings.php:231 actions/grouplogo.php:289 +#. TRANS: Button on avatar upload crop form to confirm a selected crop as avatar. +#: actions/avatarsettings.php:243 +#, fuzzy +msgctxt "BUTTON" msgid "Crop" msgstr "Skera af" -#: actions/avatarsettings.php:307 +#. TRANS: Validation error on avatar upload form when no file was uploaded. +#: actions/avatarsettings.php:318 #, fuzzy msgid "No file uploaded." msgstr "Engin persónuleg síða tilgreind" -#: actions/avatarsettings.php:334 +#. TRANS: Avatar upload form unstruction after uploading a file. +#: actions/avatarsettings.php:346 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:349 actions/grouplogo.php:380 +#. TRANS: Server error displayed if an avatar upload went wrong somehow server side. +#: actions/avatarsettings.php:361 actions/grouplogo.php:380 msgid "Lost our file data." msgstr "Týndum skráargögnunum okkar" -#: actions/avatarsettings.php:372 +#: actions/avatarsettings.php:384 msgid "Avatar updated." msgstr "Mynd hefur verið uppfærð." -#: actions/avatarsettings.php:375 +#. TRANS: Error displayed on the avatar upload page if the avatar could not be updated for an unknown reason. +#: actions/avatarsettings.php:388 msgid "Failed updating avatar." msgstr "Mistókst að uppfæra mynd" -#: actions/avatarsettings.php:399 +#. TRANS: Success message for deleting a user avatar. +#: actions/avatarsettings.php:412 #, fuzzy msgid "Avatar deleted." msgstr "Mynd hefur verið uppfærð." -#: actions/block.php:69 +#. TRANS: Client error displayed when blocking a user that has already been blocked. +#: actions/block.php:68 msgid "You already blocked that user." msgstr "Þú ert nú þegar í áskrift að þessum notendum:" -#: actions/block.php:107 actions/block.php:136 actions/groupblock.php:158 +#. TRANS: Title for block user page. +#. TRANS: Legend for block user form. +#: actions/block.php:106 actions/block.php:136 actions/groupblock.php:158 msgid "Block user" msgstr "Loka á notanda" -#: actions/block.php:138 +#. TRANS: Explanation of consequences when blocking a user on the block user page. +#: actions/block.php:139 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 " @@ -1163,7 +1223,7 @@ msgstr "" #. TRANS: Button label on the delete notice form. #. TRANS: Button label on the delete user form. #. TRANS: Button label on the form to block a user from a group. -#: actions/block.php:153 actions/deleteapplication.php:154 +#: actions/block.php:154 actions/deleteapplication.php:154 #: actions/deletegroup.php:220 actions/deletenotice.php:150 #: actions/deleteuser.php:152 actions/groupblock.php:178 msgctxt "BUTTON" @@ -1172,7 +1232,7 @@ msgstr "Athugasemd" #. TRANS: Submit button title for 'No' when blocking a user. #. TRANS: Submit button title for 'No' when deleting a user. -#: actions/block.php:157 actions/deleteuser.php:156 +#: actions/block.php:158 actions/deleteuser.php:156 #, fuzzy msgid "Do not block this user" msgstr "Opna á þennan notanda" @@ -1183,7 +1243,7 @@ msgstr "Opna á þennan notanda" #. TRANS: Button label on the delete notice form. #. TRANS: Button label on the delete user form. #. TRANS: Button label on the form to block a user from a group. -#: actions/block.php:160 actions/deleteapplication.php:161 +#: actions/block.php:161 actions/deleteapplication.php:161 #: actions/deletegroup.php:227 actions/deletenotice.php:157 #: actions/deleteuser.php:159 actions/groupblock.php:185 #, fuzzy @@ -1193,92 +1253,113 @@ msgstr "Já" #. TRANS: Submit button title for 'Yes' when blocking a user. #. TRANS: Description of the form to block a user. -#: actions/block.php:164 lib/blockform.php:79 +#: actions/block.php:165 lib/blockform.php:79 msgid "Block this user" msgstr "Loka á þennan notanda" -#: actions/block.php:187 +#. TRANS: Server error displayed when blocking a user fails. +#: actions/block.php:189 msgid "Failed to save block information." msgstr "Mistókst að vista upplýsingar um notendalokun" +#. TRANS: Client error displayed when requesting a list of blocked users for a non-local group. +#. TRANS: Client error displayed when requesting a list of blocked users for a non-existing group. #. TRANS: Client error when trying to delete a non-local group. #. TRANS: Client error when trying to delete a non-existing group. +#. TRANS: Client error displayed trying to edit a non-existing group. +#. TRANS: Client error displayed when trying to unblock a user from a non-existing group. +#. TRANS: Client error displayed if no remote group with a given name was found requesting group page. +#. TRANS: Client error displayed if no local group with a given name was found requesting group page. #. TRANS: Command exception text shown when a group is requested that does not exist. #. TRANS: Error text shown when trying to leave a group that does not exist. -#: actions/blockedfromgroup.php:80 actions/blockedfromgroup.php:87 +#: actions/blockedfromgroup.php:81 actions/blockedfromgroup.php:89 #: actions/deletegroup.php:87 actions/deletegroup.php:100 -#: actions/editgroup.php:100 actions/foafgroup.php:44 actions/foafgroup.php:62 +#: actions/editgroup.php:102 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/groupunblock.php:88 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:168 +#: actions/showgroup.php:139 actions/showgroup.php:148 lib/command.php:168 #: lib/command.php:380 msgid "No such group." msgstr "Enginn þannig hópur." -#: actions/blockedfromgroup.php:97 +#. TRANS: Title for first page with list of users blocked from a group. +#. TRANS: %s is a group nickname. +#: actions/blockedfromgroup.php:101 #, fuzzy, php-format msgid "%s blocked profiles" msgstr "Persónuleg síða notanda" -#: actions/blockedfromgroup.php:100 +#. TRANS: Title for any but the first page with list of users blocked from a group. +#. TRANS: %1$s is a group nickname, %2$d is a page number. +#: actions/blockedfromgroup.php:106 #, fuzzy, php-format msgid "%1$s blocked profiles, page %2$d" msgstr "%s og vinirnir, síða %d" -#: actions/blockedfromgroup.php:115 +#. TRANS: Instructions for list of users blocked from a group. +#: actions/blockedfromgroup.php:122 #, fuzzy msgid "A list of the users blocked from joining this group." msgstr "Listi yfir notendur í þessum hóp." -#: actions/blockedfromgroup.php:288 +#. TRANS: Form legend for unblocking a user from a group. +#: actions/blockedfromgroup.php:291 #, fuzzy msgid "Unblock user from group" msgstr "Mistókst að opna fyrir notanda." -#. TRANS: Title for the form to unblock a user. -#: actions/blockedfromgroup.php:320 lib/unblockform.php:70 +#. TRANS: Button text for unblocking a user from a group. +#: actions/blockedfromgroup.php:323 +#, fuzzy +msgctxt "BUTTON" msgid "Unblock" msgstr "Opna" +#. TRANS: Tooltip for button for unblocking a user from a group. #. TRANS: Description of the form to unblock a user. -#: actions/blockedfromgroup.php:320 lib/unblockform.php:82 +#: actions/blockedfromgroup.php:327 lib/unblockform.php:78 msgid "Unblock this user" msgstr "Opna á þennan notanda" #. TRANS: Title for mini-posting window loaded from bookmarklet. +#. TRANS: %s is the StatusNet site name. #: actions/bookmarklet.php:51 #, php-format msgid "Post to %s" msgstr "Svör við %s" -#: actions/confirmaddress.php:75 +#. TRANS: Client error displayed when not providing a confirmation code in the contact address confirmation action. +#: actions/confirmaddress.php:74 msgid "No confirmation code." msgstr "Enginn staðfestingarlykill." +#. TRANS: Client error displayed when providing a non-existing confirmation code in the contact address confirmation action. #: actions/confirmaddress.php:80 msgid "Confirmation code not found." msgstr "Staðfestingarlykill fannst ekki." -#: actions/confirmaddress.php:85 +#. TRANS: Client error displayed when not providing a confirmation code for another user in the contact address confirmation action. +#: actions/confirmaddress.php:86 msgid "That confirmation code is not for you!" msgstr "Þessi staðfestingarlykill er ekki fyrir þig!" -#. TRANS: Server error for an unknow address type, which can be 'email', 'jabber', or 'sms'. -#: actions/confirmaddress.php:91 +#. TRANS: Server error for a unknow address type %s, which can be 'email', 'jabber', or 'sms'. +#: actions/confirmaddress.php:92 #, fuzzy, php-format msgid "Unrecognized address type %s." msgstr "Óþekkt gerð tölvupóstfangs %s" -#. TRANS: Client error for an already confirmed email/jabbel/sms address. -#: actions/confirmaddress.php:96 +#. TRANS: Client error for an already confirmed email/jabber/sms address. +#: actions/confirmaddress.php:97 msgid "That address has already been confirmed." msgstr "Þetta tölvupóstfang hefur nú þegar verið staðfest." +#. TRANS: Server error displayed when a user update to the database fails in the contact address confirmation action. #. TRANS: Server error thrown on database error updating e-mail preferences. #. TRANS: Server error thrown on database error removing a registered e-mail address. #. TRANS: Server error thrown on database error updating IM preferences. @@ -1286,7 +1367,7 @@ msgstr "Þetta tölvupóstfang hefur nú þegar verið staðfest." #. TRANS: Server error thrown when user profile settings could not be updated. #. TRANS: Server error thrown on database error updating SMS preferences. #. TRANS: Server error thrown on database error removing a registered SMS phone number. -#: actions/confirmaddress.php:116 actions/emailsettings.php:331 +#: actions/confirmaddress.php:118 actions/emailsettings.php:331 #: actions/emailsettings.php:477 actions/imsettings.php:283 #: actions/imsettings.php:442 actions/othersettings.php:174 #: actions/profilesettings.php:326 actions/smssettings.php:308 @@ -1294,29 +1375,34 @@ msgstr "Þetta tölvupóstfang hefur nú þegar verið staðfest." msgid "Couldn't update user." msgstr "Gat ekki uppfært notanda." -#. TRANS: Server error thrown on database error canceling e-mail address confirmation. -#. TRANS: Server error thrown on database error canceling SMS phone number confirmation. -#: actions/confirmaddress.php:128 actions/emailsettings.php:437 -#: actions/smssettings.php:422 -msgid "Couldn't delete email confirmation." +#. TRANS: Server error displayed when an address confirmation code deletion from the +#. TRANS: database fails in the contact address confirmation action. +#: actions/confirmaddress.php:132 +#, fuzzy +msgid "Could not delete address confirmation." msgstr "Gat ekki eytt tölvupóstsstaðfestingu." -#: actions/confirmaddress.php:146 +#. TRANS: Title for the contact address confirmation action. +#: actions/confirmaddress.php:150 msgid "Confirm address" msgstr "Núverandi staðfesta tölvupóstfangið." -#: actions/confirmaddress.php:161 +#. TRANS: Success message for the contact address confirmation action. +#. TRANS: %s can be 'email', 'jabber', or 'sms'. +#: actions/confirmaddress.php:166 #, php-format msgid "The address \"%s\" has been confirmed for your account." msgstr "" "Þetta tölvupóstfang, \"%s\", hefur verið staðfest fyrir aðganginn þinn." -#: actions/conversation.php:99 +#. TRANS: Title for page with a conversion (multiple notices in context). +#: actions/conversation.php:96 #, fuzzy msgid "Conversation" msgstr "Staðfestingarlykill" -#: actions/conversation.php:154 lib/mailbox.php:116 lib/noticelist.php:87 +#. TRANS: Header on conversation page. Hidden by default (h2). +#: actions/conversation.php:149 lib/mailbox.php:116 lib/noticelist.php:87 #: lib/profileaction.php:229 lib/searchgroupnav.php:82 msgid "Notices" msgstr "Babl" @@ -1425,11 +1511,13 @@ msgstr "Get ekki eytt þessu babli." msgid "Delete this group" msgstr "Eyða þessu babli" +#. TRANS: Client error displayed when trying to unblock a user from a group while not logged in. +#. TRANS: Client error displayed trying a change a subscription while not logged in. #. TRANS: Client error message thrown when trying to access the admin panel while not logged in. #: actions/deletenotice.php:50 actions/disfavor.php:61 actions/favor.php:62 -#: actions/groupblock.php:61 actions/groupunblock.php:61 actions/logout.php:69 +#: actions/groupblock.php:61 actions/groupunblock.php:60 actions/logout.php:69 #: actions/makeadmin.php:61 actions/newmessage.php:87 actions/newnotice.php:88 -#: actions/nudge.php:63 actions/subedit.php:31 actions/subscribe.php:96 +#: actions/nudge.php:63 actions/subedit.php:33 actions/subscribe.php:96 #: actions/tagother.php:33 actions/unsubscribe.php:52 #: lib/adminpanelaction.php:71 lib/profileformaction.php:64 #: lib/settingsaction.php:72 @@ -1750,50 +1838,50 @@ msgstr "" msgid "Could not update application." msgstr "Gat ekki uppfært hóp." -#: actions/editgroup.php:56 +#. TRANS: Title for form to edit a group. %s is a group nickname. +#: actions/editgroup.php:55 #, php-format msgid "Edit %s group" msgstr "Breyta hópnum %s" +#. TRANS: Client error displayed trying to edit a group while not logged in. +#. TRANS: Client error displayed trying to create a group while not logged in. #: actions/editgroup.php:68 actions/grouplogo.php:70 actions/newgroup.php:65 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:107 actions/editgroup.php:172 +#. TRANS: Client error displayed trying to edit a group while not being a group admin. +#: actions/editgroup.php:110 actions/editgroup.php:176 #: actions/groupdesignsettings.php:107 actions/grouplogo.php:109 msgid "You must be an admin to edit the group." msgstr "Þú verður að hafa skráð þig inn til að búa til hóp." -#: actions/editgroup.php:158 +#. TRANS: Form instructions for group edit form. +#: actions/editgroup.php:161 msgid "Use this form to edit the group." msgstr "Notaðu þetta eyðublað til að breyta hópnum." -#: actions/editgroup.php:205 -#, php-format -msgid "Description is too long (max %d chars)." -msgstr "Staðsetning er of löng (í mesta lagi %d stafir)." - -#: actions/editgroup.php:219 -#, php-format -msgid "Too many aliases! Maximum %d." -msgstr "" - -#: actions/editgroup.php:228 actions/newgroup.php:177 +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. +#: actions/editgroup.php:248 actions/newgroup.php:184 #, fuzzy, php-format msgid "Invalid alias: \"%s\"" msgstr "Ógilt merki: \"%s\"" -#: actions/editgroup.php:258 +#. TRANS: Server error displayed when editing a group fails. +#: actions/editgroup.php:281 msgid "Could not update group." msgstr "Gat ekki uppfært hóp." +#. TRANS: Server error displayed when group aliases could not be added. #. TRANS: Server exception thrown when creating group aliases failed. -#: actions/editgroup.php:264 classes/User_group.php:513 +#: actions/editgroup.php:288 classes/User_group.php:513 #, fuzzy msgid "Could not create aliases." msgstr "Gat ekki búið til uppáhald." -#: actions/editgroup.php:280 +#. TRANS: Group edit form success message. +#: actions/editgroup.php:305 msgid "Options saved." msgstr "Valmöguleikar vistaðir." @@ -1991,6 +2079,12 @@ msgstr "Engin staðfesting í bið sem þarf að hætta við." msgid "That is the wrong email address." msgstr "Þetta er rangt snarskilaboðafang." +#. TRANS: Server error thrown on database error canceling e-mail address confirmation. +#. TRANS: Server error thrown on database error canceling SMS phone number confirmation. +#: actions/emailsettings.php:437 actions/smssettings.php:422 +msgid "Couldn't delete email confirmation." +msgstr "Gat ekki eytt tölvupóstsstaðfestingu." + #. TRANS: Message given after successfully canceling e-mail address confirmation. #: actions/emailsettings.php:442 msgid "Email confirmation cancelled." @@ -2176,19 +2270,23 @@ msgstr "Það hefur verið lagt bann við babli frá þér á þessari síðu." msgid "User already has this role." msgstr "Notandi hefur enga persónulega síðu." +#. TRANS: Client error displayed when trying to unblock a user from a group without providing a profile. +#. TRANS: Client error displayed trying a change a subscription without providing a profile. #: actions/groupblock.php:71 actions/groupunblock.php:71 -#: actions/makeadmin.php:71 actions/subedit.php:46 +#: actions/makeadmin.php:71 actions/subedit.php:49 #: lib/profileformaction.php:79 msgid "No profile specified." msgstr "Engin persónuleg síða tilgreind" -#: actions/groupblock.php:76 actions/groupunblock.php:76 -#: actions/makeadmin.php:76 actions/subedit.php:53 actions/tagother.php:46 +#. TRANS: Client error displayed when trying to unblock a user from a group without providing an existing profile. +#. TRANS: Client error displayed trying a change a subscription for a non-existant profile ID. +#: actions/groupblock.php:76 actions/groupunblock.php:77 +#: actions/makeadmin.php:76 actions/subedit.php:57 actions/tagother.php:46 #: actions/unsubscribe.php:84 lib/profileformaction.php:86 msgid "No profile with that ID." msgstr "Engin persónulega síða með þessu einkenni" -#: actions/groupblock.php:81 actions/groupunblock.php:81 +#: actions/groupblock.php:81 actions/groupunblock.php:82 #: actions/makeadmin.php:81 #, fuzzy msgid "No group specified." @@ -2278,6 +2376,14 @@ msgid "" "You can upload a logo image for your group. The maximum file size is %s." msgstr "Þetta er of langt. Hámarkslengd babls er 140 tákn." +#: actions/grouplogo.php:236 +msgid "Upload" +msgstr "Hlaða upp" + +#: actions/grouplogo.php:289 +msgid "Crop" +msgstr "Skera af" + #: actions/grouplogo.php:365 #, fuzzy msgid "Pick a square area of the image to be the logo." @@ -2414,16 +2520,19 @@ msgid "" "action.newgroup%%) yourself!" msgstr "" -#: actions/groupunblock.php:91 +#. TRANS: Client error displayed when trying to unblock a user from a group without being an administrator for the group. +#: actions/groupunblock.php:94 msgid "Only an admin can unblock group members." msgstr "" -#: actions/groupunblock.php:95 +#. TRANS: Client error displayed when trying to unblock a non-blocked user from a group. +#: actions/groupunblock.php:99 #, fuzzy msgid "User is not blocked from group." msgstr "Notandinn hefur lokað á þig." -#: actions/groupunblock.php:128 actions/unblock.php:86 +#. TRANS: Server error displayed when unblocking a user from a group fails because of an unknown error. +#: actions/groupunblock.php:131 actions/unblock.php:86 msgid "Error removing the block." msgstr "Vill kom upp við að aflétta notendalokun." @@ -3030,10 +3139,12 @@ msgstr "Staðsetning er of löng (í mesta lagi 255 stafir)." msgid "Could not create application." msgstr "Gat ekki búið til uppáhald." +#. TRANS: Title for form to create a group. #: actions/newgroup.php:53 msgid "New group" msgstr "Nýr hópur" +#. TRANS: Form instructions for group create form. #: actions/newgroup.php:110 msgid "Use this form to create a new group." msgstr "Notaðu þetta eyðublað til að búa til nýjan hóp." @@ -3745,8 +3856,9 @@ 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" #. TRANS: Field label in form for profile settings. +#. TRANS: Label for full group name (dt). Text hidden by default. #: actions/profilesettings.php:117 actions/register.php:457 -#: actions/showgroup.php:256 actions/tagother.php:104 +#: actions/showgroup.php:257 actions/tagother.php:104 #: lib/groupeditform.php:157 lib/userprofile.php:150 msgid "Full name" msgstr "Fullt nafn" @@ -3789,8 +3901,9 @@ msgid "Bio" msgstr "Lýsing" #. TRANS: Field label in form for profile settings. +#. TRANS: Label for group location (dt). Text hidden by default. #: actions/profilesettings.php:149 actions/register.php:485 -#: actions/showgroup.php:265 actions/tagother.php:112 +#: actions/showgroup.php:267 actions/tagother.php:112 #: actions/userauthorization.php:166 lib/groupeditform.php:177 #: lib/userprofile.php:165 msgid "Location" @@ -4515,7 +4628,8 @@ msgstr "Uppröðun" msgid "Description" msgstr "Lýsing" -#: actions/showapplication.php:192 actions/showgroup.php:442 +#. TRANS: Header for group statistics on a group page (h2). +#: actions/showapplication.php:192 actions/showgroup.php:453 #: lib/profileaction.php:187 msgid "Statistics" msgstr "Tölfræði" @@ -4533,6 +4647,11 @@ msgstr "" msgid "Reset key & secret" msgstr "" +#: actions/showapplication.php:252 lib/deletegroupform.php:121 +#: lib/deleteuserform.php:66 lib/noticelist.php:667 +msgid "Delete" +msgstr "Eyða" + #: actions/showapplication.php:261 msgid "Application info" msgstr "" @@ -4617,78 +4736,106 @@ msgstr "" msgid "This is a way to share what you like." msgstr "" -#: actions/showgroup.php:82 +#. TRANS: Page title for first group page. %s is a group name. +#: actions/showgroup.php:80 #, php-format msgid "%s group" msgstr "%s hópurinn" +#. TRANS: Page title for any but first group page. +#. TRANS: %1$s is a group name, $2$s is a page number. #: actions/showgroup.php:84 #, php-format msgid "%1$s group, page %2$d" msgstr "Hópar, síða %d" -#: actions/showgroup.php:227 +#. TRANS: Group profile header (h2). Text hidden by default. +#: actions/showgroup.php:225 msgid "Group profile" msgstr "Hópssíðan" -#: actions/showgroup.php:272 actions/tagother.php:118 +#. TRANS: Label for group URL (dt). Text hidden by default. +#: actions/showgroup.php:275 actions/tagother.php:118 #: actions/userauthorization.php:175 lib/userprofile.php:178 msgid "URL" msgstr "Vefslóð" -#: actions/showgroup.php:283 actions/tagother.php:128 +#. TRANS: Label for group description or group note (dt). Text hidden by default. +#: actions/showgroup.php:287 actions/tagother.php:128 #: actions/userauthorization.php:187 lib/userprofile.php:195 msgid "Note" msgstr "Athugasemd" -#: actions/showgroup.php:293 lib/groupeditform.php:184 +#. TRANS: Label for group aliases (dt). Text hidden by default. +#: actions/showgroup.php:298 lib/groupeditform.php:184 msgid "Aliases" msgstr "" -#: actions/showgroup.php:302 +#. TRANS: Group actions header (h2). Text hidden by default. +#: actions/showgroup.php:309 msgid "Group actions" msgstr "Hópsaðgerðir" -#: actions/showgroup.php:344 +#. TRANS: Tooltip for feed link. %s is a group nickname. +#: actions/showgroup.php:350 #, php-format msgid "Notice feed for %s group (RSS 1.0)" msgstr "" -#: actions/showgroup.php:350 +#. TRANS: Tooltip for feed link. %s is a group nickname. +#: actions/showgroup.php:357 #, php-format msgid "Notice feed for %s group (RSS 2.0)" msgstr "" -#: actions/showgroup.php:356 +#. TRANS: Tooltip for feed link. %s is a group nickname. +#: actions/showgroup.php:364 #, php-format msgid "Notice feed for %s group (Atom)" msgstr "" -#: actions/showgroup.php:361 +#. TRANS: Tooltip for feed link. %s is a group nickname. +#: actions/showgroup.php:370 #, fuzzy, php-format msgid "FOAF for %s group" msgstr "%s hópurinn" -#: actions/showgroup.php:399 actions/showgroup.php:451 +#. TRANS: Header for mini list of group members on a group page (h2). +#: actions/showgroup.php:407 msgid "Members" msgstr "Meðlimir" -#: actions/showgroup.php:404 lib/profileaction.php:117 +#. TRANS: Description for mini list of group members on a group page when the group has no members. +#: actions/showgroup.php:413 lib/profileaction.php:117 #: lib/profileaction.php:152 lib/profileaction.php:255 lib/section.php:95 #: lib/subscriptionlist.php:127 lib/tagcloudsection.php:71 msgid "(None)" msgstr "(Ekkert)" -#: actions/showgroup.php:410 +#. TRANS: Link to all group members from mini list of group members if group has more than n members. +#: actions/showgroup.php:422 msgid "All members" msgstr "Allir meðlimir" -#: actions/showgroup.php:445 +#. TRANS: Label for creation date in statistics on group page. +#: actions/showgroup.php:458 #, fuzzy +msgctxt "LABEL" msgid "Created" msgstr "Í sviðsljósinu" -#: actions/showgroup.php:461 +#. TRANS: Label for member count in statistics on group page. +#: actions/showgroup.php:466 +#, fuzzy +msgctxt "LABEL" +msgid "Members" +msgstr "Meðlimir" + +#. TRANS: Notice on group pages for anonymous users for StatusNet sites that accept new registrations. +#. TRANS: **%s** is the group alias, %%%%site.name%%%% is the site name, +#. TRANS: %%%%action.register%%%% is the URL for registration, %%%%doc.help%%%% is a URL to help. +#. TRANS: This message contains Markdown links. Ensure they are formatted correctly: [Description](link). +#: actions/showgroup.php:481 #, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -4698,7 +4845,10 @@ msgid "" "of this group and many more! ([Read more](%%%%doc.help%%%%))" msgstr "" -#: actions/showgroup.php:467 +#. TRANS: Notice on group pages for anonymous users for StatusNet sites that accept no new registrations. +#. TRANS: **%s** is the group alias, %%%%site.name%%%% is the site name, +#. TRANS: This message contains Markdown links. Ensure they are formatted correctly: [Description](link). +#: actions/showgroup.php:491 #, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -4707,25 +4857,32 @@ msgid "" "their life and interests. " msgstr "" -#: actions/showgroup.php:495 +#. TRANS: Header for list of group administrators on a group page (h2). +#: actions/showgroup.php:520 #, fuzzy msgid "Admins" msgstr "Stjórnandi" -#: actions/showmessage.php:81 +#. TRANS: Client error displayed requesting a single message that does not exist. +#: actions/showmessage.php:79 msgid "No such message." msgstr "Engin þannig skilaboð." -#: actions/showmessage.php:98 +#. TRANS: Client error displayed requesting a single direct message the requesting user was not a party in. +#: actions/showmessage.php:97 msgid "Only the sender and recipient may read this message." msgstr "Aðeins sendandi og móttakandi geta lesið þessi skilaboð." -#: actions/showmessage.php:108 +#. TRANS: Page title for single direct message display when viewing user is the sender. +#. TRANS: %1$s is the addressed user's nickname, $2$s is a timestamp. +#: actions/showmessage.php:110 #, php-format msgid "Message to %1$s on %2$s" msgstr "Skilaboð til %1$s á %2$s" -#: actions/showmessage.php:113 +#. TRANS: Page title for single message display. +#. TRANS: %1$s is the sending user's nickname, $2$s is a timestamp. +#: actions/showmessage.php:118 #, php-format msgid "Message from %1$s on %2$s" msgstr "Skilaboð frá %1$s á %2$s" @@ -5172,12 +5329,14 @@ msgstr "" msgid "Save snapshot settings" msgstr "Stillingar fyrir mynd" -#: actions/subedit.php:70 +#. TRANS: Client error displayed trying a change a subscription for a non-subscribed profile. +#: actions/subedit.php:75 msgid "You are not subscribed to that profile." msgstr "Þú ert ekki áskrifandi." +#. TRANS: Server error displayed when updating a subscription fails with a database error. #. TRANS: Exception thrown when a subscription could not be stored on the server. -#: actions/subedit.php:83 classes/Subscription.php:136 +#: actions/subedit.php:89 classes/Subscription.php:136 msgid "Could not save subscription." msgstr "Gat ekki vistað áskrift." @@ -5990,12 +6149,12 @@ msgid "Welcome to %1$s, @%2$s!" msgstr "Skilaboð til %1$s á %2$s" #. TRANS: Server exception. -#: classes/User.php:902 +#: classes/User.php:912 msgid "No single user defined for single-user mode." msgstr "" #. TRANS: Server exception. -#: classes/User.php:906 +#: classes/User.php:916 msgid "Single-user mode code called when not enabled." msgstr "" @@ -7156,7 +7315,8 @@ msgstr "" msgid "FOAF" msgstr "" -#: lib/feedlist.php:65 +#. TRANS: Header for feed links (h2). +#: lib/feedlist.php:66 msgid "Feeds" msgstr "" @@ -7317,39 +7477,57 @@ msgstr "" msgid "Unsupported image file format." msgstr "Skráarsnið myndar ekki stutt." -#: lib/imagefile.php:88 +#. TRANS: Exception thrown when too large a file is uploaded. +#. TRANS: %s is the maximum file size, for example "500b", "10kB" or "2MB". +#: lib/imagefile.php:90 #, fuzzy, php-format msgid "That file is too big. The maximum file size is %s." msgstr "Þetta er of langt. Hámarkslengd babls er 140 tákn." -#: lib/imagefile.php:93 +#: lib/imagefile.php:95 msgid "Partial upload." msgstr "Upphal að hluta til." #. TRANS: Client exception thrown when a file upload operation has failed with an unknown reason. -#: lib/imagefile.php:101 lib/mediafile.php:179 +#: lib/imagefile.php:103 lib/mediafile.php:179 msgid "System error uploading file." msgstr "Kerfisvilla kom upp við upphal skráar." -#: lib/imagefile.php:109 +#: lib/imagefile.php:111 msgid "Not an image or corrupt file." msgstr "Annaðhvort ekki mynd eða þá að skráin er gölluð." -#: lib/imagefile.php:122 +#: lib/imagefile.php:124 msgid "Lost our file." msgstr "Týndum skránni okkar" -#: lib/imagefile.php:163 lib/imagefile.php:224 +#: lib/imagefile.php:165 lib/imagefile.php:226 msgid "Unknown file type" msgstr "Óþekkt skráargerð" -#: lib/imagefile.php:244 -msgid "MB" -msgstr "" +#. TRANS: Number of megabytes. %d is the number. +#: lib/imagefile.php:248 +#, php-format +msgid "%dMB" +msgid_plural "%dMB" +msgstr[0] "" +msgstr[1] "" -#: lib/imagefile.php:246 -msgid "kB" -msgstr "" +#. TRANS: Number of kilobytes. %d is the number. +#: lib/imagefile.php:252 +#, php-format +msgid "%dkB" +msgid_plural "%dkB" +msgstr[0] "" +msgstr[1] "" + +#. TRANS: Number of bytes. %d is the number. +#: lib/imagefile.php:255 +#, php-format +msgid "%dB" +msgid_plural "%dB" +msgstr[0] "" +msgstr[1] "" #: lib/jabber.php:387 #, php-format @@ -8161,6 +8339,13 @@ msgstr "Vill kom upp við að aflétta notendalokun." msgid "Top posters" msgstr "Aðalbablararnir" +#. TRANS: Title for the form to unblock a user. +#: lib/unblockform.php:67 +#, fuzzy +msgctxt "TITLE" +msgid "Unblock" +msgstr "Opna" + #: lib/unsandboxform.php:69 msgid "Unsandbox" msgstr "" @@ -8348,3 +8533,6 @@ msgstr "Engin persónuleg síða tilgreind" #, php-format msgid "%d entries in backup." msgstr "" + +#~ msgid "Description is too long (max %d chars)." +#~ msgstr "Staðsetning er of löng (í mesta lagi %d stafir)." diff --git a/locale/it/LC_MESSAGES/statusnet.po b/locale/it/LC_MESSAGES/statusnet.po index f7c8837312..8242d3244a 100644 --- a/locale/it/LC_MESSAGES/statusnet.po +++ b/locale/it/LC_MESSAGES/statusnet.po @@ -11,17 +11,17 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet - Core\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-10-27 23:43+0000\n" -"PO-Revision-Date: 2010-10-28 23:09:10+0000\n" +"POT-Creation-Date: 2010-10-30 23:18+0000\n" +"PO-Revision-Date: 2010-10-30 23:20:28+0000\n" "Language-Team: Italian \n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r75629); Translate extension (2010-09-17)\n" +"X-Generator: MediaWiki 1.17alpha (r75708); Translate extension (2010-09-17)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: it\n" "X-Message-Group: #out-statusnet-core\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-POT-Import-Date: 2010-10-28 00:13:15+0000\n" +"X-POT-Import-Date: 2010-10-30 09:48:40+0000\n" #. TRANS: Page title for Access admin panel that allows configuring site access. #. TRANS: Menu item for site administration @@ -119,6 +119,7 @@ msgstr "Pagina inesistente." #. TRANS: Client error displayed when requesting most recent dents by user and friends for a non-existing user. #. TRANS: Client error displayed when requesting most recent mentions for a non-existing user. #. TRANS: Client error displayed requesting most recent notices for a non-existing user. +#. TRANS: Client error displayed trying to get an avatar for a non-existing user. #. TRANS: Error text shown when trying to send a direct message to a user that does not exist. #: actions/all.php:80 actions/apiaccountupdatedeliverydevice.php:110 #: actions/apiaccountupdateprofile.php:103 @@ -131,7 +132,7 @@ msgstr "Pagina inesistente." #: actions/apistatusesupdate.php:230 actions/apisubscriptions.php:85 #: actions/apitimelinefavorites.php:70 actions/apitimelinefriends.php:173 #: actions/apitimelinehome.php:78 actions/apitimelinementions.php:77 -#: actions/apitimelineuser.php:79 actions/avatarbynickname.php:75 +#: actions/apitimelineuser.php:79 actions/avatarbynickname.php:79 #: 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 @@ -309,11 +310,12 @@ msgstr "Impossibile aggiornare l'utente." #. TRANS: Client error displayed a user has no profile updating profile colours. #. TRANS: Client error displayed if a user profile could not be found updating a profile image. #. TRANS: Client error displayed when requesting user information for a user without a profile. +#. TRANS: Client error displayed trying to get an avatar for a user without a profile. #: actions/apiaccountupdateprofile.php:111 #: actions/apiaccountupdateprofilebackgroundimage.php:199 #: actions/apiaccountupdateprofilecolors.php:183 #: actions/apiaccountupdateprofileimage.php:130 actions/apiusershow.php:108 -#: actions/avatarbynickname.php:80 actions/foaf.php:65 actions/hcard.php:74 +#: actions/avatarbynickname.php:85 actions/foaf.php:65 actions/hcard.php:74 #: actions/replies.php:80 actions/usergroups.php:100 lib/galleryaction.php:66 #: lib/profileaction.php:84 msgid "User has no profile." @@ -328,7 +330,7 @@ msgstr "Impossibile salvare il profilo." #. TRANS: %s is the number of bytes of the CONTENT_LENGTH. #: actions/apiaccountupdateprofilebackgroundimage.php:108 #: actions/apiaccountupdateprofileimage.php:95 actions/apimediaupload.php:81 -#: actions/apistatusesupdate.php:210 actions/avatarsettings.php:259 +#: actions/apistatusesupdate.php:210 actions/avatarsettings.php:269 #: actions/designadminpanel.php:125 actions/editapplication.php:121 #: actions/newapplication.php:104 actions/newnotice.php:95 #, fuzzy, php-format @@ -506,9 +508,11 @@ msgstr "Impossibile determinare l'utente sorgente." msgid "Could not find target user." msgstr "Impossibile trovare l'utente destinazione." +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. #. TRANS: Validation error in form for profile settings. -#: actions/apigroupcreate.php:165 actions/editgroup.php:186 -#: actions/newgroup.php:126 actions/profilesettings.php:243 +#: actions/apigroupcreate.php:165 actions/editgroup.php:191 +#: actions/newgroup.php:127 actions/profilesettings.php:243 #: actions/register.php:212 msgid "Nickname must have only lowercase letters and numbers and no spaces." msgstr "" @@ -516,35 +520,43 @@ msgstr "" "spazi." #. TRANS: Client error trying to create a group with a nickname this is already in use. +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. #. TRANS: Validation error in form for profile settings. -#: actions/apigroupcreate.php:175 actions/editgroup.php:190 -#: actions/newgroup.php:130 actions/profilesettings.php:277 +#: actions/apigroupcreate.php:175 actions/editgroup.php:196 +#: actions/newgroup.php:132 actions/profilesettings.php:277 #: actions/register.php:215 msgid "Nickname already in use. Try another one." msgstr "Soprannome già in uso. Prova con un altro." #. TRANS: Client error in form for group creation. +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. #. TRANS: Validation error in form for profile settings. -#: actions/apigroupcreate.php:183 actions/editgroup.php:193 -#: actions/newgroup.php:133 actions/profilesettings.php:247 +#: actions/apigroupcreate.php:183 actions/editgroup.php:200 +#: actions/newgroup.php:136 actions/profilesettings.php:247 #: actions/register.php:217 msgid "Not a valid nickname." msgstr "Non è un soprannome valido." #. TRANS: Client error in form for group creation. #. TRANS: Validation error shown when providing an invalid homepage URL in the "Edit application" form. +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. #. TRANS: Validation error in form for profile settings. #: actions/apigroupcreate.php:200 actions/editapplication.php:233 -#: actions/editgroup.php:199 actions/newapplication.php:211 -#: actions/newgroup.php:139 actions/profilesettings.php:252 +#: actions/editgroup.php:207 actions/newapplication.php:211 +#: actions/newgroup.php:143 actions/profilesettings.php:252 #: actions/register.php:224 msgid "Homepage is not a valid URL." msgstr "L'indirizzo della pagina web non è valido." #. TRANS: Client error in form for group creation. +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. #. TRANS: Validation error in form for profile settings. -#: actions/apigroupcreate.php:210 actions/editgroup.php:202 -#: actions/newgroup.php:142 actions/profilesettings.php:256 +#: actions/apigroupcreate.php:210 actions/editgroup.php:211 +#: actions/newgroup.php:147 actions/profilesettings.php:256 #: actions/register.php:227 #, fuzzy msgid "Full name is too long (maximum 255 characters)." @@ -553,10 +565,11 @@ msgstr "Nome troppo lungo (max 255 caratteri)." #. TRANS: Client error shown when providing too long a description during group creation. #. TRANS: %d is the maximum number of allowed characters. #. TRANS: Validation error shown when providing too long a description in the "Edit application" form. +#. TRANS: Group edit form validation error. #. TRANS: Form validation error in New application form. #. TRANS: %d is the maximum number of characters for the description. #: actions/apigroupcreate.php:220 actions/editapplication.php:201 -#: actions/newapplication.php:178 +#: actions/editgroup.php:216 actions/newapplication.php:178 #, fuzzy, php-format msgid "Description is too long (maximum %d character)." msgid_plural "Description is too long (maximum %d characters)." @@ -564,9 +577,11 @@ msgstr[0] "La descrizione è troppo lunga (max %d caratteri)." msgstr[1] "La descrizione è troppo lunga (max %d caratteri)." #. TRANS: Client error shown when providing too long a location during group creation. +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. #. TRANS: Validation error in form for profile settings. -#: actions/apigroupcreate.php:234 actions/editgroup.php:208 -#: actions/newgroup.php:153 actions/profilesettings.php:269 +#: actions/apigroupcreate.php:234 actions/editgroup.php:223 +#: actions/newgroup.php:159 actions/profilesettings.php:269 #: actions/register.php:236 #, fuzzy msgid "Location is too long (maximum 255 characters)." @@ -574,7 +589,12 @@ msgstr "Ubicazione troppo lunga (max 255 caratteri)." #. TRANS: Client error shown when providing too many aliases during group creation. #. TRANS: %d is the maximum number of allowed aliases. -#: actions/apigroupcreate.php:255 actions/newgroup.php:166 +#. TRANS: Group edit form validation error. +#. TRANS: %d is the maximum number of allowed aliases. +#. TRANS: Group create form validation error. +#. TRANS: %d is the maximum number of allowed aliases. +#: actions/apigroupcreate.php:255 actions/editgroup.php:236 +#: actions/newgroup.php:172 #, fuzzy, php-format msgid "Too many aliases! Maximum %d allowed." msgid_plural "Too many aliases! Maximum %d allowed." @@ -590,15 +610,19 @@ msgstr "Alias non valido: \"%s\"." #. TRANS: Client error displayed when trying to use an alias during group creation that is already in use. #. TRANS: %s is the alias that is already in use. -#: actions/apigroupcreate.php:291 actions/editgroup.php:232 -#: actions/newgroup.php:181 +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. +#: actions/apigroupcreate.php:291 actions/editgroup.php:253 +#: actions/newgroup.php:189 #, php-format msgid "Alias \"%s\" already in use. Try another one." msgstr "L'alias \"%s\" è già in uso. Prova con un altro." #. TRANS: Client error displayed when trying to use an alias during group creation that is the same as the group's nickname. -#: actions/apigroupcreate.php:305 actions/editgroup.php:238 -#: actions/newgroup.php:187 +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. +#: actions/apigroupcreate.php:305 actions/editgroup.php:260 +#: actions/newgroup.php:196 msgid "Alias can't be the same as nickname." msgstr "L'alias non può essere lo stesso del soprannome." @@ -704,18 +728,18 @@ msgid "Request token already authorized." msgstr "Autorizzazione non presente." #. TRANS: Form validation error in API OAuth authorisation because of an invalid session token. -#: actions/apioauthauthorize.php:147 actions/avatarsettings.php:270 +#: actions/apioauthauthorize.php:147 actions/avatarsettings.php:280 #: actions/deletenotice.php:172 actions/disfavor.php:74 #: actions/emailsettings.php:271 actions/favor.php:75 actions/geocode.php:55 #: actions/groupblock.php:66 actions/grouplogo.php:312 -#: actions/groupunblock.php:66 actions/imsettings.php:230 +#: actions/groupunblock.php:65 actions/imsettings.php:230 #: actions/invite.php:59 actions/login.php:137 actions/makeadmin.php:66 #: actions/newmessage.php:135 actions/newnotice.php:105 actions/nudge.php:80 #: actions/oauthappssettings.php:165 actions/oauthconnectionssettings.php:138 #: actions/othersettings.php:145 actions/passwordsettings.php:138 #: actions/profilesettings.php:221 actions/recoverpassword.php:350 #: actions/register.php:172 actions/remotesubscribe.php:77 -#: actions/repeat.php:83 actions/smssettings.php:256 actions/subedit.php:38 +#: actions/repeat.php:83 actions/smssettings.php:256 actions/subedit.php:40 #: actions/subscribe.php:86 actions/tagother.php:166 #: actions/unsubscribe.php:69 actions/userauthorization.php:52 #: lib/designsettings.php:294 @@ -735,12 +759,13 @@ msgid "Database error inserting oauth_token_association." msgstr "Errore nel database nell'inserire l'applicazione utente OAuth." #. TRANS: Client error given on when invalid data was passed through a form in the OAuth API. +#. TRANS: Unexpected validation error on avatar upload form. #. TRANS: Client error displayed submitting invalid form data for edit application. #. TRANS: Message given submitting a form with an unknown action in e-mail settings. #. TRANS: Message given submitting a form with an unknown action in IM settings. #. TRANS: Client error when submitting a form with unexpected information. #. TRANS: Message given submitting a form with an unknown action in SMS settings. -#: actions/apioauthauthorize.php:294 actions/avatarsettings.php:283 +#: actions/apioauthauthorize.php:294 actions/avatarsettings.php:294 #: actions/designadminpanel.php:104 actions/editapplication.php:144 #: actions/emailsettings.php:290 actions/grouplogo.php:322 #: actions/imsettings.php:245 actions/newapplication.php:125 @@ -795,6 +820,7 @@ msgstr "Account" #. TRANS: Field label on OAuth API authorisation form. #. TRANS: Field label in form for profile settings. +#. TRANS: Label for group nickname (dt). Text hidden by default. #: actions/apioauthauthorize.php:459 actions/login.php:252 #: actions/profilesettings.php:110 actions/register.php:433 #: actions/showgroup.php:245 actions/tagother.php:94 @@ -1047,105 +1073,139 @@ msgstr "Metodo delle API in lavorazione." msgid "User not found." msgstr "Metodo delle API non trovato." +#. TRANS: Client error displayed trying to get a non-existing attachment. #: actions/attachment.php:73 msgid "No such attachment." msgstr "Nessun allegato." -#: actions/avatarbynickname.php:59 actions/blockedfromgroup.php:73 -#: actions/editgroup.php:84 actions/groupdesignsettings.php:84 +#. TRANS: Client error displayed trying to get an avatar without providing a nickname. +#. TRANS: Client error displayed when requesting a list of blocked users for a group without providing a group nickname. +#. TRANS: Client error displayed trying to edit a group while not proving a nickname for the group to edit. +#. TRANS: Client error displayed if no nickname argument was given requesting a group page. +#: actions/avatarbynickname.php:60 actions/blockedfromgroup.php:73 +#: actions/editgroup.php:85 actions/groupdesignsettings.php:84 #: actions/grouplogo.php:86 actions/groupmembers.php:76 #: actions/grouprss.php:91 actions/showgroup.php:121 msgid "No nickname." msgstr "Nessun soprannome." -#: actions/avatarbynickname.php:64 +#. TRANS: Client error displayed trying to get an avatar without providing an avatar size. +#: actions/avatarbynickname.php:66 msgid "No size." msgstr "Nessuna dimensione." -#: actions/avatarbynickname.php:69 +#. TRANS: Client error displayed trying to get an avatar providing an invalid avatar size. +#: actions/avatarbynickname.php:72 msgid "Invalid size." msgstr "Dimensione non valida." +#. TRANS: Title for avatar upload page. +#. TRANS: Label for group avatar (dt). Text hidden by default. #. TRANS: Link description in user account settings menu. -#: actions/avatarsettings.php:67 actions/showgroup.php:230 +#: actions/avatarsettings.php:66 actions/showgroup.php:229 #: lib/accountsettingsaction.php:113 msgid "Avatar" msgstr "Immagine" +#. TRANS: Instruction for avatar upload page. +#. TRANS: %s is the maximum file size, for example "500b", "10kB" or "2MB". #: actions/avatarsettings.php:78 #, php-format msgid "You can upload your personal avatar. The maximum file size is %s." msgstr "" "Puoi caricare la tua immagine personale. La dimensione massima del file è %s." -#: actions/avatarsettings.php:106 actions/avatarsettings.php:185 +#. TRANS: Server error displayed in avatar upload page when no matching profile can be found for a user. +#: actions/avatarsettings.php:108 actions/avatarsettings.php:192 #: actions/grouplogo.php:181 actions/remotesubscribe.php:191 #: actions/userauthorization.php:72 actions/userrss.php:108 msgid "User without matching profile." msgstr "Utente senza profilo corrispondente." -#: actions/avatarsettings.php:119 actions/avatarsettings.php:197 +#. TRANS: Avatar upload page form legend. +#. TRANS: Avatar upload page crop form legend. +#: actions/avatarsettings.php:122 actions/avatarsettings.php:205 #: actions/grouplogo.php:254 msgid "Avatar settings" msgstr "Impostazioni immagine" -#: actions/avatarsettings.php:127 actions/avatarsettings.php:205 +#. TRANS: Header on avatar upload page for thumbnail of originally uploaded avatar (h2). +#. TRANS: Header on avatar upload crop form for thumbnail of originally uploaded avatar (h2). +#: actions/avatarsettings.php:131 actions/avatarsettings.php:214 #: actions/grouplogo.php:202 actions/grouplogo.php:262 msgid "Original" msgstr "Originale" -#: actions/avatarsettings.php:142 actions/avatarsettings.php:217 +#. TRANS: Header on avatar upload page for thumbnail of to be used rendition of uploaded avatar (h2). +#. TRANS: Header on avatar upload crop form for thumbnail of to be used rendition of uploaded avatar (h2). +#: actions/avatarsettings.php:147 actions/avatarsettings.php:227 #: actions/grouplogo.php:213 actions/grouplogo.php:274 msgid "Preview" msgstr "Anteprima" -#: actions/avatarsettings.php:149 actions/showapplication.php:252 -#: lib/deletegroupform.php:121 lib/deleteuserform.php:66 -#: lib/noticelist.php:667 +#. TRANS: Button on avatar upload page to delete current avatar. +#: actions/avatarsettings.php:155 +#, fuzzy +msgctxt "BUTTON" msgid "Delete" msgstr "Elimina" -#: actions/avatarsettings.php:166 actions/grouplogo.php:236 +#. TRANS: Button on avatar upload page to upload an avatar. +#: actions/avatarsettings.php:173 +#, fuzzy +msgctxt "BUTTON" msgid "Upload" msgstr "Carica" -#: actions/avatarsettings.php:231 actions/grouplogo.php:289 +#. TRANS: Button on avatar upload crop form to confirm a selected crop as avatar. +#: actions/avatarsettings.php:243 +#, fuzzy +msgctxt "BUTTON" msgid "Crop" msgstr "Ritaglia" -#: actions/avatarsettings.php:307 +#. TRANS: Validation error on avatar upload form when no file was uploaded. +#: actions/avatarsettings.php:318 msgid "No file uploaded." msgstr "Nessun file caricato." -#: actions/avatarsettings.php:334 +#. TRANS: Avatar upload form unstruction after uploading a file. +#: actions/avatarsettings.php:346 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:349 actions/grouplogo.php:380 +#. TRANS: Server error displayed if an avatar upload went wrong somehow server side. +#: actions/avatarsettings.php:361 actions/grouplogo.php:380 msgid "Lost our file data." msgstr "Perso il nostro file di dati." -#: actions/avatarsettings.php:372 +#: actions/avatarsettings.php:384 msgid "Avatar updated." msgstr "Immagine aggiornata." -#: actions/avatarsettings.php:375 +#. TRANS: Error displayed on the avatar upload page if the avatar could not be updated for an unknown reason. +#: actions/avatarsettings.php:388 msgid "Failed updating avatar." msgstr "Aggiornamento dell'immagine non riuscito." -#: actions/avatarsettings.php:399 +#. TRANS: Success message for deleting a user avatar. +#: actions/avatarsettings.php:412 msgid "Avatar deleted." msgstr "Immagine eliminata." -#: actions/block.php:69 +#. TRANS: Client error displayed when blocking a user that has already been blocked. +#: actions/block.php:68 msgid "You already blocked that user." msgstr "Hai già bloccato quell'utente." -#: actions/block.php:107 actions/block.php:136 actions/groupblock.php:158 +#. TRANS: Title for block user page. +#. TRANS: Legend for block user form. +#: actions/block.php:106 actions/block.php:136 actions/groupblock.php:158 msgid "Block user" msgstr "Blocca utente" -#: actions/block.php:138 +#. TRANS: Explanation of consequences when blocking a user on the block user page. +#: actions/block.php:139 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 " @@ -1161,7 +1221,7 @@ msgstr "" #. TRANS: Button label on the delete notice form. #. TRANS: Button label on the delete user form. #. TRANS: Button label on the form to block a user from a group. -#: actions/block.php:153 actions/deleteapplication.php:154 +#: actions/block.php:154 actions/deleteapplication.php:154 #: actions/deletegroup.php:220 actions/deletenotice.php:150 #: actions/deleteuser.php:152 actions/groupblock.php:178 msgctxt "BUTTON" @@ -1170,7 +1230,7 @@ msgstr "No" #. TRANS: Submit button title for 'No' when blocking a user. #. TRANS: Submit button title for 'No' when deleting a user. -#: actions/block.php:157 actions/deleteuser.php:156 +#: actions/block.php:158 actions/deleteuser.php:156 msgid "Do not block this user" msgstr "Non bloccare questo utente" @@ -1180,7 +1240,7 @@ msgstr "Non bloccare questo utente" #. TRANS: Button label on the delete notice form. #. TRANS: Button label on the delete user form. #. TRANS: Button label on the form to block a user from a group. -#: actions/block.php:160 actions/deleteapplication.php:161 +#: actions/block.php:161 actions/deleteapplication.php:161 #: actions/deletegroup.php:227 actions/deletenotice.php:157 #: actions/deleteuser.php:159 actions/groupblock.php:185 msgctxt "BUTTON" @@ -1189,90 +1249,111 @@ msgstr "Sì" #. TRANS: Submit button title for 'Yes' when blocking a user. #. TRANS: Description of the form to block a user. -#: actions/block.php:164 lib/blockform.php:79 +#: actions/block.php:165 lib/blockform.php:79 msgid "Block this user" msgstr "Blocca questo utente" -#: actions/block.php:187 +#. TRANS: Server error displayed when blocking a user fails. +#: actions/block.php:189 msgid "Failed to save block information." msgstr "Salvataggio delle informazioni per il blocco non riuscito." +#. TRANS: Client error displayed when requesting a list of blocked users for a non-local group. +#. TRANS: Client error displayed when requesting a list of blocked users for a non-existing group. #. TRANS: Client error when trying to delete a non-local group. #. TRANS: Client error when trying to delete a non-existing group. +#. TRANS: Client error displayed trying to edit a non-existing group. +#. TRANS: Client error displayed when trying to unblock a user from a non-existing group. +#. TRANS: Client error displayed if no remote group with a given name was found requesting group page. +#. TRANS: Client error displayed if no local group with a given name was found requesting group page. #. TRANS: Command exception text shown when a group is requested that does not exist. #. TRANS: Error text shown when trying to leave a group that does not exist. -#: actions/blockedfromgroup.php:80 actions/blockedfromgroup.php:87 +#: actions/blockedfromgroup.php:81 actions/blockedfromgroup.php:89 #: actions/deletegroup.php:87 actions/deletegroup.php:100 -#: actions/editgroup.php:100 actions/foafgroup.php:44 actions/foafgroup.php:62 +#: actions/editgroup.php:102 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/groupunblock.php:88 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:168 +#: actions/showgroup.php:139 actions/showgroup.php:148 lib/command.php:168 #: lib/command.php:380 msgid "No such group." msgstr "Nessuna gruppo." -#: actions/blockedfromgroup.php:97 +#. TRANS: Title for first page with list of users blocked from a group. +#. TRANS: %s is a group nickname. +#: actions/blockedfromgroup.php:101 #, php-format msgid "%s blocked profiles" msgstr "Profili bloccati di %s" -#: actions/blockedfromgroup.php:100 +#. TRANS: Title for any but the first page with list of users blocked from a group. +#. TRANS: %1$s is a group nickname, %2$d is a page number. +#: actions/blockedfromgroup.php:106 #, php-format msgid "%1$s blocked profiles, page %2$d" msgstr "Profili bloccati di %1$s, pagina %2$d" -#: actions/blockedfromgroup.php:115 +#. TRANS: Instructions for list of users blocked from a group. +#: actions/blockedfromgroup.php:122 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:288 +#. TRANS: Form legend for unblocking a user from a group. +#: actions/blockedfromgroup.php:291 msgid "Unblock user from group" msgstr "Sblocca l'utente dal gruppo" -#. TRANS: Title for the form to unblock a user. -#: actions/blockedfromgroup.php:320 lib/unblockform.php:70 +#. TRANS: Button text for unblocking a user from a group. +#: actions/blockedfromgroup.php:323 +#, fuzzy +msgctxt "BUTTON" msgid "Unblock" msgstr "Sblocca" +#. TRANS: Tooltip for button for unblocking a user from a group. #. TRANS: Description of the form to unblock a user. -#: actions/blockedfromgroup.php:320 lib/unblockform.php:82 +#: actions/blockedfromgroup.php:327 lib/unblockform.php:78 msgid "Unblock this user" msgstr "Sblocca questo utente" #. TRANS: Title for mini-posting window loaded from bookmarklet. +#. TRANS: %s is the StatusNet site name. #: actions/bookmarklet.php:51 #, php-format msgid "Post to %s" msgstr "Invia a %s" -#: actions/confirmaddress.php:75 +#. TRANS: Client error displayed when not providing a confirmation code in the contact address confirmation action. +#: actions/confirmaddress.php:74 msgid "No confirmation code." msgstr "Nessun codice di conferma." +#. TRANS: Client error displayed when providing a non-existing confirmation code in the contact address confirmation action. #: actions/confirmaddress.php:80 msgid "Confirmation code not found." msgstr "Codice di conferma non trovato." -#: actions/confirmaddress.php:85 +#. TRANS: Client error displayed when not providing a confirmation code for another user in the contact address confirmation action. +#: actions/confirmaddress.php:86 msgid "That confirmation code is not for you!" msgstr "Quel codice di conferma non è per te!" -#. TRANS: Server error for an unknow address type, which can be 'email', 'jabber', or 'sms'. -#: actions/confirmaddress.php:91 +#. TRANS: Server error for a unknow address type %s, which can be 'email', 'jabber', or 'sms'. +#: actions/confirmaddress.php:92 #, php-format msgid "Unrecognized address type %s." msgstr "Tipo di indirizzo %s non riconosciuto." -#. TRANS: Client error for an already confirmed email/jabbel/sms address. -#: actions/confirmaddress.php:96 +#. TRANS: Client error for an already confirmed email/jabber/sms address. +#: actions/confirmaddress.php:97 msgid "That address has already been confirmed." msgstr "Quell'indirizzo è già stato confermato." +#. TRANS: Server error displayed when a user update to the database fails in the contact address confirmation action. #. TRANS: Server error thrown on database error updating e-mail preferences. #. TRANS: Server error thrown on database error removing a registered e-mail address. #. TRANS: Server error thrown on database error updating IM preferences. @@ -1280,7 +1361,7 @@ msgstr "Quell'indirizzo è già stato confermato." #. TRANS: Server error thrown when user profile settings could not be updated. #. TRANS: Server error thrown on database error updating SMS preferences. #. TRANS: Server error thrown on database error removing a registered SMS phone number. -#: actions/confirmaddress.php:116 actions/emailsettings.php:331 +#: actions/confirmaddress.php:118 actions/emailsettings.php:331 #: actions/emailsettings.php:477 actions/imsettings.php:283 #: actions/imsettings.php:442 actions/othersettings.php:174 #: actions/profilesettings.php:326 actions/smssettings.php:308 @@ -1288,27 +1369,32 @@ msgstr "Quell'indirizzo è già stato confermato." msgid "Couldn't update user." msgstr "Impossibile aggiornare l'utente." -#. TRANS: Server error thrown on database error canceling e-mail address confirmation. -#. TRANS: Server error thrown on database error canceling SMS phone number confirmation. -#: actions/confirmaddress.php:128 actions/emailsettings.php:437 -#: actions/smssettings.php:422 -msgid "Couldn't delete email confirmation." -msgstr "Impossibile eliminare l'email di conferma." +#. TRANS: Server error displayed when an address confirmation code deletion from the +#. TRANS: database fails in the contact address confirmation action. +#: actions/confirmaddress.php:132 +#, fuzzy +msgid "Could not delete address confirmation." +msgstr "Impossibile eliminare la conferma della messaggistica." -#: actions/confirmaddress.php:146 +#. TRANS: Title for the contact address confirmation action. +#: actions/confirmaddress.php:150 msgid "Confirm address" msgstr "Conferma indirizzo" -#: actions/confirmaddress.php:161 +#. TRANS: Success message for the contact address confirmation action. +#. TRANS: %s can be 'email', 'jabber', or 'sms'. +#: actions/confirmaddress.php:166 #, php-format msgid "The address \"%s\" has been confirmed for your account." msgstr "L'indirizzo \"%s\" è stato confermato per il tuo account." -#: actions/conversation.php:99 +#. TRANS: Title for page with a conversion (multiple notices in context). +#: actions/conversation.php:96 msgid "Conversation" msgstr "Conversazione" -#: actions/conversation.php:154 lib/mailbox.php:116 lib/noticelist.php:87 +#. TRANS: Header on conversation page. Hidden by default (h2). +#: actions/conversation.php:149 lib/mailbox.php:116 lib/noticelist.php:87 #: lib/profileaction.php:229 lib/searchgroupnav.php:82 msgid "Notices" msgstr "Messaggi" @@ -1418,11 +1504,13 @@ msgstr "Non eliminare il messaggio" msgid "Delete this group" msgstr "Elimina questo utente" +#. TRANS: Client error displayed when trying to unblock a user from a group while not logged in. +#. TRANS: Client error displayed trying a change a subscription while not logged in. #. TRANS: Client error message thrown when trying to access the admin panel while not logged in. #: actions/deletenotice.php:50 actions/disfavor.php:61 actions/favor.php:62 -#: actions/groupblock.php:61 actions/groupunblock.php:61 actions/logout.php:69 +#: actions/groupblock.php:61 actions/groupunblock.php:60 actions/logout.php:69 #: actions/makeadmin.php:61 actions/newmessage.php:87 actions/newnotice.php:88 -#: actions/nudge.php:63 actions/subedit.php:31 actions/subscribe.php:96 +#: actions/nudge.php:63 actions/subedit.php:33 actions/subscribe.php:96 #: actions/tagother.php:33 actions/unsubscribe.php:52 #: lib/adminpanelaction.php:71 lib/profileformaction.php:64 #: lib/settingsaction.php:72 @@ -1726,49 +1814,49 @@ msgstr "L'URL di callback non è valido." msgid "Could not update application." msgstr "Impossibile aggiornare l'applicazione." -#: actions/editgroup.php:56 +#. TRANS: Title for form to edit a group. %s is a group nickname. +#: actions/editgroup.php:55 #, php-format msgid "Edit %s group" msgstr "Modifica il gruppo %s" +#. TRANS: Client error displayed trying to edit a group while not logged in. +#. TRANS: Client error displayed trying to create a group while not logged in. #: actions/editgroup.php:68 actions/grouplogo.php:70 actions/newgroup.php:65 msgid "You must be logged in to create a group." msgstr "Devi eseguire l'accesso per creare un gruppo." -#: actions/editgroup.php:107 actions/editgroup.php:172 +#. TRANS: Client error displayed trying to edit a group while not being a group admin. +#: actions/editgroup.php:110 actions/editgroup.php:176 #: 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:158 +#. TRANS: Form instructions for group edit form. +#: actions/editgroup.php:161 msgid "Use this form to edit the group." msgstr "Usa questo modulo per modificare il gruppo." -#: actions/editgroup.php:205 -#, php-format -msgid "Description is too long (max %d chars)." -msgstr "La descrizione è troppo lunga (max %d caratteri)." - -#: actions/editgroup.php:219 -#, php-format -msgid "Too many aliases! Maximum %d." -msgstr "Troppi alias! Massimo %d." - -#: actions/editgroup.php:228 actions/newgroup.php:177 +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. +#: actions/editgroup.php:248 actions/newgroup.php:184 #, php-format msgid "Invalid alias: \"%s\"" msgstr "Alias non valido: \"%s\"" -#: actions/editgroup.php:258 +#. TRANS: Server error displayed when editing a group fails. +#: actions/editgroup.php:281 msgid "Could not update group." msgstr "Impossibile aggiornare il gruppo." +#. TRANS: Server error displayed when group aliases could not be added. #. TRANS: Server exception thrown when creating group aliases failed. -#: actions/editgroup.php:264 classes/User_group.php:513 +#: actions/editgroup.php:288 classes/User_group.php:513 msgid "Could not create aliases." msgstr "Impossibile creare gli alias." -#: actions/editgroup.php:280 +#. TRANS: Group edit form success message. +#: actions/editgroup.php:305 msgid "Options saved." msgstr "Opzioni salvate." @@ -1964,6 +2052,12 @@ msgstr "Nessuna conferma da annullare." msgid "That is the wrong email address." msgstr "Quello è l'indirizzo email sbagliato." +#. TRANS: Server error thrown on database error canceling e-mail address confirmation. +#. TRANS: Server error thrown on database error canceling SMS phone number confirmation. +#: actions/emailsettings.php:437 actions/smssettings.php:422 +msgid "Couldn't delete email confirmation." +msgstr "Impossibile eliminare l'email di conferma." + #. TRANS: Message given after successfully canceling e-mail address confirmation. #: actions/emailsettings.php:442 msgid "Email confirmation cancelled." @@ -2144,19 +2238,23 @@ msgstr "Non puoi concedere i ruoli agli utenti su questo sito." msgid "User already has this role." msgstr "L'utente ricopre già questo ruolo." +#. TRANS: Client error displayed when trying to unblock a user from a group without providing a profile. +#. TRANS: Client error displayed trying a change a subscription without providing a profile. #: actions/groupblock.php:71 actions/groupunblock.php:71 -#: actions/makeadmin.php:71 actions/subedit.php:46 +#: actions/makeadmin.php:71 actions/subedit.php:49 #: lib/profileformaction.php:79 msgid "No profile specified." msgstr "Nessun profilo specificato." -#: actions/groupblock.php:76 actions/groupunblock.php:76 -#: actions/makeadmin.php:76 actions/subedit.php:53 actions/tagother.php:46 +#. TRANS: Client error displayed when trying to unblock a user from a group without providing an existing profile. +#. TRANS: Client error displayed trying a change a subscription for a non-existant profile ID. +#: actions/groupblock.php:76 actions/groupunblock.php:77 +#: actions/makeadmin.php:76 actions/subedit.php:57 actions/tagother.php:46 #: actions/unsubscribe.php:84 lib/profileformaction.php:86 msgid "No profile with that ID." msgstr "Nessun profilo con quel ID." -#: actions/groupblock.php:81 actions/groupunblock.php:81 +#: actions/groupblock.php:81 actions/groupunblock.php:82 #: actions/makeadmin.php:81 msgid "No group specified." msgstr "Nessun gruppo specificato." @@ -2243,6 +2341,14 @@ msgstr "" "Puoi caricare un'immagine per il logo del tuo gruppo. La dimensione massima " "del file è di %s." +#: actions/grouplogo.php:236 +msgid "Upload" +msgstr "Carica" + +#: actions/grouplogo.php:289 +msgid "Crop" +msgstr "Ritaglia" + #: 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." @@ -2385,15 +2491,18 @@ msgstr "" "Perché non [crei un account](%%action.register%%) e [crei tu il gruppo](%%" "action.newgroup%%)!" -#: actions/groupunblock.php:91 +#. TRANS: Client error displayed when trying to unblock a user from a group without being an administrator for the group. +#: actions/groupunblock.php:94 msgid "Only an admin can unblock group members." msgstr "Solo gli amministratori possono sbloccare i membri del gruppo." -#: actions/groupunblock.php:95 +#. TRANS: Client error displayed when trying to unblock a non-blocked user from a group. +#: actions/groupunblock.php:99 msgid "User is not blocked from group." msgstr "L'utente non è bloccato dal gruppo." -#: actions/groupunblock.php:128 actions/unblock.php:86 +#. TRANS: Server error displayed when unblocking a user from a group fails because of an unknown error. +#: actions/groupunblock.php:131 actions/unblock.php:86 msgid "Error removing the block." msgstr "Errore nel rimuovere il blocco." @@ -2989,10 +3098,12 @@ msgstr "L'organizzazione è troppo lunga (max 255 caratteri)." msgid "Could not create application." msgstr "Impossibile creare l'applicazione." +#. TRANS: Title for form to create a group. #: actions/newgroup.php:53 msgid "New group" msgstr "Nuovo gruppo" +#. TRANS: Form instructions for group create form. #: actions/newgroup.php:110 msgid "Use this form to create a new group." msgstr "Usa questo modulo per creare un nuovo gruppo." @@ -3700,8 +3811,9 @@ msgstr "" "1-64 lettere minuscole o numeri, senza spazi o simboli di punteggiatura" #. TRANS: Field label in form for profile settings. +#. TRANS: Label for full group name (dt). Text hidden by default. #: actions/profilesettings.php:117 actions/register.php:457 -#: actions/showgroup.php:256 actions/tagother.php:104 +#: actions/showgroup.php:257 actions/tagother.php:104 #: lib/groupeditform.php:157 lib/userprofile.php:150 msgid "Full name" msgstr "Nome" @@ -3741,8 +3853,9 @@ msgid "Bio" msgstr "Biografia" #. TRANS: Field label in form for profile settings. +#. TRANS: Label for group location (dt). Text hidden by default. #: actions/profilesettings.php:149 actions/register.php:485 -#: actions/showgroup.php:265 actions/tagother.php:112 +#: actions/showgroup.php:267 actions/tagother.php:112 #: actions/userauthorization.php:166 lib/groupeditform.php:177 #: lib/userprofile.php:165 msgid "Location" @@ -4462,7 +4575,8 @@ msgstr "Organizzazione" msgid "Description" msgstr "Descrizione" -#: actions/showapplication.php:192 actions/showgroup.php:442 +#. TRANS: Header for group statistics on a group page (h2). +#: actions/showapplication.php:192 actions/showgroup.php:453 #: lib/profileaction.php:187 msgid "Statistics" msgstr "Statistiche" @@ -4480,6 +4594,11 @@ msgstr "Azioni applicazione" msgid "Reset key & secret" msgstr "Reimposta chiave e segreto" +#: actions/showapplication.php:252 lib/deletegroupform.php:121 +#: lib/deleteuserform.php:66 lib/noticelist.php:667 +msgid "Delete" +msgstr "Elimina" + #: actions/showapplication.php:261 msgid "Application info" msgstr "Informazioni applicazione" @@ -4571,77 +4690,106 @@ msgstr "" msgid "This is a way to share what you like." msgstr "Questo è un modo per condividere ciò che ti piace." -#: actions/showgroup.php:82 +#. TRANS: Page title for first group page. %s is a group name. +#: actions/showgroup.php:80 #, php-format msgid "%s group" msgstr "Gruppo %s" +#. TRANS: Page title for any but first group page. +#. TRANS: %1$s is a group name, $2$s is a page number. #: actions/showgroup.php:84 #, php-format msgid "%1$s group, page %2$d" msgstr "Gruppi di %1$s, pagina %2$d" -#: actions/showgroup.php:227 +#. TRANS: Group profile header (h2). Text hidden by default. +#: actions/showgroup.php:225 msgid "Group profile" msgstr "Profilo del gruppo" -#: actions/showgroup.php:272 actions/tagother.php:118 +#. TRANS: Label for group URL (dt). Text hidden by default. +#: actions/showgroup.php:275 actions/tagother.php:118 #: actions/userauthorization.php:175 lib/userprofile.php:178 msgid "URL" msgstr "URL" -#: actions/showgroup.php:283 actions/tagother.php:128 +#. TRANS: Label for group description or group note (dt). Text hidden by default. +#: actions/showgroup.php:287 actions/tagother.php:128 #: actions/userauthorization.php:187 lib/userprofile.php:195 msgid "Note" msgstr "Nota" -#: actions/showgroup.php:293 lib/groupeditform.php:184 +#. TRANS: Label for group aliases (dt). Text hidden by default. +#: actions/showgroup.php:298 lib/groupeditform.php:184 msgid "Aliases" msgstr "Alias" -#: actions/showgroup.php:302 +#. TRANS: Group actions header (h2). Text hidden by default. +#: actions/showgroup.php:309 msgid "Group actions" msgstr "Azioni dei gruppi" -#: actions/showgroup.php:344 +#. TRANS: Tooltip for feed link. %s is a group nickname. +#: actions/showgroup.php:350 #, 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:350 +#. TRANS: Tooltip for feed link. %s is a group nickname. +#: actions/showgroup.php:357 #, 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:356 +#. TRANS: Tooltip for feed link. %s is a group nickname. +#: actions/showgroup.php:364 #, php-format msgid "Notice feed for %s group (Atom)" msgstr "Feed dei messaggi per il gruppo %s (Atom)" -#: actions/showgroup.php:361 +#. TRANS: Tooltip for feed link. %s is a group nickname. +#: actions/showgroup.php:370 #, php-format msgid "FOAF for %s group" msgstr "FOAF per il gruppo %s" -#: actions/showgroup.php:399 actions/showgroup.php:451 +#. TRANS: Header for mini list of group members on a group page (h2). +#: actions/showgroup.php:407 msgid "Members" msgstr "Membri" -#: actions/showgroup.php:404 lib/profileaction.php:117 +#. TRANS: Description for mini list of group members on a group page when the group has no members. +#: actions/showgroup.php:413 lib/profileaction.php:117 #: lib/profileaction.php:152 lib/profileaction.php:255 lib/section.php:95 #: lib/subscriptionlist.php:127 lib/tagcloudsection.php:71 msgid "(None)" msgstr "(nessuno)" -#: actions/showgroup.php:410 +#. TRANS: Link to all group members from mini list of group members if group has more than n members. +#: actions/showgroup.php:422 msgid "All members" msgstr "Tutti i membri" -#: actions/showgroup.php:445 +#. TRANS: Label for creation date in statistics on group page. +#: actions/showgroup.php:458 +#, fuzzy +msgctxt "LABEL" msgid "Created" msgstr "Creato" -#: actions/showgroup.php:461 +#. TRANS: Label for member count in statistics on group page. +#: actions/showgroup.php:466 +#, fuzzy +msgctxt "LABEL" +msgid "Members" +msgstr "Membri" + +#. TRANS: Notice on group pages for anonymous users for StatusNet sites that accept new registrations. +#. TRANS: **%s** is the group alias, %%%%site.name%%%% is the site name, +#. TRANS: %%%%action.register%%%% is the URL for registration, %%%%doc.help%%%% is a URL to help. +#. TRANS: This message contains Markdown links. Ensure they are formatted correctly: [Description](link). +#: actions/showgroup.php:481 #, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -4657,7 +4805,10 @@ msgstr "" "stesso](%%%%action.register%%%%) per far parte di questo gruppo e di molti " "altri! ([Maggiori informazioni](%%%%doc.help%%%%))" -#: actions/showgroup.php:467 +#. TRANS: Notice on group pages for anonymous users for StatusNet sites that accept no new registrations. +#. TRANS: **%s** is the group alias, %%%%site.name%%%% is the site name, +#. TRANS: This message contains Markdown links. Ensure they are formatted correctly: [Description](link). +#: actions/showgroup.php:491 #, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -4669,24 +4820,31 @@ msgstr "" "(http://it.wikipedia.org/wiki/Microblogging) basato sul software libero " "[StatusNet](http://status.net/)." -#: actions/showgroup.php:495 +#. TRANS: Header for list of group administrators on a group page (h2). +#: actions/showgroup.php:520 msgid "Admins" msgstr "Amministratori" -#: actions/showmessage.php:81 +#. TRANS: Client error displayed requesting a single message that does not exist. +#: actions/showmessage.php:79 msgid "No such message." msgstr "Nessun messaggio." -#: actions/showmessage.php:98 +#. TRANS: Client error displayed requesting a single direct message the requesting user was not a party in. +#: actions/showmessage.php:97 msgid "Only the sender and recipient may read this message." msgstr "Solo mittente e destinatario possono leggere questo messaggio." -#: actions/showmessage.php:108 +#. TRANS: Page title for single direct message display when viewing user is the sender. +#. TRANS: %1$s is the addressed user's nickname, $2$s is a timestamp. +#: actions/showmessage.php:110 #, php-format msgid "Message to %1$s on %2$s" msgstr "Messaggio a %1$s su %2$s" -#: actions/showmessage.php:113 +#. TRANS: Page title for single message display. +#. TRANS: %1$s is the sending user's nickname, $2$s is a timestamp. +#: actions/showmessage.php:118 #, php-format msgid "Message from %1$s on %2$s" msgstr "Messaggio da %1$s su %2$s" @@ -5131,12 +5289,14 @@ msgstr "Gli snapshot verranno inviati a questo URL" msgid "Save snapshot settings" msgstr "Salva impostazioni snapshot" -#: actions/subedit.php:70 +#. TRANS: Client error displayed trying a change a subscription for a non-subscribed profile. +#: actions/subedit.php:75 msgid "You are not subscribed to that profile." msgstr "Non hai una abbonamento a quel profilo." +#. TRANS: Server error displayed when updating a subscription fails with a database error. #. TRANS: Exception thrown when a subscription could not be stored on the server. -#: actions/subedit.php:83 classes/Subscription.php:136 +#: actions/subedit.php:89 classes/Subscription.php:136 msgid "Could not save subscription." msgstr "Impossibile salvare l'abbonamento." @@ -5952,12 +6112,12 @@ msgid "Welcome to %1$s, @%2$s!" msgstr "Benvenuti su %1$s, @%2$s!" #. TRANS: Server exception. -#: classes/User.php:902 +#: classes/User.php:912 msgid "No single user defined for single-user mode." msgstr "Nessun utente singolo definito per la modalità single-user." #. TRANS: Server exception. -#: classes/User.php:906 +#: classes/User.php:916 msgid "Single-user mode code called when not enabled." msgstr "" @@ -7132,7 +7292,8 @@ msgstr "Atom" msgid "FOAF" msgstr "FOAF" -#: lib/feedlist.php:65 +#. TRANS: Header for feed links (h2). +#: lib/feedlist.php:66 msgid "Feeds" msgstr "Feed" @@ -7292,39 +7453,57 @@ msgstr "Questa pagina non è disponibile in un tipo di supporto che tu accetti" msgid "Unsupported image file format." msgstr "Formato file immagine non supportato." -#: lib/imagefile.php:88 +#. TRANS: Exception thrown when too large a file is uploaded. +#. TRANS: %s is the maximum file size, for example "500b", "10kB" or "2MB". +#: lib/imagefile.php:90 #, php-format msgid "That file is too big. The maximum file size is %s." msgstr "Quel file è troppo grande. La dimensione massima è %s." -#: lib/imagefile.php:93 +#: lib/imagefile.php:95 msgid "Partial upload." msgstr "Caricamento parziale." #. TRANS: Client exception thrown when a file upload operation has failed with an unknown reason. -#: lib/imagefile.php:101 lib/mediafile.php:179 +#: lib/imagefile.php:103 lib/mediafile.php:179 msgid "System error uploading file." msgstr "Errore di sistema nel caricare il file." -#: lib/imagefile.php:109 +#: lib/imagefile.php:111 msgid "Not an image or corrupt file." msgstr "Non è un'immagine o il file è danneggiato." -#: lib/imagefile.php:122 +#: lib/imagefile.php:124 msgid "Lost our file." msgstr "Perso il nostro file." -#: lib/imagefile.php:163 lib/imagefile.php:224 +#: lib/imagefile.php:165 lib/imagefile.php:226 msgid "Unknown file type" msgstr "Tipo di file sconosciuto" -#: lib/imagefile.php:244 -msgid "MB" -msgstr "MB" +#. TRANS: Number of megabytes. %d is the number. +#: lib/imagefile.php:248 +#, fuzzy, php-format +msgid "%dMB" +msgid_plural "%dMB" +msgstr[0] "MB" +msgstr[1] "MB" -#: lib/imagefile.php:246 -msgid "kB" -msgstr "kB" +#. TRANS: Number of kilobytes. %d is the number. +#: lib/imagefile.php:252 +#, fuzzy, php-format +msgid "%dkB" +msgid_plural "%dkB" +msgstr[0] "kB" +msgstr[1] "kB" + +#. TRANS: Number of bytes. %d is the number. +#: lib/imagefile.php:255 +#, php-format +msgid "%dB" +msgid_plural "%dB" +msgstr[0] "" +msgstr[1] "" #: lib/jabber.php:387 #, php-format @@ -8225,6 +8404,13 @@ msgstr "Errore nell'aprire il file del tema." msgid "Top posters" msgstr "Chi scrive più messaggi" +#. TRANS: Title for the form to unblock a user. +#: lib/unblockform.php:67 +#, fuzzy +msgctxt "TITLE" +msgid "Unblock" +msgstr "Sblocca" + #: lib/unsandboxform.php:69 msgid "Unsandbox" msgstr "Unsandbox" @@ -8404,3 +8590,9 @@ msgstr "Nessun utente specificato: viene usato l'utente di backup." #, php-format msgid "%d entries in backup." msgstr "%d voci nel backup." + +#~ msgid "Description is too long (max %d chars)." +#~ msgstr "La descrizione è troppo lunga (max %d caratteri)." + +#~ msgid "Too many aliases! Maximum %d." +#~ msgstr "Troppi alias! Massimo %d." diff --git a/locale/ja/LC_MESSAGES/statusnet.po b/locale/ja/LC_MESSAGES/statusnet.po index 37b1dea63c..e6b3fb238b 100644 --- a/locale/ja/LC_MESSAGES/statusnet.po +++ b/locale/ja/LC_MESSAGES/statusnet.po @@ -12,17 +12,17 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet - Core\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-10-27 23:43+0000\n" -"PO-Revision-Date: 2010-10-28 23:09:15+0000\n" +"POT-Creation-Date: 2010-10-30 23:18+0000\n" +"PO-Revision-Date: 2010-10-30 23:20:30+0000\n" "Language-Team: Japanese \n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r75629); Translate extension (2010-09-17)\n" +"X-Generator: MediaWiki 1.17alpha (r75708); Translate extension (2010-09-17)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: ja\n" "X-Message-Group: #out-statusnet-core\n" "Plural-Forms: nplurals=1; plural=0;\n" -"X-POT-Import-Date: 2010-10-28 00:13:15+0000\n" +"X-POT-Import-Date: 2010-10-30 09:48:40+0000\n" #. TRANS: Page title for Access admin panel that allows configuring site access. #. TRANS: Menu item for site administration @@ -119,6 +119,7 @@ msgstr "そのようなタグはありません。" #. TRANS: Client error displayed when requesting most recent dents by user and friends for a non-existing user. #. TRANS: Client error displayed when requesting most recent mentions for a non-existing user. #. TRANS: Client error displayed requesting most recent notices for a non-existing user. +#. TRANS: Client error displayed trying to get an avatar for a non-existing user. #. TRANS: Error text shown when trying to send a direct message to a user that does not exist. #: actions/all.php:80 actions/apiaccountupdatedeliverydevice.php:110 #: actions/apiaccountupdateprofile.php:103 @@ -131,7 +132,7 @@ msgstr "そのようなタグはありません。" #: actions/apistatusesupdate.php:230 actions/apisubscriptions.php:85 #: actions/apitimelinefavorites.php:70 actions/apitimelinefriends.php:173 #: actions/apitimelinehome.php:78 actions/apitimelinementions.php:77 -#: actions/apitimelineuser.php:79 actions/avatarbynickname.php:75 +#: actions/apitimelineuser.php:79 actions/avatarbynickname.php:79 #: 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 @@ -310,11 +311,12 @@ msgstr "ユーザを更新できませんでした。" #. TRANS: Client error displayed a user has no profile updating profile colours. #. TRANS: Client error displayed if a user profile could not be found updating a profile image. #. TRANS: Client error displayed when requesting user information for a user without a profile. +#. TRANS: Client error displayed trying to get an avatar for a user without a profile. #: actions/apiaccountupdateprofile.php:111 #: actions/apiaccountupdateprofilebackgroundimage.php:199 #: actions/apiaccountupdateprofilecolors.php:183 #: actions/apiaccountupdateprofileimage.php:130 actions/apiusershow.php:108 -#: actions/avatarbynickname.php:80 actions/foaf.php:65 actions/hcard.php:74 +#: actions/avatarbynickname.php:85 actions/foaf.php:65 actions/hcard.php:74 #: actions/replies.php:80 actions/usergroups.php:100 lib/galleryaction.php:66 #: lib/profileaction.php:84 msgid "User has no profile." @@ -329,7 +331,7 @@ msgstr "プロフィールを保存できませんでした。" #. TRANS: %s is the number of bytes of the CONTENT_LENGTH. #: actions/apiaccountupdateprofilebackgroundimage.php:108 #: actions/apiaccountupdateprofileimage.php:95 actions/apimediaupload.php:81 -#: actions/apistatusesupdate.php:210 actions/avatarsettings.php:259 +#: actions/apistatusesupdate.php:210 actions/avatarsettings.php:269 #: actions/designadminpanel.php:125 actions/editapplication.php:121 #: actions/newapplication.php:104 actions/newnotice.php:95 #, fuzzy, php-format @@ -504,9 +506,11 @@ msgstr "ソースユーザーを決定できません。" msgid "Could not find target user." msgstr "ターゲットユーザーを見つけられません。" +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. #. TRANS: Validation error in form for profile settings. -#: actions/apigroupcreate.php:165 actions/editgroup.php:186 -#: actions/newgroup.php:126 actions/profilesettings.php:243 +#: actions/apigroupcreate.php:165 actions/editgroup.php:191 +#: actions/newgroup.php:127 actions/profilesettings.php:243 #: actions/register.php:212 msgid "Nickname must have only lowercase letters and numbers and no spaces." msgstr "" @@ -514,35 +518,43 @@ msgstr "" "できません。" #. TRANS: Client error trying to create a group with a nickname this is already in use. +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. #. TRANS: Validation error in form for profile settings. -#: actions/apigroupcreate.php:175 actions/editgroup.php:190 -#: actions/newgroup.php:130 actions/profilesettings.php:277 +#: actions/apigroupcreate.php:175 actions/editgroup.php:196 +#: actions/newgroup.php:132 actions/profilesettings.php:277 #: actions/register.php:215 msgid "Nickname already in use. Try another one." msgstr "そのニックネームは既に使用されています。他のものを試してみて下さい。" #. TRANS: Client error in form for group creation. +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. #. TRANS: Validation error in form for profile settings. -#: actions/apigroupcreate.php:183 actions/editgroup.php:193 -#: actions/newgroup.php:133 actions/profilesettings.php:247 +#: actions/apigroupcreate.php:183 actions/editgroup.php:200 +#: actions/newgroup.php:136 actions/profilesettings.php:247 #: actions/register.php:217 msgid "Not a valid nickname." msgstr "有効なニックネームではありません。" #. TRANS: Client error in form for group creation. #. TRANS: Validation error shown when providing an invalid homepage URL in the "Edit application" form. +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. #. TRANS: Validation error in form for profile settings. #: actions/apigroupcreate.php:200 actions/editapplication.php:233 -#: actions/editgroup.php:199 actions/newapplication.php:211 -#: actions/newgroup.php:139 actions/profilesettings.php:252 +#: actions/editgroup.php:207 actions/newapplication.php:211 +#: actions/newgroup.php:143 actions/profilesettings.php:252 #: actions/register.php:224 msgid "Homepage is not a valid URL." msgstr "ホームページのURLが不適切です。" #. TRANS: Client error in form for group creation. +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. #. TRANS: Validation error in form for profile settings. -#: actions/apigroupcreate.php:210 actions/editgroup.php:202 -#: actions/newgroup.php:142 actions/profilesettings.php:256 +#: actions/apigroupcreate.php:210 actions/editgroup.php:211 +#: actions/newgroup.php:147 actions/profilesettings.php:256 #: actions/register.php:227 #, fuzzy msgid "Full name is too long (maximum 255 characters)." @@ -551,19 +563,22 @@ msgstr "フルネームが長すぎます。(255字まで)" #. TRANS: Client error shown when providing too long a description during group creation. #. TRANS: %d is the maximum number of allowed characters. #. TRANS: Validation error shown when providing too long a description in the "Edit application" form. +#. TRANS: Group edit form validation error. #. TRANS: Form validation error in New application form. #. TRANS: %d is the maximum number of characters for the description. #: actions/apigroupcreate.php:220 actions/editapplication.php:201 -#: actions/newapplication.php:178 +#: actions/editgroup.php:216 actions/newapplication.php:178 #, fuzzy, php-format msgid "Description is too long (maximum %d character)." msgid_plural "Description is too long (maximum %d characters)." msgstr[0] "記述が長すぎます。(最長%d字)" #. TRANS: Client error shown when providing too long a location during group creation. +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. #. TRANS: Validation error in form for profile settings. -#: actions/apigroupcreate.php:234 actions/editgroup.php:208 -#: actions/newgroup.php:153 actions/profilesettings.php:269 +#: actions/apigroupcreate.php:234 actions/editgroup.php:223 +#: actions/newgroup.php:159 actions/profilesettings.php:269 #: actions/register.php:236 #, fuzzy msgid "Location is too long (maximum 255 characters)." @@ -571,7 +586,12 @@ msgstr "場所が長すぎます。(255字まで)" #. TRANS: Client error shown when providing too many aliases during group creation. #. TRANS: %d is the maximum number of allowed aliases. -#: actions/apigroupcreate.php:255 actions/newgroup.php:166 +#. TRANS: Group edit form validation error. +#. TRANS: %d is the maximum number of allowed aliases. +#. TRANS: Group create form validation error. +#. TRANS: %d is the maximum number of allowed aliases. +#: actions/apigroupcreate.php:255 actions/editgroup.php:236 +#: actions/newgroup.php:172 #, fuzzy, php-format msgid "Too many aliases! Maximum %d allowed." msgid_plural "Too many aliases! Maximum %d allowed." @@ -586,15 +606,19 @@ msgstr "不正な別名: \"%s\"" #. TRANS: Client error displayed when trying to use an alias during group creation that is already in use. #. TRANS: %s is the alias that is already in use. -#: actions/apigroupcreate.php:291 actions/editgroup.php:232 -#: actions/newgroup.php:181 +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. +#: actions/apigroupcreate.php:291 actions/editgroup.php:253 +#: actions/newgroup.php:189 #, php-format msgid "Alias \"%s\" already in use. Try another one." msgstr "別名 \"%s\" は既に使用されています。他のものを試してみて下さい。" #. TRANS: Client error displayed when trying to use an alias during group creation that is the same as the group's nickname. -#: actions/apigroupcreate.php:305 actions/editgroup.php:238 -#: actions/newgroup.php:187 +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. +#: actions/apigroupcreate.php:305 actions/editgroup.php:260 +#: actions/newgroup.php:196 msgid "Alias can't be the same as nickname." msgstr "別名はニックネームと同じではいけません。" @@ -701,18 +725,18 @@ msgid "Request token already authorized." msgstr "認証されていません。" #. TRANS: Form validation error in API OAuth authorisation because of an invalid session token. -#: actions/apioauthauthorize.php:147 actions/avatarsettings.php:270 +#: actions/apioauthauthorize.php:147 actions/avatarsettings.php:280 #: actions/deletenotice.php:172 actions/disfavor.php:74 #: actions/emailsettings.php:271 actions/favor.php:75 actions/geocode.php:55 #: actions/groupblock.php:66 actions/grouplogo.php:312 -#: actions/groupunblock.php:66 actions/imsettings.php:230 +#: actions/groupunblock.php:65 actions/imsettings.php:230 #: actions/invite.php:59 actions/login.php:137 actions/makeadmin.php:66 #: actions/newmessage.php:135 actions/newnotice.php:105 actions/nudge.php:80 #: actions/oauthappssettings.php:165 actions/oauthconnectionssettings.php:138 #: actions/othersettings.php:145 actions/passwordsettings.php:138 #: actions/profilesettings.php:221 actions/recoverpassword.php:350 #: actions/register.php:172 actions/remotesubscribe.php:77 -#: actions/repeat.php:83 actions/smssettings.php:256 actions/subedit.php:38 +#: actions/repeat.php:83 actions/smssettings.php:256 actions/subedit.php:40 #: actions/subscribe.php:86 actions/tagother.php:166 #: actions/unsubscribe.php:69 actions/userauthorization.php:52 #: lib/designsettings.php:294 @@ -731,12 +755,13 @@ msgid "Database error inserting oauth_token_association." msgstr "OAuth アプリケーションユーザの追加時DBエラー。" #. TRANS: Client error given on when invalid data was passed through a form in the OAuth API. +#. TRANS: Unexpected validation error on avatar upload form. #. TRANS: Client error displayed submitting invalid form data for edit application. #. TRANS: Message given submitting a form with an unknown action in e-mail settings. #. TRANS: Message given submitting a form with an unknown action in IM settings. #. TRANS: Client error when submitting a form with unexpected information. #. TRANS: Message given submitting a form with an unknown action in SMS settings. -#: actions/apioauthauthorize.php:294 actions/avatarsettings.php:283 +#: actions/apioauthauthorize.php:294 actions/avatarsettings.php:294 #: actions/designadminpanel.php:104 actions/editapplication.php:144 #: actions/emailsettings.php:290 actions/grouplogo.php:322 #: actions/imsettings.php:245 actions/newapplication.php:125 @@ -785,6 +810,7 @@ msgstr "アカウント" #. TRANS: Field label on OAuth API authorisation form. #. TRANS: Field label in form for profile settings. +#. TRANS: Label for group nickname (dt). Text hidden by default. #: actions/apioauthauthorize.php:459 actions/login.php:252 #: actions/profilesettings.php:110 actions/register.php:433 #: actions/showgroup.php:245 actions/tagother.php:94 @@ -1035,105 +1061,139 @@ msgstr "API メソッドが工事中です。" msgid "User not found." msgstr "API メソッドが見つかりません。" +#. TRANS: Client error displayed trying to get a non-existing attachment. #: actions/attachment.php:73 msgid "No such attachment." msgstr "そのような添付はありません。" -#: actions/avatarbynickname.php:59 actions/blockedfromgroup.php:73 -#: actions/editgroup.php:84 actions/groupdesignsettings.php:84 +#. TRANS: Client error displayed trying to get an avatar without providing a nickname. +#. TRANS: Client error displayed when requesting a list of blocked users for a group without providing a group nickname. +#. TRANS: Client error displayed trying to edit a group while not proving a nickname for the group to edit. +#. TRANS: Client error displayed if no nickname argument was given requesting a group page. +#: actions/avatarbynickname.php:60 actions/blockedfromgroup.php:73 +#: actions/editgroup.php:85 actions/groupdesignsettings.php:84 #: actions/grouplogo.php:86 actions/groupmembers.php:76 #: actions/grouprss.php:91 actions/showgroup.php:121 msgid "No nickname." msgstr "ニックネームがありません。" -#: actions/avatarbynickname.php:64 +#. TRANS: Client error displayed trying to get an avatar without providing an avatar size. +#: actions/avatarbynickname.php:66 msgid "No size." msgstr "サイズがありません。" -#: actions/avatarbynickname.php:69 +#. TRANS: Client error displayed trying to get an avatar providing an invalid avatar size. +#: actions/avatarbynickname.php:72 msgid "Invalid size." msgstr "不正なサイズ。" +#. TRANS: Title for avatar upload page. +#. TRANS: Label for group avatar (dt). Text hidden by default. #. TRANS: Link description in user account settings menu. -#: actions/avatarsettings.php:67 actions/showgroup.php:230 +#: actions/avatarsettings.php:66 actions/showgroup.php:229 #: lib/accountsettingsaction.php:113 msgid "Avatar" msgstr "アバター" +#. TRANS: Instruction for avatar upload page. +#. TRANS: %s is the maximum file size, for example "500b", "10kB" or "2MB". #: actions/avatarsettings.php:78 #, php-format msgid "You can upload your personal avatar. The maximum file size is %s." msgstr "自分のアバターをアップロードできます。最大サイズは%sです。" -#: actions/avatarsettings.php:106 actions/avatarsettings.php:185 +#. TRANS: Server error displayed in avatar upload page when no matching profile can be found for a user. +#: actions/avatarsettings.php:108 actions/avatarsettings.php:192 #: actions/grouplogo.php:181 actions/remotesubscribe.php:191 #: actions/userauthorization.php:72 actions/userrss.php:108 msgid "User without matching profile." msgstr "合っているプロフィールのないユーザ" -#: actions/avatarsettings.php:119 actions/avatarsettings.php:197 +#. TRANS: Avatar upload page form legend. +#. TRANS: Avatar upload page crop form legend. +#: actions/avatarsettings.php:122 actions/avatarsettings.php:205 #: actions/grouplogo.php:254 msgid "Avatar settings" msgstr "アバター設定" -#: actions/avatarsettings.php:127 actions/avatarsettings.php:205 +#. TRANS: Header on avatar upload page for thumbnail of originally uploaded avatar (h2). +#. TRANS: Header on avatar upload crop form for thumbnail of originally uploaded avatar (h2). +#: actions/avatarsettings.php:131 actions/avatarsettings.php:214 #: actions/grouplogo.php:202 actions/grouplogo.php:262 msgid "Original" msgstr "オリジナル" -#: actions/avatarsettings.php:142 actions/avatarsettings.php:217 +#. TRANS: Header on avatar upload page for thumbnail of to be used rendition of uploaded avatar (h2). +#. TRANS: Header on avatar upload crop form for thumbnail of to be used rendition of uploaded avatar (h2). +#: actions/avatarsettings.php:147 actions/avatarsettings.php:227 #: actions/grouplogo.php:213 actions/grouplogo.php:274 msgid "Preview" msgstr "プレビュー" -#: actions/avatarsettings.php:149 actions/showapplication.php:252 -#: lib/deletegroupform.php:121 lib/deleteuserform.php:66 -#: lib/noticelist.php:667 +#. TRANS: Button on avatar upload page to delete current avatar. +#: actions/avatarsettings.php:155 +#, fuzzy +msgctxt "BUTTON" msgid "Delete" msgstr "削除" -#: actions/avatarsettings.php:166 actions/grouplogo.php:236 +#. TRANS: Button on avatar upload page to upload an avatar. +#: actions/avatarsettings.php:173 +#, fuzzy +msgctxt "BUTTON" msgid "Upload" msgstr "アップロード" -#: actions/avatarsettings.php:231 actions/grouplogo.php:289 +#. TRANS: Button on avatar upload crop form to confirm a selected crop as avatar. +#: actions/avatarsettings.php:243 +#, fuzzy +msgctxt "BUTTON" msgid "Crop" msgstr "切り取り" -#: actions/avatarsettings.php:307 +#. TRANS: Validation error on avatar upload form when no file was uploaded. +#: actions/avatarsettings.php:318 #, fuzzy msgid "No file uploaded." msgstr "プロファイル記述がありません。" -#: actions/avatarsettings.php:334 +#. TRANS: Avatar upload form unstruction after uploading a file. +#: actions/avatarsettings.php:346 msgid "Pick a square area of the image to be your avatar" msgstr "あなたのアバターとなるイメージを正方形で指定" -#: actions/avatarsettings.php:349 actions/grouplogo.php:380 +#. TRANS: Server error displayed if an avatar upload went wrong somehow server side. +#: actions/avatarsettings.php:361 actions/grouplogo.php:380 msgid "Lost our file data." msgstr "ファイルデータを紛失しました。" -#: actions/avatarsettings.php:372 +#: actions/avatarsettings.php:384 msgid "Avatar updated." msgstr "アバターが更新されました。" -#: actions/avatarsettings.php:375 +#. TRANS: Error displayed on the avatar upload page if the avatar could not be updated for an unknown reason. +#: actions/avatarsettings.php:388 msgid "Failed updating avatar." msgstr "アバターの更新に失敗しました。" -#: actions/avatarsettings.php:399 +#. TRANS: Success message for deleting a user avatar. +#: actions/avatarsettings.php:412 msgid "Avatar deleted." msgstr "アバターが削除されました。" -#: actions/block.php:69 +#. TRANS: Client error displayed when blocking a user that has already been blocked. +#: actions/block.php:68 msgid "You already blocked that user." msgstr "そのユーザはすでにブロック済みです。" -#: actions/block.php:107 actions/block.php:136 actions/groupblock.php:158 +#. TRANS: Title for block user page. +#. TRANS: Legend for block user form. +#: actions/block.php:106 actions/block.php:136 actions/groupblock.php:158 msgid "Block user" msgstr "ユーザをブロック" -#: actions/block.php:138 +#. TRANS: Explanation of consequences when blocking a user on the block user page. +#: actions/block.php:139 #, fuzzy msgid "" "Are you sure you want to block this user? Afterwards, they will be " @@ -1150,7 +1210,7 @@ msgstr "" #. TRANS: Button label on the delete notice form. #. TRANS: Button label on the delete user form. #. TRANS: Button label on the form to block a user from a group. -#: actions/block.php:153 actions/deleteapplication.php:154 +#: actions/block.php:154 actions/deleteapplication.php:154 #: actions/deletegroup.php:220 actions/deletenotice.php:150 #: actions/deleteuser.php:152 actions/groupblock.php:178 msgctxt "BUTTON" @@ -1159,7 +1219,7 @@ msgstr "ノート" #. TRANS: Submit button title for 'No' when blocking a user. #. TRANS: Submit button title for 'No' when deleting a user. -#: actions/block.php:157 actions/deleteuser.php:156 +#: actions/block.php:158 actions/deleteuser.php:156 msgid "Do not block this user" msgstr "このユーザをアンブロックする" @@ -1169,7 +1229,7 @@ msgstr "このユーザをアンブロックする" #. TRANS: Button label on the delete notice form. #. TRANS: Button label on the delete user form. #. TRANS: Button label on the form to block a user from a group. -#: actions/block.php:160 actions/deleteapplication.php:161 +#: actions/block.php:161 actions/deleteapplication.php:161 #: actions/deletegroup.php:227 actions/deletenotice.php:157 #: actions/deleteuser.php:159 actions/groupblock.php:185 #, fuzzy @@ -1179,90 +1239,111 @@ msgstr "Yes" #. TRANS: Submit button title for 'Yes' when blocking a user. #. TRANS: Description of the form to block a user. -#: actions/block.php:164 lib/blockform.php:79 +#: actions/block.php:165 lib/blockform.php:79 msgid "Block this user" msgstr "このユーザをブロックする" -#: actions/block.php:187 +#. TRANS: Server error displayed when blocking a user fails. +#: actions/block.php:189 msgid "Failed to save block information." msgstr "ブロック情報の保存に失敗しました。" +#. TRANS: Client error displayed when requesting a list of blocked users for a non-local group. +#. TRANS: Client error displayed when requesting a list of blocked users for a non-existing group. #. TRANS: Client error when trying to delete a non-local group. #. TRANS: Client error when trying to delete a non-existing group. +#. TRANS: Client error displayed trying to edit a non-existing group. +#. TRANS: Client error displayed when trying to unblock a user from a non-existing group. +#. TRANS: Client error displayed if no remote group with a given name was found requesting group page. +#. TRANS: Client error displayed if no local group with a given name was found requesting group page. #. TRANS: Command exception text shown when a group is requested that does not exist. #. TRANS: Error text shown when trying to leave a group that does not exist. -#: actions/blockedfromgroup.php:80 actions/blockedfromgroup.php:87 +#: actions/blockedfromgroup.php:81 actions/blockedfromgroup.php:89 #: actions/deletegroup.php:87 actions/deletegroup.php:100 -#: actions/editgroup.php:100 actions/foafgroup.php:44 actions/foafgroup.php:62 +#: actions/editgroup.php:102 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/groupunblock.php:88 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:168 +#: actions/showgroup.php:139 actions/showgroup.php:148 lib/command.php:168 #: lib/command.php:380 msgid "No such group." msgstr "そのようなグループはありません。" -#: actions/blockedfromgroup.php:97 +#. TRANS: Title for first page with list of users blocked from a group. +#. TRANS: %s is a group nickname. +#: actions/blockedfromgroup.php:101 #, php-format msgid "%s blocked profiles" msgstr "%s ブロックされたプロファイル" -#: actions/blockedfromgroup.php:100 +#. TRANS: Title for any but the first page with list of users blocked from a group. +#. TRANS: %1$s is a group nickname, %2$d is a page number. +#: actions/blockedfromgroup.php:106 #, php-format msgid "%1$s blocked profiles, page %2$d" msgstr "%1$s ブロックされたプロファイル、ページ %2$d" -#: actions/blockedfromgroup.php:115 +#. TRANS: Instructions for list of users blocked from a group. +#: actions/blockedfromgroup.php:122 msgid "A list of the users blocked from joining this group." msgstr "このグループへの参加をブロックされたユーザのリスト。" -#: actions/blockedfromgroup.php:288 +#. TRANS: Form legend for unblocking a user from a group. +#: actions/blockedfromgroup.php:291 msgid "Unblock user from group" msgstr "グループからのアンブロックユーザ" -#. TRANS: Title for the form to unblock a user. -#: actions/blockedfromgroup.php:320 lib/unblockform.php:70 +#. TRANS: Button text for unblocking a user from a group. +#: actions/blockedfromgroup.php:323 +#, fuzzy +msgctxt "BUTTON" msgid "Unblock" msgstr "アンブロック" +#. TRANS: Tooltip for button for unblocking a user from a group. #. TRANS: Description of the form to unblock a user. -#: actions/blockedfromgroup.php:320 lib/unblockform.php:82 +#: actions/blockedfromgroup.php:327 lib/unblockform.php:78 msgid "Unblock this user" msgstr "このユーザをアンブロックする" #. TRANS: Title for mini-posting window loaded from bookmarklet. +#. TRANS: %s is the StatusNet site name. #: actions/bookmarklet.php:51 #, php-format msgid "Post to %s" msgstr "%s 上のグループ" -#: actions/confirmaddress.php:75 +#. TRANS: Client error displayed when not providing a confirmation code in the contact address confirmation action. +#: actions/confirmaddress.php:74 msgid "No confirmation code." msgstr "確認コードがありません。" +#. TRANS: Client error displayed when providing a non-existing confirmation code in the contact address confirmation action. #: actions/confirmaddress.php:80 msgid "Confirmation code not found." msgstr "確認コードが見つかりません。" -#: actions/confirmaddress.php:85 +#. TRANS: Client error displayed when not providing a confirmation code for another user in the contact address confirmation action. +#: actions/confirmaddress.php:86 msgid "That confirmation code is not for you!" msgstr "その確認コードはあなたのものではありません!" -#. TRANS: Server error for an unknow address type, which can be 'email', 'jabber', or 'sms'. -#: actions/confirmaddress.php:91 +#. TRANS: Server error for a unknow address type %s, which can be 'email', 'jabber', or 'sms'. +#: actions/confirmaddress.php:92 #, fuzzy, php-format msgid "Unrecognized address type %s." msgstr "不明なアドレスタイプ %s" -#. TRANS: Client error for an already confirmed email/jabbel/sms address. -#: actions/confirmaddress.php:96 +#. TRANS: Client error for an already confirmed email/jabber/sms address. +#: actions/confirmaddress.php:97 msgid "That address has already been confirmed." msgstr "そのアドレスは既に承認されています。" +#. TRANS: Server error displayed when a user update to the database fails in the contact address confirmation action. #. TRANS: Server error thrown on database error updating e-mail preferences. #. TRANS: Server error thrown on database error removing a registered e-mail address. #. TRANS: Server error thrown on database error updating IM preferences. @@ -1270,7 +1351,7 @@ msgstr "そのアドレスは既に承認されています。" #. TRANS: Server error thrown when user profile settings could not be updated. #. TRANS: Server error thrown on database error updating SMS preferences. #. TRANS: Server error thrown on database error removing a registered SMS phone number. -#: actions/confirmaddress.php:116 actions/emailsettings.php:331 +#: actions/confirmaddress.php:118 actions/emailsettings.php:331 #: actions/emailsettings.php:477 actions/imsettings.php:283 #: actions/imsettings.php:442 actions/othersettings.php:174 #: actions/profilesettings.php:326 actions/smssettings.php:308 @@ -1278,27 +1359,32 @@ msgstr "そのアドレスは既に承認されています。" msgid "Couldn't update user." msgstr "ユーザを更新できません" -#. TRANS: Server error thrown on database error canceling e-mail address confirmation. -#. TRANS: Server error thrown on database error canceling SMS phone number confirmation. -#: actions/confirmaddress.php:128 actions/emailsettings.php:437 -#: actions/smssettings.php:422 -msgid "Couldn't delete email confirmation." +#. TRANS: Server error displayed when an address confirmation code deletion from the +#. TRANS: database fails in the contact address confirmation action. +#: actions/confirmaddress.php:132 +#, fuzzy +msgid "Could not delete address confirmation." msgstr "メール承認を削除できません" -#: actions/confirmaddress.php:146 +#. TRANS: Title for the contact address confirmation action. +#: actions/confirmaddress.php:150 msgid "Confirm address" msgstr "アドレスの確認" -#: actions/confirmaddress.php:161 +#. TRANS: Success message for the contact address confirmation action. +#. TRANS: %s can be 'email', 'jabber', or 'sms'. +#: actions/confirmaddress.php:166 #, php-format msgid "The address \"%s\" has been confirmed for your account." msgstr "アドレス \"%s\" はあなたのアカウントとして承認されています。" -#: actions/conversation.php:99 +#. TRANS: Title for page with a conversion (multiple notices in context). +#: actions/conversation.php:96 msgid "Conversation" msgstr "会話" -#: actions/conversation.php:154 lib/mailbox.php:116 lib/noticelist.php:87 +#. TRANS: Header on conversation page. Hidden by default (h2). +#: actions/conversation.php:149 lib/mailbox.php:116 lib/noticelist.php:87 #: lib/profileaction.php:229 lib/searchgroupnav.php:82 msgid "Notices" msgstr "つぶやき" @@ -1410,11 +1496,13 @@ msgstr "このつぶやきを削除できません。" msgid "Delete this group" msgstr "このユーザを削除" +#. TRANS: Client error displayed when trying to unblock a user from a group while not logged in. +#. TRANS: Client error displayed trying a change a subscription while not logged in. #. TRANS: Client error message thrown when trying to access the admin panel while not logged in. #: actions/deletenotice.php:50 actions/disfavor.php:61 actions/favor.php:62 -#: actions/groupblock.php:61 actions/groupunblock.php:61 actions/logout.php:69 +#: actions/groupblock.php:61 actions/groupunblock.php:60 actions/logout.php:69 #: actions/makeadmin.php:61 actions/newmessage.php:87 actions/newnotice.php:88 -#: actions/nudge.php:63 actions/subedit.php:31 actions/subscribe.php:96 +#: actions/nudge.php:63 actions/subedit.php:33 actions/subscribe.php:96 #: actions/tagother.php:33 actions/unsubscribe.php:52 #: lib/adminpanelaction.php:71 lib/profileformaction.php:64 #: lib/settingsaction.php:72 @@ -1719,49 +1807,49 @@ msgstr "コールバックURLが不正です。" msgid "Could not update application." msgstr "アプリケーションを更新できません。" -#: actions/editgroup.php:56 +#. TRANS: Title for form to edit a group. %s is a group nickname. +#: actions/editgroup.php:55 #, php-format msgid "Edit %s group" msgstr "%s グループを編集" +#. TRANS: Client error displayed trying to edit a group while not logged in. +#. TRANS: Client error displayed trying to create a group while not logged in. #: actions/editgroup.php:68 actions/grouplogo.php:70 actions/newgroup.php:65 msgid "You must be logged in to create a group." msgstr "グループを作るにはログインしていなければなりません。" -#: actions/editgroup.php:107 actions/editgroup.php:172 +#. TRANS: Client error displayed trying to edit a group while not being a group admin. +#: actions/editgroup.php:110 actions/editgroup.php:176 #: actions/groupdesignsettings.php:107 actions/grouplogo.php:109 msgid "You must be an admin to edit the group." msgstr "グループを編集するには管理者である必要があります。" -#: actions/editgroup.php:158 +#. TRANS: Form instructions for group edit form. +#: actions/editgroup.php:161 msgid "Use this form to edit the group." msgstr "このフォームを使ってグループを編集します。" -#: actions/editgroup.php:205 -#, php-format -msgid "Description is too long (max %d chars)." -msgstr "記述が長すぎます。(最長%d字)" - -#: actions/editgroup.php:219 -#, php-format -msgid "Too many aliases! Maximum %d." -msgstr "別名が多すぎます! 最大 %d。" - -#: actions/editgroup.php:228 actions/newgroup.php:177 +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. +#: actions/editgroup.php:248 actions/newgroup.php:184 #, php-format msgid "Invalid alias: \"%s\"" msgstr "不正な別名: \"%s\"" -#: actions/editgroup.php:258 +#. TRANS: Server error displayed when editing a group fails. +#: actions/editgroup.php:281 msgid "Could not update group." msgstr "グループを更新できません。" +#. TRANS: Server error displayed when group aliases could not be added. #. TRANS: Server exception thrown when creating group aliases failed. -#: actions/editgroup.php:264 classes/User_group.php:513 +#: actions/editgroup.php:288 classes/User_group.php:513 msgid "Could not create aliases." msgstr "別名を作成できません。" -#: actions/editgroup.php:280 +#. TRANS: Group edit form success message. +#: actions/editgroup.php:305 msgid "Options saved." msgstr "オプションが保存されました。" @@ -1960,6 +2048,12 @@ msgstr "承認待ちのものはありません。" msgid "That is the wrong email address." msgstr "その IM アドレスは不正です。" +#. TRANS: Server error thrown on database error canceling e-mail address confirmation. +#. TRANS: Server error thrown on database error canceling SMS phone number confirmation. +#: actions/emailsettings.php:437 actions/smssettings.php:422 +msgid "Couldn't delete email confirmation." +msgstr "メール承認を削除できません" + #. TRANS: Message given after successfully canceling e-mail address confirmation. #: actions/emailsettings.php:442 msgid "Email confirmation cancelled." @@ -2145,19 +2239,23 @@ msgstr "あなたはこのサイトのサンドボックスユーザができま msgid "User already has this role." msgstr "ユーザは既に黙っています。" +#. TRANS: Client error displayed when trying to unblock a user from a group without providing a profile. +#. TRANS: Client error displayed trying a change a subscription without providing a profile. #: actions/groupblock.php:71 actions/groupunblock.php:71 -#: actions/makeadmin.php:71 actions/subedit.php:46 +#: actions/makeadmin.php:71 actions/subedit.php:49 #: lib/profileformaction.php:79 msgid "No profile specified." msgstr "プロファイル記述がありません。" -#: actions/groupblock.php:76 actions/groupunblock.php:76 -#: actions/makeadmin.php:76 actions/subedit.php:53 actions/tagother.php:46 +#. TRANS: Client error displayed when trying to unblock a user from a group without providing an existing profile. +#. TRANS: Client error displayed trying a change a subscription for a non-existant profile ID. +#: actions/groupblock.php:76 actions/groupunblock.php:77 +#: actions/makeadmin.php:76 actions/subedit.php:57 actions/tagother.php:46 #: actions/unsubscribe.php:84 lib/profileformaction.php:86 msgid "No profile with that ID." msgstr "そのIDのプロファイルがありません。" -#: actions/groupblock.php:81 actions/groupunblock.php:81 +#: actions/groupblock.php:81 actions/groupunblock.php:82 #: actions/makeadmin.php:81 msgid "No group specified." msgstr "グループ記述がありません。" @@ -2243,6 +2341,14 @@ msgstr "" "あなたのグループ用にロゴイメージをアップロードできます。最大ファイルサイズは " "%s。" +#: actions/grouplogo.php:236 +msgid "Upload" +msgstr "アップロード" + +#: actions/grouplogo.php:289 +msgid "Crop" +msgstr "切り取り" + #: actions/grouplogo.php:365 msgid "Pick a square area of the image to be the logo." msgstr "ロゴとなるイメージの正方形を選択。" @@ -2385,15 +2491,18 @@ msgstr "" "なぜ[アカウント登録](%%action.register%%) や [グループ作成](%%action.newgroup" "%%) しないのか!" -#: actions/groupunblock.php:91 +#. TRANS: Client error displayed when trying to unblock a user from a group without being an administrator for the group. +#: actions/groupunblock.php:94 msgid "Only an admin can unblock group members." msgstr "管理者だけがグループメンバーをアンブロックできます。" -#: actions/groupunblock.php:95 +#. TRANS: Client error displayed when trying to unblock a non-blocked user from a group. +#: actions/groupunblock.php:99 msgid "User is not blocked from group." msgstr "ユーザはグループからブロックされていません。" -#: actions/groupunblock.php:128 actions/unblock.php:86 +#. TRANS: Server error displayed when unblocking a user from a group fails because of an unknown error. +#: actions/groupunblock.php:131 actions/unblock.php:86 msgid "Error removing the block." msgstr "ブロックの削除エラー" @@ -2983,10 +3092,12 @@ msgstr "組織が長すぎます。(最大255字)" msgid "Could not create application." msgstr "アプリケーションを作成できません。" +#. TRANS: Title for form to create a group. #: actions/newgroup.php:53 msgid "New group" msgstr "新しいグループ" +#. TRANS: Form instructions for group create form. #: actions/newgroup.php:110 msgid "Use this form to create a new group." msgstr "このフォームを使って新しいグループを作成します。" @@ -3692,8 +3803,9 @@ msgid "1-64 lowercase letters or numbers, no punctuation or spaces." msgstr "1-64文字の、小文字アルファベットか数字で、スペースや句読点は除く" #. TRANS: Field label in form for profile settings. +#. TRANS: Label for full group name (dt). Text hidden by default. #: actions/profilesettings.php:117 actions/register.php:457 -#: actions/showgroup.php:256 actions/tagother.php:104 +#: actions/showgroup.php:257 actions/tagother.php:104 #: lib/groupeditform.php:157 lib/userprofile.php:150 msgid "Full name" msgstr "フルネーム" @@ -3732,8 +3844,9 @@ msgid "Bio" msgstr "自己紹介" #. TRANS: Field label in form for profile settings. +#. TRANS: Label for group location (dt). Text hidden by default. #: actions/profilesettings.php:149 actions/register.php:485 -#: actions/showgroup.php:265 actions/tagother.php:112 +#: actions/showgroup.php:267 actions/tagother.php:112 #: actions/userauthorization.php:166 lib/groupeditform.php:177 #: lib/userprofile.php:165 msgid "Location" @@ -4451,7 +4564,8 @@ msgstr "組織" msgid "Description" msgstr "概要" -#: actions/showapplication.php:192 actions/showgroup.php:442 +#. TRANS: Header for group statistics on a group page (h2). +#: actions/showapplication.php:192 actions/showgroup.php:453 #: lib/profileaction.php:187 msgid "Statistics" msgstr "統計データ" @@ -4469,6 +4583,11 @@ msgstr "アプリケーションアクション" msgid "Reset key & secret" msgstr "key と secret のリセット" +#: actions/showapplication.php:252 lib/deletegroupform.php:121 +#: lib/deleteuserform.php:66 lib/noticelist.php:667 +msgid "Delete" +msgstr "削除" + #: actions/showapplication.php:261 msgid "Application info" msgstr "アプリケーション情報" @@ -4562,77 +4681,106 @@ msgstr "" msgid "This is a way to share what you like." msgstr "これは、あなたが好きなことを共有する方法です。" -#: actions/showgroup.php:82 +#. TRANS: Page title for first group page. %s is a group name. +#: actions/showgroup.php:80 #, php-format msgid "%s group" msgstr "%s グループ" +#. TRANS: Page title for any but first group page. +#. TRANS: %1$s is a group name, $2$s is a page number. #: actions/showgroup.php:84 #, php-format msgid "%1$s group, page %2$d" msgstr "%1$s グループ、ページ %2$d" -#: actions/showgroup.php:227 +#. TRANS: Group profile header (h2). Text hidden by default. +#: actions/showgroup.php:225 msgid "Group profile" msgstr "グループプロファイル" -#: actions/showgroup.php:272 actions/tagother.php:118 +#. TRANS: Label for group URL (dt). Text hidden by default. +#: actions/showgroup.php:275 actions/tagother.php:118 #: actions/userauthorization.php:175 lib/userprofile.php:178 msgid "URL" msgstr "URL" -#: actions/showgroup.php:283 actions/tagother.php:128 +#. TRANS: Label for group description or group note (dt). Text hidden by default. +#: actions/showgroup.php:287 actions/tagother.php:128 #: actions/userauthorization.php:187 lib/userprofile.php:195 msgid "Note" msgstr "ノート" -#: actions/showgroup.php:293 lib/groupeditform.php:184 +#. TRANS: Label for group aliases (dt). Text hidden by default. +#: actions/showgroup.php:298 lib/groupeditform.php:184 msgid "Aliases" msgstr "別名" -#: actions/showgroup.php:302 +#. TRANS: Group actions header (h2). Text hidden by default. +#: actions/showgroup.php:309 msgid "Group actions" msgstr "グループアクション" -#: actions/showgroup.php:344 +#. TRANS: Tooltip for feed link. %s is a group nickname. +#: actions/showgroup.php:350 #, php-format msgid "Notice feed for %s group (RSS 1.0)" msgstr "%s グループのつぶやきフィード (RSS 1.0)" -#: actions/showgroup.php:350 +#. TRANS: Tooltip for feed link. %s is a group nickname. +#: actions/showgroup.php:357 #, php-format msgid "Notice feed for %s group (RSS 2.0)" msgstr "%s グループのつぶやきフィード (RSS 2.0)" -#: actions/showgroup.php:356 +#. TRANS: Tooltip for feed link. %s is a group nickname. +#: actions/showgroup.php:364 #, php-format msgid "Notice feed for %s group (Atom)" msgstr "%s グループのつぶやきフィード (Atom)" -#: actions/showgroup.php:361 +#. TRANS: Tooltip for feed link. %s is a group nickname. +#: actions/showgroup.php:370 #, php-format msgid "FOAF for %s group" msgstr "%s グループの FOAF" -#: actions/showgroup.php:399 actions/showgroup.php:451 +#. TRANS: Header for mini list of group members on a group page (h2). +#: actions/showgroup.php:407 msgid "Members" msgstr "メンバー" -#: actions/showgroup.php:404 lib/profileaction.php:117 +#. TRANS: Description for mini list of group members on a group page when the group has no members. +#: actions/showgroup.php:413 lib/profileaction.php:117 #: lib/profileaction.php:152 lib/profileaction.php:255 lib/section.php:95 #: lib/subscriptionlist.php:127 lib/tagcloudsection.php:71 msgid "(None)" msgstr "(なし)" -#: actions/showgroup.php:410 +#. TRANS: Link to all group members from mini list of group members if group has more than n members. +#: actions/showgroup.php:422 msgid "All members" msgstr "全てのメンバー" -#: actions/showgroup.php:445 +#. TRANS: Label for creation date in statistics on group page. +#: actions/showgroup.php:458 +#, fuzzy +msgctxt "LABEL" msgid "Created" msgstr "作成日" -#: actions/showgroup.php:461 +#. TRANS: Label for member count in statistics on group page. +#: actions/showgroup.php:466 +#, fuzzy +msgctxt "LABEL" +msgid "Members" +msgstr "メンバー" + +#. TRANS: Notice on group pages for anonymous users for StatusNet sites that accept new registrations. +#. TRANS: **%s** is the group alias, %%%%site.name%%%% is the site name, +#. TRANS: %%%%action.register%%%% is the URL for registration, %%%%doc.help%%%% is a URL to help. +#. TRANS: This message contains Markdown links. Ensure they are formatted correctly: [Description](link). +#: actions/showgroup.php:481 #, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -4647,7 +4795,10 @@ msgstr "" "する短いメッセージを共有します。[今すぐ参加](%%%%action.register%%%%) してこ" "のグループの一員になりましょう! ([もっと読む](%%%%doc.help%%%%))" -#: actions/showgroup.php:467 +#. TRANS: Notice on group pages for anonymous users for StatusNet sites that accept no new registrations. +#. TRANS: **%s** is the group alias, %%%%site.name%%%% is the site name, +#. TRANS: This message contains Markdown links. Ensure they are formatted correctly: [Description](link). +#: actions/showgroup.php:491 #, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -4660,24 +4811,31 @@ msgstr "" "wikipedia.org/wiki/Micro-blogging) サービス。メンバーは彼らの暮らしと興味に関" "する短いメッセージを共有します。" -#: actions/showgroup.php:495 +#. TRANS: Header for list of group administrators on a group page (h2). +#: actions/showgroup.php:520 msgid "Admins" msgstr "管理者" -#: actions/showmessage.php:81 +#. TRANS: Client error displayed requesting a single message that does not exist. +#: actions/showmessage.php:79 msgid "No such message." msgstr "そのようなメッセージはありません。" -#: actions/showmessage.php:98 +#. TRANS: Client error displayed requesting a single direct message the requesting user was not a party in. +#: actions/showmessage.php:97 msgid "Only the sender and recipient may read this message." msgstr "送信者と受取人だけがこのメッセージを読めます。" -#: actions/showmessage.php:108 +#. TRANS: Page title for single direct message display when viewing user is the sender. +#. TRANS: %1$s is the addressed user's nickname, $2$s is a timestamp. +#: actions/showmessage.php:110 #, php-format msgid "Message to %1$s on %2$s" msgstr "%2$s 上の %1$s へのメッセージ" -#: actions/showmessage.php:113 +#. TRANS: Page title for single message display. +#. TRANS: %1$s is the sending user's nickname, $2$s is a timestamp. +#: actions/showmessage.php:118 #, php-format msgid "Message from %1$s on %2$s" msgstr "%2$s 上の %1$s からのメッセージ" @@ -5136,12 +5294,14 @@ msgstr "このURLにスナップショットを送るでしょう" msgid "Save snapshot settings" msgstr "サイト設定の保存" -#: actions/subedit.php:70 +#. TRANS: Client error displayed trying a change a subscription for a non-subscribed profile. +#: actions/subedit.php:75 msgid "You are not subscribed to that profile." msgstr "あなたはそのプロファイルにフォローされていません。" +#. TRANS: Server error displayed when updating a subscription fails with a database error. #. TRANS: Exception thrown when a subscription could not be stored on the server. -#: actions/subedit.php:83 classes/Subscription.php:136 +#: actions/subedit.php:89 classes/Subscription.php:136 msgid "Could not save subscription." msgstr "フォローを保存できません。" @@ -5947,12 +6107,12 @@ msgid "Welcome to %1$s, @%2$s!" msgstr "ようこそ %1$s、@%2$s!" #. TRANS: Server exception. -#: classes/User.php:902 +#: classes/User.php:912 msgid "No single user defined for single-user mode." msgstr "single-user モードのためのシングルユーザが定義されていません。" #. TRANS: Server exception. -#: classes/User.php:906 +#: classes/User.php:916 msgid "Single-user mode code called when not enabled." msgstr "" @@ -7097,7 +7257,8 @@ msgstr "Atom" msgid "FOAF" msgstr "FOAF" -#: lib/feedlist.php:65 +#. TRANS: Header for feed links (h2). +#: lib/feedlist.php:66 msgid "Feeds" msgstr "" @@ -7255,39 +7416,54 @@ msgstr "このページはあなたが承認したメディアタイプでは利 msgid "Unsupported image file format." msgstr "サポート外の画像形式です。" -#: lib/imagefile.php:88 +#. TRANS: Exception thrown when too large a file is uploaded. +#. TRANS: %s is the maximum file size, for example "500b", "10kB" or "2MB". +#: lib/imagefile.php:90 #, php-format msgid "That file is too big. The maximum file size is %s." msgstr "ファイルが大きすぎます。最大ファイルサイズは %s 。" -#: lib/imagefile.php:93 +#: lib/imagefile.php:95 msgid "Partial upload." msgstr "不完全なアップロード。" #. TRANS: Client exception thrown when a file upload operation has failed with an unknown reason. -#: lib/imagefile.php:101 lib/mediafile.php:179 +#: lib/imagefile.php:103 lib/mediafile.php:179 msgid "System error uploading file." msgstr "ファイルのアップロードでシステムエラー" -#: lib/imagefile.php:109 +#: lib/imagefile.php:111 msgid "Not an image or corrupt file." msgstr "画像ではないかファイルが破損しています。" -#: lib/imagefile.php:122 +#: lib/imagefile.php:124 msgid "Lost our file." msgstr "ファイルを紛失。" -#: lib/imagefile.php:163 lib/imagefile.php:224 +#: lib/imagefile.php:165 lib/imagefile.php:226 msgid "Unknown file type" msgstr "不明なファイルタイプ" -#: lib/imagefile.php:244 -msgid "MB" -msgstr "MB" +#. TRANS: Number of megabytes. %d is the number. +#: lib/imagefile.php:248 +#, fuzzy, php-format +msgid "%dMB" +msgid_plural "%dMB" +msgstr[0] "MB" -#: lib/imagefile.php:246 -msgid "kB" -msgstr "kB" +#. TRANS: Number of kilobytes. %d is the number. +#: lib/imagefile.php:252 +#, fuzzy, php-format +msgid "%dkB" +msgid_plural "%dkB" +msgstr[0] "kB" + +#. TRANS: Number of bytes. %d is the number. +#: lib/imagefile.php:255 +#, php-format +msgid "%dB" +msgid_plural "%dB" +msgstr[0] "" #: lib/jabber.php:387 #, php-format @@ -8159,6 +8335,13 @@ msgstr "ブロックの削除エラー" msgid "Top posters" msgstr "上位投稿者" +#. TRANS: Title for the form to unblock a user. +#: lib/unblockform.php:67 +#, fuzzy +msgctxt "TITLE" +msgid "Unblock" +msgstr "アンブロック" + #: lib/unsandboxform.php:69 msgid "Unsandbox" msgstr "アンサンドボックス" @@ -8338,3 +8521,9 @@ msgstr "ユーザIDの記述がありません。" #, php-format msgid "%d entries in backup." msgstr "" + +#~ msgid "Description is too long (max %d chars)." +#~ msgstr "記述が長すぎます。(最長%d字)" + +#~ msgid "Too many aliases! Maximum %d." +#~ msgstr "別名が多すぎます! 最大 %d。" diff --git a/locale/ka/LC_MESSAGES/statusnet.po b/locale/ka/LC_MESSAGES/statusnet.po index 2d6b45a194..5035cb8ba2 100644 --- a/locale/ka/LC_MESSAGES/statusnet.po +++ b/locale/ka/LC_MESSAGES/statusnet.po @@ -9,17 +9,17 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet - Core\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-10-27 23:43+0000\n" -"PO-Revision-Date: 2010-10-28 23:09:17+0000\n" +"POT-Creation-Date: 2010-10-30 23:18+0000\n" +"PO-Revision-Date: 2010-10-30 23:20:31+0000\n" "Language-Team: Georgian \n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r75629); Translate extension (2010-09-17)\n" +"X-Generator: MediaWiki 1.17alpha (r75708); Translate extension (2010-09-17)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: ka\n" "X-Message-Group: #out-statusnet-core\n" "Plural-Forms: nplurals=1; plural=0;\n" -"X-POT-Import-Date: 2010-10-28 00:13:15+0000\n" +"X-POT-Import-Date: 2010-10-30 09:48:40+0000\n" #. TRANS: Page title for Access admin panel that allows configuring site access. #. TRANS: Menu item for site administration @@ -115,6 +115,7 @@ msgstr "ასეთი გვერდი არ არსებობს." #. TRANS: Client error displayed when requesting most recent dents by user and friends for a non-existing user. #. TRANS: Client error displayed when requesting most recent mentions for a non-existing user. #. TRANS: Client error displayed requesting most recent notices for a non-existing user. +#. TRANS: Client error displayed trying to get an avatar for a non-existing user. #. TRANS: Error text shown when trying to send a direct message to a user that does not exist. #: actions/all.php:80 actions/apiaccountupdatedeliverydevice.php:110 #: actions/apiaccountupdateprofile.php:103 @@ -127,7 +128,7 @@ msgstr "ასეთი გვერდი არ არსებობს." #: actions/apistatusesupdate.php:230 actions/apisubscriptions.php:85 #: actions/apitimelinefavorites.php:70 actions/apitimelinefriends.php:173 #: actions/apitimelinehome.php:78 actions/apitimelinementions.php:77 -#: actions/apitimelineuser.php:79 actions/avatarbynickname.php:75 +#: actions/apitimelineuser.php:79 actions/avatarbynickname.php:79 #: 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 @@ -305,11 +306,12 @@ msgstr "მომხმარებლის განახლება ვე #. TRANS: Client error displayed a user has no profile updating profile colours. #. TRANS: Client error displayed if a user profile could not be found updating a profile image. #. TRANS: Client error displayed when requesting user information for a user without a profile. +#. TRANS: Client error displayed trying to get an avatar for a user without a profile. #: actions/apiaccountupdateprofile.php:111 #: actions/apiaccountupdateprofilebackgroundimage.php:199 #: actions/apiaccountupdateprofilecolors.php:183 #: actions/apiaccountupdateprofileimage.php:130 actions/apiusershow.php:108 -#: actions/avatarbynickname.php:80 actions/foaf.php:65 actions/hcard.php:74 +#: actions/avatarbynickname.php:85 actions/foaf.php:65 actions/hcard.php:74 #: actions/replies.php:80 actions/usergroups.php:100 lib/galleryaction.php:66 #: lib/profileaction.php:84 msgid "User has no profile." @@ -324,7 +326,7 @@ msgstr "პროფილის შენახვა ვერ მოხერ #. TRANS: %s is the number of bytes of the CONTENT_LENGTH. #: actions/apiaccountupdateprofilebackgroundimage.php:108 #: actions/apiaccountupdateprofileimage.php:95 actions/apimediaupload.php:81 -#: actions/apistatusesupdate.php:210 actions/avatarsettings.php:259 +#: actions/apistatusesupdate.php:210 actions/avatarsettings.php:269 #: actions/designadminpanel.php:125 actions/editapplication.php:121 #: actions/newapplication.php:104 actions/newnotice.php:95 #, fuzzy, php-format @@ -496,43 +498,53 @@ msgstr "ავტორი მომხმარებლის განსა msgid "Could not find target user." msgstr "სასურველი მომხმარებელი ვერ მოიძებნა." +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. #. TRANS: Validation error in form for profile settings. -#: actions/apigroupcreate.php:165 actions/editgroup.php:186 -#: actions/newgroup.php:126 actions/profilesettings.php:243 +#: actions/apigroupcreate.php:165 actions/editgroup.php:191 +#: actions/newgroup.php:127 actions/profilesettings.php:243 #: actions/register.php:212 msgid "Nickname must have only lowercase letters and numbers and no spaces." msgstr "მეტსახელში დასაშვებია მხოლოდ პატარა ასოები და ციფრები." #. TRANS: Client error trying to create a group with a nickname this is already in use. +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. #. TRANS: Validation error in form for profile settings. -#: actions/apigroupcreate.php:175 actions/editgroup.php:190 -#: actions/newgroup.php:130 actions/profilesettings.php:277 +#: actions/apigroupcreate.php:175 actions/editgroup.php:196 +#: actions/newgroup.php:132 actions/profilesettings.php:277 #: actions/register.php:215 msgid "Nickname already in use. Try another one." msgstr "მეტსახელი უკვე გამოყენებულია. სცადე სხვა." #. TRANS: Client error in form for group creation. +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. #. TRANS: Validation error in form for profile settings. -#: actions/apigroupcreate.php:183 actions/editgroup.php:193 -#: actions/newgroup.php:133 actions/profilesettings.php:247 +#: actions/apigroupcreate.php:183 actions/editgroup.php:200 +#: actions/newgroup.php:136 actions/profilesettings.php:247 #: actions/register.php:217 msgid "Not a valid nickname." msgstr "მეტსახელი არასწორია." #. TRANS: Client error in form for group creation. #. TRANS: Validation error shown when providing an invalid homepage URL in the "Edit application" form. +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. #. TRANS: Validation error in form for profile settings. #: actions/apigroupcreate.php:200 actions/editapplication.php:233 -#: actions/editgroup.php:199 actions/newapplication.php:211 -#: actions/newgroup.php:139 actions/profilesettings.php:252 +#: actions/editgroup.php:207 actions/newapplication.php:211 +#: actions/newgroup.php:143 actions/profilesettings.php:252 #: actions/register.php:224 msgid "Homepage is not a valid URL." msgstr "სასტარტო გვერდი არასწორი URL-ია." #. TRANS: Client error in form for group creation. +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. #. TRANS: Validation error in form for profile settings. -#: actions/apigroupcreate.php:210 actions/editgroup.php:202 -#: actions/newgroup.php:142 actions/profilesettings.php:256 +#: actions/apigroupcreate.php:210 actions/editgroup.php:211 +#: actions/newgroup.php:147 actions/profilesettings.php:256 #: actions/register.php:227 #, fuzzy msgid "Full name is too long (maximum 255 characters)." @@ -541,19 +553,22 @@ msgstr "სრული სახელი ძალიან გრძელი #. TRANS: Client error shown when providing too long a description during group creation. #. TRANS: %d is the maximum number of allowed characters. #. TRANS: Validation error shown when providing too long a description in the "Edit application" form. +#. TRANS: Group edit form validation error. #. TRANS: Form validation error in New application form. #. TRANS: %d is the maximum number of characters for the description. #: actions/apigroupcreate.php:220 actions/editapplication.php:201 -#: actions/newapplication.php:178 +#: actions/editgroup.php:216 actions/newapplication.php:178 #, fuzzy, php-format msgid "Description is too long (maximum %d character)." msgid_plural "Description is too long (maximum %d characters)." msgstr[0] "აღწერა ძალიან გრძელია (არაუმეტეს %d სიმბოლო)." #. TRANS: Client error shown when providing too long a location during group creation. +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. #. TRANS: Validation error in form for profile settings. -#: actions/apigroupcreate.php:234 actions/editgroup.php:208 -#: actions/newgroup.php:153 actions/profilesettings.php:269 +#: actions/apigroupcreate.php:234 actions/editgroup.php:223 +#: actions/newgroup.php:159 actions/profilesettings.php:269 #: actions/register.php:236 #, fuzzy msgid "Location is too long (maximum 255 characters)." @@ -561,7 +576,12 @@ msgstr "ადგილმდებარეობა ძალიან გრ #. TRANS: Client error shown when providing too many aliases during group creation. #. TRANS: %d is the maximum number of allowed aliases. -#: actions/apigroupcreate.php:255 actions/newgroup.php:166 +#. TRANS: Group edit form validation error. +#. TRANS: %d is the maximum number of allowed aliases. +#. TRANS: Group create form validation error. +#. TRANS: %d is the maximum number of allowed aliases. +#: actions/apigroupcreate.php:255 actions/editgroup.php:236 +#: actions/newgroup.php:172 #, php-format msgid "Too many aliases! Maximum %d allowed." msgid_plural "Too many aliases! Maximum %d allowed." @@ -576,15 +596,19 @@ msgstr "" #. TRANS: Client error displayed when trying to use an alias during group creation that is already in use. #. TRANS: %s is the alias that is already in use. -#: actions/apigroupcreate.php:291 actions/editgroup.php:232 -#: actions/newgroup.php:181 +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. +#: actions/apigroupcreate.php:291 actions/editgroup.php:253 +#: actions/newgroup.php:189 #, php-format msgid "Alias \"%s\" already in use. Try another one." msgstr "" #. TRANS: Client error displayed when trying to use an alias during group creation that is the same as the group's nickname. -#: actions/apigroupcreate.php:305 actions/editgroup.php:238 -#: actions/newgroup.php:187 +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. +#: actions/apigroupcreate.php:305 actions/editgroup.php:260 +#: actions/newgroup.php:196 msgid "Alias can't be the same as nickname." msgstr "" @@ -689,18 +713,18 @@ msgid "Request token already authorized." msgstr "თქვენ არ ხართ ავტორიზირებული." #. TRANS: Form validation error in API OAuth authorisation because of an invalid session token. -#: actions/apioauthauthorize.php:147 actions/avatarsettings.php:270 +#: actions/apioauthauthorize.php:147 actions/avatarsettings.php:280 #: actions/deletenotice.php:172 actions/disfavor.php:74 #: actions/emailsettings.php:271 actions/favor.php:75 actions/geocode.php:55 #: actions/groupblock.php:66 actions/grouplogo.php:312 -#: actions/groupunblock.php:66 actions/imsettings.php:230 +#: actions/groupunblock.php:65 actions/imsettings.php:230 #: actions/invite.php:59 actions/login.php:137 actions/makeadmin.php:66 #: actions/newmessage.php:135 actions/newnotice.php:105 actions/nudge.php:80 #: actions/oauthappssettings.php:165 actions/oauthconnectionssettings.php:138 #: actions/othersettings.php:145 actions/passwordsettings.php:138 #: actions/profilesettings.php:221 actions/recoverpassword.php:350 #: actions/register.php:172 actions/remotesubscribe.php:77 -#: actions/repeat.php:83 actions/smssettings.php:256 actions/subedit.php:38 +#: actions/repeat.php:83 actions/smssettings.php:256 actions/subedit.php:40 #: actions/subscribe.php:86 actions/tagother.php:166 #: actions/unsubscribe.php:69 actions/userauthorization.php:52 #: lib/designsettings.php:294 @@ -719,12 +743,13 @@ msgid "Database error inserting oauth_token_association." msgstr "ბაზამ დაუშვა შეცდომა OAuth აპლიკაციის მომხმარებლის ჩასმისას." #. TRANS: Client error given on when invalid data was passed through a form in the OAuth API. +#. TRANS: Unexpected validation error on avatar upload form. #. TRANS: Client error displayed submitting invalid form data for edit application. #. TRANS: Message given submitting a form with an unknown action in e-mail settings. #. TRANS: Message given submitting a form with an unknown action in IM settings. #. TRANS: Client error when submitting a form with unexpected information. #. TRANS: Message given submitting a form with an unknown action in SMS settings. -#: actions/apioauthauthorize.php:294 actions/avatarsettings.php:283 +#: actions/apioauthauthorize.php:294 actions/avatarsettings.php:294 #: actions/designadminpanel.php:104 actions/editapplication.php:144 #: actions/emailsettings.php:290 actions/grouplogo.php:322 #: actions/imsettings.php:245 actions/newapplication.php:125 @@ -773,6 +798,7 @@ msgstr "ანგარიში" #. TRANS: Field label on OAuth API authorisation form. #. TRANS: Field label in form for profile settings. +#. TRANS: Label for group nickname (dt). Text hidden by default. #: actions/apioauthauthorize.php:459 actions/login.php:252 #: actions/profilesettings.php:110 actions/register.php:433 #: actions/showgroup.php:245 actions/tagother.php:94 @@ -1022,105 +1048,139 @@ msgstr "API მეთოდი დამუშავების პროცე msgid "User not found." msgstr "API მეთოდი ვერ მოიძებნა." +#. TRANS: Client error displayed trying to get a non-existing attachment. #: actions/attachment.php:73 msgid "No such attachment." msgstr "ასეთი მიმაგრებული დოკუმენტი ვერ მოიძებნა." -#: actions/avatarbynickname.php:59 actions/blockedfromgroup.php:73 -#: actions/editgroup.php:84 actions/groupdesignsettings.php:84 +#. TRANS: Client error displayed trying to get an avatar without providing a nickname. +#. TRANS: Client error displayed when requesting a list of blocked users for a group without providing a group nickname. +#. TRANS: Client error displayed trying to edit a group while not proving a nickname for the group to edit. +#. TRANS: Client error displayed if no nickname argument was given requesting a group page. +#: actions/avatarbynickname.php:60 actions/blockedfromgroup.php:73 +#: actions/editgroup.php:85 actions/groupdesignsettings.php:84 #: actions/grouplogo.php:86 actions/groupmembers.php:76 #: actions/grouprss.php:91 actions/showgroup.php:121 msgid "No nickname." msgstr "მეტსახელი უცნობია." -#: actions/avatarbynickname.php:64 +#. TRANS: Client error displayed trying to get an avatar without providing an avatar size. +#: actions/avatarbynickname.php:66 msgid "No size." msgstr "ზომა უცნობია." -#: actions/avatarbynickname.php:69 +#. TRANS: Client error displayed trying to get an avatar providing an invalid avatar size. +#: actions/avatarbynickname.php:72 msgid "Invalid size." msgstr "ზომა არასწორია." +#. TRANS: Title for avatar upload page. +#. TRANS: Label for group avatar (dt). Text hidden by default. #. TRANS: Link description in user account settings menu. -#: actions/avatarsettings.php:67 actions/showgroup.php:230 +#: actions/avatarsettings.php:66 actions/showgroup.php:229 #: lib/accountsettingsaction.php:113 msgid "Avatar" msgstr "ავატარი" +#. TRANS: Instruction for avatar upload page. +#. TRANS: %s is the maximum file size, for example "500b", "10kB" or "2MB". #: actions/avatarsettings.php:78 #, php-format msgid "You can upload your personal avatar. The maximum file size is %s." msgstr "" "თქვენ შეგიძლიათ ატვირთოთ პერსონალური ავატარი. ფაილის დასაშვები ზომაა %s." -#: actions/avatarsettings.php:106 actions/avatarsettings.php:185 +#. TRANS: Server error displayed in avatar upload page when no matching profile can be found for a user. +#: actions/avatarsettings.php:108 actions/avatarsettings.php:192 #: actions/grouplogo.php:181 actions/remotesubscribe.php:191 #: actions/userauthorization.php:72 actions/userrss.php:108 msgid "User without matching profile." msgstr "მომხმარებელი შესაბამისი პროფილის გარეშე." -#: actions/avatarsettings.php:119 actions/avatarsettings.php:197 +#. TRANS: Avatar upload page form legend. +#. TRANS: Avatar upload page crop form legend. +#: actions/avatarsettings.php:122 actions/avatarsettings.php:205 #: actions/grouplogo.php:254 msgid "Avatar settings" msgstr "ავატარის პარამეტრები." -#: actions/avatarsettings.php:127 actions/avatarsettings.php:205 +#. TRANS: Header on avatar upload page for thumbnail of originally uploaded avatar (h2). +#. TRANS: Header on avatar upload crop form for thumbnail of originally uploaded avatar (h2). +#: actions/avatarsettings.php:131 actions/avatarsettings.php:214 #: actions/grouplogo.php:202 actions/grouplogo.php:262 msgid "Original" msgstr "ორიგინალი" -#: actions/avatarsettings.php:142 actions/avatarsettings.php:217 +#. TRANS: Header on avatar upload page for thumbnail of to be used rendition of uploaded avatar (h2). +#. TRANS: Header on avatar upload crop form for thumbnail of to be used rendition of uploaded avatar (h2). +#: actions/avatarsettings.php:147 actions/avatarsettings.php:227 #: actions/grouplogo.php:213 actions/grouplogo.php:274 msgid "Preview" msgstr "წინასწარი გადახედვა" -#: actions/avatarsettings.php:149 actions/showapplication.php:252 -#: lib/deletegroupform.php:121 lib/deleteuserform.php:66 -#: lib/noticelist.php:667 +#. TRANS: Button on avatar upload page to delete current avatar. +#: actions/avatarsettings.php:155 +#, fuzzy +msgctxt "BUTTON" msgid "Delete" msgstr "წაშლა" -#: actions/avatarsettings.php:166 actions/grouplogo.php:236 +#. TRANS: Button on avatar upload page to upload an avatar. +#: actions/avatarsettings.php:173 +#, fuzzy +msgctxt "BUTTON" msgid "Upload" msgstr "ატვირთვა" -#: actions/avatarsettings.php:231 actions/grouplogo.php:289 +#. TRANS: Button on avatar upload crop form to confirm a selected crop as avatar. +#: actions/avatarsettings.php:243 +#, fuzzy +msgctxt "BUTTON" msgid "Crop" msgstr "მოჭრა" -#: actions/avatarsettings.php:307 +#. TRANS: Validation error on avatar upload form when no file was uploaded. +#: actions/avatarsettings.php:318 msgid "No file uploaded." msgstr "არცერთი ფაილი არ ატვირთულა" -#: actions/avatarsettings.php:334 +#. TRANS: Avatar upload form unstruction after uploading a file. +#: actions/avatarsettings.php:346 msgid "Pick a square area of the image to be your avatar" msgstr "აირჩიეთ სურათის კვადრატული მონაკვეთი თქვენი ავატარისთვის" -#: actions/avatarsettings.php:349 actions/grouplogo.php:380 +#. TRANS: Server error displayed if an avatar upload went wrong somehow server side. +#: actions/avatarsettings.php:361 actions/grouplogo.php:380 msgid "Lost our file data." msgstr "" -#: actions/avatarsettings.php:372 +#: actions/avatarsettings.php:384 msgid "Avatar updated." msgstr "ავატარი განახლდა." -#: actions/avatarsettings.php:375 +#. TRANS: Error displayed on the avatar upload page if the avatar could not be updated for an unknown reason. +#: actions/avatarsettings.php:388 msgid "Failed updating avatar." msgstr "ავატარის განახლება ვერ მოხერხდა." -#: actions/avatarsettings.php:399 +#. TRANS: Success message for deleting a user avatar. +#: actions/avatarsettings.php:412 msgid "Avatar deleted." msgstr "ავატარი წაიშალა." -#: actions/block.php:69 +#. TRANS: Client error displayed when blocking a user that has already been blocked. +#: actions/block.php:68 msgid "You already blocked that user." msgstr "თქვენ უკვე დაბლოკეთ ეს მომხმარებელი." -#: actions/block.php:107 actions/block.php:136 actions/groupblock.php:158 +#. TRANS: Title for block user page. +#. TRANS: Legend for block user form. +#: actions/block.php:106 actions/block.php:136 actions/groupblock.php:158 msgid "Block user" msgstr "მომხმარებლის დაბლოკვა" -#: actions/block.php:138 +#. TRANS: Explanation of consequences when blocking a user on the block user page. +#: actions/block.php:139 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 " @@ -1133,7 +1193,7 @@ msgstr "" #. TRANS: Button label on the delete notice form. #. TRANS: Button label on the delete user form. #. TRANS: Button label on the form to block a user from a group. -#: actions/block.php:153 actions/deleteapplication.php:154 +#: actions/block.php:154 actions/deleteapplication.php:154 #: actions/deletegroup.php:220 actions/deletenotice.php:150 #: actions/deleteuser.php:152 actions/groupblock.php:178 msgctxt "BUTTON" @@ -1142,7 +1202,7 @@ msgstr "არა" #. TRANS: Submit button title for 'No' when blocking a user. #. TRANS: Submit button title for 'No' when deleting a user. -#: actions/block.php:157 actions/deleteuser.php:156 +#: actions/block.php:158 actions/deleteuser.php:156 msgid "Do not block this user" msgstr "არ დაბლოკო ეს მომხმარებელი" @@ -1152,7 +1212,7 @@ msgstr "არ დაბლოკო ეს მომხმარებელი #. TRANS: Button label on the delete notice form. #. TRANS: Button label on the delete user form. #. TRANS: Button label on the form to block a user from a group. -#: actions/block.php:160 actions/deleteapplication.php:161 +#: actions/block.php:161 actions/deleteapplication.php:161 #: actions/deletegroup.php:227 actions/deletenotice.php:157 #: actions/deleteuser.php:159 actions/groupblock.php:185 msgctxt "BUTTON" @@ -1161,90 +1221,111 @@ msgstr "დიახ" #. TRANS: Submit button title for 'Yes' when blocking a user. #. TRANS: Description of the form to block a user. -#: actions/block.php:164 lib/blockform.php:79 +#: actions/block.php:165 lib/blockform.php:79 msgid "Block this user" msgstr "დაბლოკე ეს მომხმარებელი" -#: actions/block.php:187 +#. TRANS: Server error displayed when blocking a user fails. +#: actions/block.php:189 msgid "Failed to save block information." msgstr "დაბლოკვის შესახებ ინფორმაციის შენახვა ვერ მოხერხდა." +#. TRANS: Client error displayed when requesting a list of blocked users for a non-local group. +#. TRANS: Client error displayed when requesting a list of blocked users for a non-existing group. #. TRANS: Client error when trying to delete a non-local group. #. TRANS: Client error when trying to delete a non-existing group. +#. TRANS: Client error displayed trying to edit a non-existing group. +#. TRANS: Client error displayed when trying to unblock a user from a non-existing group. +#. TRANS: Client error displayed if no remote group with a given name was found requesting group page. +#. TRANS: Client error displayed if no local group with a given name was found requesting group page. #. TRANS: Command exception text shown when a group is requested that does not exist. #. TRANS: Error text shown when trying to leave a group that does not exist. -#: actions/blockedfromgroup.php:80 actions/blockedfromgroup.php:87 +#: actions/blockedfromgroup.php:81 actions/blockedfromgroup.php:89 #: actions/deletegroup.php:87 actions/deletegroup.php:100 -#: actions/editgroup.php:100 actions/foafgroup.php:44 actions/foafgroup.php:62 +#: actions/editgroup.php:102 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/groupunblock.php:88 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:168 +#: actions/showgroup.php:139 actions/showgroup.php:148 lib/command.php:168 #: lib/command.php:380 msgid "No such group." msgstr "ასეთი ჯგუფი ვერ მოიძებნა." -#: actions/blockedfromgroup.php:97 +#. TRANS: Title for first page with list of users blocked from a group. +#. TRANS: %s is a group nickname. +#: actions/blockedfromgroup.php:101 #, php-format msgid "%s blocked profiles" msgstr "%s დაბლოკილი პროფილი" -#: actions/blockedfromgroup.php:100 +#. TRANS: Title for any but the first page with list of users blocked from a group. +#. TRANS: %1$s is a group nickname, %2$d is a page number. +#: actions/blockedfromgroup.php:106 #, php-format msgid "%1$s blocked profiles, page %2$d" msgstr "%1$s დაბლოკილი პროფილი, გვერდი %2$d" -#: actions/blockedfromgroup.php:115 +#. TRANS: Instructions for list of users blocked from a group. +#: actions/blockedfromgroup.php:122 msgid "A list of the users blocked from joining this group." msgstr "ამ ჯგუფში გაწევრიანებისგან დაბლოკილ მომხმარებელთა სია." -#: actions/blockedfromgroup.php:288 +#. TRANS: Form legend for unblocking a user from a group. +#: actions/blockedfromgroup.php:291 msgid "Unblock user from group" msgstr "მომხმარებლის ბლოკირების მოხსნა ჯგუფიდან" -#. TRANS: Title for the form to unblock a user. -#: actions/blockedfromgroup.php:320 lib/unblockform.php:70 +#. TRANS: Button text for unblocking a user from a group. +#: actions/blockedfromgroup.php:323 +#, fuzzy +msgctxt "BUTTON" msgid "Unblock" msgstr "ბლოკირების მოხსნა" +#. TRANS: Tooltip for button for unblocking a user from a group. #. TRANS: Description of the form to unblock a user. -#: actions/blockedfromgroup.php:320 lib/unblockform.php:82 +#: actions/blockedfromgroup.php:327 lib/unblockform.php:78 msgid "Unblock this user" msgstr "მომხმარებლის ბლოკირების მოხსნა" #. TRANS: Title for mini-posting window loaded from bookmarklet. +#. TRANS: %s is the StatusNet site name. #: actions/bookmarklet.php:51 #, php-format msgid "Post to %s" msgstr "დაუპოსტე %s-ს" -#: actions/confirmaddress.php:75 +#. TRANS: Client error displayed when not providing a confirmation code in the contact address confirmation action. +#: actions/confirmaddress.php:74 msgid "No confirmation code." msgstr "დასადასტურებელი კოდი არ არის." +#. TRANS: Client error displayed when providing a non-existing confirmation code in the contact address confirmation action. #: actions/confirmaddress.php:80 msgid "Confirmation code not found." msgstr "დასადასტურებელი კოდი ვერ მოიძებნა." -#: actions/confirmaddress.php:85 +#. TRANS: Client error displayed when not providing a confirmation code for another user in the contact address confirmation action. +#: actions/confirmaddress.php:86 msgid "That confirmation code is not for you!" msgstr "ეს დასადასტურებელი კოდი თქვენთვის არ არის!" -#. TRANS: Server error for an unknow address type, which can be 'email', 'jabber', or 'sms'. -#: actions/confirmaddress.php:91 +#. TRANS: Server error for a unknow address type %s, which can be 'email', 'jabber', or 'sms'. +#: actions/confirmaddress.php:92 #, php-format msgid "Unrecognized address type %s." msgstr "მისამართის ამოუცნობი ტიპი %s." -#. TRANS: Client error for an already confirmed email/jabbel/sms address. -#: actions/confirmaddress.php:96 +#. TRANS: Client error for an already confirmed email/jabber/sms address. +#: actions/confirmaddress.php:97 msgid "That address has already been confirmed." msgstr "ეს მისამართი უკვე დადასტურებულია." +#. TRANS: Server error displayed when a user update to the database fails in the contact address confirmation action. #. TRANS: Server error thrown on database error updating e-mail preferences. #. TRANS: Server error thrown on database error removing a registered e-mail address. #. TRANS: Server error thrown on database error updating IM preferences. @@ -1252,7 +1333,7 @@ msgstr "ეს მისამართი უკვე დადასტურ #. TRANS: Server error thrown when user profile settings could not be updated. #. TRANS: Server error thrown on database error updating SMS preferences. #. TRANS: Server error thrown on database error removing a registered SMS phone number. -#: actions/confirmaddress.php:116 actions/emailsettings.php:331 +#: actions/confirmaddress.php:118 actions/emailsettings.php:331 #: actions/emailsettings.php:477 actions/imsettings.php:283 #: actions/imsettings.php:442 actions/othersettings.php:174 #: actions/profilesettings.php:326 actions/smssettings.php:308 @@ -1260,27 +1341,32 @@ msgstr "ეს მისამართი უკვე დადასტურ msgid "Couldn't update user." msgstr "მომხმარებლის განახლება ვერ მოხერხდა." -#. TRANS: Server error thrown on database error canceling e-mail address confirmation. -#. TRANS: Server error thrown on database error canceling SMS phone number confirmation. -#: actions/confirmaddress.php:128 actions/emailsettings.php:437 -#: actions/smssettings.php:422 -msgid "Couldn't delete email confirmation." -msgstr "ელ. ფოსტის დადასტურების წაშლა ვერ მოხერხდა." +#. TRANS: Server error displayed when an address confirmation code deletion from the +#. TRANS: database fails in the contact address confirmation action. +#: actions/confirmaddress.php:132 +#, fuzzy +msgid "Could not delete address confirmation." +msgstr "IM დასტურის წაშლა ვერ მოხერხდა." -#: actions/confirmaddress.php:146 +#. TRANS: Title for the contact address confirmation action. +#: actions/confirmaddress.php:150 msgid "Confirm address" msgstr "მისამართის დასტური" -#: actions/confirmaddress.php:161 +#. TRANS: Success message for the contact address confirmation action. +#. TRANS: %s can be 'email', 'jabber', or 'sms'. +#: actions/confirmaddress.php:166 #, php-format msgid "The address \"%s\" has been confirmed for your account." msgstr "მისამართი \"%s\" დადასტურდა თქვენი ანგარიშისთვის." -#: actions/conversation.php:99 +#. TRANS: Title for page with a conversion (multiple notices in context). +#: actions/conversation.php:96 msgid "Conversation" msgstr "საუბარი" -#: actions/conversation.php:154 lib/mailbox.php:116 lib/noticelist.php:87 +#. TRANS: Header on conversation page. Hidden by default (h2). +#: actions/conversation.php:149 lib/mailbox.php:116 lib/noticelist.php:87 #: lib/profileaction.php:229 lib/searchgroupnav.php:82 msgid "Notices" msgstr "შეტყობინებები" @@ -1390,11 +1476,13 @@ msgstr "არ წაშალო ეს შეტყობინება" msgid "Delete this group" msgstr "ამ მომხმარებლის წაშლა" +#. TRANS: Client error displayed when trying to unblock a user from a group while not logged in. +#. TRANS: Client error displayed trying a change a subscription while not logged in. #. TRANS: Client error message thrown when trying to access the admin panel while not logged in. #: actions/deletenotice.php:50 actions/disfavor.php:61 actions/favor.php:62 -#: actions/groupblock.php:61 actions/groupunblock.php:61 actions/logout.php:69 +#: actions/groupblock.php:61 actions/groupunblock.php:60 actions/logout.php:69 #: actions/makeadmin.php:61 actions/newmessage.php:87 actions/newnotice.php:88 -#: actions/nudge.php:63 actions/subedit.php:31 actions/subscribe.php:96 +#: actions/nudge.php:63 actions/subedit.php:33 actions/subscribe.php:96 #: actions/tagother.php:33 actions/unsubscribe.php:52 #: lib/adminpanelaction.php:71 lib/profileformaction.php:64 #: lib/settingsaction.php:72 @@ -1697,49 +1785,49 @@ msgstr "" msgid "Could not update application." msgstr "აპლიკაციის განახლება ვერ მოხერხდა." -#: actions/editgroup.php:56 +#. TRANS: Title for form to edit a group. %s is a group nickname. +#: actions/editgroup.php:55 #, php-format msgid "Edit %s group" msgstr "%s ჯგუფის რედაქტირება" +#. TRANS: Client error displayed trying to edit a group while not logged in. +#. TRANS: Client error displayed trying to create a group while not logged in. #: actions/editgroup.php:68 actions/grouplogo.php:70 actions/newgroup.php:65 msgid "You must be logged in to create a group." msgstr "გჯუფის შესაქმნელად საჭიროა ავტორიზაცია." -#: actions/editgroup.php:107 actions/editgroup.php:172 +#. TRANS: Client error displayed trying to edit a group while not being a group admin. +#: actions/editgroup.php:110 actions/editgroup.php:176 #: actions/groupdesignsettings.php:107 actions/grouplogo.php:109 msgid "You must be an admin to edit the group." msgstr "ჯგუფის რედაქტირებისათვის საჭიროა ადმინის უფლებები." -#: actions/editgroup.php:158 +#. TRANS: Form instructions for group edit form. +#: actions/editgroup.php:161 msgid "Use this form to edit the group." msgstr "ჯგუფის რედაქტირებისათვის გამოიყენეთ ეს ფორმა." -#: actions/editgroup.php:205 -#, php-format -msgid "Description is too long (max %d chars)." -msgstr "აღწერა ძალიან გრძელია (არაუმეტეს %d სიმბოლო)." - -#: actions/editgroup.php:219 -#, php-format -msgid "Too many aliases! Maximum %d." -msgstr "" - -#: actions/editgroup.php:228 actions/newgroup.php:177 +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. +#: actions/editgroup.php:248 actions/newgroup.php:184 #, php-format msgid "Invalid alias: \"%s\"" msgstr "" -#: actions/editgroup.php:258 +#. TRANS: Server error displayed when editing a group fails. +#: actions/editgroup.php:281 msgid "Could not update group." msgstr "ჯგუფის განახლება ვერ მოხერხდა." +#. TRANS: Server error displayed when group aliases could not be added. #. TRANS: Server exception thrown when creating group aliases failed. -#: actions/editgroup.php:264 classes/User_group.php:513 +#: actions/editgroup.php:288 classes/User_group.php:513 msgid "Could not create aliases." msgstr "" -#: actions/editgroup.php:280 +#. TRANS: Group edit form success message. +#: actions/editgroup.php:305 msgid "Options saved." msgstr "პარამეტრები შენახულია." @@ -1933,6 +2021,12 @@ msgstr "გასაუქმებელიარაფერია. არ ა msgid "That is the wrong email address." msgstr "ეს არასწორი ელ. ფოსტის მისამართია." +#. TRANS: Server error thrown on database error canceling e-mail address confirmation. +#. TRANS: Server error thrown on database error canceling SMS phone number confirmation. +#: actions/emailsettings.php:437 actions/smssettings.php:422 +msgid "Couldn't delete email confirmation." +msgstr "ელ. ფოსტის დადასტურების წაშლა ვერ მოხერხდა." + #. TRANS: Message given after successfully canceling e-mail address confirmation. #: actions/emailsettings.php:442 msgid "Email confirmation cancelled." @@ -2112,19 +2206,23 @@ msgstr "თქვენ არ შეგიძლიათ როლების msgid "User already has this role." msgstr "მომხმარებელს უკვე აქვს ეს როლი." +#. TRANS: Client error displayed when trying to unblock a user from a group without providing a profile. +#. TRANS: Client error displayed trying a change a subscription without providing a profile. #: actions/groupblock.php:71 actions/groupunblock.php:71 -#: actions/makeadmin.php:71 actions/subedit.php:46 +#: actions/makeadmin.php:71 actions/subedit.php:49 #: lib/profileformaction.php:79 msgid "No profile specified." msgstr "პროფილი მითითებული არ არის." -#: actions/groupblock.php:76 actions/groupunblock.php:76 -#: actions/makeadmin.php:76 actions/subedit.php:53 actions/tagother.php:46 +#. TRANS: Client error displayed when trying to unblock a user from a group without providing an existing profile. +#. TRANS: Client error displayed trying a change a subscription for a non-existant profile ID. +#: actions/groupblock.php:76 actions/groupunblock.php:77 +#: actions/makeadmin.php:76 actions/subedit.php:57 actions/tagother.php:46 #: actions/unsubscribe.php:84 lib/profileformaction.php:86 msgid "No profile with that ID." msgstr "ასეთი ID-ს მქონე პროფილი ვერ მოიძებნა." -#: actions/groupblock.php:81 actions/groupunblock.php:81 +#: actions/groupblock.php:81 actions/groupunblock.php:82 #: actions/makeadmin.php:81 msgid "No group specified." msgstr "ჯგუფი მითითებული არ არის." @@ -2210,6 +2308,14 @@ msgid "" msgstr "" "თქვენ შეგიძლიათ ატვირთოთ ლოგოს თქვენი ჯგუფისათვის. ფაილის დასაშვები ზომაა %s." +#: actions/grouplogo.php:236 +msgid "Upload" +msgstr "ატვირთვა" + +#: actions/grouplogo.php:289 +msgid "Crop" +msgstr "მოჭრა" + #: actions/grouplogo.php:365 msgid "Pick a square area of the image to be the logo." msgstr "აირჩიეთ სურათის კვადრატული მონაკვეთი ლოგოსათვის." @@ -2353,15 +2459,18 @@ msgstr "" "[დაარეგისტრირეთ ანგარიში](%%action.register%%) და [შექმენით ჯგუფი](%%action." "newgroup%%) თვითონ!" -#: actions/groupunblock.php:91 +#. TRANS: Client error displayed when trying to unblock a user from a group without being an administrator for the group. +#: actions/groupunblock.php:94 msgid "Only an admin can unblock group members." msgstr "მხოლოდ ადმინს შეუძლია ჯგუფის წევრისთვის ბლოკის მოხსნა." -#: actions/groupunblock.php:95 +#. TRANS: Client error displayed when trying to unblock a non-blocked user from a group. +#: actions/groupunblock.php:99 msgid "User is not blocked from group." msgstr "მომხმარებელი არ არის დაბლოკილი ჯგუფიდან." -#: actions/groupunblock.php:128 actions/unblock.php:86 +#. TRANS: Server error displayed when unblocking a user from a group fails because of an unknown error. +#: actions/groupunblock.php:131 actions/unblock.php:86 msgid "Error removing the block." msgstr "შეცდომა ბლოკის მოხსნისას." @@ -2950,10 +3059,12 @@ msgstr "ორგანიზაცია ძალიან გრძელი msgid "Could not create application." msgstr "აპლიკაციის შექმნა ვერ მოხერხდა." +#. TRANS: Title for form to create a group. #: actions/newgroup.php:53 msgid "New group" msgstr "ახალი ჯგუფი" +#. TRANS: Form instructions for group create form. #: actions/newgroup.php:110 msgid "Use this form to create a new group." msgstr "ახალი ჯგუფის შესაქმნელად გამოიყენეთ ეს ფორმა." @@ -3650,8 +3761,9 @@ msgid "1-64 lowercase letters or numbers, no punctuation or spaces." msgstr "1–64 პატარა ასოები ან ციფრები. პუნქტუაციები ან სივრცეები დაუშვებელია" #. TRANS: Field label in form for profile settings. +#. TRANS: Label for full group name (dt). Text hidden by default. #: actions/profilesettings.php:117 actions/register.php:457 -#: actions/showgroup.php:256 actions/tagother.php:104 +#: actions/showgroup.php:257 actions/tagother.php:104 #: lib/groupeditform.php:157 lib/userprofile.php:150 msgid "Full name" msgstr "სრული სახელი" @@ -3690,8 +3802,9 @@ msgid "Bio" msgstr "ბიოგრაფია" #. TRANS: Field label in form for profile settings. +#. TRANS: Label for group location (dt). Text hidden by default. #: actions/profilesettings.php:149 actions/register.php:485 -#: actions/showgroup.php:265 actions/tagother.php:112 +#: actions/showgroup.php:267 actions/tagother.php:112 #: actions/userauthorization.php:166 lib/groupeditform.php:177 #: lib/userprofile.php:165 msgid "Location" @@ -4407,7 +4520,8 @@ msgstr "ორგანიზაცია" msgid "Description" msgstr "აღწერა" -#: actions/showapplication.php:192 actions/showgroup.php:442 +#. TRANS: Header for group statistics on a group page (h2). +#: actions/showapplication.php:192 actions/showgroup.php:453 #: lib/profileaction.php:187 msgid "Statistics" msgstr "სტატისტიკა" @@ -4425,6 +4539,11 @@ msgstr "აპლიკაციის მოქმედებები" msgid "Reset key & secret" msgstr "გასაღების და საიდუმლოს გადაყენება" +#: actions/showapplication.php:252 lib/deletegroupform.php:121 +#: lib/deleteuserform.php:66 lib/noticelist.php:667 +msgid "Delete" +msgstr "წაშლა" + #: actions/showapplication.php:261 msgid "Application info" msgstr "ინფო აპლიკაციაზე" @@ -4514,77 +4633,106 @@ msgstr "" msgid "This is a way to share what you like." msgstr "" -#: actions/showgroup.php:82 +#. TRANS: Page title for first group page. %s is a group name. +#: actions/showgroup.php:80 #, php-format msgid "%s group" msgstr "" +#. TRANS: Page title for any but first group page. +#. TRANS: %1$s is a group name, $2$s is a page number. #: actions/showgroup.php:84 #, php-format msgid "%1$s group, page %2$d" msgstr "" -#: actions/showgroup.php:227 +#. TRANS: Group profile header (h2). Text hidden by default. +#: actions/showgroup.php:225 msgid "Group profile" msgstr "" -#: actions/showgroup.php:272 actions/tagother.php:118 +#. TRANS: Label for group URL (dt). Text hidden by default. +#: actions/showgroup.php:275 actions/tagother.php:118 #: actions/userauthorization.php:175 lib/userprofile.php:178 msgid "URL" msgstr "" -#: actions/showgroup.php:283 actions/tagother.php:128 +#. TRANS: Label for group description or group note (dt). Text hidden by default. +#: actions/showgroup.php:287 actions/tagother.php:128 #: actions/userauthorization.php:187 lib/userprofile.php:195 msgid "Note" msgstr "შენიშვნა" -#: actions/showgroup.php:293 lib/groupeditform.php:184 +#. TRANS: Label for group aliases (dt). Text hidden by default. +#: actions/showgroup.php:298 lib/groupeditform.php:184 msgid "Aliases" msgstr "" -#: actions/showgroup.php:302 +#. TRANS: Group actions header (h2). Text hidden by default. +#: actions/showgroup.php:309 msgid "Group actions" msgstr "" -#: actions/showgroup.php:344 +#. TRANS: Tooltip for feed link. %s is a group nickname. +#: actions/showgroup.php:350 #, php-format msgid "Notice feed for %s group (RSS 1.0)" msgstr "" -#: actions/showgroup.php:350 +#. TRANS: Tooltip for feed link. %s is a group nickname. +#: actions/showgroup.php:357 #, php-format msgid "Notice feed for %s group (RSS 2.0)" msgstr "" -#: actions/showgroup.php:356 +#. TRANS: Tooltip for feed link. %s is a group nickname. +#: actions/showgroup.php:364 #, php-format msgid "Notice feed for %s group (Atom)" msgstr "" -#: actions/showgroup.php:361 +#. TRANS: Tooltip for feed link. %s is a group nickname. +#: actions/showgroup.php:370 #, php-format msgid "FOAF for %s group" msgstr "" -#: actions/showgroup.php:399 actions/showgroup.php:451 +#. TRANS: Header for mini list of group members on a group page (h2). +#: actions/showgroup.php:407 msgid "Members" msgstr "წევრები" -#: actions/showgroup.php:404 lib/profileaction.php:117 +#. TRANS: Description for mini list of group members on a group page when the group has no members. +#: actions/showgroup.php:413 lib/profileaction.php:117 #: lib/profileaction.php:152 lib/profileaction.php:255 lib/section.php:95 #: lib/subscriptionlist.php:127 lib/tagcloudsection.php:71 msgid "(None)" msgstr "(არცერთი)" -#: actions/showgroup.php:410 +#. TRANS: Link to all group members from mini list of group members if group has more than n members. +#: actions/showgroup.php:422 msgid "All members" msgstr "" -#: actions/showgroup.php:445 +#. TRANS: Label for creation date in statistics on group page. +#: actions/showgroup.php:458 +#, fuzzy +msgctxt "LABEL" msgid "Created" msgstr "შექმნილია" -#: actions/showgroup.php:461 +#. TRANS: Label for member count in statistics on group page. +#: actions/showgroup.php:466 +#, fuzzy +msgctxt "LABEL" +msgid "Members" +msgstr "წევრები" + +#. TRANS: Notice on group pages for anonymous users for StatusNet sites that accept new registrations. +#. TRANS: **%s** is the group alias, %%%%site.name%%%% is the site name, +#. TRANS: %%%%action.register%%%% is the URL for registration, %%%%doc.help%%%% is a URL to help. +#. TRANS: This message contains Markdown links. Ensure they are formatted correctly: [Description](link). +#: actions/showgroup.php:481 #, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -4594,7 +4742,10 @@ msgid "" "of this group and many more! ([Read more](%%%%doc.help%%%%))" msgstr "" -#: actions/showgroup.php:467 +#. TRANS: Notice on group pages for anonymous users for StatusNet sites that accept no new registrations. +#. TRANS: **%s** is the group alias, %%%%site.name%%%% is the site name, +#. TRANS: This message contains Markdown links. Ensure they are formatted correctly: [Description](link). +#: actions/showgroup.php:491 #, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -4603,24 +4754,31 @@ msgid "" "their life and interests. " msgstr "" -#: actions/showgroup.php:495 +#. TRANS: Header for list of group administrators on a group page (h2). +#: actions/showgroup.php:520 msgid "Admins" msgstr "" -#: actions/showmessage.php:81 +#. TRANS: Client error displayed requesting a single message that does not exist. +#: actions/showmessage.php:79 msgid "No such message." msgstr "" -#: actions/showmessage.php:98 +#. TRANS: Client error displayed requesting a single direct message the requesting user was not a party in. +#: actions/showmessage.php:97 msgid "Only the sender and recipient may read this message." msgstr "" -#: actions/showmessage.php:108 +#. TRANS: Page title for single direct message display when viewing user is the sender. +#. TRANS: %1$s is the addressed user's nickname, $2$s is a timestamp. +#: actions/showmessage.php:110 #, php-format msgid "Message to %1$s on %2$s" msgstr "" -#: actions/showmessage.php:113 +#. TRANS: Page title for single message display. +#. TRANS: %1$s is the sending user's nickname, $2$s is a timestamp. +#: actions/showmessage.php:118 #, php-format msgid "Message from %1$s on %2$s" msgstr "" @@ -5053,12 +5211,14 @@ msgstr "მდგომარეობა გაიგზავნება ა msgid "Save snapshot settings" msgstr "დაიმახსოვრე მდგომარეობის პარამეტრები" -#: actions/subedit.php:70 +#. TRANS: Client error displayed trying a change a subscription for a non-subscribed profile. +#: actions/subedit.php:75 msgid "You are not subscribed to that profile." msgstr "თქვენ არ გაქვთ გამოწერილი ამ პროფილის განახლებები." +#. TRANS: Server error displayed when updating a subscription fails with a database error. #. TRANS: Exception thrown when a subscription could not be stored on the server. -#: actions/subedit.php:83 classes/Subscription.php:136 +#: actions/subedit.php:89 classes/Subscription.php:136 msgid "Could not save subscription." msgstr "გამოწერის დამახსოვრება ვერ მოხერხდა." @@ -5876,12 +6036,12 @@ msgid "Welcome to %1$s, @%2$s!" msgstr "გამარჯობა @%2$s, კეთილი იყოს თქვენი მობრძანება %1$s-ზე!" #. TRANS: Server exception. -#: classes/User.php:902 +#: classes/User.php:912 msgid "No single user defined for single-user mode." msgstr "ერთი მომხმარებელი არ განსაზღვრულა ერთარედთი-მომხმარებლის რეჟიმისთვის." #. TRANS: Server exception. -#: classes/User.php:906 +#: classes/User.php:916 msgid "Single-user mode code called when not enabled." msgstr "" @@ -7009,7 +7169,8 @@ msgstr "Atom" msgid "FOAF" msgstr "FOAF" -#: lib/feedlist.php:65 +#. TRANS: Header for feed links (h2). +#: lib/feedlist.php:66 msgid "Feeds" msgstr "" @@ -7171,39 +7332,54 @@ msgstr "ეს გვერდი მიუწვდომელია იმ msgid "Unsupported image file format." msgstr "სურათის ფორმატი მხარდაჭერილი არ არის." -#: lib/imagefile.php:88 +#. TRANS: Exception thrown when too large a file is uploaded. +#. TRANS: %s is the maximum file size, for example "500b", "10kB" or "2MB". +#: lib/imagefile.php:90 #, php-format msgid "That file is too big. The maximum file size is %s." msgstr "ეს ფაილი ძალიან დიდია. ფაილის მაქს. ზომაა %s." -#: lib/imagefile.php:93 +#: lib/imagefile.php:95 msgid "Partial upload." msgstr "ნაწილობრივი ატვირთვა." #. TRANS: Client exception thrown when a file upload operation has failed with an unknown reason. -#: lib/imagefile.php:101 lib/mediafile.php:179 +#: lib/imagefile.php:103 lib/mediafile.php:179 msgid "System error uploading file." msgstr "სისტემური შეცდომა ფაილის ატვირთვისას." -#: lib/imagefile.php:109 +#: lib/imagefile.php:111 msgid "Not an image or corrupt file." msgstr "სურათი არ არის, ან ფაილი დაზიანებულია." -#: lib/imagefile.php:122 +#: lib/imagefile.php:124 msgid "Lost our file." msgstr "ფაილი დაიკარგა." -#: lib/imagefile.php:163 lib/imagefile.php:224 +#: lib/imagefile.php:165 lib/imagefile.php:226 msgid "Unknown file type" msgstr "ფაილის ტიპი უცნობია" -#: lib/imagefile.php:244 -msgid "MB" -msgstr "მბ" +#. TRANS: Number of megabytes. %d is the number. +#: lib/imagefile.php:248 +#, fuzzy, php-format +msgid "%dMB" +msgid_plural "%dMB" +msgstr[0] "მბ" -#: lib/imagefile.php:246 -msgid "kB" -msgstr "კბ" +#. TRANS: Number of kilobytes. %d is the number. +#: lib/imagefile.php:252 +#, fuzzy, php-format +msgid "%dkB" +msgid_plural "%dkB" +msgstr[0] "კბ" + +#. TRANS: Number of bytes. %d is the number. +#: lib/imagefile.php:255 +#, php-format +msgid "%dB" +msgid_plural "%dB" +msgstr[0] "" #: lib/jabber.php:387 #, php-format @@ -8079,6 +8255,13 @@ msgstr "თემის არქივის გახსნისას მო msgid "Top posters" msgstr "საუკეთესო მპოსტავები" +#. TRANS: Title for the form to unblock a user. +#: lib/unblockform.php:67 +#, fuzzy +msgctxt "TITLE" +msgid "Unblock" +msgstr "ბლოკირების მოხსნა" + #: lib/unsandboxform.php:69 msgid "Unsandbox" msgstr "იზოლირების მოხსნა" @@ -8257,3 +8440,6 @@ msgstr "მომხმარებლის ID მითითებული #, php-format msgid "%d entries in backup." msgstr "" + +#~ msgid "Description is too long (max %d chars)." +#~ msgstr "აღწერა ძალიან გრძელია (არაუმეტეს %d სიმბოლო)." diff --git a/locale/ko/LC_MESSAGES/statusnet.po b/locale/ko/LC_MESSAGES/statusnet.po index 1c1b1a444e..10af95aaf1 100644 --- a/locale/ko/LC_MESSAGES/statusnet.po +++ b/locale/ko/LC_MESSAGES/statusnet.po @@ -11,17 +11,17 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet - Core\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-10-27 23:43+0000\n" -"PO-Revision-Date: 2010-10-28 23:09:19+0000\n" +"POT-Creation-Date: 2010-10-30 23:18+0000\n" +"PO-Revision-Date: 2010-10-30 23:20:32+0000\n" "Language-Team: Korean \n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r75629); Translate extension (2010-09-17)\n" +"X-Generator: MediaWiki 1.17alpha (r75708); Translate extension (2010-09-17)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: ko\n" "X-Message-Group: #out-statusnet-core\n" "Plural-Forms: nplurals=1; plural=0;\n" -"X-POT-Import-Date: 2010-10-28 00:13:15+0000\n" +"X-POT-Import-Date: 2010-10-30 09:48:40+0000\n" #. TRANS: Page title for Access admin panel that allows configuring site access. #. TRANS: Menu item for site administration @@ -117,6 +117,7 @@ msgstr "해당하는 페이지 없음" #. TRANS: Client error displayed when requesting most recent dents by user and friends for a non-existing user. #. TRANS: Client error displayed when requesting most recent mentions for a non-existing user. #. TRANS: Client error displayed requesting most recent notices for a non-existing user. +#. TRANS: Client error displayed trying to get an avatar for a non-existing user. #. TRANS: Error text shown when trying to send a direct message to a user that does not exist. #: actions/all.php:80 actions/apiaccountupdatedeliverydevice.php:110 #: actions/apiaccountupdateprofile.php:103 @@ -129,7 +130,7 @@ msgstr "해당하는 페이지 없음" #: actions/apistatusesupdate.php:230 actions/apisubscriptions.php:85 #: actions/apitimelinefavorites.php:70 actions/apitimelinefriends.php:173 #: actions/apitimelinehome.php:78 actions/apitimelinementions.php:77 -#: actions/apitimelineuser.php:79 actions/avatarbynickname.php:75 +#: actions/apitimelineuser.php:79 actions/avatarbynickname.php:79 #: 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 @@ -301,11 +302,12 @@ msgstr "이용자를 업데이트 할 수 없습니다." #. TRANS: Client error displayed a user has no profile updating profile colours. #. TRANS: Client error displayed if a user profile could not be found updating a profile image. #. TRANS: Client error displayed when requesting user information for a user without a profile. +#. TRANS: Client error displayed trying to get an avatar for a user without a profile. #: actions/apiaccountupdateprofile.php:111 #: actions/apiaccountupdateprofilebackgroundimage.php:199 #: actions/apiaccountupdateprofilecolors.php:183 #: actions/apiaccountupdateprofileimage.php:130 actions/apiusershow.php:108 -#: actions/avatarbynickname.php:80 actions/foaf.php:65 actions/hcard.php:74 +#: actions/avatarbynickname.php:85 actions/foaf.php:65 actions/hcard.php:74 #: actions/replies.php:80 actions/usergroups.php:100 lib/galleryaction.php:66 #: lib/profileaction.php:84 msgid "User has no profile." @@ -320,7 +322,7 @@ msgstr "프로필을 저장 할 수 없습니다." #. TRANS: %s is the number of bytes of the CONTENT_LENGTH. #: actions/apiaccountupdateprofilebackgroundimage.php:108 #: actions/apiaccountupdateprofileimage.php:95 actions/apimediaupload.php:81 -#: actions/apistatusesupdate.php:210 actions/avatarsettings.php:259 +#: actions/apistatusesupdate.php:210 actions/avatarsettings.php:269 #: actions/designadminpanel.php:125 actions/editapplication.php:121 #: actions/newapplication.php:104 actions/newnotice.php:95 #, fuzzy, php-format @@ -494,9 +496,11 @@ msgstr "소스 이용자를 확인할 수 없습니다." msgid "Could not find target user." msgstr "타겟 이용자를 찾을 수 없습니다." +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. #. TRANS: Validation error in form for profile settings. -#: actions/apigroupcreate.php:165 actions/editgroup.php:186 -#: actions/newgroup.php:126 actions/profilesettings.php:243 +#: actions/apigroupcreate.php:165 actions/editgroup.php:191 +#: actions/newgroup.php:127 actions/profilesettings.php:243 #: actions/register.php:212 msgid "Nickname must have only lowercase letters and numbers and no spaces." msgstr "" @@ -504,35 +508,43 @@ msgstr "" "다." #. TRANS: Client error trying to create a group with a nickname this is already in use. +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. #. TRANS: Validation error in form for profile settings. -#: actions/apigroupcreate.php:175 actions/editgroup.php:190 -#: actions/newgroup.php:130 actions/profilesettings.php:277 +#: actions/apigroupcreate.php:175 actions/editgroup.php:196 +#: actions/newgroup.php:132 actions/profilesettings.php:277 #: actions/register.php:215 msgid "Nickname already in use. Try another one." msgstr "별명이 이미 사용중 입니다. 다른 별명을 시도해 보십시오." #. TRANS: Client error in form for group creation. +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. #. TRANS: Validation error in form for profile settings. -#: actions/apigroupcreate.php:183 actions/editgroup.php:193 -#: actions/newgroup.php:133 actions/profilesettings.php:247 +#: actions/apigroupcreate.php:183 actions/editgroup.php:200 +#: actions/newgroup.php:136 actions/profilesettings.php:247 #: actions/register.php:217 msgid "Not a valid nickname." msgstr "유효한 별명이 아닙니다" #. TRANS: Client error in form for group creation. #. TRANS: Validation error shown when providing an invalid homepage URL in the "Edit application" form. +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. #. TRANS: Validation error in form for profile settings. #: actions/apigroupcreate.php:200 actions/editapplication.php:233 -#: actions/editgroup.php:199 actions/newapplication.php:211 -#: actions/newgroup.php:139 actions/profilesettings.php:252 +#: actions/editgroup.php:207 actions/newapplication.php:211 +#: actions/newgroup.php:143 actions/profilesettings.php:252 #: actions/register.php:224 msgid "Homepage is not a valid URL." msgstr "홈페이지 주소형식이 올바르지 않습니다." #. TRANS: Client error in form for group creation. +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. #. TRANS: Validation error in form for profile settings. -#: actions/apigroupcreate.php:210 actions/editgroup.php:202 -#: actions/newgroup.php:142 actions/profilesettings.php:256 +#: actions/apigroupcreate.php:210 actions/editgroup.php:211 +#: actions/newgroup.php:147 actions/profilesettings.php:256 #: actions/register.php:227 #, fuzzy msgid "Full name is too long (maximum 255 characters)." @@ -541,19 +553,22 @@ msgstr "실명이 너무 깁니다. (최대 255글자)" #. TRANS: Client error shown when providing too long a description during group creation. #. TRANS: %d is the maximum number of allowed characters. #. TRANS: Validation error shown when providing too long a description in the "Edit application" form. +#. TRANS: Group edit form validation error. #. TRANS: Form validation error in New application form. #. TRANS: %d is the maximum number of characters for the description. #: actions/apigroupcreate.php:220 actions/editapplication.php:201 -#: actions/newapplication.php:178 +#: actions/editgroup.php:216 actions/newapplication.php:178 #, fuzzy, php-format msgid "Description is too long (maximum %d character)." msgid_plural "Description is too long (maximum %d characters)." msgstr[0] "설명이 너무 깁니다. (최대 %d 글자)" #. TRANS: Client error shown when providing too long a location during group creation. +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. #. TRANS: Validation error in form for profile settings. -#: actions/apigroupcreate.php:234 actions/editgroup.php:208 -#: actions/newgroup.php:153 actions/profilesettings.php:269 +#: actions/apigroupcreate.php:234 actions/editgroup.php:223 +#: actions/newgroup.php:159 actions/profilesettings.php:269 #: actions/register.php:236 #, fuzzy msgid "Location is too long (maximum 255 characters)." @@ -561,7 +576,12 @@ msgstr "위치가 너무 깁니다. (최대 255글자)" #. TRANS: Client error shown when providing too many aliases during group creation. #. TRANS: %d is the maximum number of allowed aliases. -#: actions/apigroupcreate.php:255 actions/newgroup.php:166 +#. TRANS: Group edit form validation error. +#. TRANS: %d is the maximum number of allowed aliases. +#. TRANS: Group create form validation error. +#. TRANS: %d is the maximum number of allowed aliases. +#: actions/apigroupcreate.php:255 actions/editgroup.php:236 +#: actions/newgroup.php:172 #, fuzzy, php-format msgid "Too many aliases! Maximum %d allowed." msgid_plural "Too many aliases! Maximum %d allowed." @@ -576,15 +596,19 @@ msgstr "사용할 수 없는 별명 : \"%s\"" #. TRANS: Client error displayed when trying to use an alias during group creation that is already in use. #. TRANS: %s is the alias that is already in use. -#: actions/apigroupcreate.php:291 actions/editgroup.php:232 -#: actions/newgroup.php:181 +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. +#: actions/apigroupcreate.php:291 actions/editgroup.php:253 +#: actions/newgroup.php:189 #, php-format msgid "Alias \"%s\" already in use. Try another one." msgstr "별명 \"%s\" 이 이미 사용중 입니다. 다른 별명을 시도해 보십시오." #. TRANS: Client error displayed when trying to use an alias during group creation that is the same as the group's nickname. -#: actions/apigroupcreate.php:305 actions/editgroup.php:238 -#: actions/newgroup.php:187 +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. +#: actions/apigroupcreate.php:305 actions/editgroup.php:260 +#: actions/newgroup.php:196 msgid "Alias can't be the same as nickname." msgstr "" @@ -690,18 +714,18 @@ msgid "Request token already authorized." msgstr "당신은 이 프로필에 구독되지 않고있습니다." #. TRANS: Form validation error in API OAuth authorisation because of an invalid session token. -#: actions/apioauthauthorize.php:147 actions/avatarsettings.php:270 +#: actions/apioauthauthorize.php:147 actions/avatarsettings.php:280 #: actions/deletenotice.php:172 actions/disfavor.php:74 #: actions/emailsettings.php:271 actions/favor.php:75 actions/geocode.php:55 #: actions/groupblock.php:66 actions/grouplogo.php:312 -#: actions/groupunblock.php:66 actions/imsettings.php:230 +#: actions/groupunblock.php:65 actions/imsettings.php:230 #: actions/invite.php:59 actions/login.php:137 actions/makeadmin.php:66 #: actions/newmessage.php:135 actions/newnotice.php:105 actions/nudge.php:80 #: actions/oauthappssettings.php:165 actions/oauthconnectionssettings.php:138 #: actions/othersettings.php:145 actions/passwordsettings.php:138 #: actions/profilesettings.php:221 actions/recoverpassword.php:350 #: actions/register.php:172 actions/remotesubscribe.php:77 -#: actions/repeat.php:83 actions/smssettings.php:256 actions/subedit.php:38 +#: actions/repeat.php:83 actions/smssettings.php:256 actions/subedit.php:40 #: actions/subscribe.php:86 actions/tagother.php:166 #: actions/unsubscribe.php:69 actions/userauthorization.php:52 #: lib/designsettings.php:294 @@ -720,12 +744,13 @@ msgid "Database error inserting oauth_token_association." msgstr "OAuth 응용 프로그램 사용자 추가 중 데이터베이스 오류" #. TRANS: Client error given on when invalid data was passed through a form in the OAuth API. +#. TRANS: Unexpected validation error on avatar upload form. #. TRANS: Client error displayed submitting invalid form data for edit application. #. TRANS: Message given submitting a form with an unknown action in e-mail settings. #. TRANS: Message given submitting a form with an unknown action in IM settings. #. TRANS: Client error when submitting a form with unexpected information. #. TRANS: Message given submitting a form with an unknown action in SMS settings. -#: actions/apioauthauthorize.php:294 actions/avatarsettings.php:283 +#: actions/apioauthauthorize.php:294 actions/avatarsettings.php:294 #: actions/designadminpanel.php:104 actions/editapplication.php:144 #: actions/emailsettings.php:290 actions/grouplogo.php:322 #: actions/imsettings.php:245 actions/newapplication.php:125 @@ -780,6 +805,7 @@ msgstr "계정" #. TRANS: Field label on OAuth API authorisation form. #. TRANS: Field label in form for profile settings. +#. TRANS: Label for group nickname (dt). Text hidden by default. #: actions/apioauthauthorize.php:459 actions/login.php:252 #: actions/profilesettings.php:110 actions/register.php:433 #: actions/showgroup.php:245 actions/tagother.php:94 @@ -1028,104 +1054,138 @@ msgstr "API 메서드를 구성중 입니다." msgid "User not found." msgstr "API 메서드 발견 안 됨." +#. TRANS: Client error displayed trying to get a non-existing attachment. #: actions/attachment.php:73 msgid "No such attachment." msgstr "해당하는 첨부파일이 없습니다." -#: actions/avatarbynickname.php:59 actions/blockedfromgroup.php:73 -#: actions/editgroup.php:84 actions/groupdesignsettings.php:84 +#. TRANS: Client error displayed trying to get an avatar without providing a nickname. +#. TRANS: Client error displayed when requesting a list of blocked users for a group without providing a group nickname. +#. TRANS: Client error displayed trying to edit a group while not proving a nickname for the group to edit. +#. TRANS: Client error displayed if no nickname argument was given requesting a group page. +#: actions/avatarbynickname.php:60 actions/blockedfromgroup.php:73 +#: actions/editgroup.php:85 actions/groupdesignsettings.php:84 #: actions/grouplogo.php:86 actions/groupmembers.php:76 #: actions/grouprss.php:91 actions/showgroup.php:121 msgid "No nickname." msgstr "별명이 없습니다." -#: actions/avatarbynickname.php:64 +#. TRANS: Client error displayed trying to get an avatar without providing an avatar size. +#: actions/avatarbynickname.php:66 msgid "No size." msgstr "사이즈가 없습니다." -#: actions/avatarbynickname.php:69 +#. TRANS: Client error displayed trying to get an avatar providing an invalid avatar size. +#: actions/avatarbynickname.php:72 msgid "Invalid size." msgstr "옳지 않은 크기" +#. TRANS: Title for avatar upload page. +#. TRANS: Label for group avatar (dt). Text hidden by default. #. TRANS: Link description in user account settings menu. -#: actions/avatarsettings.php:67 actions/showgroup.php:230 +#: actions/avatarsettings.php:66 actions/showgroup.php:229 #: lib/accountsettingsaction.php:113 msgid "Avatar" msgstr "아바타" +#. TRANS: Instruction for avatar upload page. +#. TRANS: %s is the maximum file size, for example "500b", "10kB" or "2MB". #: actions/avatarsettings.php:78 #, php-format msgid "You can upload your personal avatar. The maximum file size is %s." msgstr "당신의 개인 아바타를 업로드할 수 있습니다. 최대 파일 크기는 %s 입니다." -#: actions/avatarsettings.php:106 actions/avatarsettings.php:185 +#. TRANS: Server error displayed in avatar upload page when no matching profile can be found for a user. +#: actions/avatarsettings.php:108 actions/avatarsettings.php:192 #: actions/grouplogo.php:181 actions/remotesubscribe.php:191 #: actions/userauthorization.php:72 actions/userrss.php:108 msgid "User without matching profile." msgstr "이용자가 프로필을 가지고 있지 않습니다." -#: actions/avatarsettings.php:119 actions/avatarsettings.php:197 +#. TRANS: Avatar upload page form legend. +#. TRANS: Avatar upload page crop form legend. +#: actions/avatarsettings.php:122 actions/avatarsettings.php:205 #: actions/grouplogo.php:254 msgid "Avatar settings" msgstr "아바타 설정" -#: actions/avatarsettings.php:127 actions/avatarsettings.php:205 +#. TRANS: Header on avatar upload page for thumbnail of originally uploaded avatar (h2). +#. TRANS: Header on avatar upload crop form for thumbnail of originally uploaded avatar (h2). +#: actions/avatarsettings.php:131 actions/avatarsettings.php:214 #: actions/grouplogo.php:202 actions/grouplogo.php:262 msgid "Original" msgstr "원래 설정" -#: actions/avatarsettings.php:142 actions/avatarsettings.php:217 +#. TRANS: Header on avatar upload page for thumbnail of to be used rendition of uploaded avatar (h2). +#. TRANS: Header on avatar upload crop form for thumbnail of to be used rendition of uploaded avatar (h2). +#: actions/avatarsettings.php:147 actions/avatarsettings.php:227 #: actions/grouplogo.php:213 actions/grouplogo.php:274 msgid "Preview" msgstr "미리보기" -#: actions/avatarsettings.php:149 actions/showapplication.php:252 -#: lib/deletegroupform.php:121 lib/deleteuserform.php:66 -#: lib/noticelist.php:667 +#. TRANS: Button on avatar upload page to delete current avatar. +#: actions/avatarsettings.php:155 +#, fuzzy +msgctxt "BUTTON" msgid "Delete" msgstr "삭제" -#: actions/avatarsettings.php:166 actions/grouplogo.php:236 +#. TRANS: Button on avatar upload page to upload an avatar. +#: actions/avatarsettings.php:173 +#, fuzzy +msgctxt "BUTTON" msgid "Upload" msgstr "올리기" -#: actions/avatarsettings.php:231 actions/grouplogo.php:289 +#. TRANS: Button on avatar upload crop form to confirm a selected crop as avatar. +#: actions/avatarsettings.php:243 +#, fuzzy +msgctxt "BUTTON" msgid "Crop" msgstr "자르기" -#: actions/avatarsettings.php:307 +#. TRANS: Validation error on avatar upload form when no file was uploaded. +#: actions/avatarsettings.php:318 msgid "No file uploaded." msgstr "파일을 업로드하지 않았습니다." -#: actions/avatarsettings.php:334 +#. TRANS: Avatar upload form unstruction after uploading a file. +#: actions/avatarsettings.php:346 msgid "Pick a square area of the image to be your avatar" msgstr "그림에서 당신의 아바타로 사용할 영역을 지정하십시오." -#: actions/avatarsettings.php:349 actions/grouplogo.php:380 +#. TRANS: Server error displayed if an avatar upload went wrong somehow server side. +#: actions/avatarsettings.php:361 actions/grouplogo.php:380 msgid "Lost our file data." msgstr "파일 데이터를 잃어버렸습니다." -#: actions/avatarsettings.php:372 +#: actions/avatarsettings.php:384 msgid "Avatar updated." msgstr "아바타가 업데이트 되었습니다." -#: actions/avatarsettings.php:375 +#. TRANS: Error displayed on the avatar upload page if the avatar could not be updated for an unknown reason. +#: actions/avatarsettings.php:388 msgid "Failed updating avatar." msgstr "아바타 업데이트 실패" -#: actions/avatarsettings.php:399 +#. TRANS: Success message for deleting a user avatar. +#: actions/avatarsettings.php:412 msgid "Avatar deleted." msgstr "아바타가 삭제되었습니다." -#: actions/block.php:69 +#. TRANS: Client error displayed when blocking a user that has already been blocked. +#: actions/block.php:68 msgid "You already blocked that user." msgstr "이미 차단된 이용자입니다." -#: actions/block.php:107 actions/block.php:136 actions/groupblock.php:158 +#. TRANS: Title for block user page. +#. TRANS: Legend for block user form. +#: actions/block.php:106 actions/block.php:136 actions/groupblock.php:158 msgid "Block user" msgstr "사용자를 차단합니다." -#: actions/block.php:138 +#. TRANS: Explanation of consequences when blocking a user on the block user page. +#: actions/block.php:139 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 " @@ -1140,7 +1200,7 @@ msgstr "" #. TRANS: Button label on the delete notice form. #. TRANS: Button label on the delete user form. #. TRANS: Button label on the form to block a user from a group. -#: actions/block.php:153 actions/deleteapplication.php:154 +#: actions/block.php:154 actions/deleteapplication.php:154 #: actions/deletegroup.php:220 actions/deletenotice.php:150 #: actions/deleteuser.php:152 actions/groupblock.php:178 msgctxt "BUTTON" @@ -1149,7 +1209,7 @@ msgstr "아니오" #. TRANS: Submit button title for 'No' when blocking a user. #. TRANS: Submit button title for 'No' when deleting a user. -#: actions/block.php:157 actions/deleteuser.php:156 +#: actions/block.php:158 actions/deleteuser.php:156 msgid "Do not block this user" msgstr "이용자를 차단하지 않는다." @@ -1159,7 +1219,7 @@ msgstr "이용자를 차단하지 않는다." #. TRANS: Button label on the delete notice form. #. TRANS: Button label on the delete user form. #. TRANS: Button label on the form to block a user from a group. -#: actions/block.php:160 actions/deleteapplication.php:161 +#: actions/block.php:161 actions/deleteapplication.php:161 #: actions/deletegroup.php:227 actions/deletenotice.php:157 #: actions/deleteuser.php:159 actions/groupblock.php:185 msgctxt "BUTTON" @@ -1168,91 +1228,112 @@ msgstr "예" #. TRANS: Submit button title for 'Yes' when blocking a user. #. TRANS: Description of the form to block a user. -#: actions/block.php:164 lib/blockform.php:79 +#: actions/block.php:165 lib/blockform.php:79 msgid "Block this user" msgstr "이 사용자 차단하기" -#: actions/block.php:187 +#. TRANS: Server error displayed when blocking a user fails. +#: actions/block.php:189 msgid "Failed to save block information." msgstr "정보차단을 저장하는데 실패했습니다." +#. TRANS: Client error displayed when requesting a list of blocked users for a non-local group. +#. TRANS: Client error displayed when requesting a list of blocked users for a non-existing group. #. TRANS: Client error when trying to delete a non-local group. #. TRANS: Client error when trying to delete a non-existing group. +#. TRANS: Client error displayed trying to edit a non-existing group. +#. TRANS: Client error displayed when trying to unblock a user from a non-existing group. +#. TRANS: Client error displayed if no remote group with a given name was found requesting group page. +#. TRANS: Client error displayed if no local group with a given name was found requesting group page. #. TRANS: Command exception text shown when a group is requested that does not exist. #. TRANS: Error text shown when trying to leave a group that does not exist. -#: actions/blockedfromgroup.php:80 actions/blockedfromgroup.php:87 +#: actions/blockedfromgroup.php:81 actions/blockedfromgroup.php:89 #: actions/deletegroup.php:87 actions/deletegroup.php:100 -#: actions/editgroup.php:100 actions/foafgroup.php:44 actions/foafgroup.php:62 +#: actions/editgroup.php:102 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/groupunblock.php:88 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:168 +#: actions/showgroup.php:139 actions/showgroup.php:148 lib/command.php:168 #: lib/command.php:380 msgid "No such group." msgstr "그러한 그룹이 없습니다." -#: actions/blockedfromgroup.php:97 +#. TRANS: Title for first page with list of users blocked from a group. +#. TRANS: %s is a group nickname. +#: actions/blockedfromgroup.php:101 #, php-format msgid "%s blocked profiles" msgstr "%s 및 친구들, %d 페이지" -#: actions/blockedfromgroup.php:100 +#. TRANS: Title for any but the first page with list of users blocked from a group. +#. TRANS: %1$s is a group nickname, %2$d is a page number. +#: actions/blockedfromgroup.php:106 #, php-format msgid "%1$s blocked profiles, page %2$d" msgstr "%1$s 및 친구들, %2$d 페이지" -#: actions/blockedfromgroup.php:115 +#. TRANS: Instructions for list of users blocked from a group. +#: actions/blockedfromgroup.php:122 #, fuzzy msgid "A list of the users blocked from joining this group." msgstr "이 그룹의 회원리스트" -#: actions/blockedfromgroup.php:288 +#. TRANS: Form legend for unblocking a user from a group. +#: actions/blockedfromgroup.php:291 msgid "Unblock user from group" msgstr "그룹 이용자는 차단해제" -#. TRANS: Title for the form to unblock a user. -#: actions/blockedfromgroup.php:320 lib/unblockform.php:70 +#. TRANS: Button text for unblocking a user from a group. +#: actions/blockedfromgroup.php:323 +#, fuzzy +msgctxt "BUTTON" msgid "Unblock" msgstr "차단해제" +#. TRANS: Tooltip for button for unblocking a user from a group. #. TRANS: Description of the form to unblock a user. -#: actions/blockedfromgroup.php:320 lib/unblockform.php:82 +#: actions/blockedfromgroup.php:327 lib/unblockform.php:78 msgid "Unblock this user" msgstr "이 사용자를 차단해제합니다." #. TRANS: Title for mini-posting window loaded from bookmarklet. +#. TRANS: %s is the StatusNet site name. #: actions/bookmarklet.php:51 #, php-format msgid "Post to %s" msgstr "%s 사이트의 그룹" -#: actions/confirmaddress.php:75 +#. TRANS: Client error displayed when not providing a confirmation code in the contact address confirmation action. +#: actions/confirmaddress.php:74 msgid "No confirmation code." msgstr "확인 코드가 없습니다." +#. TRANS: Client error displayed when providing a non-existing confirmation code in the contact address confirmation action. #: actions/confirmaddress.php:80 msgid "Confirmation code not found." msgstr "인증 코드가 없습니다." -#: actions/confirmaddress.php:85 +#. TRANS: Client error displayed when not providing a confirmation code for another user in the contact address confirmation action. +#: actions/confirmaddress.php:86 msgid "That confirmation code is not for you!" msgstr "그 인증 코드는 귀하의 것이 아닙니다!" -#. TRANS: Server error for an unknow address type, which can be 'email', 'jabber', or 'sms'. -#: actions/confirmaddress.php:91 +#. TRANS: Server error for a unknow address type %s, which can be 'email', 'jabber', or 'sms'. +#: actions/confirmaddress.php:92 #, fuzzy, php-format msgid "Unrecognized address type %s." msgstr "인식되지않은 주소유형 %s" -#. TRANS: Client error for an already confirmed email/jabbel/sms address. -#: actions/confirmaddress.php:96 +#. TRANS: Client error for an already confirmed email/jabber/sms address. +#: actions/confirmaddress.php:97 msgid "That address has already been confirmed." msgstr "그 주소는 이미 승인되었습니다." +#. TRANS: Server error displayed when a user update to the database fails in the contact address confirmation action. #. TRANS: Server error thrown on database error updating e-mail preferences. #. TRANS: Server error thrown on database error removing a registered e-mail address. #. TRANS: Server error thrown on database error updating IM preferences. @@ -1260,7 +1341,7 @@ msgstr "그 주소는 이미 승인되었습니다." #. TRANS: Server error thrown when user profile settings could not be updated. #. TRANS: Server error thrown on database error updating SMS preferences. #. TRANS: Server error thrown on database error removing a registered SMS phone number. -#: actions/confirmaddress.php:116 actions/emailsettings.php:331 +#: actions/confirmaddress.php:118 actions/emailsettings.php:331 #: actions/emailsettings.php:477 actions/imsettings.php:283 #: actions/imsettings.php:442 actions/othersettings.php:174 #: actions/profilesettings.php:326 actions/smssettings.php:308 @@ -1268,27 +1349,32 @@ msgstr "그 주소는 이미 승인되었습니다." msgid "Couldn't update user." msgstr "사용자를 업데이트 할 수 없습니다." -#. TRANS: Server error thrown on database error canceling e-mail address confirmation. -#. TRANS: Server error thrown on database error canceling SMS phone number confirmation. -#: actions/confirmaddress.php:128 actions/emailsettings.php:437 -#: actions/smssettings.php:422 -msgid "Couldn't delete email confirmation." -msgstr "메일 승인을 삭제 할 수 없습니다." +#. TRANS: Server error displayed when an address confirmation code deletion from the +#. TRANS: database fails in the contact address confirmation action. +#: actions/confirmaddress.php:132 +#, fuzzy +msgid "Could not delete address confirmation." +msgstr "메신저 승인을 삭제 할 수 없습니다." -#: actions/confirmaddress.php:146 +#. TRANS: Title for the contact address confirmation action. +#: actions/confirmaddress.php:150 msgid "Confirm address" msgstr "주소 확인" -#: actions/confirmaddress.php:161 +#. TRANS: Success message for the contact address confirmation action. +#. TRANS: %s can be 'email', 'jabber', or 'sms'. +#: actions/confirmaddress.php:166 #, php-format msgid "The address \"%s\" has been confirmed for your account." msgstr "\"%s\" 는 귀하의 계정으로 승인되었습니다." -#: actions/conversation.php:99 +#. TRANS: Title for page with a conversion (multiple notices in context). +#: actions/conversation.php:96 msgid "Conversation" msgstr "대화" -#: actions/conversation.php:154 lib/mailbox.php:116 lib/noticelist.php:87 +#. TRANS: Header on conversation page. Hidden by default (h2). +#: actions/conversation.php:149 lib/mailbox.php:116 lib/noticelist.php:87 #: lib/profileaction.php:229 lib/searchgroupnav.php:82 msgid "Notices" msgstr "통지" @@ -1394,11 +1480,13 @@ msgstr "이 통지를 지울 수 없습니다." msgid "Delete this group" msgstr "이 사용자 삭제" +#. TRANS: Client error displayed when trying to unblock a user from a group while not logged in. +#. TRANS: Client error displayed trying a change a subscription while not logged in. #. TRANS: Client error message thrown when trying to access the admin panel while not logged in. #: actions/deletenotice.php:50 actions/disfavor.php:61 actions/favor.php:62 -#: actions/groupblock.php:61 actions/groupunblock.php:61 actions/logout.php:69 +#: actions/groupblock.php:61 actions/groupunblock.php:60 actions/logout.php:69 #: actions/makeadmin.php:61 actions/newmessage.php:87 actions/newnotice.php:88 -#: actions/nudge.php:63 actions/subedit.php:31 actions/subscribe.php:96 +#: actions/nudge.php:63 actions/subedit.php:33 actions/subscribe.php:96 #: actions/tagother.php:33 actions/unsubscribe.php:52 #: lib/adminpanelaction.php:71 lib/profileformaction.php:64 #: lib/settingsaction.php:72 @@ -1702,49 +1790,49 @@ msgstr "" msgid "Could not update application." msgstr "관심소식을 생성할 수 없습니다." -#: actions/editgroup.php:56 +#. TRANS: Title for form to edit a group. %s is a group nickname. +#: actions/editgroup.php:55 #, php-format msgid "Edit %s group" msgstr "%s 그룹 편집" +#. TRANS: Client error displayed trying to edit a group while not logged in. +#. TRANS: Client error displayed trying to create a group while not logged in. #: actions/editgroup.php:68 actions/grouplogo.php:70 actions/newgroup.php:65 msgid "You must be logged in to create a group." msgstr "그룹을 만들기 위해서는 로그인해야 합니다." -#: actions/editgroup.php:107 actions/editgroup.php:172 +#. TRANS: Client error displayed trying to edit a group while not being a group admin. +#: actions/editgroup.php:110 actions/editgroup.php:176 #: actions/groupdesignsettings.php:107 actions/grouplogo.php:109 msgid "You must be an admin to edit the group." msgstr "관리자만 그룹을 편집할 수 있습니다." -#: actions/editgroup.php:158 +#. TRANS: Form instructions for group edit form. +#: actions/editgroup.php:161 msgid "Use this form to edit the group." msgstr "다음 양식을 이용해 그룹을 편집하십시오." -#: actions/editgroup.php:205 -#, php-format -msgid "Description is too long (max %d chars)." -msgstr "설명이 너무 깁니다. (최대 %d 글자)" - -#: actions/editgroup.php:219 -#, php-format -msgid "Too many aliases! Maximum %d." -msgstr "별명이 너무 많습니다! 최대 %d개." - -#: actions/editgroup.php:228 actions/newgroup.php:177 +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. +#: actions/editgroup.php:248 actions/newgroup.php:184 #, php-format msgid "Invalid alias: \"%s\"" msgstr "사용할 수 없는 별명 : \"%s\"" -#: actions/editgroup.php:258 +#. TRANS: Server error displayed when editing a group fails. +#: actions/editgroup.php:281 msgid "Could not update group." msgstr "그룹을 업데이트 할 수 없습니다." +#. TRANS: Server error displayed when group aliases could not be added. #. TRANS: Server exception thrown when creating group aliases failed. -#: actions/editgroup.php:264 classes/User_group.php:513 +#: actions/editgroup.php:288 classes/User_group.php:513 msgid "Could not create aliases." msgstr "관심소식을 생성할 수 없습니다." -#: actions/editgroup.php:280 +#. TRANS: Group edit form success message. +#: actions/editgroup.php:305 msgid "Options saved." msgstr "옵션을 저장했습니다." @@ -1936,6 +2024,12 @@ msgstr "취소 할 대기중인 인증이 없습니다." msgid "That is the wrong email address." msgstr "옳지 않은 메신저 계정 입니다." +#. TRANS: Server error thrown on database error canceling e-mail address confirmation. +#. TRANS: Server error thrown on database error canceling SMS phone number confirmation. +#: actions/emailsettings.php:437 actions/smssettings.php:422 +msgid "Couldn't delete email confirmation." +msgstr "메일 승인을 삭제 할 수 없습니다." + #. TRANS: Message given after successfully canceling e-mail address confirmation. #: actions/emailsettings.php:442 msgid "Email confirmation cancelled." @@ -2115,19 +2209,23 @@ msgstr "이 사이트의 이용자에 대해 권한정지 할 수 없습니다." msgid "User already has this role." msgstr "이용자가 프로필을 가지고 있지 않습니다." +#. TRANS: Client error displayed when trying to unblock a user from a group without providing a profile. +#. TRANS: Client error displayed trying a change a subscription without providing a profile. #: actions/groupblock.php:71 actions/groupunblock.php:71 -#: actions/makeadmin.php:71 actions/subedit.php:46 +#: actions/makeadmin.php:71 actions/subedit.php:49 #: lib/profileformaction.php:79 msgid "No profile specified." msgstr "프로필을 지정하지 않았습니다." -#: actions/groupblock.php:76 actions/groupunblock.php:76 -#: actions/makeadmin.php:76 actions/subedit.php:53 actions/tagother.php:46 +#. TRANS: Client error displayed when trying to unblock a user from a group without providing an existing profile. +#. TRANS: Client error displayed trying a change a subscription for a non-existant profile ID. +#: actions/groupblock.php:76 actions/groupunblock.php:77 +#: actions/makeadmin.php:76 actions/subedit.php:57 actions/tagother.php:46 #: actions/unsubscribe.php:84 lib/profileformaction.php:86 msgid "No profile with that ID." msgstr "해당 ID의 프로필이 없습니다." -#: actions/groupblock.php:81 actions/groupunblock.php:81 +#: actions/groupblock.php:81 actions/groupunblock.php:82 #: actions/makeadmin.php:81 #, fuzzy msgid "No group specified." @@ -2213,6 +2311,14 @@ msgid "" msgstr "" "사이트의 배경 이미지를 업로드할 수 있습니다. 최대 파일 크기는 %1$s 입니다." +#: actions/grouplogo.php:236 +msgid "Upload" +msgstr "올리기" + +#: actions/grouplogo.php:289 +msgid "Crop" +msgstr "자르기" + #: actions/grouplogo.php:365 msgid "Pick a square area of the image to be the logo." msgstr "이미지에서 로고로 사용할 사각 영역을 지정하세요." @@ -2346,15 +2452,18 @@ msgid "" "action.newgroup%%) yourself!" msgstr "" -#: actions/groupunblock.php:91 +#. TRANS: Client error displayed when trying to unblock a user from a group without being an administrator for the group. +#: actions/groupunblock.php:94 msgid "Only an admin can unblock group members." msgstr "" -#: actions/groupunblock.php:95 +#. TRANS: Client error displayed when trying to unblock a non-blocked user from a group. +#: actions/groupunblock.php:99 msgid "User is not blocked from group." msgstr "그룹 이용자는 차단해제" -#: actions/groupunblock.php:128 actions/unblock.php:86 +#. TRANS: Server error displayed when unblocking a user from a group fails because of an unknown error. +#: actions/groupunblock.php:131 actions/unblock.php:86 msgid "Error removing the block." msgstr "차단 제거 에러!" @@ -2935,10 +3044,12 @@ msgstr "기관 이름이 너무 깁니다. (최대 255글자)" msgid "Could not create application." msgstr "관심소식을 생성할 수 없습니다." +#. TRANS: Title for form to create a group. #: actions/newgroup.php:53 msgid "New group" msgstr "새로운 그룹" +#. TRANS: Form instructions for group create form. #: actions/newgroup.php:110 msgid "Use this form to create a new group." msgstr "새 그룹을 만들기 위해 이 양식을 사용하세요." @@ -3632,8 +3743,9 @@ msgid "1-64 lowercase letters or numbers, no punctuation or spaces." msgstr "1-64자 사이에 영소문자, 숫자로만 씁니다. 기호나 공백을 쓰면 안 됩니다." #. TRANS: Field label in form for profile settings. +#. TRANS: Label for full group name (dt). Text hidden by default. #: actions/profilesettings.php:117 actions/register.php:457 -#: actions/showgroup.php:256 actions/tagother.php:104 +#: actions/showgroup.php:257 actions/tagother.php:104 #: lib/groupeditform.php:157 lib/userprofile.php:150 msgid "Full name" msgstr "실명" @@ -3672,8 +3784,9 @@ msgid "Bio" msgstr "자기소개" #. TRANS: Field label in form for profile settings. +#. TRANS: Label for group location (dt). Text hidden by default. #: actions/profilesettings.php:149 actions/register.php:485 -#: actions/showgroup.php:265 actions/tagother.php:112 +#: actions/showgroup.php:267 actions/tagother.php:112 #: actions/userauthorization.php:166 lib/groupeditform.php:177 #: lib/userprofile.php:165 msgid "Location" @@ -4375,7 +4488,8 @@ msgstr "기관 이름이 필요합니다." msgid "Description" msgstr "설명" -#: actions/showapplication.php:192 actions/showgroup.php:442 +#. TRANS: Header for group statistics on a group page (h2). +#: actions/showapplication.php:192 actions/showgroup.php:453 #: lib/profileaction.php:187 msgid "Statistics" msgstr "통계" @@ -4393,6 +4507,11 @@ msgstr "인증 코드가 없습니다." msgid "Reset key & secret" msgstr "" +#: actions/showapplication.php:252 lib/deletegroupform.php:121 +#: lib/deleteuserform.php:66 lib/noticelist.php:667 +msgid "Delete" +msgstr "삭제" + #: actions/showapplication.php:261 msgid "Application info" msgstr "인증 코드가 없습니다." @@ -4478,77 +4597,106 @@ msgstr "" msgid "This is a way to share what you like." msgstr "좋아하는 글을 지정하면 자기가 무엇을 좋아하는지 알릴 수 있습니다." -#: actions/showgroup.php:82 +#. TRANS: Page title for first group page. %s is a group name. +#: actions/showgroup.php:80 #, php-format msgid "%s group" msgstr "%s 그룹" +#. TRANS: Page title for any but first group page. +#. TRANS: %1$s is a group name, $2$s is a page number. #: actions/showgroup.php:84 #, php-format msgid "%1$s group, page %2$d" msgstr "그룹, %d페이지" -#: actions/showgroup.php:227 +#. TRANS: Group profile header (h2). Text hidden by default. +#: actions/showgroup.php:225 msgid "Group profile" msgstr "그룹 프로필" -#: actions/showgroup.php:272 actions/tagother.php:118 +#. TRANS: Label for group URL (dt). Text hidden by default. +#: actions/showgroup.php:275 actions/tagother.php:118 #: actions/userauthorization.php:175 lib/userprofile.php:178 msgid "URL" msgstr "URL" -#: actions/showgroup.php:283 actions/tagother.php:128 +#. TRANS: Label for group description or group note (dt). Text hidden by default. +#: actions/showgroup.php:287 actions/tagother.php:128 #: actions/userauthorization.php:187 lib/userprofile.php:195 msgid "Note" msgstr "설명" -#: actions/showgroup.php:293 lib/groupeditform.php:184 +#. TRANS: Label for group aliases (dt). Text hidden by default. +#: actions/showgroup.php:298 lib/groupeditform.php:184 msgid "Aliases" msgstr "" -#: actions/showgroup.php:302 +#. TRANS: Group actions header (h2). Text hidden by default. +#: actions/showgroup.php:309 msgid "Group actions" msgstr "그룹 행동" -#: actions/showgroup.php:344 +#. TRANS: Tooltip for feed link. %s is a group nickname. +#: actions/showgroup.php:350 #, php-format msgid "Notice feed for %s group (RSS 1.0)" msgstr "%s 그룹을 위한 공지피드 (RSS 1.0)" -#: actions/showgroup.php:350 +#. TRANS: Tooltip for feed link. %s is a group nickname. +#: actions/showgroup.php:357 #, php-format msgid "Notice feed for %s group (RSS 2.0)" msgstr "%s 그룹을 위한 공지피드 (RSS 2.0)" -#: actions/showgroup.php:356 +#. TRANS: Tooltip for feed link. %s is a group nickname. +#: actions/showgroup.php:364 #, php-format msgid "Notice feed for %s group (Atom)" msgstr "%s 그룹을 위한 공지피드 (Atom)" -#: actions/showgroup.php:361 +#. TRANS: Tooltip for feed link. %s is a group nickname. +#: actions/showgroup.php:370 #, php-format msgid "FOAF for %s group" msgstr "%s의 보낸쪽지함" -#: actions/showgroup.php:399 actions/showgroup.php:451 +#. TRANS: Header for mini list of group members on a group page (h2). +#: actions/showgroup.php:407 msgid "Members" msgstr "회원" -#: actions/showgroup.php:404 lib/profileaction.php:117 +#. TRANS: Description for mini list of group members on a group page when the group has no members. +#: actions/showgroup.php:413 lib/profileaction.php:117 #: lib/profileaction.php:152 lib/profileaction.php:255 lib/section.php:95 #: lib/subscriptionlist.php:127 lib/tagcloudsection.php:71 msgid "(None)" msgstr "(없음)" -#: actions/showgroup.php:410 +#. TRANS: Link to all group members from mini list of group members if group has more than n members. +#: actions/showgroup.php:422 msgid "All members" msgstr "모든 회원" -#: actions/showgroup.php:445 +#. TRANS: Label for creation date in statistics on group page. +#: actions/showgroup.php:458 +#, fuzzy +msgctxt "LABEL" msgid "Created" msgstr "생성됨" -#: actions/showgroup.php:461 +#. TRANS: Label for member count in statistics on group page. +#: actions/showgroup.php:466 +#, fuzzy +msgctxt "LABEL" +msgid "Members" +msgstr "회원" + +#. TRANS: Notice on group pages for anonymous users for StatusNet sites that accept new registrations. +#. TRANS: **%s** is the group alias, %%%%site.name%%%% is the site name, +#. TRANS: %%%%action.register%%%% is the URL for registration, %%%%doc.help%%%% is a URL to help. +#. TRANS: This message contains Markdown links. Ensure they are formatted correctly: [Description](link). +#: actions/showgroup.php:481 #, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -4558,7 +4706,10 @@ msgid "" "of this group and many more! ([Read more](%%%%doc.help%%%%))" msgstr "" -#: actions/showgroup.php:467 +#. TRANS: Notice on group pages for anonymous users for StatusNet sites that accept no new registrations. +#. TRANS: **%s** is the group alias, %%%%site.name%%%% is the site name, +#. TRANS: This message contains Markdown links. Ensure they are formatted correctly: [Description](link). +#: actions/showgroup.php:491 #, fuzzy, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -4569,25 +4720,32 @@ msgstr "" "**%s** 는 %%%%site.name%%%% [마이크로블로깅)(http://en.wikipedia.org/wiki/" "Micro-blogging)의 사용자 그룹입니다. " -#: actions/showgroup.php:495 +#. TRANS: Header for list of group administrators on a group page (h2). +#: actions/showgroup.php:520 #, fuzzy msgid "Admins" msgstr "관리자" -#: actions/showmessage.php:81 +#. TRANS: Client error displayed requesting a single message that does not exist. +#: actions/showmessage.php:79 msgid "No such message." msgstr "그러한 메시지가 없습니다." -#: actions/showmessage.php:98 +#. TRANS: Client error displayed requesting a single direct message the requesting user was not a party in. +#: actions/showmessage.php:97 msgid "Only the sender and recipient may read this message." msgstr "오직 발송자가 수신자가 이 메시지를 읽는것이 좋습니다." -#: actions/showmessage.php:108 +#. TRANS: Page title for single direct message display when viewing user is the sender. +#. TRANS: %1$s is the addressed user's nickname, $2$s is a timestamp. +#: actions/showmessage.php:110 #, php-format msgid "Message to %1$s on %2$s" msgstr "%2$s에서 %1$s까지 메시지" -#: actions/showmessage.php:113 +#. TRANS: Page title for single message display. +#. TRANS: %1$s is the sending user's nickname, $2$s is a timestamp. +#: actions/showmessage.php:118 #, php-format msgid "Message from %1$s on %2$s" msgstr "%1$s에서 %2$s까지 메시지" @@ -5029,12 +5187,14 @@ msgstr "" msgid "Save snapshot settings" msgstr "접근 설정을 저장" -#: actions/subedit.php:70 +#. TRANS: Client error displayed trying a change a subscription for a non-subscribed profile. +#: actions/subedit.php:75 msgid "You are not subscribed to that profile." msgstr "당신은 이 프로필에 구독되지 않고있습니다." +#. TRANS: Server error displayed when updating a subscription fails with a database error. #. TRANS: Exception thrown when a subscription could not be stored on the server. -#: actions/subedit.php:83 classes/Subscription.php:136 +#: actions/subedit.php:89 classes/Subscription.php:136 msgid "Could not save subscription." msgstr "구독을 저장할 수 없습니다." @@ -5840,12 +6000,12 @@ msgid "Welcome to %1$s, @%2$s!" msgstr "%s에 답신" #. TRANS: Server exception. -#: classes/User.php:902 +#: classes/User.php:912 msgid "No single user defined for single-user mode." msgstr "" #. TRANS: Server exception. -#: classes/User.php:906 +#: classes/User.php:916 msgid "Single-user mode code called when not enabled." msgstr "" @@ -6976,7 +7136,8 @@ msgstr "Atom" msgid "FOAF" msgstr "FOAF" -#: lib/feedlist.php:65 +#. TRANS: Header for feed links (h2). +#: lib/feedlist.php:66 msgid "Feeds" msgstr "" @@ -7135,39 +7296,54 @@ msgstr "이 페이지는 귀하가 승인한 미디어 타입에서는 이용할 msgid "Unsupported image file format." msgstr "지원하지 않는 그림 파일 형식입니다." -#: lib/imagefile.php:88 +#. TRANS: Exception thrown when too large a file is uploaded. +#. TRANS: %s is the maximum file size, for example "500b", "10kB" or "2MB". +#: lib/imagefile.php:90 #, fuzzy, php-format msgid "That file is too big. The maximum file size is %s." msgstr "당신그룹의 로고 이미지를 업로드할 수 있습니다." -#: lib/imagefile.php:93 +#: lib/imagefile.php:95 msgid "Partial upload." msgstr "불완전한 업로드." #. TRANS: Client exception thrown when a file upload operation has failed with an unknown reason. -#: lib/imagefile.php:101 lib/mediafile.php:179 +#: lib/imagefile.php:103 lib/mediafile.php:179 msgid "System error uploading file." msgstr "파일을 올리는데 시스템 오류 발생" -#: lib/imagefile.php:109 +#: lib/imagefile.php:111 msgid "Not an image or corrupt file." msgstr "그림 파일이 아니거나 손상된 파일 입니다." -#: lib/imagefile.php:122 +#: lib/imagefile.php:124 msgid "Lost our file." msgstr "파일을 잃어버렸습니다." -#: lib/imagefile.php:163 lib/imagefile.php:224 +#: lib/imagefile.php:165 lib/imagefile.php:226 msgid "Unknown file type" msgstr "알 수 없는 종류의 파일입니다" -#: lib/imagefile.php:244 -msgid "MB" -msgstr "MB" +#. TRANS: Number of megabytes. %d is the number. +#: lib/imagefile.php:248 +#, fuzzy, php-format +msgid "%dMB" +msgid_plural "%dMB" +msgstr[0] "MB" -#: lib/imagefile.php:246 -msgid "kB" -msgstr "kB" +#. TRANS: Number of kilobytes. %d is the number. +#: lib/imagefile.php:252 +#, fuzzy, php-format +msgid "%dkB" +msgid_plural "%dkB" +msgstr[0] "kB" + +#. TRANS: Number of bytes. %d is the number. +#: lib/imagefile.php:255 +#, php-format +msgid "%dB" +msgid_plural "%dB" +msgstr[0] "" #: lib/jabber.php:387 #, php-format @@ -7965,6 +8141,13 @@ msgstr "차단 제거 에러!" msgid "Top posters" msgstr "상위 게시글 등록자" +#. TRANS: Title for the form to unblock a user. +#: lib/unblockform.php:67 +#, fuzzy +msgctxt "TITLE" +msgid "Unblock" +msgstr "차단해제" + #: lib/unsandboxform.php:69 msgid "Unsandbox" msgstr "" @@ -8142,3 +8325,9 @@ msgstr "프로필을 지정하지 않았습니다." #, php-format msgid "%d entries in backup." msgstr "" + +#~ msgid "Description is too long (max %d chars)." +#~ msgstr "설명이 너무 깁니다. (최대 %d 글자)" + +#~ msgid "Too many aliases! Maximum %d." +#~ msgstr "별명이 너무 많습니다! 최대 %d개." diff --git a/locale/mk/LC_MESSAGES/statusnet.po b/locale/mk/LC_MESSAGES/statusnet.po index fde84118d4..dc06bfc241 100644 --- a/locale/mk/LC_MESSAGES/statusnet.po +++ b/locale/mk/LC_MESSAGES/statusnet.po @@ -10,17 +10,17 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet - Core\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-10-27 23:43+0000\n" -"PO-Revision-Date: 2010-10-28 23:09:21+0000\n" +"POT-Creation-Date: 2010-10-30 23:18+0000\n" +"PO-Revision-Date: 2010-10-30 23:20:35+0000\n" "Language-Team: Macedonian \n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r75629); Translate extension (2010-09-17)\n" +"X-Generator: MediaWiki 1.17alpha (r75708); Translate extension (2010-09-17)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: mk\n" "X-Message-Group: #out-statusnet-core\n" "Plural-Forms: nplurals=2; plural=(n == 1 || n%10 == 1) ? 0 : 1;\n" -"X-POT-Import-Date: 2010-10-28 00:13:15+0000\n" +"X-POT-Import-Date: 2010-10-30 09:48:40+0000\n" #. TRANS: Page title for Access admin panel that allows configuring site access. #. TRANS: Menu item for site administration @@ -118,6 +118,7 @@ msgstr "Нема таква страница." #. TRANS: Client error displayed when requesting most recent dents by user and friends for a non-existing user. #. TRANS: Client error displayed when requesting most recent mentions for a non-existing user. #. TRANS: Client error displayed requesting most recent notices for a non-existing user. +#. TRANS: Client error displayed trying to get an avatar for a non-existing user. #. TRANS: Error text shown when trying to send a direct message to a user that does not exist. #: actions/all.php:80 actions/apiaccountupdatedeliverydevice.php:110 #: actions/apiaccountupdateprofile.php:103 @@ -130,7 +131,7 @@ msgstr "Нема таква страница." #: actions/apistatusesupdate.php:230 actions/apisubscriptions.php:85 #: actions/apitimelinefavorites.php:70 actions/apitimelinefriends.php:173 #: actions/apitimelinehome.php:78 actions/apitimelinementions.php:77 -#: actions/apitimelineuser.php:79 actions/avatarbynickname.php:75 +#: actions/apitimelineuser.php:79 actions/avatarbynickname.php:79 #: 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 @@ -309,11 +310,12 @@ msgstr "Не можев да го подновам корисникот." #. TRANS: Client error displayed a user has no profile updating profile colours. #. TRANS: Client error displayed if a user profile could not be found updating a profile image. #. TRANS: Client error displayed when requesting user information for a user without a profile. +#. TRANS: Client error displayed trying to get an avatar for a user without a profile. #: actions/apiaccountupdateprofile.php:111 #: actions/apiaccountupdateprofilebackgroundimage.php:199 #: actions/apiaccountupdateprofilecolors.php:183 #: actions/apiaccountupdateprofileimage.php:130 actions/apiusershow.php:108 -#: actions/avatarbynickname.php:80 actions/foaf.php:65 actions/hcard.php:74 +#: actions/avatarbynickname.php:85 actions/foaf.php:65 actions/hcard.php:74 #: actions/replies.php:80 actions/usergroups.php:100 lib/galleryaction.php:66 #: lib/profileaction.php:84 msgid "User has no profile." @@ -328,7 +330,7 @@ msgstr "Не може да се зачува профил." #. TRANS: %s is the number of bytes of the CONTENT_LENGTH. #: actions/apiaccountupdateprofilebackgroundimage.php:108 #: actions/apiaccountupdateprofileimage.php:95 actions/apimediaupload.php:81 -#: actions/apistatusesupdate.php:210 actions/avatarsettings.php:259 +#: actions/apistatusesupdate.php:210 actions/avatarsettings.php:269 #: actions/designadminpanel.php:125 actions/editapplication.php:121 #: actions/newapplication.php:104 actions/newnotice.php:95 #, php-format @@ -509,43 +511,53 @@ msgstr "Не можев да го утврдам целниот корисник msgid "Could not find target user." msgstr "Не можев да го пронајдам целниот корисник." +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. #. TRANS: Validation error in form for profile settings. -#: actions/apigroupcreate.php:165 actions/editgroup.php:186 -#: actions/newgroup.php:126 actions/profilesettings.php:243 +#: actions/apigroupcreate.php:165 actions/editgroup.php:191 +#: actions/newgroup.php:127 actions/profilesettings.php:243 #: actions/register.php:212 msgid "Nickname must have only lowercase letters and numbers and no spaces." msgstr "Прекарот мора да има само мали букви и бројки и да нема празни места." #. TRANS: Client error trying to create a group with a nickname this is already in use. +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. #. TRANS: Validation error in form for profile settings. -#: actions/apigroupcreate.php:175 actions/editgroup.php:190 -#: actions/newgroup.php:130 actions/profilesettings.php:277 +#: actions/apigroupcreate.php:175 actions/editgroup.php:196 +#: actions/newgroup.php:132 actions/profilesettings.php:277 #: actions/register.php:215 msgid "Nickname already in use. Try another one." msgstr "Тој прекар е во употреба. Одберете друг." #. TRANS: Client error in form for group creation. +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. #. TRANS: Validation error in form for profile settings. -#: actions/apigroupcreate.php:183 actions/editgroup.php:193 -#: actions/newgroup.php:133 actions/profilesettings.php:247 +#: actions/apigroupcreate.php:183 actions/editgroup.php:200 +#: actions/newgroup.php:136 actions/profilesettings.php:247 #: actions/register.php:217 msgid "Not a valid nickname." msgstr "Неправилен прекар." #. TRANS: Client error in form for group creation. #. TRANS: Validation error shown when providing an invalid homepage URL in the "Edit application" form. +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. #. TRANS: Validation error in form for profile settings. #: actions/apigroupcreate.php:200 actions/editapplication.php:233 -#: actions/editgroup.php:199 actions/newapplication.php:211 -#: actions/newgroup.php:139 actions/profilesettings.php:252 +#: actions/editgroup.php:207 actions/newapplication.php:211 +#: actions/newgroup.php:143 actions/profilesettings.php:252 #: actions/register.php:224 msgid "Homepage is not a valid URL." msgstr "Главната страница не е важечка URL-адреса." #. TRANS: Client error in form for group creation. +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. #. TRANS: Validation error in form for profile settings. -#: actions/apigroupcreate.php:210 actions/editgroup.php:202 -#: actions/newgroup.php:142 actions/profilesettings.php:256 +#: actions/apigroupcreate.php:210 actions/editgroup.php:211 +#: actions/newgroup.php:147 actions/profilesettings.php:256 #: actions/register.php:227 msgid "Full name is too long (maximum 255 characters)." msgstr "Полното име е предолго (највеќе 255 знаци)." @@ -553,10 +565,11 @@ msgstr "Полното име е предолго (највеќе 255 знаци #. TRANS: Client error shown when providing too long a description during group creation. #. TRANS: %d is the maximum number of allowed characters. #. TRANS: Validation error shown when providing too long a description in the "Edit application" form. +#. TRANS: Group edit form validation error. #. TRANS: Form validation error in New application form. #. TRANS: %d is the maximum number of characters for the description. #: actions/apigroupcreate.php:220 actions/editapplication.php:201 -#: actions/newapplication.php:178 +#: actions/editgroup.php:216 actions/newapplication.php:178 #, php-format msgid "Description is too long (maximum %d character)." msgid_plural "Description is too long (maximum %d characters)." @@ -564,16 +577,23 @@ msgstr[0] "Описот е предолг (дозволено е највеќе msgstr[1] "Описот е предолг (дозволено е највеќе %d знаци)." #. TRANS: Client error shown when providing too long a location during group creation. +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. #. TRANS: Validation error in form for profile settings. -#: actions/apigroupcreate.php:234 actions/editgroup.php:208 -#: actions/newgroup.php:153 actions/profilesettings.php:269 +#: actions/apigroupcreate.php:234 actions/editgroup.php:223 +#: actions/newgroup.php:159 actions/profilesettings.php:269 #: actions/register.php:236 msgid "Location is too long (maximum 255 characters)." msgstr "Местоположбата е предолга (највеќе 255 знаци)." #. TRANS: Client error shown when providing too many aliases during group creation. #. TRANS: %d is the maximum number of allowed aliases. -#: actions/apigroupcreate.php:255 actions/newgroup.php:166 +#. TRANS: Group edit form validation error. +#. TRANS: %d is the maximum number of allowed aliases. +#. TRANS: Group create form validation error. +#. TRANS: %d is the maximum number of allowed aliases. +#: actions/apigroupcreate.php:255 actions/editgroup.php:236 +#: actions/newgroup.php:172 #, php-format msgid "Too many aliases! Maximum %d allowed." msgid_plural "Too many aliases! Maximum %d allowed." @@ -589,15 +609,19 @@ msgstr "Неважечки алијас: „%s“." #. TRANS: Client error displayed when trying to use an alias during group creation that is already in use. #. TRANS: %s is the alias that is already in use. -#: actions/apigroupcreate.php:291 actions/editgroup.php:232 -#: actions/newgroup.php:181 +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. +#: actions/apigroupcreate.php:291 actions/editgroup.php:253 +#: actions/newgroup.php:189 #, php-format msgid "Alias \"%s\" already in use. Try another one." msgstr "Алијасот „%s“ е зафатен. Одберете друг." #. TRANS: Client error displayed when trying to use an alias during group creation that is the same as the group's nickname. -#: actions/apigroupcreate.php:305 actions/editgroup.php:238 -#: actions/newgroup.php:187 +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. +#: actions/apigroupcreate.php:305 actions/editgroup.php:260 +#: actions/newgroup.php:196 msgid "Alias can't be the same as nickname." msgstr "Алијасот не може да биде ист како прекарот." @@ -700,18 +724,18 @@ msgid "Request token already authorized." msgstr "Жетонот за барање е веќе овластен." #. TRANS: Form validation error in API OAuth authorisation because of an invalid session token. -#: actions/apioauthauthorize.php:147 actions/avatarsettings.php:270 +#: actions/apioauthauthorize.php:147 actions/avatarsettings.php:280 #: actions/deletenotice.php:172 actions/disfavor.php:74 #: actions/emailsettings.php:271 actions/favor.php:75 actions/geocode.php:55 #: actions/groupblock.php:66 actions/grouplogo.php:312 -#: actions/groupunblock.php:66 actions/imsettings.php:230 +#: actions/groupunblock.php:65 actions/imsettings.php:230 #: actions/invite.php:59 actions/login.php:137 actions/makeadmin.php:66 #: actions/newmessage.php:135 actions/newnotice.php:105 actions/nudge.php:80 #: actions/oauthappssettings.php:165 actions/oauthconnectionssettings.php:138 #: actions/othersettings.php:145 actions/passwordsettings.php:138 #: actions/profilesettings.php:221 actions/recoverpassword.php:350 #: actions/register.php:172 actions/remotesubscribe.php:77 -#: actions/repeat.php:83 actions/smssettings.php:256 actions/subedit.php:38 +#: actions/repeat.php:83 actions/smssettings.php:256 actions/subedit.php:40 #: actions/subscribe.php:86 actions/tagother.php:166 #: actions/unsubscribe.php:69 actions/userauthorization.php:52 #: lib/designsettings.php:294 @@ -729,12 +753,13 @@ msgid "Database error inserting oauth_token_association." msgstr "Грешка во базата при вметнувањето на auth_token_association." #. TRANS: Client error given on when invalid data was passed through a form in the OAuth API. +#. TRANS: Unexpected validation error on avatar upload form. #. TRANS: Client error displayed submitting invalid form data for edit application. #. TRANS: Message given submitting a form with an unknown action in e-mail settings. #. TRANS: Message given submitting a form with an unknown action in IM settings. #. TRANS: Client error when submitting a form with unexpected information. #. TRANS: Message given submitting a form with an unknown action in SMS settings. -#: actions/apioauthauthorize.php:294 actions/avatarsettings.php:283 +#: actions/apioauthauthorize.php:294 actions/avatarsettings.php:294 #: actions/designadminpanel.php:104 actions/editapplication.php:144 #: actions/emailsettings.php:290 actions/grouplogo.php:322 #: actions/imsettings.php:245 actions/newapplication.php:125 @@ -788,6 +813,7 @@ msgstr "Сметка" #. TRANS: Field label on OAuth API authorisation form. #. TRANS: Field label in form for profile settings. +#. TRANS: Label for group nickname (dt). Text hidden by default. #: actions/apioauthauthorize.php:459 actions/login.php:252 #: actions/profilesettings.php:110 actions/register.php:433 #: actions/showgroup.php:245 actions/tagother.php:94 @@ -1040,31 +1066,42 @@ msgstr "API-методот е во изработка." msgid "User not found." msgstr "Корисникот не е пронајден." +#. TRANS: Client error displayed trying to get a non-existing attachment. #: actions/attachment.php:73 msgid "No such attachment." msgstr "Нема таков прилог." -#: actions/avatarbynickname.php:59 actions/blockedfromgroup.php:73 -#: actions/editgroup.php:84 actions/groupdesignsettings.php:84 +#. TRANS: Client error displayed trying to get an avatar without providing a nickname. +#. TRANS: Client error displayed when requesting a list of blocked users for a group without providing a group nickname. +#. TRANS: Client error displayed trying to edit a group while not proving a nickname for the group to edit. +#. TRANS: Client error displayed if no nickname argument was given requesting a group page. +#: actions/avatarbynickname.php:60 actions/blockedfromgroup.php:73 +#: actions/editgroup.php:85 actions/groupdesignsettings.php:84 #: actions/grouplogo.php:86 actions/groupmembers.php:76 #: actions/grouprss.php:91 actions/showgroup.php:121 msgid "No nickname." msgstr "Нема прекар." -#: actions/avatarbynickname.php:64 +#. TRANS: Client error displayed trying to get an avatar without providing an avatar size. +#: actions/avatarbynickname.php:66 msgid "No size." msgstr "Нема големина." -#: actions/avatarbynickname.php:69 +#. TRANS: Client error displayed trying to get an avatar providing an invalid avatar size. +#: actions/avatarbynickname.php:72 msgid "Invalid size." msgstr "Погрешна големина." +#. TRANS: Title for avatar upload page. +#. TRANS: Label for group avatar (dt). Text hidden by default. #. TRANS: Link description in user account settings menu. -#: actions/avatarsettings.php:67 actions/showgroup.php:230 +#: actions/avatarsettings.php:66 actions/showgroup.php:229 #: lib/accountsettingsaction.php:113 msgid "Avatar" msgstr "Аватар" +#. TRANS: Instruction for avatar upload page. +#. TRANS: %s is the maximum file size, for example "500b", "10kB" or "2MB". #: actions/avatarsettings.php:78 #, php-format msgid "You can upload your personal avatar. The maximum file size is %s." @@ -1072,74 +1109,97 @@ msgstr "" "Можете да подигнете свој личен аватар. Максималната дозволена големина на " "податотеката изнесува %s." -#: actions/avatarsettings.php:106 actions/avatarsettings.php:185 +#. TRANS: Server error displayed in avatar upload page when no matching profile can be found for a user. +#: actions/avatarsettings.php:108 actions/avatarsettings.php:192 #: actions/grouplogo.php:181 actions/remotesubscribe.php:191 #: actions/userauthorization.php:72 actions/userrss.php:108 msgid "User without matching profile." msgstr "Корисник без соодветен профил." -#: actions/avatarsettings.php:119 actions/avatarsettings.php:197 +#. TRANS: Avatar upload page form legend. +#. TRANS: Avatar upload page crop form legend. +#: actions/avatarsettings.php:122 actions/avatarsettings.php:205 #: actions/grouplogo.php:254 msgid "Avatar settings" msgstr "Нагодувања на аватарот" -#: actions/avatarsettings.php:127 actions/avatarsettings.php:205 +#. TRANS: Header on avatar upload page for thumbnail of originally uploaded avatar (h2). +#. TRANS: Header on avatar upload crop form for thumbnail of originally uploaded avatar (h2). +#: actions/avatarsettings.php:131 actions/avatarsettings.php:214 #: actions/grouplogo.php:202 actions/grouplogo.php:262 msgid "Original" msgstr "Оригинал" -#: actions/avatarsettings.php:142 actions/avatarsettings.php:217 +#. TRANS: Header on avatar upload page for thumbnail of to be used rendition of uploaded avatar (h2). +#. TRANS: Header on avatar upload crop form for thumbnail of to be used rendition of uploaded avatar (h2). +#: actions/avatarsettings.php:147 actions/avatarsettings.php:227 #: actions/grouplogo.php:213 actions/grouplogo.php:274 msgid "Preview" msgstr "Преглед" -#: actions/avatarsettings.php:149 actions/showapplication.php:252 -#: lib/deletegroupform.php:121 lib/deleteuserform.php:66 -#: lib/noticelist.php:667 +#. TRANS: Button on avatar upload page to delete current avatar. +#: actions/avatarsettings.php:155 +#, fuzzy +msgctxt "BUTTON" msgid "Delete" msgstr "Бриши" -#: actions/avatarsettings.php:166 actions/grouplogo.php:236 +#. TRANS: Button on avatar upload page to upload an avatar. +#: actions/avatarsettings.php:173 +#, fuzzy +msgctxt "BUTTON" msgid "Upload" msgstr "Подигни" -#: actions/avatarsettings.php:231 actions/grouplogo.php:289 +#. TRANS: Button on avatar upload crop form to confirm a selected crop as avatar. +#: actions/avatarsettings.php:243 +#, fuzzy +msgctxt "BUTTON" msgid "Crop" msgstr "Отсечи" -#: actions/avatarsettings.php:307 +#. TRANS: Validation error on avatar upload form when no file was uploaded. +#: actions/avatarsettings.php:318 msgid "No file uploaded." msgstr "Нема подигнато податотека." -#: actions/avatarsettings.php:334 +#. TRANS: Avatar upload form unstruction after uploading a file. +#: actions/avatarsettings.php:346 msgid "Pick a square area of the image to be your avatar" msgstr "Одберете квадратна површина од сликата за аватар" -#: actions/avatarsettings.php:349 actions/grouplogo.php:380 +#. TRANS: Server error displayed if an avatar upload went wrong somehow server side. +#: actions/avatarsettings.php:361 actions/grouplogo.php:380 msgid "Lost our file data." msgstr "Податоците за податотеката се изгубени." -#: actions/avatarsettings.php:372 +#: actions/avatarsettings.php:384 msgid "Avatar updated." msgstr "Аватарот е подновен." -#: actions/avatarsettings.php:375 +#. TRANS: Error displayed on the avatar upload page if the avatar could not be updated for an unknown reason. +#: actions/avatarsettings.php:388 msgid "Failed updating avatar." msgstr "Подновата на аватарот не успеа." -#: actions/avatarsettings.php:399 +#. TRANS: Success message for deleting a user avatar. +#: actions/avatarsettings.php:412 msgid "Avatar deleted." msgstr "Аватарот е избришан." -#: actions/block.php:69 +#. TRANS: Client error displayed when blocking a user that has already been blocked. +#: actions/block.php:68 msgid "You already blocked that user." msgstr "Веќе го имате блокирано тој корисник." -#: actions/block.php:107 actions/block.php:136 actions/groupblock.php:158 +#. TRANS: Title for block user page. +#. TRANS: Legend for block user form. +#: actions/block.php:106 actions/block.php:136 actions/groupblock.php:158 msgid "Block user" msgstr "Блокирај корисник" -#: actions/block.php:138 +#. TRANS: Explanation of consequences when blocking a user on the block user page. +#: actions/block.php:139 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 " @@ -1156,7 +1216,7 @@ msgstr "" #. TRANS: Button label on the delete notice form. #. TRANS: Button label on the delete user form. #. TRANS: Button label on the form to block a user from a group. -#: actions/block.php:153 actions/deleteapplication.php:154 +#: actions/block.php:154 actions/deleteapplication.php:154 #: actions/deletegroup.php:220 actions/deletenotice.php:150 #: actions/deleteuser.php:152 actions/groupblock.php:178 msgctxt "BUTTON" @@ -1165,7 +1225,7 @@ msgstr "Не" #. TRANS: Submit button title for 'No' when blocking a user. #. TRANS: Submit button title for 'No' when deleting a user. -#: actions/block.php:157 actions/deleteuser.php:156 +#: actions/block.php:158 actions/deleteuser.php:156 msgid "Do not block this user" msgstr "Не го блокирај корисников" @@ -1175,7 +1235,7 @@ msgstr "Не го блокирај корисников" #. TRANS: Button label on the delete notice form. #. TRANS: Button label on the delete user form. #. TRANS: Button label on the form to block a user from a group. -#: actions/block.php:160 actions/deleteapplication.php:161 +#: actions/block.php:161 actions/deleteapplication.php:161 #: actions/deletegroup.php:227 actions/deletenotice.php:157 #: actions/deleteuser.php:159 actions/groupblock.php:185 msgctxt "BUTTON" @@ -1184,90 +1244,111 @@ msgstr "Да" #. TRANS: Submit button title for 'Yes' when blocking a user. #. TRANS: Description of the form to block a user. -#: actions/block.php:164 lib/blockform.php:79 +#: actions/block.php:165 lib/blockform.php:79 msgid "Block this user" msgstr "Блокирај го корисников" -#: actions/block.php:187 +#. TRANS: Server error displayed when blocking a user fails. +#: actions/block.php:189 msgid "Failed to save block information." msgstr "Не можев да ги снимам инофрмациите за блокот." +#. TRANS: Client error displayed when requesting a list of blocked users for a non-local group. +#. TRANS: Client error displayed when requesting a list of blocked users for a non-existing group. #. TRANS: Client error when trying to delete a non-local group. #. TRANS: Client error when trying to delete a non-existing group. +#. TRANS: Client error displayed trying to edit a non-existing group. +#. TRANS: Client error displayed when trying to unblock a user from a non-existing group. +#. TRANS: Client error displayed if no remote group with a given name was found requesting group page. +#. TRANS: Client error displayed if no local group with a given name was found requesting group page. #. TRANS: Command exception text shown when a group is requested that does not exist. #. TRANS: Error text shown when trying to leave a group that does not exist. -#: actions/blockedfromgroup.php:80 actions/blockedfromgroup.php:87 +#: actions/blockedfromgroup.php:81 actions/blockedfromgroup.php:89 #: actions/deletegroup.php:87 actions/deletegroup.php:100 -#: actions/editgroup.php:100 actions/foafgroup.php:44 actions/foafgroup.php:62 +#: actions/editgroup.php:102 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/groupunblock.php:88 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:168 +#: actions/showgroup.php:139 actions/showgroup.php:148 lib/command.php:168 #: lib/command.php:380 msgid "No such group." msgstr "Нема таква група." -#: actions/blockedfromgroup.php:97 +#. TRANS: Title for first page with list of users blocked from a group. +#. TRANS: %s is a group nickname. +#: actions/blockedfromgroup.php:101 #, php-format msgid "%s blocked profiles" msgstr "%s блокирани профили" -#: actions/blockedfromgroup.php:100 +#. TRANS: Title for any but the first page with list of users blocked from a group. +#. TRANS: %1$s is a group nickname, %2$d is a page number. +#: actions/blockedfromgroup.php:106 #, php-format msgid "%1$s blocked profiles, page %2$d" msgstr "%1$s блокирани профили, стр. %2$d" -#: actions/blockedfromgroup.php:115 +#. TRANS: Instructions for list of users blocked from a group. +#: actions/blockedfromgroup.php:122 msgid "A list of the users blocked from joining this group." msgstr "Листана корисниците блокирани од придружување во оваа група." -#: actions/blockedfromgroup.php:288 +#. TRANS: Form legend for unblocking a user from a group. +#: actions/blockedfromgroup.php:291 msgid "Unblock user from group" msgstr "Одблокирај корисник од група" -#. TRANS: Title for the form to unblock a user. -#: actions/blockedfromgroup.php:320 lib/unblockform.php:70 +#. TRANS: Button text for unblocking a user from a group. +#: actions/blockedfromgroup.php:323 +#, fuzzy +msgctxt "BUTTON" msgid "Unblock" msgstr "Одблокирај" +#. TRANS: Tooltip for button for unblocking a user from a group. #. TRANS: Description of the form to unblock a user. -#: actions/blockedfromgroup.php:320 lib/unblockform.php:82 +#: actions/blockedfromgroup.php:327 lib/unblockform.php:78 msgid "Unblock this user" msgstr "Одблокирај го овој корсник" #. TRANS: Title for mini-posting window loaded from bookmarklet. +#. TRANS: %s is the StatusNet site name. #: actions/bookmarklet.php:51 #, php-format msgid "Post to %s" msgstr "Објави во %s" -#: actions/confirmaddress.php:75 +#. TRANS: Client error displayed when not providing a confirmation code in the contact address confirmation action. +#: actions/confirmaddress.php:74 msgid "No confirmation code." msgstr "Нема потврден код." +#. TRANS: Client error displayed when providing a non-existing confirmation code in the contact address confirmation action. #: actions/confirmaddress.php:80 msgid "Confirmation code not found." msgstr "Потврдниот код не е пронајден." -#: actions/confirmaddress.php:85 +#. TRANS: Client error displayed when not providing a confirmation code for another user in the contact address confirmation action. +#: actions/confirmaddress.php:86 msgid "That confirmation code is not for you!" msgstr "Овој потврден код не е за Вас!" -#. TRANS: Server error for an unknow address type, which can be 'email', 'jabber', or 'sms'. -#: actions/confirmaddress.php:91 +#. TRANS: Server error for a unknow address type %s, which can be 'email', 'jabber', or 'sms'. +#: actions/confirmaddress.php:92 #, php-format msgid "Unrecognized address type %s." msgstr "Непознат тип на адреса %s." -#. TRANS: Client error for an already confirmed email/jabbel/sms address. -#: actions/confirmaddress.php:96 +#. TRANS: Client error for an already confirmed email/jabber/sms address. +#: actions/confirmaddress.php:97 msgid "That address has already been confirmed." msgstr "Оваа адреса веќе е потврдена." +#. TRANS: Server error displayed when a user update to the database fails in the contact address confirmation action. #. TRANS: Server error thrown on database error updating e-mail preferences. #. TRANS: Server error thrown on database error removing a registered e-mail address. #. TRANS: Server error thrown on database error updating IM preferences. @@ -1275,7 +1356,7 @@ msgstr "Оваа адреса веќе е потврдена." #. TRANS: Server error thrown when user profile settings could not be updated. #. TRANS: Server error thrown on database error updating SMS preferences. #. TRANS: Server error thrown on database error removing a registered SMS phone number. -#: actions/confirmaddress.php:116 actions/emailsettings.php:331 +#: actions/confirmaddress.php:118 actions/emailsettings.php:331 #: actions/emailsettings.php:477 actions/imsettings.php:283 #: actions/imsettings.php:442 actions/othersettings.php:174 #: actions/profilesettings.php:326 actions/smssettings.php:308 @@ -1283,27 +1364,32 @@ msgstr "Оваа адреса веќе е потврдена." msgid "Couldn't update user." msgstr "Не можев да го подновам корисникот." -#. TRANS: Server error thrown on database error canceling e-mail address confirmation. -#. TRANS: Server error thrown on database error canceling SMS phone number confirmation. -#: actions/confirmaddress.php:128 actions/emailsettings.php:437 -#: actions/smssettings.php:422 -msgid "Couldn't delete email confirmation." -msgstr "Не можев да ја избришам потврдата по е-пошта." +#. TRANS: Server error displayed when an address confirmation code deletion from the +#. TRANS: database fails in the contact address confirmation action. +#: actions/confirmaddress.php:132 +#, fuzzy +msgid "Could not delete address confirmation." +msgstr "Не можев да ја избришам потврдата на IM." -#: actions/confirmaddress.php:146 +#. TRANS: Title for the contact address confirmation action. +#: actions/confirmaddress.php:150 msgid "Confirm address" msgstr "Потврди адреса" -#: actions/confirmaddress.php:161 +#. TRANS: Success message for the contact address confirmation action. +#. TRANS: %s can be 'email', 'jabber', or 'sms'. +#: actions/confirmaddress.php:166 #, php-format msgid "The address \"%s\" has been confirmed for your account." msgstr "Адресата \"%s\" е потврдена за Вашата сметка." -#: actions/conversation.php:99 +#. TRANS: Title for page with a conversion (multiple notices in context). +#: actions/conversation.php:96 msgid "Conversation" msgstr "Разговор" -#: actions/conversation.php:154 lib/mailbox.php:116 lib/noticelist.php:87 +#. TRANS: Header on conversation page. Hidden by default (h2). +#: actions/conversation.php:149 lib/mailbox.php:116 lib/noticelist.php:87 #: lib/profileaction.php:229 lib/searchgroupnav.php:82 msgid "Notices" msgstr "Забелешки" @@ -1409,11 +1495,13 @@ msgstr "Не ја бриши групава" msgid "Delete this group" msgstr "Избриши ја групава" +#. TRANS: Client error displayed when trying to unblock a user from a group while not logged in. +#. TRANS: Client error displayed trying a change a subscription while not logged in. #. TRANS: Client error message thrown when trying to access the admin panel while not logged in. #: actions/deletenotice.php:50 actions/disfavor.php:61 actions/favor.php:62 -#: actions/groupblock.php:61 actions/groupunblock.php:61 actions/logout.php:69 +#: actions/groupblock.php:61 actions/groupunblock.php:60 actions/logout.php:69 #: actions/makeadmin.php:61 actions/newmessage.php:87 actions/newnotice.php:88 -#: actions/nudge.php:63 actions/subedit.php:31 actions/subscribe.php:96 +#: actions/nudge.php:63 actions/subedit.php:33 actions/subscribe.php:96 #: actions/tagother.php:33 actions/unsubscribe.php:52 #: lib/adminpanelaction.php:71 lib/profileformaction.php:64 #: lib/settingsaction.php:72 @@ -1713,49 +1801,49 @@ msgstr "URL-адресата за повикување е неважечка." msgid "Could not update application." msgstr "Не можев да го подновам програмот." -#: actions/editgroup.php:56 +#. TRANS: Title for form to edit a group. %s is a group nickname. +#: actions/editgroup.php:55 #, php-format msgid "Edit %s group" msgstr "Уреди ја групата %s" +#. TRANS: Client error displayed trying to edit a group while not logged in. +#. TRANS: Client error displayed trying to create a group while not logged in. #: actions/editgroup.php:68 actions/grouplogo.php:70 actions/newgroup.php:65 msgid "You must be logged in to create a group." msgstr "Мора да сте најавени за да можете да создавате групи." -#: actions/editgroup.php:107 actions/editgroup.php:172 +#. TRANS: Client error displayed trying to edit a group while not being a group admin. +#: actions/editgroup.php:110 actions/editgroup.php:176 #: actions/groupdesignsettings.php:107 actions/grouplogo.php:109 msgid "You must be an admin to edit the group." msgstr "Мора да сте администратор за да можете да ја уредите групата." -#: actions/editgroup.php:158 +#. TRANS: Form instructions for group edit form. +#: actions/editgroup.php:161 msgid "Use this form to edit the group." msgstr "ОБразецов служи за уредување на групата." -#: actions/editgroup.php:205 -#, php-format -msgid "Description is too long (max %d chars)." -msgstr "Описот е предолг (дозволено е највеќе %d знаци)." - -#: actions/editgroup.php:219 -#, php-format -msgid "Too many aliases! Maximum %d." -msgstr "Премногу алијаси! Дозволено е највеќе %d." - -#: actions/editgroup.php:228 actions/newgroup.php:177 +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. +#: actions/editgroup.php:248 actions/newgroup.php:184 #, php-format msgid "Invalid alias: \"%s\"" msgstr "Неважечки алијас: „%s“" -#: actions/editgroup.php:258 +#. TRANS: Server error displayed when editing a group fails. +#: actions/editgroup.php:281 msgid "Could not update group." msgstr "Не можев да ја подновам групата." +#. TRANS: Server error displayed when group aliases could not be added. #. TRANS: Server exception thrown when creating group aliases failed. -#: actions/editgroup.php:264 classes/User_group.php:513 +#: actions/editgroup.php:288 classes/User_group.php:513 msgid "Could not create aliases." msgstr "Не можеше да се создадат алијаси." -#: actions/editgroup.php:280 +#. TRANS: Group edit form success message. +#: actions/editgroup.php:305 msgid "Options saved." msgstr "Нагодувањата се зачувани." @@ -1950,6 +2038,12 @@ msgstr "Нема потврди кои може да се откажат." msgid "That is the wrong email address." msgstr "Ова е погрешна е-поштенска адреса." +#. TRANS: Server error thrown on database error canceling e-mail address confirmation. +#. TRANS: Server error thrown on database error canceling SMS phone number confirmation. +#: actions/emailsettings.php:437 actions/smssettings.php:422 +msgid "Couldn't delete email confirmation." +msgstr "Не можев да ја избришам потврдата по е-пошта." + #. TRANS: Message given after successfully canceling e-mail address confirmation. #: actions/emailsettings.php:442 msgid "Email confirmation cancelled." @@ -2130,19 +2224,23 @@ msgstr "Не можете да им доделувате улоги на кор msgid "User already has this role." msgstr "Корисникот веќе ја има таа улога." +#. TRANS: Client error displayed when trying to unblock a user from a group without providing a profile. +#. TRANS: Client error displayed trying a change a subscription without providing a profile. #: actions/groupblock.php:71 actions/groupunblock.php:71 -#: actions/makeadmin.php:71 actions/subedit.php:46 +#: actions/makeadmin.php:71 actions/subedit.php:49 #: lib/profileformaction.php:79 msgid "No profile specified." msgstr "Нема назначено профил." -#: actions/groupblock.php:76 actions/groupunblock.php:76 -#: actions/makeadmin.php:76 actions/subedit.php:53 actions/tagother.php:46 +#. TRANS: Client error displayed when trying to unblock a user from a group without providing an existing profile. +#. TRANS: Client error displayed trying a change a subscription for a non-existant profile ID. +#: actions/groupblock.php:76 actions/groupunblock.php:77 +#: actions/makeadmin.php:76 actions/subedit.php:57 actions/tagother.php:46 #: actions/unsubscribe.php:84 lib/profileformaction.php:86 msgid "No profile with that ID." msgstr "Нема профил со тоа ID." -#: actions/groupblock.php:81 actions/groupunblock.php:81 +#: actions/groupblock.php:81 actions/groupunblock.php:82 #: actions/makeadmin.php:81 msgid "No group specified." msgstr "Нема назначено група." @@ -2231,6 +2329,14 @@ msgstr "" "Можете да подигнете слика за логото на Вашата група. Максималната дозволена " "големина на податотеката е %s." +#: actions/grouplogo.php:236 +msgid "Upload" +msgstr "Подигни" + +#: actions/grouplogo.php:289 +msgid "Crop" +msgstr "Отсечи" + #: actions/grouplogo.php:365 msgid "Pick a square area of the image to be the logo." msgstr "Одберете квадратен простор на сликата за лого." @@ -2374,15 +2480,18 @@ msgstr "" "А зошто самите не [регистрирате сметка](%%action.register%%) и [создадете " "група](%%action.newgroup%%)!" -#: actions/groupunblock.php:91 +#. TRANS: Client error displayed when trying to unblock a user from a group without being an administrator for the group. +#: actions/groupunblock.php:94 msgid "Only an admin can unblock group members." msgstr "Само администратор може да одблокира членови на група." -#: actions/groupunblock.php:95 +#. TRANS: Client error displayed when trying to unblock a non-blocked user from a group. +#: actions/groupunblock.php:99 msgid "User is not blocked from group." msgstr "Корисникот не е блокиран од групата." -#: actions/groupunblock.php:128 actions/unblock.php:86 +#. TRANS: Server error displayed when unblocking a user from a group fails because of an unknown error. +#: actions/groupunblock.php:131 actions/unblock.php:86 msgid "Error removing the block." msgstr "Грешка при отстранување на блокот." @@ -2974,10 +3083,12 @@ msgstr "Организацијата е предолга (дозволени с msgid "Could not create application." msgstr "Не можеше да се создаде програмот." +#. TRANS: Title for form to create a group. #: actions/newgroup.php:53 msgid "New group" msgstr "Нова група" +#. TRANS: Form instructions for group create form. #: actions/newgroup.php:110 msgid "Use this form to create a new group." msgstr "Овој образец служи за создавање нова група." @@ -3671,8 +3782,9 @@ msgid "1-64 lowercase letters or numbers, no punctuation or spaces." msgstr "1-64 мали букви или бројки, без интерпукциски знаци и празни места." #. TRANS: Field label in form for profile settings. +#. TRANS: Label for full group name (dt). Text hidden by default. #: actions/profilesettings.php:117 actions/register.php:457 -#: actions/showgroup.php:256 actions/tagother.php:104 +#: actions/showgroup.php:257 actions/tagother.php:104 #: lib/groupeditform.php:157 lib/userprofile.php:150 msgid "Full name" msgstr "Цело име" @@ -3712,8 +3824,9 @@ msgid "Bio" msgstr "Биографија" #. TRANS: Field label in form for profile settings. +#. TRANS: Label for group location (dt). Text hidden by default. #: actions/profilesettings.php:149 actions/register.php:485 -#: actions/showgroup.php:265 actions/tagother.php:112 +#: actions/showgroup.php:267 actions/tagother.php:112 #: actions/userauthorization.php:166 lib/groupeditform.php:177 #: lib/userprofile.php:165 msgid "Location" @@ -4440,7 +4553,8 @@ msgstr "Организација" msgid "Description" msgstr "Опис" -#: actions/showapplication.php:192 actions/showgroup.php:442 +#. TRANS: Header for group statistics on a group page (h2). +#: actions/showapplication.php:192 actions/showgroup.php:453 #: lib/profileaction.php:187 msgid "Statistics" msgstr "Статистики" @@ -4458,6 +4572,11 @@ msgstr "Дејства на програмот" msgid "Reset key & secret" msgstr "Клуч за промена и тајна" +#: actions/showapplication.php:252 lib/deletegroupform.php:121 +#: lib/deleteuserform.php:66 lib/noticelist.php:667 +msgid "Delete" +msgstr "Бриши" + #: actions/showapplication.php:261 msgid "Application info" msgstr "Инфо за програмот" @@ -4552,77 +4671,106 @@ msgstr "" msgid "This is a way to share what you like." msgstr "Ова е начин да го споделите она што Ви се допаѓа." -#: actions/showgroup.php:82 +#. TRANS: Page title for first group page. %s is a group name. +#: actions/showgroup.php:80 #, php-format msgid "%s group" msgstr "Група %s" +#. TRANS: Page title for any but first group page. +#. TRANS: %1$s is a group name, $2$s is a page number. #: actions/showgroup.php:84 #, php-format msgid "%1$s group, page %2$d" msgstr "Група %1$s, стр. %2$d" -#: actions/showgroup.php:227 +#. TRANS: Group profile header (h2). Text hidden by default. +#: actions/showgroup.php:225 msgid "Group profile" msgstr "Профил на група" -#: actions/showgroup.php:272 actions/tagother.php:118 +#. TRANS: Label for group URL (dt). Text hidden by default. +#: actions/showgroup.php:275 actions/tagother.php:118 #: actions/userauthorization.php:175 lib/userprofile.php:178 msgid "URL" msgstr "URL" -#: actions/showgroup.php:283 actions/tagother.php:128 +#. TRANS: Label for group description or group note (dt). Text hidden by default. +#: actions/showgroup.php:287 actions/tagother.php:128 #: actions/userauthorization.php:187 lib/userprofile.php:195 msgid "Note" msgstr "Забелешка" -#: actions/showgroup.php:293 lib/groupeditform.php:184 +#. TRANS: Label for group aliases (dt). Text hidden by default. +#: actions/showgroup.php:298 lib/groupeditform.php:184 msgid "Aliases" msgstr "Алијаси" -#: actions/showgroup.php:302 +#. TRANS: Group actions header (h2). Text hidden by default. +#: actions/showgroup.php:309 msgid "Group actions" msgstr "Групни дејства" -#: actions/showgroup.php:344 +#. TRANS: Tooltip for feed link. %s is a group nickname. +#: actions/showgroup.php:350 #, php-format msgid "Notice feed for %s group (RSS 1.0)" msgstr "Канал со забелешки за групата %s (RSS 1.0)" -#: actions/showgroup.php:350 +#. TRANS: Tooltip for feed link. %s is a group nickname. +#: actions/showgroup.php:357 #, php-format msgid "Notice feed for %s group (RSS 2.0)" msgstr "Канал со забелешки за групата %s (RSS 2.0)" -#: actions/showgroup.php:356 +#. TRANS: Tooltip for feed link. %s is a group nickname. +#: actions/showgroup.php:364 #, php-format msgid "Notice feed for %s group (Atom)" msgstr "Канал со забелешки за групата%s (Atom)" -#: actions/showgroup.php:361 +#. TRANS: Tooltip for feed link. %s is a group nickname. +#: actions/showgroup.php:370 #, php-format msgid "FOAF for %s group" msgstr "FOAF за групата %s" -#: actions/showgroup.php:399 actions/showgroup.php:451 +#. TRANS: Header for mini list of group members on a group page (h2). +#: actions/showgroup.php:407 msgid "Members" msgstr "Членови" -#: actions/showgroup.php:404 lib/profileaction.php:117 +#. TRANS: Description for mini list of group members on a group page when the group has no members. +#: actions/showgroup.php:413 lib/profileaction.php:117 #: lib/profileaction.php:152 lib/profileaction.php:255 lib/section.php:95 #: lib/subscriptionlist.php:127 lib/tagcloudsection.php:71 msgid "(None)" msgstr "(Нема)" -#: actions/showgroup.php:410 +#. TRANS: Link to all group members from mini list of group members if group has more than n members. +#: actions/showgroup.php:422 msgid "All members" msgstr "Сите членови" -#: actions/showgroup.php:445 +#. TRANS: Label for creation date in statistics on group page. +#: actions/showgroup.php:458 +#, fuzzy +msgctxt "LABEL" msgid "Created" msgstr "Создадено" -#: actions/showgroup.php:461 +#. TRANS: Label for member count in statistics on group page. +#: actions/showgroup.php:466 +#, fuzzy +msgctxt "LABEL" +msgid "Members" +msgstr "Членови" + +#. TRANS: Notice on group pages for anonymous users for StatusNet sites that accept new registrations. +#. TRANS: **%s** is the group alias, %%%%site.name%%%% is the site name, +#. TRANS: %%%%action.register%%%% is the URL for registration, %%%%doc.help%%%% is a URL to help. +#. TRANS: This message contains Markdown links. Ensure they are formatted correctly: [Description](link). +#: actions/showgroup.php:481 #, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -4638,7 +4786,10 @@ msgstr "" "се](%%%%action.register%%%%) за да станете дел од оваа група и многу повеќе! " "([Прочитајте повеќе](%%%%doc.help%%%%))" -#: actions/showgroup.php:467 +#. TRANS: Notice on group pages for anonymous users for StatusNet sites that accept no new registrations. +#. TRANS: **%s** is the group alias, %%%%site.name%%%% is the site name, +#. TRANS: This message contains Markdown links. Ensure they are formatted correctly: [Description](link). +#: actions/showgroup.php:491 #, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -4651,24 +4802,31 @@ msgstr "" "слободната програмска алатка [StatusNet](http://status.net/). Нејзините " "членови си разменуваат кратки пораки за нивниот живот и интереси. " -#: actions/showgroup.php:495 +#. TRANS: Header for list of group administrators on a group page (h2). +#: actions/showgroup.php:520 msgid "Admins" msgstr "Администратори" -#: actions/showmessage.php:81 +#. TRANS: Client error displayed requesting a single message that does not exist. +#: actions/showmessage.php:79 msgid "No such message." msgstr "Нема таква порака." -#: actions/showmessage.php:98 +#. TRANS: Client error displayed requesting a single direct message the requesting user was not a party in. +#: actions/showmessage.php:97 msgid "Only the sender and recipient may read this message." msgstr "Само испраќачот и примачот можат да ја читаат оваа порака." -#: actions/showmessage.php:108 +#. TRANS: Page title for single direct message display when viewing user is the sender. +#. TRANS: %1$s is the addressed user's nickname, $2$s is a timestamp. +#: actions/showmessage.php:110 #, php-format msgid "Message to %1$s on %2$s" msgstr "Порака за %1$s на %2$s" -#: actions/showmessage.php:113 +#. TRANS: Page title for single message display. +#. TRANS: %1$s is the sending user's nickname, $2$s is a timestamp. +#: actions/showmessage.php:118 #, php-format msgid "Message from %1$s on %2$s" msgstr "Порака од %1$s на %2$s" @@ -5118,12 +5276,14 @@ msgstr "Снимките ќе се испраќаат на оваа URL-адре msgid "Save snapshot settings" msgstr "Зачувај поставки за снимки" -#: actions/subedit.php:70 +#. TRANS: Client error displayed trying a change a subscription for a non-subscribed profile. +#: actions/subedit.php:75 msgid "You are not subscribed to that profile." msgstr "Не сте претплатени на тој профил." +#. TRANS: Server error displayed when updating a subscription fails with a database error. #. TRANS: Exception thrown when a subscription could not be stored on the server. -#: actions/subedit.php:83 classes/Subscription.php:136 +#: actions/subedit.php:89 classes/Subscription.php:136 msgid "Could not save subscription." msgstr "Не можев да ја зачувам претплатата." @@ -5938,12 +6098,12 @@ msgid "Welcome to %1$s, @%2$s!" msgstr "Добредојдовте на %1$s, @%2$s!" #. TRANS: Server exception. -#: classes/User.php:902 +#: classes/User.php:912 msgid "No single user defined for single-user mode." msgstr "Не е зададен корисник за еднокорисничкиот режим." #. TRANS: Server exception. -#: classes/User.php:906 +#: classes/User.php:916 msgid "Single-user mode code called when not enabled." msgstr "Повикан е еднокориснички режим, но не е овозможен." @@ -7110,7 +7270,8 @@ msgstr "Atom" msgid "FOAF" msgstr "FOAF" -#: lib/feedlist.php:65 +#. TRANS: Header for feed links (h2). +#: lib/feedlist.php:66 msgid "Feeds" msgstr "Канали" @@ -7270,39 +7431,57 @@ msgstr "Оваа страница не е достапна во форматот msgid "Unsupported image file format." msgstr "Неподдржан фомрат на слики." -#: lib/imagefile.php:88 +#. TRANS: Exception thrown when too large a file is uploaded. +#. TRANS: %s is the maximum file size, for example "500b", "10kB" or "2MB". +#: lib/imagefile.php:90 #, fuzzy, php-format msgid "That file is too big. The maximum file size is %s." msgstr "Ова е предолго. Максималната должина е 140 знаци." -#: lib/imagefile.php:93 +#: lib/imagefile.php:95 msgid "Partial upload." msgstr "Делумно подигање." #. TRANS: Client exception thrown when a file upload operation has failed with an unknown reason. -#: lib/imagefile.php:101 lib/mediafile.php:179 +#: lib/imagefile.php:103 lib/mediafile.php:179 msgid "System error uploading file." msgstr "Системска грешка при подигањето на податотеката." -#: lib/imagefile.php:109 +#: lib/imagefile.php:111 msgid "Not an image or corrupt file." msgstr "Не е слика или податотеката е пореметена." -#: lib/imagefile.php:122 +#: lib/imagefile.php:124 msgid "Lost our file." msgstr "Податотеката е изгубена." -#: lib/imagefile.php:163 lib/imagefile.php:224 +#: lib/imagefile.php:165 lib/imagefile.php:226 msgid "Unknown file type" msgstr "Непознат тип на податотека" -#: lib/imagefile.php:244 -msgid "MB" -msgstr "МБ" +#. TRANS: Number of megabytes. %d is the number. +#: lib/imagefile.php:248 +#, fuzzy, php-format +msgid "%dMB" +msgid_plural "%dMB" +msgstr[0] "МБ" +msgstr[1] "МБ" -#: lib/imagefile.php:246 -msgid "kB" -msgstr "кб" +#. TRANS: Number of kilobytes. %d is the number. +#: lib/imagefile.php:252 +#, fuzzy, php-format +msgid "%dkB" +msgid_plural "%dkB" +msgstr[0] "кб" +msgstr[1] "кб" + +#. TRANS: Number of bytes. %d is the number. +#: lib/imagefile.php:255 +#, php-format +msgid "%dB" +msgid_plural "%dB" +msgstr[0] "" +msgstr[1] "" #: lib/jabber.php:387 #, php-format @@ -8203,6 +8382,13 @@ msgstr "Грешка при отворањето на архивот за мот msgid "Top posters" msgstr "Најактивни објавувачи" +#. TRANS: Title for the form to unblock a user. +#: lib/unblockform.php:67 +#, fuzzy +msgctxt "TITLE" +msgid "Unblock" +msgstr "Одблокирај" + #: lib/unsandboxform.php:69 msgid "Unsandbox" msgstr "Извади од песочен режим" @@ -8385,3 +8571,9 @@ msgstr "Нема назначено корисник. Ќе го употреба #, php-format msgid "%d entries in backup." msgstr "%d резервни ставки." + +#~ msgid "Description is too long (max %d chars)." +#~ msgstr "Описот е предолг (дозволено е највеќе %d знаци)." + +#~ msgid "Too many aliases! Maximum %d." +#~ msgstr "Премногу алијаси! Дозволено е највеќе %d." diff --git a/locale/nb/LC_MESSAGES/statusnet.po b/locale/nb/LC_MESSAGES/statusnet.po index 267d4bdee0..370ad9cbb1 100644 --- a/locale/nb/LC_MESSAGES/statusnet.po +++ b/locale/nb/LC_MESSAGES/statusnet.po @@ -10,17 +10,17 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet - Core\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-10-27 23:43+0000\n" -"PO-Revision-Date: 2010-10-28 23:09:25+0000\n" +"POT-Creation-Date: 2010-10-30 23:18+0000\n" +"PO-Revision-Date: 2010-10-30 23:20:38+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 (r75629); Translate extension (2010-09-17)\n" +"X-Generator: MediaWiki 1.17alpha (r75708); Translate extension (2010-09-17)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: no\n" "X-Message-Group: #out-statusnet-core\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-POT-Import-Date: 2010-10-28 00:13:15+0000\n" +"X-POT-Import-Date: 2010-10-30 09:48:40+0000\n" #. TRANS: Page title for Access admin panel that allows configuring site access. #. TRANS: Menu item for site administration @@ -116,6 +116,7 @@ msgstr "Ingen slik side." #. TRANS: Client error displayed when requesting most recent dents by user and friends for a non-existing user. #. TRANS: Client error displayed when requesting most recent mentions for a non-existing user. #. TRANS: Client error displayed requesting most recent notices for a non-existing user. +#. TRANS: Client error displayed trying to get an avatar for a non-existing user. #. TRANS: Error text shown when trying to send a direct message to a user that does not exist. #: actions/all.php:80 actions/apiaccountupdatedeliverydevice.php:110 #: actions/apiaccountupdateprofile.php:103 @@ -128,7 +129,7 @@ msgstr "Ingen slik side." #: actions/apistatusesupdate.php:230 actions/apisubscriptions.php:85 #: actions/apitimelinefavorites.php:70 actions/apitimelinefriends.php:173 #: actions/apitimelinehome.php:78 actions/apitimelinementions.php:77 -#: actions/apitimelineuser.php:79 actions/avatarbynickname.php:75 +#: actions/apitimelineuser.php:79 actions/avatarbynickname.php:79 #: 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 @@ -306,11 +307,12 @@ msgstr "Klarte ikke å oppdatere bruker." #. TRANS: Client error displayed a user has no profile updating profile colours. #. TRANS: Client error displayed if a user profile could not be found updating a profile image. #. TRANS: Client error displayed when requesting user information for a user without a profile. +#. TRANS: Client error displayed trying to get an avatar for a user without a profile. #: actions/apiaccountupdateprofile.php:111 #: actions/apiaccountupdateprofilebackgroundimage.php:199 #: actions/apiaccountupdateprofilecolors.php:183 #: actions/apiaccountupdateprofileimage.php:130 actions/apiusershow.php:108 -#: actions/avatarbynickname.php:80 actions/foaf.php:65 actions/hcard.php:74 +#: actions/avatarbynickname.php:85 actions/foaf.php:65 actions/hcard.php:74 #: actions/replies.php:80 actions/usergroups.php:100 lib/galleryaction.php:66 #: lib/profileaction.php:84 msgid "User has no profile." @@ -326,7 +328,7 @@ msgstr "Klarte ikke å lagre profil." #. TRANS: %s is the number of bytes of the CONTENT_LENGTH. #: actions/apiaccountupdateprofilebackgroundimage.php:108 #: actions/apiaccountupdateprofileimage.php:95 actions/apimediaupload.php:81 -#: actions/apistatusesupdate.php:210 actions/avatarsettings.php:259 +#: actions/apistatusesupdate.php:210 actions/avatarsettings.php:269 #: actions/designadminpanel.php:125 actions/editapplication.php:121 #: actions/newapplication.php:104 actions/newnotice.php:95 #, fuzzy, php-format @@ -504,43 +506,53 @@ msgstr "Kunne ikke bestemme kildebruker." msgid "Could not find target user." msgstr "Kunne ikke finne målbruker." +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. #. TRANS: Validation error in form for profile settings. -#: actions/apigroupcreate.php:165 actions/editgroup.php:186 -#: actions/newgroup.php:126 actions/profilesettings.php:243 +#: actions/apigroupcreate.php:165 actions/editgroup.php:191 +#: actions/newgroup.php:127 actions/profilesettings.php:243 #: actions/register.php:212 msgid "Nickname must have only lowercase letters and numbers and no spaces." msgstr "Kallenavn kan kun ha små bokstaver og tall og ingen mellomrom." #. TRANS: Client error trying to create a group with a nickname this is already in use. +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. #. TRANS: Validation error in form for profile settings. -#: actions/apigroupcreate.php:175 actions/editgroup.php:190 -#: actions/newgroup.php:130 actions/profilesettings.php:277 +#: actions/apigroupcreate.php:175 actions/editgroup.php:196 +#: actions/newgroup.php:132 actions/profilesettings.php:277 #: actions/register.php:215 msgid "Nickname already in use. Try another one." msgstr "Det nicket er allerede i bruk. Prøv et annet." #. TRANS: Client error in form for group creation. +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. #. TRANS: Validation error in form for profile settings. -#: actions/apigroupcreate.php:183 actions/editgroup.php:193 -#: actions/newgroup.php:133 actions/profilesettings.php:247 +#: actions/apigroupcreate.php:183 actions/editgroup.php:200 +#: actions/newgroup.php:136 actions/profilesettings.php:247 #: actions/register.php:217 msgid "Not a valid nickname." msgstr "Ugyldig nick." #. TRANS: Client error in form for group creation. #. TRANS: Validation error shown when providing an invalid homepage URL in the "Edit application" form. +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. #. TRANS: Validation error in form for profile settings. #: actions/apigroupcreate.php:200 actions/editapplication.php:233 -#: actions/editgroup.php:199 actions/newapplication.php:211 -#: actions/newgroup.php:139 actions/profilesettings.php:252 +#: actions/editgroup.php:207 actions/newapplication.php:211 +#: actions/newgroup.php:143 actions/profilesettings.php:252 #: actions/register.php:224 msgid "Homepage is not a valid URL." msgstr "Hjemmesiden er ikke en gyldig URL." #. TRANS: Client error in form for group creation. +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. #. TRANS: Validation error in form for profile settings. -#: actions/apigroupcreate.php:210 actions/editgroup.php:202 -#: actions/newgroup.php:142 actions/profilesettings.php:256 +#: actions/apigroupcreate.php:210 actions/editgroup.php:211 +#: actions/newgroup.php:147 actions/profilesettings.php:256 #: actions/register.php:227 #, fuzzy msgid "Full name is too long (maximum 255 characters)." @@ -549,10 +561,11 @@ msgstr "Beklager, navnet er for langt (max 250 tegn)." #. TRANS: Client error shown when providing too long a description during group creation. #. TRANS: %d is the maximum number of allowed characters. #. TRANS: Validation error shown when providing too long a description in the "Edit application" form. +#. TRANS: Group edit form validation error. #. TRANS: Form validation error in New application form. #. TRANS: %d is the maximum number of characters for the description. #: actions/apigroupcreate.php:220 actions/editapplication.php:201 -#: actions/newapplication.php:178 +#: actions/editgroup.php:216 actions/newapplication.php:178 #, fuzzy, php-format msgid "Description is too long (maximum %d character)." msgid_plural "Description is too long (maximum %d characters)." @@ -560,9 +573,11 @@ msgstr[0] "Beskrivelsen er for lang (maks %d tegn)." msgstr[1] "Beskrivelsen er for lang (maks %d tegn)." #. TRANS: Client error shown when providing too long a location during group creation. +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. #. TRANS: Validation error in form for profile settings. -#: actions/apigroupcreate.php:234 actions/editgroup.php:208 -#: actions/newgroup.php:153 actions/profilesettings.php:269 +#: actions/apigroupcreate.php:234 actions/editgroup.php:223 +#: actions/newgroup.php:159 actions/profilesettings.php:269 #: actions/register.php:236 #, fuzzy msgid "Location is too long (maximum 255 characters)." @@ -570,7 +585,12 @@ msgstr "Plassering er for lang (maks 255 tegn)." #. TRANS: Client error shown when providing too many aliases during group creation. #. TRANS: %d is the maximum number of allowed aliases. -#: actions/apigroupcreate.php:255 actions/newgroup.php:166 +#. TRANS: Group edit form validation error. +#. TRANS: %d is the maximum number of allowed aliases. +#. TRANS: Group create form validation error. +#. TRANS: %d is the maximum number of allowed aliases. +#: actions/apigroupcreate.php:255 actions/editgroup.php:236 +#: actions/newgroup.php:172 #, fuzzy, php-format msgid "Too many aliases! Maximum %d allowed." msgid_plural "Too many aliases! Maximum %d allowed." @@ -586,15 +606,19 @@ msgstr "Ugyldig alias: «%s»." #. TRANS: Client error displayed when trying to use an alias during group creation that is already in use. #. TRANS: %s is the alias that is already in use. -#: actions/apigroupcreate.php:291 actions/editgroup.php:232 -#: actions/newgroup.php:181 +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. +#: actions/apigroupcreate.php:291 actions/editgroup.php:253 +#: actions/newgroup.php:189 #, php-format msgid "Alias \"%s\" already in use. Try another one." msgstr "Aliaset «%s» er allerede i bruk. Prøv et annet." #. TRANS: Client error displayed when trying to use an alias during group creation that is the same as the group's nickname. -#: actions/apigroupcreate.php:305 actions/editgroup.php:238 -#: actions/newgroup.php:187 +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. +#: actions/apigroupcreate.php:305 actions/editgroup.php:260 +#: actions/newgroup.php:196 msgid "Alias can't be the same as nickname." msgstr "Alias kan ikke være det samme som kallenavn." @@ -700,18 +724,18 @@ msgid "Request token already authorized." msgstr "Du er ikke autorisert." #. TRANS: Form validation error in API OAuth authorisation because of an invalid session token. -#: actions/apioauthauthorize.php:147 actions/avatarsettings.php:270 +#: actions/apioauthauthorize.php:147 actions/avatarsettings.php:280 #: actions/deletenotice.php:172 actions/disfavor.php:74 #: actions/emailsettings.php:271 actions/favor.php:75 actions/geocode.php:55 #: actions/groupblock.php:66 actions/grouplogo.php:312 -#: actions/groupunblock.php:66 actions/imsettings.php:230 +#: actions/groupunblock.php:65 actions/imsettings.php:230 #: actions/invite.php:59 actions/login.php:137 actions/makeadmin.php:66 #: actions/newmessage.php:135 actions/newnotice.php:105 actions/nudge.php:80 #: actions/oauthappssettings.php:165 actions/oauthconnectionssettings.php:138 #: actions/othersettings.php:145 actions/passwordsettings.php:138 #: actions/profilesettings.php:221 actions/recoverpassword.php:350 #: actions/register.php:172 actions/remotesubscribe.php:77 -#: actions/repeat.php:83 actions/smssettings.php:256 actions/subedit.php:38 +#: actions/repeat.php:83 actions/smssettings.php:256 actions/subedit.php:40 #: actions/subscribe.php:86 actions/tagother.php:166 #: actions/unsubscribe.php:69 actions/userauthorization.php:52 #: lib/designsettings.php:294 @@ -730,12 +754,13 @@ msgid "Database error inserting oauth_token_association." msgstr "Databasefeil ved innsetting av bruker i programmet OAuth." #. TRANS: Client error given on when invalid data was passed through a form in the OAuth API. +#. TRANS: Unexpected validation error on avatar upload form. #. TRANS: Client error displayed submitting invalid form data for edit application. #. TRANS: Message given submitting a form with an unknown action in e-mail settings. #. TRANS: Message given submitting a form with an unknown action in IM settings. #. TRANS: Client error when submitting a form with unexpected information. #. TRANS: Message given submitting a form with an unknown action in SMS settings. -#: actions/apioauthauthorize.php:294 actions/avatarsettings.php:283 +#: actions/apioauthauthorize.php:294 actions/avatarsettings.php:294 #: actions/designadminpanel.php:104 actions/editapplication.php:144 #: actions/emailsettings.php:290 actions/grouplogo.php:322 #: actions/imsettings.php:245 actions/newapplication.php:125 @@ -790,6 +815,7 @@ msgstr "Konto" #. TRANS: Field label on OAuth API authorisation form. #. TRANS: Field label in form for profile settings. +#. TRANS: Label for group nickname (dt). Text hidden by default. #: actions/apioauthauthorize.php:459 actions/login.php:252 #: actions/profilesettings.php:110 actions/register.php:433 #: actions/showgroup.php:245 actions/tagother.php:94 @@ -1041,104 +1067,138 @@ msgstr "API-metode under utvikling." msgid "User not found." msgstr "API-metode ikke funnet!" +#. TRANS: Client error displayed trying to get a non-existing attachment. #: actions/attachment.php:73 msgid "No such attachment." msgstr "Ingen slike vedlegg." -#: actions/avatarbynickname.php:59 actions/blockedfromgroup.php:73 -#: actions/editgroup.php:84 actions/groupdesignsettings.php:84 +#. TRANS: Client error displayed trying to get an avatar without providing a nickname. +#. TRANS: Client error displayed when requesting a list of blocked users for a group without providing a group nickname. +#. TRANS: Client error displayed trying to edit a group while not proving a nickname for the group to edit. +#. TRANS: Client error displayed if no nickname argument was given requesting a group page. +#: actions/avatarbynickname.php:60 actions/blockedfromgroup.php:73 +#: actions/editgroup.php:85 actions/groupdesignsettings.php:84 #: actions/grouplogo.php:86 actions/groupmembers.php:76 #: actions/grouprss.php:91 actions/showgroup.php:121 msgid "No nickname." msgstr "Ingen kallenavn." -#: actions/avatarbynickname.php:64 +#. TRANS: Client error displayed trying to get an avatar without providing an avatar size. +#: actions/avatarbynickname.php:66 msgid "No size." msgstr "Ingen størrelse." -#: actions/avatarbynickname.php:69 +#. TRANS: Client error displayed trying to get an avatar providing an invalid avatar size. +#: actions/avatarbynickname.php:72 msgid "Invalid size." msgstr "Ugyldig størrelse" +#. TRANS: Title for avatar upload page. +#. TRANS: Label for group avatar (dt). Text hidden by default. #. TRANS: Link description in user account settings menu. -#: actions/avatarsettings.php:67 actions/showgroup.php:230 +#: actions/avatarsettings.php:66 actions/showgroup.php:229 #: lib/accountsettingsaction.php:113 msgid "Avatar" msgstr "Brukerbilde" +#. TRANS: Instruction for avatar upload page. +#. TRANS: %s is the maximum file size, for example "500b", "10kB" or "2MB". #: actions/avatarsettings.php:78 #, php-format msgid "You can upload your personal avatar. The maximum file size is %s." msgstr "Du kan laste opp en personlig avatar. Maks filstørrelse er %s." -#: actions/avatarsettings.php:106 actions/avatarsettings.php:185 +#. TRANS: Server error displayed in avatar upload page when no matching profile can be found for a user. +#: actions/avatarsettings.php:108 actions/avatarsettings.php:192 #: actions/grouplogo.php:181 actions/remotesubscribe.php:191 #: actions/userauthorization.php:72 actions/userrss.php:108 msgid "User without matching profile." msgstr "Bruker uten samsvarende profil." -#: actions/avatarsettings.php:119 actions/avatarsettings.php:197 +#. TRANS: Avatar upload page form legend. +#. TRANS: Avatar upload page crop form legend. +#: actions/avatarsettings.php:122 actions/avatarsettings.php:205 #: actions/grouplogo.php:254 msgid "Avatar settings" msgstr "Avatarinnstillinger" -#: actions/avatarsettings.php:127 actions/avatarsettings.php:205 +#. TRANS: Header on avatar upload page for thumbnail of originally uploaded avatar (h2). +#. TRANS: Header on avatar upload crop form for thumbnail of originally uploaded avatar (h2). +#: actions/avatarsettings.php:131 actions/avatarsettings.php:214 #: actions/grouplogo.php:202 actions/grouplogo.php:262 msgid "Original" msgstr "Opprinnelig" -#: actions/avatarsettings.php:142 actions/avatarsettings.php:217 +#. TRANS: Header on avatar upload page for thumbnail of to be used rendition of uploaded avatar (h2). +#. TRANS: Header on avatar upload crop form for thumbnail of to be used rendition of uploaded avatar (h2). +#: actions/avatarsettings.php:147 actions/avatarsettings.php:227 #: actions/grouplogo.php:213 actions/grouplogo.php:274 msgid "Preview" msgstr "Forhåndsvis" -#: actions/avatarsettings.php:149 actions/showapplication.php:252 -#: lib/deletegroupform.php:121 lib/deleteuserform.php:66 -#: lib/noticelist.php:667 +#. TRANS: Button on avatar upload page to delete current avatar. +#: actions/avatarsettings.php:155 +#, fuzzy +msgctxt "BUTTON" msgid "Delete" msgstr "Slett" -#: actions/avatarsettings.php:166 actions/grouplogo.php:236 +#. TRANS: Button on avatar upload page to upload an avatar. +#: actions/avatarsettings.php:173 +#, fuzzy +msgctxt "BUTTON" msgid "Upload" msgstr "Last opp" -#: actions/avatarsettings.php:231 actions/grouplogo.php:289 +#. TRANS: Button on avatar upload crop form to confirm a selected crop as avatar. +#: actions/avatarsettings.php:243 +#, fuzzy +msgctxt "BUTTON" msgid "Crop" msgstr "Beskjær" -#: actions/avatarsettings.php:307 +#. TRANS: Validation error on avatar upload form when no file was uploaded. +#: actions/avatarsettings.php:318 msgid "No file uploaded." msgstr "Ingen fil lastet opp." -#: actions/avatarsettings.php:334 +#. TRANS: Avatar upload form unstruction after uploading a file. +#: actions/avatarsettings.php:346 msgid "Pick a square area of the image to be your avatar" msgstr "Velg et kvadratisk utsnitt av bildet som din avatar." -#: actions/avatarsettings.php:349 actions/grouplogo.php:380 +#. TRANS: Server error displayed if an avatar upload went wrong somehow server side. +#: actions/avatarsettings.php:361 actions/grouplogo.php:380 msgid "Lost our file data." msgstr "Mistet våre fildata." -#: actions/avatarsettings.php:372 +#: actions/avatarsettings.php:384 msgid "Avatar updated." msgstr "Brukerbildet har blitt oppdatert." -#: actions/avatarsettings.php:375 +#. TRANS: Error displayed on the avatar upload page if the avatar could not be updated for an unknown reason. +#: actions/avatarsettings.php:388 msgid "Failed updating avatar." msgstr "Oppdatering av avatar mislyktes." -#: actions/avatarsettings.php:399 +#. TRANS: Success message for deleting a user avatar. +#: actions/avatarsettings.php:412 msgid "Avatar deleted." msgstr "Avatar slettet." -#: actions/block.php:69 +#. TRANS: Client error displayed when blocking a user that has already been blocked. +#: actions/block.php:68 msgid "You already blocked that user." msgstr "Du har allerede blokkert den brukeren." -#: actions/block.php:107 actions/block.php:136 actions/groupblock.php:158 +#. TRANS: Title for block user page. +#. TRANS: Legend for block user form. +#: actions/block.php:106 actions/block.php:136 actions/groupblock.php:158 msgid "Block user" msgstr "Blokker brukeren" -#: actions/block.php:138 +#. TRANS: Explanation of consequences when blocking a user on the block user page. +#: actions/block.php:139 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 " @@ -1154,7 +1214,7 @@ msgstr "" #. TRANS: Button label on the delete notice form. #. TRANS: Button label on the delete user form. #. TRANS: Button label on the form to block a user from a group. -#: actions/block.php:153 actions/deleteapplication.php:154 +#: actions/block.php:154 actions/deleteapplication.php:154 #: actions/deletegroup.php:220 actions/deletenotice.php:150 #: actions/deleteuser.php:152 actions/groupblock.php:178 msgctxt "BUTTON" @@ -1163,7 +1223,7 @@ msgstr "Nei" #. TRANS: Submit button title for 'No' when blocking a user. #. TRANS: Submit button title for 'No' when deleting a user. -#: actions/block.php:157 actions/deleteuser.php:156 +#: actions/block.php:158 actions/deleteuser.php:156 msgid "Do not block this user" msgstr "Ikke blokker denne brukeren" @@ -1173,7 +1233,7 @@ msgstr "Ikke blokker denne brukeren" #. TRANS: Button label on the delete notice form. #. TRANS: Button label on the delete user form. #. TRANS: Button label on the form to block a user from a group. -#: actions/block.php:160 actions/deleteapplication.php:161 +#: actions/block.php:161 actions/deleteapplication.php:161 #: actions/deletegroup.php:227 actions/deletenotice.php:157 #: actions/deleteuser.php:159 actions/groupblock.php:185 msgctxt "BUTTON" @@ -1182,90 +1242,111 @@ msgstr "Ja" #. TRANS: Submit button title for 'Yes' when blocking a user. #. TRANS: Description of the form to block a user. -#: actions/block.php:164 lib/blockform.php:79 +#: actions/block.php:165 lib/blockform.php:79 msgid "Block this user" msgstr "Blokker denne brukeren" -#: actions/block.php:187 +#. TRANS: Server error displayed when blocking a user fails. +#: actions/block.php:189 msgid "Failed to save block information." msgstr "Kunne ikke lagre blokkeringsinformasjon." +#. TRANS: Client error displayed when requesting a list of blocked users for a non-local group. +#. TRANS: Client error displayed when requesting a list of blocked users for a non-existing group. #. TRANS: Client error when trying to delete a non-local group. #. TRANS: Client error when trying to delete a non-existing group. +#. TRANS: Client error displayed trying to edit a non-existing group. +#. TRANS: Client error displayed when trying to unblock a user from a non-existing group. +#. TRANS: Client error displayed if no remote group with a given name was found requesting group page. +#. TRANS: Client error displayed if no local group with a given name was found requesting group page. #. TRANS: Command exception text shown when a group is requested that does not exist. #. TRANS: Error text shown when trying to leave a group that does not exist. -#: actions/blockedfromgroup.php:80 actions/blockedfromgroup.php:87 +#: actions/blockedfromgroup.php:81 actions/blockedfromgroup.php:89 #: actions/deletegroup.php:87 actions/deletegroup.php:100 -#: actions/editgroup.php:100 actions/foafgroup.php:44 actions/foafgroup.php:62 +#: actions/editgroup.php:102 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/groupunblock.php:88 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:168 +#: actions/showgroup.php:139 actions/showgroup.php:148 lib/command.php:168 #: lib/command.php:380 msgid "No such group." msgstr "Ingen slik gruppe." -#: actions/blockedfromgroup.php:97 +#. TRANS: Title for first page with list of users blocked from a group. +#. TRANS: %s is a group nickname. +#: actions/blockedfromgroup.php:101 #, php-format msgid "%s blocked profiles" msgstr "%s blokkerte profiler" -#: actions/blockedfromgroup.php:100 +#. TRANS: Title for any but the first page with list of users blocked from a group. +#. TRANS: %1$s is a group nickname, %2$d is a page number. +#: actions/blockedfromgroup.php:106 #, php-format msgid "%1$s blocked profiles, page %2$d" msgstr "%1$s blokkerte profiler, side %2$d" -#: actions/blockedfromgroup.php:115 +#. TRANS: Instructions for list of users blocked from a group. +#: actions/blockedfromgroup.php:122 msgid "A list of the users blocked from joining this group." msgstr "En liste over brukere som er blokkert fra å delta i denne gruppen." -#: actions/blockedfromgroup.php:288 +#. TRANS: Form legend for unblocking a user from a group. +#: actions/blockedfromgroup.php:291 msgid "Unblock user from group" msgstr "Opphev blokkering av bruker fra gruppe" -#. TRANS: Title for the form to unblock a user. -#: actions/blockedfromgroup.php:320 lib/unblockform.php:70 +#. TRANS: Button text for unblocking a user from a group. +#: actions/blockedfromgroup.php:323 +#, fuzzy +msgctxt "BUTTON" msgid "Unblock" msgstr "Opphev blokkering" +#. TRANS: Tooltip for button for unblocking a user from a group. #. TRANS: Description of the form to unblock a user. -#: actions/blockedfromgroup.php:320 lib/unblockform.php:82 +#: actions/blockedfromgroup.php:327 lib/unblockform.php:78 msgid "Unblock this user" msgstr "Opphev blokkering av denne brukeren" #. TRANS: Title for mini-posting window loaded from bookmarklet. +#. TRANS: %s is the StatusNet site name. #: actions/bookmarklet.php:51 #, php-format msgid "Post to %s" msgstr "Post til %s" -#: actions/confirmaddress.php:75 +#. TRANS: Client error displayed when not providing a confirmation code in the contact address confirmation action. +#: actions/confirmaddress.php:74 msgid "No confirmation code." msgstr "Ingen bekreftelseskode." +#. TRANS: Client error displayed when providing a non-existing confirmation code in the contact address confirmation action. #: actions/confirmaddress.php:80 msgid "Confirmation code not found." msgstr "Fant ikke bekreftelseskode." -#: actions/confirmaddress.php:85 +#. TRANS: Client error displayed when not providing a confirmation code for another user in the contact address confirmation action. +#: actions/confirmaddress.php:86 msgid "That confirmation code is not for you!" msgstr "Den bekreftelseskoden er ikke til deg." -#. TRANS: Server error for an unknow address type, which can be 'email', 'jabber', or 'sms'. -#: actions/confirmaddress.php:91 +#. TRANS: Server error for a unknow address type %s, which can be 'email', 'jabber', or 'sms'. +#: actions/confirmaddress.php:92 #, php-format msgid "Unrecognized address type %s." msgstr "Ukjent adressetype %s." -#. TRANS: Client error for an already confirmed email/jabbel/sms address. -#: actions/confirmaddress.php:96 +#. TRANS: Client error for an already confirmed email/jabber/sms address. +#: actions/confirmaddress.php:97 msgid "That address has already been confirmed." msgstr "Den adressen har allerede blitt bekreftet." +#. TRANS: Server error displayed when a user update to the database fails in the contact address confirmation action. #. TRANS: Server error thrown on database error updating e-mail preferences. #. TRANS: Server error thrown on database error removing a registered e-mail address. #. TRANS: Server error thrown on database error updating IM preferences. @@ -1273,7 +1354,7 @@ msgstr "Den adressen har allerede blitt bekreftet." #. TRANS: Server error thrown when user profile settings could not be updated. #. TRANS: Server error thrown on database error updating SMS preferences. #. TRANS: Server error thrown on database error removing a registered SMS phone number. -#: actions/confirmaddress.php:116 actions/emailsettings.php:331 +#: actions/confirmaddress.php:118 actions/emailsettings.php:331 #: actions/emailsettings.php:477 actions/imsettings.php:283 #: actions/imsettings.php:442 actions/othersettings.php:174 #: actions/profilesettings.php:326 actions/smssettings.php:308 @@ -1281,27 +1362,32 @@ msgstr "Den adressen har allerede blitt bekreftet." msgid "Couldn't update user." msgstr "Klarte ikke å oppdatere bruker." -#. TRANS: Server error thrown on database error canceling e-mail address confirmation. -#. TRANS: Server error thrown on database error canceling SMS phone number confirmation. -#: actions/confirmaddress.php:128 actions/emailsettings.php:437 -#: actions/smssettings.php:422 -msgid "Couldn't delete email confirmation." -msgstr "Kunne ikke slette e-postbekreftelse." +#. TRANS: Server error displayed when an address confirmation code deletion from the +#. TRANS: database fails in the contact address confirmation action. +#: actions/confirmaddress.php:132 +#, fuzzy +msgid "Could not delete address confirmation." +msgstr "Kunne ikke slette direktemeldingsbekreftelse." -#: actions/confirmaddress.php:146 +#. TRANS: Title for the contact address confirmation action. +#: actions/confirmaddress.php:150 msgid "Confirm address" msgstr "Bekreft adresse" -#: actions/confirmaddress.php:161 +#. TRANS: Success message for the contact address confirmation action. +#. TRANS: %s can be 'email', 'jabber', or 'sms'. +#: actions/confirmaddress.php:166 #, php-format msgid "The address \"%s\" has been confirmed for your account." msgstr "Adressen «%s» har blitt bekreftet for din konto." -#: actions/conversation.php:99 +#. TRANS: Title for page with a conversion (multiple notices in context). +#: actions/conversation.php:96 msgid "Conversation" msgstr "Samtale" -#: actions/conversation.php:154 lib/mailbox.php:116 lib/noticelist.php:87 +#. TRANS: Header on conversation page. Hidden by default (h2). +#: actions/conversation.php:149 lib/mailbox.php:116 lib/noticelist.php:87 #: lib/profileaction.php:229 lib/searchgroupnav.php:82 msgid "Notices" msgstr "Notiser" @@ -1413,11 +1499,13 @@ msgstr "Ikke slett denne notisen" msgid "Delete this group" msgstr "Slett denne brukeren" +#. TRANS: Client error displayed when trying to unblock a user from a group while not logged in. +#. TRANS: Client error displayed trying a change a subscription while not logged in. #. TRANS: Client error message thrown when trying to access the admin panel while not logged in. #: actions/deletenotice.php:50 actions/disfavor.php:61 actions/favor.php:62 -#: actions/groupblock.php:61 actions/groupunblock.php:61 actions/logout.php:69 +#: actions/groupblock.php:61 actions/groupunblock.php:60 actions/logout.php:69 #: actions/makeadmin.php:61 actions/newmessage.php:87 actions/newnotice.php:88 -#: actions/nudge.php:63 actions/subedit.php:31 actions/subscribe.php:96 +#: actions/nudge.php:63 actions/subedit.php:33 actions/subscribe.php:96 #: actions/tagother.php:33 actions/unsubscribe.php:52 #: lib/adminpanelaction.php:71 lib/profileformaction.php:64 #: lib/settingsaction.php:72 @@ -1720,49 +1808,49 @@ msgstr "Anrops-URL er ikke gyldig." msgid "Could not update application." msgstr "Kunne ikke oppdatere programmet." -#: actions/editgroup.php:56 +#. TRANS: Title for form to edit a group. %s is a group nickname. +#: actions/editgroup.php:55 #, php-format msgid "Edit %s group" msgstr "Rediger %s gruppe" +#. TRANS: Client error displayed trying to edit a group while not logged in. +#. TRANS: Client error displayed trying to create a group while not logged in. #: actions/editgroup.php:68 actions/grouplogo.php:70 actions/newgroup.php:65 msgid "You must be logged in to create a group." msgstr "Du må være innlogget for å opprette en gruppe." -#: actions/editgroup.php:107 actions/editgroup.php:172 +#. TRANS: Client error displayed trying to edit a group while not being a group admin. +#: actions/editgroup.php:110 actions/editgroup.php:176 #: actions/groupdesignsettings.php:107 actions/grouplogo.php:109 msgid "You must be an admin to edit the group." msgstr "Du må være en administrator for å redigere gruppen." -#: actions/editgroup.php:158 +#. TRANS: Form instructions for group edit form. +#: actions/editgroup.php:161 msgid "Use this form to edit the group." msgstr "Bruk dette skjemaet for å redigere gruppen." -#: actions/editgroup.php:205 -#, php-format -msgid "Description is too long (max %d chars)." -msgstr "Beskrivelsen er for lang (maks %d tegn)." - -#: actions/editgroup.php:219 -#, php-format -msgid "Too many aliases! Maximum %d." -msgstr "For mange alias! Maksimum %d." - -#: actions/editgroup.php:228 actions/newgroup.php:177 +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. +#: actions/editgroup.php:248 actions/newgroup.php:184 #, php-format msgid "Invalid alias: \"%s\"" msgstr "Ugyldig alias: «%s»" -#: actions/editgroup.php:258 +#. TRANS: Server error displayed when editing a group fails. +#: actions/editgroup.php:281 msgid "Could not update group." msgstr "Kunne ikke oppdatere gruppe." +#. TRANS: Server error displayed when group aliases could not be added. #. TRANS: Server exception thrown when creating group aliases failed. -#: actions/editgroup.php:264 classes/User_group.php:513 +#: actions/editgroup.php:288 classes/User_group.php:513 msgid "Could not create aliases." msgstr "Kunne ikke opprette alias." -#: actions/editgroup.php:280 +#. TRANS: Group edit form success message. +#: actions/editgroup.php:305 msgid "Options saved." msgstr "Lagret valg." @@ -1953,6 +2041,12 @@ msgstr "Ingen ventende bekreftelse å avbryte." msgid "That is the wrong email address." msgstr "Dette er feil e-postadresse." +#. TRANS: Server error thrown on database error canceling e-mail address confirmation. +#. TRANS: Server error thrown on database error canceling SMS phone number confirmation. +#: actions/emailsettings.php:437 actions/smssettings.php:422 +msgid "Couldn't delete email confirmation." +msgstr "Kunne ikke slette e-postbekreftelse." + #. TRANS: Message given after successfully canceling e-mail address confirmation. #: actions/emailsettings.php:442 msgid "Email confirmation cancelled." @@ -2133,19 +2227,23 @@ msgstr "Du kan ikke tildele brukerroller på dette nettstedet." msgid "User already has this role." msgstr "Bruker har allerede denne rollen." +#. TRANS: Client error displayed when trying to unblock a user from a group without providing a profile. +#. TRANS: Client error displayed trying a change a subscription without providing a profile. #: actions/groupblock.php:71 actions/groupunblock.php:71 -#: actions/makeadmin.php:71 actions/subedit.php:46 +#: actions/makeadmin.php:71 actions/subedit.php:49 #: lib/profileformaction.php:79 msgid "No profile specified." msgstr "Ingen profil oppgitt." -#: actions/groupblock.php:76 actions/groupunblock.php:76 -#: actions/makeadmin.php:76 actions/subedit.php:53 actions/tagother.php:46 +#. TRANS: Client error displayed when trying to unblock a user from a group without providing an existing profile. +#. TRANS: Client error displayed trying a change a subscription for a non-existant profile ID. +#: actions/groupblock.php:76 actions/groupunblock.php:77 +#: actions/makeadmin.php:76 actions/subedit.php:57 actions/tagother.php:46 #: actions/unsubscribe.php:84 lib/profileformaction.php:86 msgid "No profile with that ID." msgstr "Ingen profil med den ID'en." -#: actions/groupblock.php:81 actions/groupunblock.php:81 +#: actions/groupblock.php:81 actions/groupunblock.php:82 #: actions/makeadmin.php:81 msgid "No group specified." msgstr "Ingen gruppe oppgitt." @@ -2230,6 +2328,14 @@ msgid "" "You can upload a logo image for your group. The maximum file size is %s." msgstr "Du kan laste opp en logo for gruppen din. Maks filstørrelse er %s." +#: actions/grouplogo.php:236 +msgid "Upload" +msgstr "Last opp" + +#: actions/grouplogo.php:289 +msgid "Crop" +msgstr "Beskjær" + #: actions/grouplogo.php:365 msgid "Pick a square area of the image to be the logo." msgstr "Velg et kvadratisk område av bildet som skal bli logoen." @@ -2372,15 +2478,18 @@ msgstr "" "Hvorfor ikke [registrere en konto](%%action.register%%) og [opprette gruppen]" "(%%action.newgroup%%) selv!" -#: actions/groupunblock.php:91 +#. TRANS: Client error displayed when trying to unblock a user from a group without being an administrator for the group. +#: actions/groupunblock.php:94 msgid "Only an admin can unblock group members." msgstr "Bare en admin kan oppheve blokkering av gruppemedlemmer." -#: actions/groupunblock.php:95 +#. TRANS: Client error displayed when trying to unblock a non-blocked user from a group. +#: actions/groupunblock.php:99 msgid "User is not blocked from group." msgstr "Bruker er ikke blokkert fra gruppe." -#: actions/groupunblock.php:128 actions/unblock.php:86 +#. TRANS: Server error displayed when unblocking a user from a group fails because of an unknown error. +#: actions/groupunblock.php:131 actions/unblock.php:86 msgid "Error removing the block." msgstr "Feil under oppheving av blokkering." @@ -2965,10 +3074,12 @@ msgstr "Organisasjon er for lang (maks 255 tegn)." msgid "Could not create application." msgstr "Kunne ikke opprette program." +#. TRANS: Title for form to create a group. #: actions/newgroup.php:53 msgid "New group" msgstr "Ny gruppe" +#. TRANS: Form instructions for group create form. #: actions/newgroup.php:110 msgid "Use this form to create a new group." msgstr "Bruk dette skjemaet for å opprette en ny gruppe." @@ -3672,8 +3783,9 @@ msgid "1-64 lowercase letters or numbers, no punctuation or spaces." msgstr "1-64 små bokstaver eller tall, ingen punktum eller mellomrom" #. TRANS: Field label in form for profile settings. +#. TRANS: Label for full group name (dt). Text hidden by default. #: actions/profilesettings.php:117 actions/register.php:457 -#: actions/showgroup.php:256 actions/tagother.php:104 +#: actions/showgroup.php:257 actions/tagother.php:104 #: lib/groupeditform.php:157 lib/userprofile.php:150 msgid "Full name" msgstr "Fullt navn" @@ -3713,8 +3825,9 @@ msgid "Bio" msgstr "Om meg" #. TRANS: Field label in form for profile settings. +#. TRANS: Label for group location (dt). Text hidden by default. #: actions/profilesettings.php:149 actions/register.php:485 -#: actions/showgroup.php:265 actions/tagother.php:112 +#: actions/showgroup.php:267 actions/tagother.php:112 #: actions/userauthorization.php:166 lib/groupeditform.php:177 #: lib/userprofile.php:165 msgid "Location" @@ -4432,7 +4545,8 @@ msgstr "Organisasjon" msgid "Description" msgstr "Beskrivelse" -#: actions/showapplication.php:192 actions/showgroup.php:442 +#. TRANS: Header for group statistics on a group page (h2). +#: actions/showapplication.php:192 actions/showgroup.php:453 #: lib/profileaction.php:187 msgid "Statistics" msgstr "Statistikk" @@ -4450,6 +4564,11 @@ msgstr "Programhandlinger" msgid "Reset key & secret" msgstr "Tilbakestill nøkkel & hemmelighet" +#: actions/showapplication.php:252 lib/deletegroupform.php:121 +#: lib/deleteuserform.php:66 lib/noticelist.php:667 +msgid "Delete" +msgstr "Slett" + #: actions/showapplication.php:261 msgid "Application info" msgstr "Programinformasjon" @@ -4544,77 +4663,106 @@ msgstr "" msgid "This is a way to share what you like." msgstr "Dette er en måte å dele det du liker." -#: actions/showgroup.php:82 +#. TRANS: Page title for first group page. %s is a group name. +#: actions/showgroup.php:80 #, php-format msgid "%s group" msgstr "%s gruppe" +#. TRANS: Page title for any but first group page. +#. TRANS: %1$s is a group name, $2$s is a page number. #: actions/showgroup.php:84 #, php-format msgid "%1$s group, page %2$d" msgstr "%1$s gruppe, side %2$d" -#: actions/showgroup.php:227 +#. TRANS: Group profile header (h2). Text hidden by default. +#: actions/showgroup.php:225 msgid "Group profile" msgstr "Gruppeprofil" -#: actions/showgroup.php:272 actions/tagother.php:118 +#. TRANS: Label for group URL (dt). Text hidden by default. +#: actions/showgroup.php:275 actions/tagother.php:118 #: actions/userauthorization.php:175 lib/userprofile.php:178 msgid "URL" msgstr "Nettadresse" -#: actions/showgroup.php:283 actions/tagother.php:128 +#. TRANS: Label for group description or group note (dt). Text hidden by default. +#: actions/showgroup.php:287 actions/tagother.php:128 #: actions/userauthorization.php:187 lib/userprofile.php:195 msgid "Note" msgstr "Merk" -#: actions/showgroup.php:293 lib/groupeditform.php:184 +#. TRANS: Label for group aliases (dt). Text hidden by default. +#: actions/showgroup.php:298 lib/groupeditform.php:184 msgid "Aliases" msgstr "Alias" -#: actions/showgroup.php:302 +#. TRANS: Group actions header (h2). Text hidden by default. +#: actions/showgroup.php:309 msgid "Group actions" msgstr "Gruppehandlinger" -#: actions/showgroup.php:344 +#. TRANS: Tooltip for feed link. %s is a group nickname. +#: actions/showgroup.php:350 #, php-format msgid "Notice feed for %s group (RSS 1.0)" msgstr "Notismating for %s gruppe (RSS 1.0)" -#: actions/showgroup.php:350 +#. TRANS: Tooltip for feed link. %s is a group nickname. +#: actions/showgroup.php:357 #, php-format msgid "Notice feed for %s group (RSS 2.0)" msgstr "Notismating for %s gruppe (RSS 2.0)" -#: actions/showgroup.php:356 +#. TRANS: Tooltip for feed link. %s is a group nickname. +#: actions/showgroup.php:364 #, php-format msgid "Notice feed for %s group (Atom)" msgstr "Notismating for %s gruppe (Atom)" -#: actions/showgroup.php:361 +#. TRANS: Tooltip for feed link. %s is a group nickname. +#: actions/showgroup.php:370 #, php-format msgid "FOAF for %s group" msgstr "FOAF for gruppen %s" -#: actions/showgroup.php:399 actions/showgroup.php:451 +#. TRANS: Header for mini list of group members on a group page (h2). +#: actions/showgroup.php:407 msgid "Members" msgstr "Medlemmer" -#: actions/showgroup.php:404 lib/profileaction.php:117 +#. TRANS: Description for mini list of group members on a group page when the group has no members. +#: actions/showgroup.php:413 lib/profileaction.php:117 #: lib/profileaction.php:152 lib/profileaction.php:255 lib/section.php:95 #: lib/subscriptionlist.php:127 lib/tagcloudsection.php:71 msgid "(None)" msgstr "(Ingen)" -#: actions/showgroup.php:410 +#. TRANS: Link to all group members from mini list of group members if group has more than n members. +#: actions/showgroup.php:422 msgid "All members" msgstr "Alle medlemmer" -#: actions/showgroup.php:445 +#. TRANS: Label for creation date in statistics on group page. +#: actions/showgroup.php:458 +#, fuzzy +msgctxt "LABEL" msgid "Created" msgstr "Opprettet" -#: actions/showgroup.php:461 +#. TRANS: Label for member count in statistics on group page. +#: actions/showgroup.php:466 +#, fuzzy +msgctxt "LABEL" +msgid "Members" +msgstr "Medlemmer" + +#. TRANS: Notice on group pages for anonymous users for StatusNet sites that accept new registrations. +#. TRANS: **%s** is the group alias, %%%%site.name%%%% is the site name, +#. TRANS: %%%%action.register%%%% is the URL for registration, %%%%doc.help%%%% is a URL to help. +#. TRANS: This message contains Markdown links. Ensure they are formatted correctly: [Description](link). +#: actions/showgroup.php:481 #, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -4630,7 +4778,10 @@ msgstr "" "%%%) for å bli medlem av denne gruppen og mange fler. ([Les mer](%%%%doc.help" "%%%%))" -#: actions/showgroup.php:467 +#. TRANS: Notice on group pages for anonymous users for StatusNet sites that accept no new registrations. +#. TRANS: **%s** is the group alias, %%%%site.name%%%% is the site name, +#. TRANS: This message contains Markdown links. Ensure they are formatted correctly: [Description](link). +#: actions/showgroup.php:491 #, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -4643,24 +4794,31 @@ msgstr "" "programvareverktøyet [StatusNet](http://status.net/). Dets medlemmer deler " "korte meldinger om deres liv og interesser. " -#: actions/showgroup.php:495 +#. TRANS: Header for list of group administrators on a group page (h2). +#: actions/showgroup.php:520 msgid "Admins" msgstr "Administratorer" -#: actions/showmessage.php:81 +#. TRANS: Client error displayed requesting a single message that does not exist. +#: actions/showmessage.php:79 msgid "No such message." msgstr "Ingen slik melding." -#: actions/showmessage.php:98 +#. TRANS: Client error displayed requesting a single direct message the requesting user was not a party in. +#: actions/showmessage.php:97 msgid "Only the sender and recipient may read this message." msgstr "Kun senderen og mottakeren kan lese denne meldingen." -#: actions/showmessage.php:108 +#. TRANS: Page title for single direct message display when viewing user is the sender. +#. TRANS: %1$s is the addressed user's nickname, $2$s is a timestamp. +#: actions/showmessage.php:110 #, php-format msgid "Message to %1$s on %2$s" msgstr "Melding til %1$s på %2$s" -#: actions/showmessage.php:113 +#. TRANS: Page title for single message display. +#. TRANS: %1$s is the sending user's nickname, $2$s is a timestamp. +#: actions/showmessage.php:118 #, php-format msgid "Message from %1$s on %2$s" msgstr "Melding fra %1$s på %2$s" @@ -5106,13 +5264,15 @@ msgstr "" msgid "Save snapshot settings" msgstr "Lagre nettstedsinnstillinger" -#: actions/subedit.php:70 +#. TRANS: Client error displayed trying a change a subscription for a non-subscribed profile. +#: actions/subedit.php:75 #, fuzzy msgid "You are not subscribed to that profile." msgstr "Ikke autorisert." +#. TRANS: Server error displayed when updating a subscription fails with a database error. #. TRANS: Exception thrown when a subscription could not be stored on the server. -#: actions/subedit.php:83 classes/Subscription.php:136 +#: actions/subedit.php:89 classes/Subscription.php:136 msgid "Could not save subscription." msgstr "Kunne ikke lagre merkelapper." @@ -5902,12 +6062,12 @@ msgid "Welcome to %1$s, @%2$s!" msgstr "Velkommen til %1$s, @%2$s." #. TRANS: Server exception. -#: classes/User.php:902 +#: classes/User.php:912 msgid "No single user defined for single-user mode." msgstr "" #. TRANS: Server exception. -#: classes/User.php:906 +#: classes/User.php:916 msgid "Single-user mode code called when not enabled." msgstr "" @@ -7050,7 +7210,8 @@ msgstr "Atom" msgid "FOAF" msgstr "Venn av en venn" -#: lib/feedlist.php:65 +#. TRANS: Header for feed links (h2). +#: lib/feedlist.php:66 msgid "Feeds" msgstr "" @@ -7212,39 +7373,57 @@ msgstr "Denne siden er ikke tilgjengelig i en mediatype du aksepterer" msgid "Unsupported image file format." msgstr "Bildefilformatet støttes ikke." -#: lib/imagefile.php:88 +#. TRANS: Exception thrown when too large a file is uploaded. +#. TRANS: %s is the maximum file size, for example "500b", "10kB" or "2MB". +#: lib/imagefile.php:90 #, php-format msgid "That file is too big. The maximum file size is %s." msgstr "Filen er for stor. Maks filstørrelse er %s." -#: lib/imagefile.php:93 +#: lib/imagefile.php:95 msgid "Partial upload." msgstr "Delvis opplasting." #. TRANS: Client exception thrown when a file upload operation has failed with an unknown reason. -#: lib/imagefile.php:101 lib/mediafile.php:179 +#: lib/imagefile.php:103 lib/mediafile.php:179 msgid "System error uploading file." msgstr "Systemfeil ved opplasting av fil." -#: lib/imagefile.php:109 +#: lib/imagefile.php:111 msgid "Not an image or corrupt file." msgstr "Ikke et bilde eller en korrupt fil." -#: lib/imagefile.php:122 +#: lib/imagefile.php:124 msgid "Lost our file." msgstr "Mistet filen vår." -#: lib/imagefile.php:163 lib/imagefile.php:224 +#: lib/imagefile.php:165 lib/imagefile.php:226 msgid "Unknown file type" msgstr "Ukjent filtype" -#: lib/imagefile.php:244 -msgid "MB" -msgstr "MB" +#. TRANS: Number of megabytes. %d is the number. +#: lib/imagefile.php:248 +#, fuzzy, php-format +msgid "%dMB" +msgid_plural "%dMB" +msgstr[0] "MB" +msgstr[1] "MB" -#: lib/imagefile.php:246 -msgid "kB" -msgstr "kB" +#. TRANS: Number of kilobytes. %d is the number. +#: lib/imagefile.php:252 +#, fuzzy, php-format +msgid "%dkB" +msgid_plural "%dkB" +msgstr[0] "kB" +msgstr[1] "kB" + +#. TRANS: Number of bytes. %d is the number. +#: lib/imagefile.php:255 +#, php-format +msgid "%dB" +msgid_plural "%dB" +msgstr[0] "" +msgstr[1] "" #: lib/jabber.php:387 #, php-format @@ -8142,6 +8321,13 @@ msgstr "Feil ved oppdatering av fjernprofil." msgid "Top posters" msgstr "" +#. TRANS: Title for the form to unblock a user. +#: lib/unblockform.php:67 +#, fuzzy +msgctxt "TITLE" +msgid "Unblock" +msgstr "Opphev blokkering" + #: lib/unsandboxform.php:69 msgid "Unsandbox" msgstr "" @@ -8326,3 +8512,9 @@ msgstr "Ingen bruker-ID spesifisert." #, php-format msgid "%d entries in backup." msgstr "" + +#~ msgid "Description is too long (max %d chars)." +#~ msgstr "Beskrivelsen er for lang (maks %d tegn)." + +#~ msgid "Too many aliases! Maximum %d." +#~ msgstr "For mange alias! Maksimum %d." diff --git a/locale/nl/LC_MESSAGES/statusnet.po b/locale/nl/LC_MESSAGES/statusnet.po index d15c7f0037..8a0cc0cad9 100644 --- a/locale/nl/LC_MESSAGES/statusnet.po +++ b/locale/nl/LC_MESSAGES/statusnet.po @@ -12,17 +12,17 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet - Core\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-10-27 23:43+0000\n" -"PO-Revision-Date: 2010-10-28 23:09:22+0000\n" +"POT-Creation-Date: 2010-10-30 23:18+0000\n" +"PO-Revision-Date: 2010-10-30 23:20:36+0000\n" "Language-Team: Dutch \n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r75629); Translate extension (2010-09-17)\n" +"X-Generator: MediaWiki 1.17alpha (r75708); Translate extension (2010-09-17)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: nl\n" "X-Message-Group: #out-statusnet-core\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-POT-Import-Date: 2010-10-28 00:13:15+0000\n" +"X-POT-Import-Date: 2010-10-30 09:48:40+0000\n" #. TRANS: Page title for Access admin panel that allows configuring site access. #. TRANS: Menu item for site administration @@ -118,6 +118,7 @@ msgstr "Deze pagina bestaat niet." #. TRANS: Client error displayed when requesting most recent dents by user and friends for a non-existing user. #. TRANS: Client error displayed when requesting most recent mentions for a non-existing user. #. TRANS: Client error displayed requesting most recent notices for a non-existing user. +#. TRANS: Client error displayed trying to get an avatar for a non-existing user. #. TRANS: Error text shown when trying to send a direct message to a user that does not exist. #: actions/all.php:80 actions/apiaccountupdatedeliverydevice.php:110 #: actions/apiaccountupdateprofile.php:103 @@ -130,7 +131,7 @@ msgstr "Deze pagina bestaat niet." #: actions/apistatusesupdate.php:230 actions/apisubscriptions.php:85 #: actions/apitimelinefavorites.php:70 actions/apitimelinefriends.php:173 #: actions/apitimelinehome.php:78 actions/apitimelinementions.php:77 -#: actions/apitimelineuser.php:79 actions/avatarbynickname.php:75 +#: actions/apitimelineuser.php:79 actions/avatarbynickname.php:79 #: 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 @@ -311,11 +312,12 @@ msgstr "Het was niet mogelijk de gebruiker bij te werken." #. TRANS: Client error displayed a user has no profile updating profile colours. #. TRANS: Client error displayed if a user profile could not be found updating a profile image. #. TRANS: Client error displayed when requesting user information for a user without a profile. +#. TRANS: Client error displayed trying to get an avatar for a user without a profile. #: actions/apiaccountupdateprofile.php:111 #: actions/apiaccountupdateprofilebackgroundimage.php:199 #: actions/apiaccountupdateprofilecolors.php:183 #: actions/apiaccountupdateprofileimage.php:130 actions/apiusershow.php:108 -#: actions/avatarbynickname.php:80 actions/foaf.php:65 actions/hcard.php:74 +#: actions/avatarbynickname.php:85 actions/foaf.php:65 actions/hcard.php:74 #: actions/replies.php:80 actions/usergroups.php:100 lib/galleryaction.php:66 #: lib/profileaction.php:84 msgid "User has no profile." @@ -330,7 +332,7 @@ msgstr "Het was niet mogelijk het profiel op te slaan." #. TRANS: %s is the number of bytes of the CONTENT_LENGTH. #: actions/apiaccountupdateprofilebackgroundimage.php:108 #: actions/apiaccountupdateprofileimage.php:95 actions/apimediaupload.php:81 -#: actions/apistatusesupdate.php:210 actions/avatarsettings.php:259 +#: actions/apistatusesupdate.php:210 actions/avatarsettings.php:269 #: actions/designadminpanel.php:125 actions/editapplication.php:121 #: actions/newapplication.php:104 actions/newnotice.php:95 #, php-format @@ -511,9 +513,11 @@ msgstr "Het was niet mogelijk de brongebruiker te bepalen." msgid "Could not find target user." msgstr "Het was niet mogelijk de doelgebruiker te vinden." +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. #. TRANS: Validation error in form for profile settings. -#: actions/apigroupcreate.php:165 actions/editgroup.php:186 -#: actions/newgroup.php:126 actions/profilesettings.php:243 +#: actions/apigroupcreate.php:165 actions/editgroup.php:191 +#: actions/newgroup.php:127 actions/profilesettings.php:243 #: actions/register.php:212 msgid "Nickname must have only lowercase letters and numbers and no spaces." msgstr "" @@ -521,36 +525,44 @@ msgstr "" "zijn niet toegestaan." #. TRANS: Client error trying to create a group with a nickname this is already in use. +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. #. TRANS: Validation error in form for profile settings. -#: actions/apigroupcreate.php:175 actions/editgroup.php:190 -#: actions/newgroup.php:130 actions/profilesettings.php:277 +#: actions/apigroupcreate.php:175 actions/editgroup.php:196 +#: actions/newgroup.php:132 actions/profilesettings.php:277 #: actions/register.php:215 msgid "Nickname already in use. Try another one." msgstr "" "De opgegeven gebruikersnaam is al in gebruik. Kies een andere gebruikersnaam." #. TRANS: Client error in form for group creation. +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. #. TRANS: Validation error in form for profile settings. -#: actions/apigroupcreate.php:183 actions/editgroup.php:193 -#: actions/newgroup.php:133 actions/profilesettings.php:247 +#: actions/apigroupcreate.php:183 actions/editgroup.php:200 +#: actions/newgroup.php:136 actions/profilesettings.php:247 #: actions/register.php:217 msgid "Not a valid nickname." msgstr "Ongeldige gebruikersnaam!" #. TRANS: Client error in form for group creation. #. TRANS: Validation error shown when providing an invalid homepage URL in the "Edit application" form. +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. #. TRANS: Validation error in form for profile settings. #: actions/apigroupcreate.php:200 actions/editapplication.php:233 -#: actions/editgroup.php:199 actions/newapplication.php:211 -#: actions/newgroup.php:139 actions/profilesettings.php:252 +#: actions/editgroup.php:207 actions/newapplication.php:211 +#: actions/newgroup.php:143 actions/profilesettings.php:252 #: actions/register.php:224 msgid "Homepage is not a valid URL." msgstr "De thuispagina is geen geldige URL." #. TRANS: Client error in form for group creation. +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. #. TRANS: Validation error in form for profile settings. -#: actions/apigroupcreate.php:210 actions/editgroup.php:202 -#: actions/newgroup.php:142 actions/profilesettings.php:256 +#: actions/apigroupcreate.php:210 actions/editgroup.php:211 +#: actions/newgroup.php:147 actions/profilesettings.php:256 #: actions/register.php:227 msgid "Full name is too long (maximum 255 characters)." msgstr "De volledige naam is te lang (maximaal 255 tekens)." @@ -558,10 +570,11 @@ msgstr "De volledige naam is te lang (maximaal 255 tekens)." #. TRANS: Client error shown when providing too long a description during group creation. #. TRANS: %d is the maximum number of allowed characters. #. TRANS: Validation error shown when providing too long a description in the "Edit application" form. +#. TRANS: Group edit form validation error. #. TRANS: Form validation error in New application form. #. TRANS: %d is the maximum number of characters for the description. #: actions/apigroupcreate.php:220 actions/editapplication.php:201 -#: actions/newapplication.php:178 +#: actions/editgroup.php:216 actions/newapplication.php:178 #, php-format msgid "Description is too long (maximum %d character)." msgid_plural "Description is too long (maximum %d characters)." @@ -569,16 +582,23 @@ msgstr[0] "De beschrijving is te lang (maximaal %d teken)." msgstr[1] "De beschrijving is te lang (maximaal %d tekens)." #. TRANS: Client error shown when providing too long a location during group creation. +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. #. TRANS: Validation error in form for profile settings. -#: actions/apigroupcreate.php:234 actions/editgroup.php:208 -#: actions/newgroup.php:153 actions/profilesettings.php:269 +#: actions/apigroupcreate.php:234 actions/editgroup.php:223 +#: actions/newgroup.php:159 actions/profilesettings.php:269 #: actions/register.php:236 msgid "Location is too long (maximum 255 characters)." msgstr "De locatie is te lang (maximaal 255 tekens)." #. TRANS: Client error shown when providing too many aliases during group creation. #. TRANS: %d is the maximum number of allowed aliases. -#: actions/apigroupcreate.php:255 actions/newgroup.php:166 +#. TRANS: Group edit form validation error. +#. TRANS: %d is the maximum number of allowed aliases. +#. TRANS: Group create form validation error. +#. TRANS: %d is the maximum number of allowed aliases. +#: actions/apigroupcreate.php:255 actions/editgroup.php:236 +#: actions/newgroup.php:172 #, php-format msgid "Too many aliases! Maximum %d allowed." msgid_plural "Too many aliases! Maximum %d allowed." @@ -594,15 +614,19 @@ msgstr "Ongeldige alias: \"%s\"." #. TRANS: Client error displayed when trying to use an alias during group creation that is already in use. #. TRANS: %s is the alias that is already in use. -#: actions/apigroupcreate.php:291 actions/editgroup.php:232 -#: actions/newgroup.php:181 +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. +#: actions/apigroupcreate.php:291 actions/editgroup.php:253 +#: actions/newgroup.php:189 #, php-format msgid "Alias \"%s\" already in use. Try another one." msgstr "De alias \"%s\" wordt al gebruikt. Geef een andere alias op." #. TRANS: Client error displayed when trying to use an alias during group creation that is the same as the group's nickname. -#: actions/apigroupcreate.php:305 actions/editgroup.php:238 -#: actions/newgroup.php:187 +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. +#: actions/apigroupcreate.php:305 actions/editgroup.php:260 +#: actions/newgroup.php:196 msgid "Alias can't be the same as nickname." msgstr "Een alias kan niet hetzelfde zijn als de gebruikersnaam." @@ -652,7 +676,7 @@ msgstr "U bent geen lid van deze groep." #: lib/command.php:398 #, 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." +msgstr "Het was niet mogelijk gebruiker %1$s uit de groep %2$s te verwijderen." #. TRANS: Used as title in check for group membership. %s is a user name. #: actions/apigrouplist.php:94 @@ -692,7 +716,7 @@ msgstr "Het opgegeven token of controlegetal is ongeldig." #. TRANS: Client error given when no oauth_token was passed to the OAuth API. #: actions/apioauthauthorize.php:107 msgid "No oauth_token parameter provided." -msgstr "Er is geen oauth_token parameter opgegeven." +msgstr "Er is geen parameter oauth_token opgegeven." #. TRANS: Client error given when an invalid request token was passed to the OAuth API. #: actions/apioauthauthorize.php:115 actions/apioauthauthorize.php:129 @@ -705,18 +729,18 @@ msgid "Request token already authorized." msgstr "Het verzoektoken is al geautoriseerd." #. TRANS: Form validation error in API OAuth authorisation because of an invalid session token. -#: actions/apioauthauthorize.php:147 actions/avatarsettings.php:270 +#: actions/apioauthauthorize.php:147 actions/avatarsettings.php:280 #: actions/deletenotice.php:172 actions/disfavor.php:74 #: actions/emailsettings.php:271 actions/favor.php:75 actions/geocode.php:55 #: actions/groupblock.php:66 actions/grouplogo.php:312 -#: actions/groupunblock.php:66 actions/imsettings.php:230 +#: actions/groupunblock.php:65 actions/imsettings.php:230 #: actions/invite.php:59 actions/login.php:137 actions/makeadmin.php:66 #: actions/newmessage.php:135 actions/newnotice.php:105 actions/nudge.php:80 #: actions/oauthappssettings.php:165 actions/oauthconnectionssettings.php:138 #: actions/othersettings.php:145 actions/passwordsettings.php:138 #: actions/profilesettings.php:221 actions/recoverpassword.php:350 #: actions/register.php:172 actions/remotesubscribe.php:77 -#: actions/repeat.php:83 actions/smssettings.php:256 actions/subedit.php:38 +#: actions/repeat.php:83 actions/smssettings.php:256 actions/subedit.php:40 #: actions/subscribe.php:86 actions/tagother.php:166 #: actions/unsubscribe.php:69 actions/userauthorization.php:52 #: lib/designsettings.php:294 @@ -738,12 +762,13 @@ msgstr "" "oauth_token_association." #. TRANS: Client error given on when invalid data was passed through a form in the OAuth API. +#. TRANS: Unexpected validation error on avatar upload form. #. TRANS: Client error displayed submitting invalid form data for edit application. #. TRANS: Message given submitting a form with an unknown action in e-mail settings. #. TRANS: Message given submitting a form with an unknown action in IM settings. #. TRANS: Client error when submitting a form with unexpected information. #. TRANS: Message given submitting a form with an unknown action in SMS settings. -#: actions/apioauthauthorize.php:294 actions/avatarsettings.php:283 +#: actions/apioauthauthorize.php:294 actions/avatarsettings.php:294 #: actions/designadminpanel.php:104 actions/editapplication.php:144 #: actions/emailsettings.php:290 actions/grouplogo.php:322 #: actions/imsettings.php:245 actions/newapplication.php:125 @@ -797,6 +822,7 @@ msgstr "Gebruikersgegevens" #. TRANS: Field label on OAuth API authorisation form. #. TRANS: Field label in form for profile settings. +#. TRANS: Label for group nickname (dt). Text hidden by default. #: actions/apioauthauthorize.php:459 actions/login.php:252 #: actions/profilesettings.php:110 actions/register.php:433 #: actions/showgroup.php:245 actions/tagother.php:94 @@ -1050,106 +1076,140 @@ msgstr "De API-functie is in bewerking." msgid "User not found." msgstr "De pagina is niet aangetroffen." +#. TRANS: Client error displayed trying to get a non-existing attachment. #: actions/attachment.php:73 msgid "No such attachment." msgstr "Deze bijlage bestaat niet." -#: actions/avatarbynickname.php:59 actions/blockedfromgroup.php:73 -#: actions/editgroup.php:84 actions/groupdesignsettings.php:84 +#. TRANS: Client error displayed trying to get an avatar without providing a nickname. +#. TRANS: Client error displayed when requesting a list of blocked users for a group without providing a group nickname. +#. TRANS: Client error displayed trying to edit a group while not proving a nickname for the group to edit. +#. TRANS: Client error displayed if no nickname argument was given requesting a group page. +#: actions/avatarbynickname.php:60 actions/blockedfromgroup.php:73 +#: actions/editgroup.php:85 actions/groupdesignsettings.php:84 #: actions/grouplogo.php:86 actions/groupmembers.php:76 #: actions/grouprss.php:91 actions/showgroup.php:121 msgid "No nickname." msgstr "Geen gebruikersnaam." -#: actions/avatarbynickname.php:64 +#. TRANS: Client error displayed trying to get an avatar without providing an avatar size. +#: actions/avatarbynickname.php:66 msgid "No size." msgstr "Geen afmeting." -#: actions/avatarbynickname.php:69 +#. TRANS: Client error displayed trying to get an avatar providing an invalid avatar size. +#: actions/avatarbynickname.php:72 msgid "Invalid size." msgstr "Ongeldige afmetingen." +#. TRANS: Title for avatar upload page. +#. TRANS: Label for group avatar (dt). Text hidden by default. #. TRANS: Link description in user account settings menu. -#: actions/avatarsettings.php:67 actions/showgroup.php:230 +#: actions/avatarsettings.php:66 actions/showgroup.php:229 #: lib/accountsettingsaction.php:113 msgid "Avatar" msgstr "Avatar" +#. TRANS: Instruction for avatar upload page. +#. TRANS: %s is the maximum file size, for example "500b", "10kB" or "2MB". #: actions/avatarsettings.php:78 #, php-format msgid "You can upload your personal avatar. The maximum file size is %s." msgstr "" "U kunt een persoonlijke avatar uploaden. De maximale bestandsgrootte is %s." -#: actions/avatarsettings.php:106 actions/avatarsettings.php:185 +#. TRANS: Server error displayed in avatar upload page when no matching profile can be found for a user. +#: actions/avatarsettings.php:108 actions/avatarsettings.php:192 #: actions/grouplogo.php:181 actions/remotesubscribe.php:191 #: actions/userauthorization.php:72 actions/userrss.php:108 msgid "User without matching profile." msgstr "Gebruiker zonder bijbehorend profiel." -#: actions/avatarsettings.php:119 actions/avatarsettings.php:197 +#. TRANS: Avatar upload page form legend. +#. TRANS: Avatar upload page crop form legend. +#: actions/avatarsettings.php:122 actions/avatarsettings.php:205 #: actions/grouplogo.php:254 msgid "Avatar settings" msgstr "Avatarinstellingen" -#: actions/avatarsettings.php:127 actions/avatarsettings.php:205 +#. TRANS: Header on avatar upload page for thumbnail of originally uploaded avatar (h2). +#. TRANS: Header on avatar upload crop form for thumbnail of originally uploaded avatar (h2). +#: actions/avatarsettings.php:131 actions/avatarsettings.php:214 #: actions/grouplogo.php:202 actions/grouplogo.php:262 msgid "Original" msgstr "Origineel" -#: actions/avatarsettings.php:142 actions/avatarsettings.php:217 +#. TRANS: Header on avatar upload page for thumbnail of to be used rendition of uploaded avatar (h2). +#. TRANS: Header on avatar upload crop form for thumbnail of to be used rendition of uploaded avatar (h2). +#: actions/avatarsettings.php:147 actions/avatarsettings.php:227 #: actions/grouplogo.php:213 actions/grouplogo.php:274 msgid "Preview" msgstr "Voorvertoning" -#: actions/avatarsettings.php:149 actions/showapplication.php:252 -#: lib/deletegroupform.php:121 lib/deleteuserform.php:66 -#: lib/noticelist.php:667 +#. TRANS: Button on avatar upload page to delete current avatar. +#: actions/avatarsettings.php:155 +#, fuzzy +msgctxt "BUTTON" msgid "Delete" msgstr "Verwijderen" -#: actions/avatarsettings.php:166 actions/grouplogo.php:236 +#. TRANS: Button on avatar upload page to upload an avatar. +#: actions/avatarsettings.php:173 +#, fuzzy +msgctxt "BUTTON" msgid "Upload" msgstr "Uploaden" -#: actions/avatarsettings.php:231 actions/grouplogo.php:289 +#. TRANS: Button on avatar upload crop form to confirm a selected crop as avatar. +#: actions/avatarsettings.php:243 +#, fuzzy +msgctxt "BUTTON" msgid "Crop" msgstr "Uitsnijden" -#: actions/avatarsettings.php:307 +#. TRANS: Validation error on avatar upload form when no file was uploaded. +#: actions/avatarsettings.php:318 msgid "No file uploaded." msgstr "Er is geen bestand geüpload." -#: actions/avatarsettings.php:334 +#. TRANS: Avatar upload form unstruction after uploading a file. +#: actions/avatarsettings.php:346 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:349 actions/grouplogo.php:380 +#. TRANS: Server error displayed if an avatar upload went wrong somehow server side. +#: actions/avatarsettings.php:361 actions/grouplogo.php:380 msgid "Lost our file data." msgstr "Ons bestand is verloren gegaan." -#: actions/avatarsettings.php:372 +#: actions/avatarsettings.php:384 msgid "Avatar updated." msgstr "De avatar is bijgewerkt." -#: actions/avatarsettings.php:375 +#. TRANS: Error displayed on the avatar upload page if the avatar could not be updated for an unknown reason. +#: actions/avatarsettings.php:388 msgid "Failed updating avatar." msgstr "Het bijwerken van de avatar is mislukt." -#: actions/avatarsettings.php:399 +#. TRANS: Success message for deleting a user avatar. +#: actions/avatarsettings.php:412 msgid "Avatar deleted." msgstr "De avatar is verwijderd." -#: actions/block.php:69 +#. TRANS: Client error displayed when blocking a user that has already been blocked. +#: actions/block.php:68 msgid "You already blocked that user." msgstr "U hebt deze gebruiker reeds geblokkeerd." -#: actions/block.php:107 actions/block.php:136 actions/groupblock.php:158 +#. TRANS: Title for block user page. +#. TRANS: Legend for block user form. +#: actions/block.php:106 actions/block.php:136 actions/groupblock.php:158 msgid "Block user" msgstr "Gebruiker blokkeren" -#: actions/block.php:138 +#. TRANS: Explanation of consequences when blocking a user on the block user page. +#: actions/block.php:139 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 " @@ -1165,7 +1225,7 @@ msgstr "" #. TRANS: Button label on the delete notice form. #. TRANS: Button label on the delete user form. #. TRANS: Button label on the form to block a user from a group. -#: actions/block.php:153 actions/deleteapplication.php:154 +#: actions/block.php:154 actions/deleteapplication.php:154 #: actions/deletegroup.php:220 actions/deletenotice.php:150 #: actions/deleteuser.php:152 actions/groupblock.php:178 msgctxt "BUTTON" @@ -1174,7 +1234,7 @@ msgstr "Nee" #. TRANS: Submit button title for 'No' when blocking a user. #. TRANS: Submit button title for 'No' when deleting a user. -#: actions/block.php:157 actions/deleteuser.php:156 +#: actions/block.php:158 actions/deleteuser.php:156 msgid "Do not block this user" msgstr "Gebruiker niet blokkeren" @@ -1184,7 +1244,7 @@ msgstr "Gebruiker niet blokkeren" #. TRANS: Button label on the delete notice form. #. TRANS: Button label on the delete user form. #. TRANS: Button label on the form to block a user from a group. -#: actions/block.php:160 actions/deleteapplication.php:161 +#: actions/block.php:161 actions/deleteapplication.php:161 #: actions/deletegroup.php:227 actions/deletenotice.php:157 #: actions/deleteuser.php:159 actions/groupblock.php:185 msgctxt "BUTTON" @@ -1193,90 +1253,111 @@ msgstr "Ja" #. TRANS: Submit button title for 'Yes' when blocking a user. #. TRANS: Description of the form to block a user. -#: actions/block.php:164 lib/blockform.php:79 +#: actions/block.php:165 lib/blockform.php:79 msgid "Block this user" msgstr "Deze gebruiker blokkeren" -#: actions/block.php:187 +#. TRANS: Server error displayed when blocking a user fails. +#: actions/block.php:189 msgid "Failed to save block information." msgstr "Het was niet mogelijk om de blokkadeinformatie op te slaan." +#. TRANS: Client error displayed when requesting a list of blocked users for a non-local group. +#. TRANS: Client error displayed when requesting a list of blocked users for a non-existing group. #. TRANS: Client error when trying to delete a non-local group. #. TRANS: Client error when trying to delete a non-existing group. +#. TRANS: Client error displayed trying to edit a non-existing group. +#. TRANS: Client error displayed when trying to unblock a user from a non-existing group. +#. TRANS: Client error displayed if no remote group with a given name was found requesting group page. +#. TRANS: Client error displayed if no local group with a given name was found requesting group page. #. TRANS: Command exception text shown when a group is requested that does not exist. #. TRANS: Error text shown when trying to leave a group that does not exist. -#: actions/blockedfromgroup.php:80 actions/blockedfromgroup.php:87 +#: actions/blockedfromgroup.php:81 actions/blockedfromgroup.php:89 #: actions/deletegroup.php:87 actions/deletegroup.php:100 -#: actions/editgroup.php:100 actions/foafgroup.php:44 actions/foafgroup.php:62 +#: actions/editgroup.php:102 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/groupunblock.php:88 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:168 +#: actions/showgroup.php:139 actions/showgroup.php:148 lib/command.php:168 #: lib/command.php:380 msgid "No such group." msgstr "De opgegeven groep bestaat niet." -#: actions/blockedfromgroup.php:97 +#. TRANS: Title for first page with list of users blocked from a group. +#. TRANS: %s is a group nickname. +#: actions/blockedfromgroup.php:101 #, php-format msgid "%s blocked profiles" -msgstr "%s geblokkeerde profielen" +msgstr "Geblokkeerde profielen voor %s" -#: actions/blockedfromgroup.php:100 +#. TRANS: Title for any but the first page with list of users blocked from a group. +#. TRANS: %1$s is a group nickname, %2$d is a page number. +#: actions/blockedfromgroup.php:106 #, php-format msgid "%1$s blocked profiles, page %2$d" -msgstr "%1$s geblokkeerde profielen, pagina %2$d" +msgstr "Geblokkeerde profielen voor %1$s, pagina %2$d" -#: actions/blockedfromgroup.php:115 +#. TRANS: Instructions for list of users blocked from a group. +#: actions/blockedfromgroup.php:122 msgid "A list of the users blocked from joining this group." msgstr "Een lijst met voor deze groep geblokkeerde gebruikers." -#: actions/blockedfromgroup.php:288 +#. TRANS: Form legend for unblocking a user from a group. +#: actions/blockedfromgroup.php:291 msgid "Unblock user from group" msgstr "Deze gebruiker weer toegang geven tot de groep" -#. TRANS: Title for the form to unblock a user. -#: actions/blockedfromgroup.php:320 lib/unblockform.php:70 +#. TRANS: Button text for unblocking a user from a group. +#: actions/blockedfromgroup.php:323 +#, fuzzy +msgctxt "BUTTON" msgid "Unblock" -msgstr "Deblokkeer" +msgstr "Deblokkeren" +#. TRANS: Tooltip for button for unblocking a user from a group. #. TRANS: Description of the form to unblock a user. -#: actions/blockedfromgroup.php:320 lib/unblockform.php:82 +#: actions/blockedfromgroup.php:327 lib/unblockform.php:78 msgid "Unblock this user" msgstr "Deblokkeer deze gebruiker." #. TRANS: Title for mini-posting window loaded from bookmarklet. +#. TRANS: %s is the StatusNet site name. #: actions/bookmarklet.php:51 #, php-format msgid "Post to %s" msgstr "Verzenden naar %s" -#: actions/confirmaddress.php:75 +#. TRANS: Client error displayed when not providing a confirmation code in the contact address confirmation action. +#: actions/confirmaddress.php:74 msgid "No confirmation code." msgstr "Geen bevestigingscode." +#. TRANS: Client error displayed when providing a non-existing confirmation code in the contact address confirmation action. #: actions/confirmaddress.php:80 msgid "Confirmation code not found." msgstr "De bevestigingscode niet gevonden." -#: actions/confirmaddress.php:85 +#. TRANS: Client error displayed when not providing a confirmation code for another user in the contact address confirmation action. +#: actions/confirmaddress.php:86 msgid "That confirmation code is not for you!" msgstr "Dit is niet uw bevestigingscode!" -#. TRANS: Server error for an unknow address type, which can be 'email', 'jabber', or 'sms'. -#: actions/confirmaddress.php:91 +#. TRANS: Server error for a unknow address type %s, which can be 'email', 'jabber', or 'sms'. +#: actions/confirmaddress.php:92 #, php-format msgid "Unrecognized address type %s." msgstr "Onbekend adrestype %s." -#. TRANS: Client error for an already confirmed email/jabbel/sms address. -#: actions/confirmaddress.php:96 +#. TRANS: Client error for an already confirmed email/jabber/sms address. +#: actions/confirmaddress.php:97 msgid "That address has already been confirmed." msgstr "Dit adres is al bevestigd." +#. TRANS: Server error displayed when a user update to the database fails in the contact address confirmation action. #. TRANS: Server error thrown on database error updating e-mail preferences. #. TRANS: Server error thrown on database error removing a registered e-mail address. #. TRANS: Server error thrown on database error updating IM preferences. @@ -1284,7 +1365,7 @@ msgstr "Dit adres is al bevestigd." #. TRANS: Server error thrown when user profile settings could not be updated. #. TRANS: Server error thrown on database error updating SMS preferences. #. TRANS: Server error thrown on database error removing a registered SMS phone number. -#: actions/confirmaddress.php:116 actions/emailsettings.php:331 +#: actions/confirmaddress.php:118 actions/emailsettings.php:331 #: actions/emailsettings.php:477 actions/imsettings.php:283 #: actions/imsettings.php:442 actions/othersettings.php:174 #: actions/profilesettings.php:326 actions/smssettings.php:308 @@ -1292,27 +1373,32 @@ msgstr "Dit adres is al bevestigd." msgid "Couldn't update user." msgstr "De gebruiker kon gebruiker niet bijwerkt worden." -#. TRANS: Server error thrown on database error canceling e-mail address confirmation. -#. TRANS: Server error thrown on database error canceling SMS phone number confirmation. -#: actions/confirmaddress.php:128 actions/emailsettings.php:437 -#: actions/smssettings.php:422 -msgid "Couldn't delete email confirmation." -msgstr "De e-mailbevestiging kon niet verwijderd worden." +#. TRANS: Server error displayed when an address confirmation code deletion from the +#. TRANS: database fails in the contact address confirmation action. +#: actions/confirmaddress.php:132 +#, fuzzy +msgid "Could not delete address confirmation." +msgstr "De IM-bevestiging kon niet verwijderd worden." -#: actions/confirmaddress.php:146 +#. TRANS: Title for the contact address confirmation action. +#: actions/confirmaddress.php:150 msgid "Confirm address" msgstr "Adres bevestigen" -#: actions/confirmaddress.php:161 +#. TRANS: Success message for the contact address confirmation action. +#. TRANS: %s can be 'email', 'jabber', or 'sms'. +#: actions/confirmaddress.php:166 #, php-format msgid "The address \"%s\" has been confirmed for your account." msgstr "Het adres \"%s\" is voor uw gebruiker bevestigd." -#: actions/conversation.php:99 +#. TRANS: Title for page with a conversion (multiple notices in context). +#: actions/conversation.php:96 msgid "Conversation" msgstr "Dialoog" -#: actions/conversation.php:154 lib/mailbox.php:116 lib/noticelist.php:87 +#. TRANS: Header on conversation page. Hidden by default (h2). +#: actions/conversation.php:149 lib/mailbox.php:116 lib/noticelist.php:87 #: lib/profileaction.php:229 lib/searchgroupnav.php:82 msgid "Notices" msgstr "Mededelingen" @@ -1419,11 +1505,13 @@ msgstr "Verwijder deze groep niet" msgid "Delete this group" msgstr "Groep verwijderen" +#. TRANS: Client error displayed when trying to unblock a user from a group while not logged in. +#. TRANS: Client error displayed trying a change a subscription while not logged in. #. TRANS: Client error message thrown when trying to access the admin panel while not logged in. #: actions/deletenotice.php:50 actions/disfavor.php:61 actions/favor.php:62 -#: actions/groupblock.php:61 actions/groupunblock.php:61 actions/logout.php:69 +#: actions/groupblock.php:61 actions/groupunblock.php:60 actions/logout.php:69 #: actions/makeadmin.php:61 actions/newmessage.php:87 actions/newnotice.php:88 -#: actions/nudge.php:63 actions/subedit.php:31 actions/subscribe.php:96 +#: actions/nudge.php:63 actions/subedit.php:33 actions/subscribe.php:96 #: actions/tagother.php:33 actions/unsubscribe.php:52 #: lib/adminpanelaction.php:71 lib/profileformaction.php:64 #: lib/settingsaction.php:72 @@ -1724,49 +1812,49 @@ msgstr "De callback-URL is niet geldig." msgid "Could not update application." msgstr "Het was niet mogelijk de applicatie bij te werken." -#: actions/editgroup.php:56 +#. TRANS: Title for form to edit a group. %s is a group nickname. +#: actions/editgroup.php:55 #, php-format msgid "Edit %s group" msgstr "Groep %s bewerken" +#. TRANS: Client error displayed trying to edit a group while not logged in. +#. TRANS: Client error displayed trying to create a group while not logged in. #: actions/editgroup.php:68 actions/grouplogo.php:70 actions/newgroup.php:65 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:107 actions/editgroup.php:172 +#. TRANS: Client error displayed trying to edit a group while not being a group admin. +#: actions/editgroup.php:110 actions/editgroup.php:176 #: 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:158 +#. TRANS: Form instructions for group edit form. +#: actions/editgroup.php:161 msgid "Use this form to edit the group." msgstr "Gebruik dit formulier om de groep te bewerken." -#: actions/editgroup.php:205 -#, php-format -msgid "Description is too long (max %d chars)." -msgstr "De beschrijving is te lang (maximaal %d tekens)." - -#: actions/editgroup.php:219 -#, php-format -msgid "Too many aliases! Maximum %d." -msgstr "Te veel aliassen! Het maximale aantal is %d." - -#: actions/editgroup.php:228 actions/newgroup.php:177 +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. +#: actions/editgroup.php:248 actions/newgroup.php:184 #, php-format msgid "Invalid alias: \"%s\"" msgstr "Ongeldige alias: \"%s\"" -#: actions/editgroup.php:258 +#. TRANS: Server error displayed when editing a group fails. +#: actions/editgroup.php:281 msgid "Could not update group." msgstr "Het was niet mogelijk de groep bij te werken." +#. TRANS: Server error displayed when group aliases could not be added. #. TRANS: Server exception thrown when creating group aliases failed. -#: actions/editgroup.php:264 classes/User_group.php:513 +#: actions/editgroup.php:288 classes/User_group.php:513 msgid "Could not create aliases." msgstr "Het was niet mogelijk de aliassen aan te maken." -#: actions/editgroup.php:280 +#. TRANS: Group edit form success message. +#: actions/editgroup.php:305 msgid "Options saved." msgstr "De instellingen zijn opgeslagen." @@ -1960,6 +2048,12 @@ msgstr "Er is geen openstaand bevestigingsverzoek om te annuleren." msgid "That is the wrong email address." msgstr "Dat is het verkeerde e-mailadres." +#. TRANS: Server error thrown on database error canceling e-mail address confirmation. +#. TRANS: Server error thrown on database error canceling SMS phone number confirmation. +#: actions/emailsettings.php:437 actions/smssettings.php:422 +msgid "Couldn't delete email confirmation." +msgstr "De e-mailbevestiging kon niet verwijderd worden." + #. TRANS: Message given after successfully canceling e-mail address confirmation. #: actions/emailsettings.php:442 msgid "Email confirmation cancelled." @@ -2145,19 +2239,23 @@ msgstr "Op deze website kunt u geen gebruikersrollen toekennen." msgid "User already has this role." msgstr "Deze gebruiker heeft deze rol al." +#. TRANS: Client error displayed when trying to unblock a user from a group without providing a profile. +#. TRANS: Client error displayed trying a change a subscription without providing a profile. #: actions/groupblock.php:71 actions/groupunblock.php:71 -#: actions/makeadmin.php:71 actions/subedit.php:46 +#: actions/makeadmin.php:71 actions/subedit.php:49 #: lib/profileformaction.php:79 msgid "No profile specified." msgstr "Er is geen profiel opgegeven." -#: actions/groupblock.php:76 actions/groupunblock.php:76 -#: actions/makeadmin.php:76 actions/subedit.php:53 actions/tagother.php:46 +#. TRANS: Client error displayed when trying to unblock a user from a group without providing an existing profile. +#. TRANS: Client error displayed trying a change a subscription for a non-existant profile ID. +#: actions/groupblock.php:76 actions/groupunblock.php:77 +#: actions/makeadmin.php:76 actions/subedit.php:57 actions/tagother.php:46 #: actions/unsubscribe.php:84 lib/profileformaction.php:86 msgid "No profile with that ID." msgstr "Er is geen profiel met dat ID." -#: actions/groupblock.php:81 actions/groupunblock.php:81 +#: actions/groupblock.php:81 actions/groupunblock.php:82 #: actions/makeadmin.php:81 msgid "No group specified." msgstr "Er is geen groep aangegeven." @@ -2246,6 +2344,14 @@ msgstr "" "Hier kunt u een logo voor uw groep uploaden. De maximale bestandsgrootte is %" "s." +#: actions/grouplogo.php:236 +msgid "Upload" +msgstr "Uploaden" + +#: actions/grouplogo.php:289 +msgid "Crop" +msgstr "Uitsnijden" + #: 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." @@ -2390,15 +2496,18 @@ msgstr "" "U kunt een [gebruiker registreren](%%action.register%%) en de groep zelf " "[aanmaken](%%action.newgroup%%)!" -#: actions/groupunblock.php:91 +#. TRANS: Client error displayed when trying to unblock a user from a group without being an administrator for the group. +#: actions/groupunblock.php:94 msgid "Only an admin can unblock group members." msgstr "Alleen beheerders kunnen groepsleden deblokkeren." -#: actions/groupunblock.php:95 +#. TRANS: Client error displayed when trying to unblock a non-blocked user from a group. +#: actions/groupunblock.php:99 msgid "User is not blocked from group." msgstr "De gebruiker is niet de toegang tot de groep ontzegd." -#: actions/groupunblock.php:128 actions/unblock.php:86 +#. TRANS: Server error displayed when unblocking a user from a group fails because of an unknown error. +#: actions/groupunblock.php:131 actions/unblock.php:86 msgid "Error removing the block." msgstr "Er is een fout opgetreden bij het verwijderen van de blokkade." @@ -2989,10 +3098,12 @@ msgstr "De organisatienaam is te lang (maximaal 255 tekens)." msgid "Could not create application." msgstr "Het was niet mogelijk de applicatie aan te maken." +#. TRANS: Title for form to create a group. #: actions/newgroup.php:53 msgid "New group" msgstr "Nieuwe groep" +#. TRANS: Form instructions for group create form. #: actions/newgroup.php:110 msgid "Use this form to create a new group." msgstr "Gebruik dit formulier om een nieuwe groep aan te maken." @@ -3688,8 +3799,9 @@ msgid "1-64 lowercase letters or numbers, no punctuation or spaces." msgstr "1-64 kleine letters of cijfers, geen leestekens of spaties." #. TRANS: Field label in form for profile settings. +#. TRANS: Label for full group name (dt). Text hidden by default. #: actions/profilesettings.php:117 actions/register.php:457 -#: actions/showgroup.php:256 actions/tagother.php:104 +#: actions/showgroup.php:257 actions/tagother.php:104 #: lib/groupeditform.php:157 lib/userprofile.php:150 msgid "Full name" msgstr "Volledige naam" @@ -3728,8 +3840,9 @@ msgid "Bio" msgstr "Beschrijving" #. TRANS: Field label in form for profile settings. +#. TRANS: Label for group location (dt). Text hidden by default. #: actions/profilesettings.php:149 actions/register.php:485 -#: actions/showgroup.php:265 actions/tagother.php:112 +#: actions/showgroup.php:267 actions/tagother.php:112 #: actions/userauthorization.php:166 lib/groupeditform.php:177 #: lib/userprofile.php:165 msgid "Location" @@ -4458,7 +4571,8 @@ msgstr "Organisatie" msgid "Description" msgstr "Beschrijving" -#: actions/showapplication.php:192 actions/showgroup.php:442 +#. TRANS: Header for group statistics on a group page (h2). +#: actions/showapplication.php:192 actions/showgroup.php:453 #: lib/profileaction.php:187 msgid "Statistics" msgstr "Statistieken" @@ -4476,6 +4590,11 @@ msgstr "Applicatiehandelingen" msgid "Reset key & secret" msgstr "Sleutel en wachtwoord op nieuw instellen" +#: actions/showapplication.php:252 lib/deletegroupform.php:121 +#: lib/deleteuserform.php:66 lib/noticelist.php:667 +msgid "Delete" +msgstr "Verwijderen" + #: actions/showapplication.php:261 msgid "Application info" msgstr "Applicatieinformatie" @@ -4571,77 +4690,106 @@ msgstr "" msgid "This is a way to share what you like." msgstr "Dit is de manier om dat te delen wat u wilt." -#: actions/showgroup.php:82 +#. TRANS: Page title for first group page. %s is a group name. +#: actions/showgroup.php:80 #, php-format msgid "%s group" msgstr "%s groep" +#. TRANS: Page title for any but first group page. +#. TRANS: %1$s is a group name, $2$s is a page number. #: actions/showgroup.php:84 #, php-format msgid "%1$s group, page %2$d" msgstr "Groep %1$s, pagina %2$d" -#: actions/showgroup.php:227 +#. TRANS: Group profile header (h2). Text hidden by default. +#: actions/showgroup.php:225 msgid "Group profile" msgstr "Groepsprofiel" -#: actions/showgroup.php:272 actions/tagother.php:118 +#. TRANS: Label for group URL (dt). Text hidden by default. +#: actions/showgroup.php:275 actions/tagother.php:118 #: actions/userauthorization.php:175 lib/userprofile.php:178 msgid "URL" msgstr "URL" -#: actions/showgroup.php:283 actions/tagother.php:128 +#. TRANS: Label for group description or group note (dt). Text hidden by default. +#: actions/showgroup.php:287 actions/tagother.php:128 #: actions/userauthorization.php:187 lib/userprofile.php:195 msgid "Note" msgstr "Opmerking" -#: actions/showgroup.php:293 lib/groupeditform.php:184 +#. TRANS: Label for group aliases (dt). Text hidden by default. +#: actions/showgroup.php:298 lib/groupeditform.php:184 msgid "Aliases" msgstr "Aliassen" -#: actions/showgroup.php:302 +#. TRANS: Group actions header (h2). Text hidden by default. +#: actions/showgroup.php:309 msgid "Group actions" msgstr "Groepshandelingen" -#: actions/showgroup.php:344 +#. TRANS: Tooltip for feed link. %s is a group nickname. +#: actions/showgroup.php:350 #, php-format msgid "Notice feed for %s group (RSS 1.0)" msgstr "Mededelingenfeed voor groep %s (RSS 1.0)" -#: actions/showgroup.php:350 +#. TRANS: Tooltip for feed link. %s is a group nickname. +#: actions/showgroup.php:357 #, php-format msgid "Notice feed for %s group (RSS 2.0)" msgstr "Mededelingenfeed voor groep %s (RSS 2.0)" -#: actions/showgroup.php:356 +#. TRANS: Tooltip for feed link. %s is a group nickname. +#: actions/showgroup.php:364 #, php-format msgid "Notice feed for %s group (Atom)" msgstr "Mededelingenfeed voor groep %s (Atom)" -#: actions/showgroup.php:361 +#. TRANS: Tooltip for feed link. %s is a group nickname. +#: actions/showgroup.php:370 #, php-format msgid "FOAF for %s group" msgstr "Vriend van een vriend voor de groep %s" -#: actions/showgroup.php:399 actions/showgroup.php:451 +#. TRANS: Header for mini list of group members on a group page (h2). +#: actions/showgroup.php:407 msgid "Members" msgstr "Leden" -#: actions/showgroup.php:404 lib/profileaction.php:117 +#. TRANS: Description for mini list of group members on a group page when the group has no members. +#: actions/showgroup.php:413 lib/profileaction.php:117 #: lib/profileaction.php:152 lib/profileaction.php:255 lib/section.php:95 #: lib/subscriptionlist.php:127 lib/tagcloudsection.php:71 msgid "(None)" msgstr "(geen)" -#: actions/showgroup.php:410 +#. TRANS: Link to all group members from mini list of group members if group has more than n members. +#: actions/showgroup.php:422 msgid "All members" msgstr "Alle leden" -#: actions/showgroup.php:445 +#. TRANS: Label for creation date in statistics on group page. +#: actions/showgroup.php:458 +#, fuzzy +msgctxt "LABEL" msgid "Created" msgstr "Aangemaakt" -#: actions/showgroup.php:461 +#. TRANS: Label for member count in statistics on group page. +#: actions/showgroup.php:466 +#, fuzzy +msgctxt "LABEL" +msgid "Members" +msgstr "Leden" + +#. TRANS: Notice on group pages for anonymous users for StatusNet sites that accept new registrations. +#. TRANS: **%s** is the group alias, %%%%site.name%%%% is the site name, +#. TRANS: %%%%action.register%%%% is the URL for registration, %%%%doc.help%%%% is a URL to help. +#. TRANS: This message contains Markdown links. Ensure they are formatted correctly: [Description](link). +#: actions/showgroup.php:481 #, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -4657,7 +4805,10 @@ msgstr "" "lid te worden van deze groep en nog veel meer! [Meer lezen...](%%%%doc.help%%" "%%)" -#: actions/showgroup.php:467 +#. TRANS: Notice on group pages for anonymous users for StatusNet sites that accept no new registrations. +#. TRANS: **%s** is the group alias, %%%%site.name%%%% is the site name, +#. TRANS: This message contains Markdown links. Ensure they are formatted correctly: [Description](link). +#: actions/showgroup.php:491 #, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -4670,24 +4821,31 @@ msgstr "" "[StatusNet](http://status.net/). De leden wisselen korte mededelingen uit " "over hun ervaringen en interesses. " -#: actions/showgroup.php:495 +#. TRANS: Header for list of group administrators on a group page (h2). +#: actions/showgroup.php:520 msgid "Admins" msgstr "Beheerders" -#: actions/showmessage.php:81 +#. TRANS: Client error displayed requesting a single message that does not exist. +#: actions/showmessage.php:79 msgid "No such message." msgstr "Dat bericht bestaat niet." -#: actions/showmessage.php:98 +#. TRANS: Client error displayed requesting a single direct message the requesting user was not a party in. +#: actions/showmessage.php:97 msgid "Only the sender and recipient may read this message." msgstr "Alleen de verzender en de ontvanger kunnen dit bericht lezen." -#: actions/showmessage.php:108 +#. TRANS: Page title for single direct message display when viewing user is the sender. +#. TRANS: %1$s is the addressed user's nickname, $2$s is a timestamp. +#: actions/showmessage.php:110 #, php-format msgid "Message to %1$s on %2$s" msgstr "Bericht aan %1$s op %2$s" -#: actions/showmessage.php:113 +#. TRANS: Page title for single message display. +#. TRANS: %1$s is the sending user's nickname, $2$s is a timestamp. +#: actions/showmessage.php:118 #, php-format msgid "Message from %1$s on %2$s" msgstr "Bericht van %1$s op %2$s" @@ -5141,12 +5299,14 @@ msgstr "Snapshots worden naar deze URL verzonden" msgid "Save snapshot settings" msgstr "Snapshotinstellingen opslaan" -#: actions/subedit.php:70 +#. TRANS: Client error displayed trying a change a subscription for a non-subscribed profile. +#: actions/subedit.php:75 msgid "You are not subscribed to that profile." msgstr "U bent niet geabonneerd op dat profiel." +#. TRANS: Server error displayed when updating a subscription fails with a database error. #. TRANS: Exception thrown when a subscription could not be stored on the server. -#: actions/subedit.php:83 classes/Subscription.php:136 +#: actions/subedit.php:89 classes/Subscription.php:136 msgid "Could not save subscription." msgstr "Het was niet mogelijk het abonnement op te slaan." @@ -5173,14 +5333,14 @@ msgstr "Geabonneerd" #: actions/subscribers.php:51 #, php-format msgid "%s subscribers" -msgstr "%s abonnees" +msgstr "Abonnees van %s" #. TRANS: Header for list of subscribers for a user (not first page). #. TRANS: %1$s is the user's nickname, $2$d is the page number. #: actions/subscribers.php:55 #, php-format msgid "%1$s subscribers, page %2$d" -msgstr "%1$s abonnees, pagina %2$d" +msgstr "Abonnees van %1$s, pagina %2$d" #. TRANS: Page notice for page with an overview of all subscribers #. TRANS: of the logged in user's own profile. @@ -5230,14 +5390,14 @@ msgstr "" #: actions/subscriptions.php:51 #, php-format msgid "%s subscriptions" -msgstr "%s abonnementen" +msgstr "Abonnementen van %s" #. TRANS: Header for subscriptions overview for a user (not first page). #. TRANS: %1$s is a user nickname, %2$d is the page number. #: actions/subscriptions.php:55 #, php-format msgid "%1$s subscriptions, page %2$d" -msgstr "%1$s abonnementen, pagina %2$d" +msgstr "Abonnementen van %1$s, pagina %2$d" #. TRANS: Page notice for page with an overview of all subscriptions #. TRANS: of the logged in user's own profile. @@ -5974,12 +6134,12 @@ msgid "Welcome to %1$s, @%2$s!" msgstr "Welkom bij %1$s, @%2$s!" #. TRANS: Server exception. -#: classes/User.php:902 +#: classes/User.php:912 msgid "No single user defined for single-user mode." msgstr "Er is geen gebruiker gedefinieerd voor single-usermodus." #. TRANS: Server exception. -#: classes/User.php:906 +#: classes/User.php:916 msgid "Single-user mode code called when not enabled." msgstr "" "De \"single-user\"-modus is aangeroepen terwijl deze niet is ingeschakeld." @@ -7152,7 +7312,8 @@ msgstr "Atom" msgid "FOAF" msgstr "Vrienden van vrienden (FOAF)" -#: lib/feedlist.php:65 +#. TRANS: Header for feed links (h2). +#: lib/feedlist.php:66 msgid "Feeds" msgstr "Feeds" @@ -7240,7 +7401,7 @@ msgstr "Leden" #, php-format msgctxt "TOOLTIP" msgid "%s group members" -msgstr "Leden van de group %s" +msgstr "Leden van de groep %s" #. TRANS: Menu item in the group navigation page. Only shown for group administrators. #: lib/groupnav.php:108 @@ -7312,39 +7473,57 @@ msgstr "Deze pagina is niet beschikbaar in een mediatype dat u accepteert" msgid "Unsupported image file format." msgstr "Niet ondersteund beeldbestandsformaat." -#: lib/imagefile.php:88 +#. TRANS: Exception thrown when too large a file is uploaded. +#. TRANS: %s is the maximum file size, for example "500b", "10kB" or "2MB". +#: lib/imagefile.php:90 #, php-format msgid "That file is too big. The maximum file size is %s." msgstr "Dat bestand is te groot. De maximale bestandsgrootte is %s." -#: lib/imagefile.php:93 +#: lib/imagefile.php:95 msgid "Partial upload." msgstr "Gedeeltelijke upload." #. TRANS: Client exception thrown when a file upload operation has failed with an unknown reason. -#: lib/imagefile.php:101 lib/mediafile.php:179 +#: lib/imagefile.php:103 lib/mediafile.php:179 msgid "System error uploading file." msgstr "Er is een systeemfout opgetreden tijdens het uploaden van het bestand." -#: lib/imagefile.php:109 +#: lib/imagefile.php:111 msgid "Not an image or corrupt file." msgstr "Het bestand is geen afbeelding of het bestand is beschadigd." -#: lib/imagefile.php:122 +#: lib/imagefile.php:124 msgid "Lost our file." msgstr "Het bestand is zoekgeraakt." -#: lib/imagefile.php:163 lib/imagefile.php:224 +#: lib/imagefile.php:165 lib/imagefile.php:226 msgid "Unknown file type" msgstr "Onbekend bestandstype" -#: lib/imagefile.php:244 -msgid "MB" -msgstr "MB" +#. TRANS: Number of megabytes. %d is the number. +#: lib/imagefile.php:248 +#, fuzzy, php-format +msgid "%dMB" +msgid_plural "%dMB" +msgstr[0] "MB" +msgstr[1] "MB" -#: lib/imagefile.php:246 -msgid "kB" -msgstr "kB" +#. TRANS: Number of kilobytes. %d is the number. +#: lib/imagefile.php:252 +#, fuzzy, php-format +msgid "%dkB" +msgid_plural "%dkB" +msgstr[0] "kB" +msgstr[1] "kB" + +#. TRANS: Number of bytes. %d is the number. +#: lib/imagefile.php:255 +#, php-format +msgid "%dB" +msgid_plural "%dB" +msgstr[0] "" +msgstr[1] "" #: lib/jabber.php:387 #, php-format @@ -8251,6 +8430,13 @@ msgstr "" msgid "Top posters" msgstr "Meest actieve gebruikers" +#. TRANS: Title for the form to unblock a user. +#: lib/unblockform.php:67 +#, fuzzy +msgctxt "TITLE" +msgid "Unblock" +msgstr "Deblokkeren" + #: lib/unsandboxform.php:69 msgid "Unsandbox" msgstr "Uit de zandbak halen" @@ -8435,3 +8621,9 @@ msgstr "Geen gebruiker opgegeven; de back-upgebruiker wordt gebruikt." #, php-format msgid "%d entries in backup." msgstr "%d regels in de back-up." + +#~ msgid "Description is too long (max %d chars)." +#~ msgstr "De beschrijving is te lang (maximaal %d tekens)." + +#~ msgid "Too many aliases! Maximum %d." +#~ msgstr "Te veel aliassen! Het maximale aantal is %d." diff --git a/locale/nn/LC_MESSAGES/statusnet.po b/locale/nn/LC_MESSAGES/statusnet.po index 450b7d4903..f77a7a17a5 100644 --- a/locale/nn/LC_MESSAGES/statusnet.po +++ b/locale/nn/LC_MESSAGES/statusnet.po @@ -10,17 +10,17 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet - Core\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-10-27 23:43+0000\n" -"PO-Revision-Date: 2010-10-28 23:09:24+0000\n" +"POT-Creation-Date: 2010-10-30 23:18+0000\n" +"PO-Revision-Date: 2010-10-30 23:20: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.17alpha (r75629); Translate extension (2010-09-17)\n" +"X-Generator: MediaWiki 1.17alpha (r75708); Translate extension (2010-09-17)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: nn\n" "X-Message-Group: #out-statusnet-core\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-POT-Import-Date: 2010-10-28 00:13:15+0000\n" +"X-POT-Import-Date: 2010-10-30 09:48:40+0000\n" #. TRANS: Page title for Access admin panel that allows configuring site access. #. TRANS: Menu item for site administration @@ -125,6 +125,7 @@ msgstr "Dette emneord finst ikkje." #. TRANS: Client error displayed when requesting most recent dents by user and friends for a non-existing user. #. TRANS: Client error displayed when requesting most recent mentions for a non-existing user. #. TRANS: Client error displayed requesting most recent notices for a non-existing user. +#. TRANS: Client error displayed trying to get an avatar for a non-existing user. #. TRANS: Error text shown when trying to send a direct message to a user that does not exist. #: actions/all.php:80 actions/apiaccountupdatedeliverydevice.php:110 #: actions/apiaccountupdateprofile.php:103 @@ -137,7 +138,7 @@ msgstr "Dette emneord finst ikkje." #: actions/apistatusesupdate.php:230 actions/apisubscriptions.php:85 #: actions/apitimelinefavorites.php:70 actions/apitimelinefriends.php:173 #: actions/apitimelinehome.php:78 actions/apitimelinementions.php:77 -#: actions/apitimelineuser.php:79 actions/avatarbynickname.php:75 +#: actions/apitimelineuser.php:79 actions/avatarbynickname.php:79 #: 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 @@ -310,11 +311,12 @@ msgstr "Kan ikkje oppdatera brukar." #. TRANS: Client error displayed a user has no profile updating profile colours. #. TRANS: Client error displayed if a user profile could not be found updating a profile image. #. TRANS: Client error displayed when requesting user information for a user without a profile. +#. TRANS: Client error displayed trying to get an avatar for a user without a profile. #: actions/apiaccountupdateprofile.php:111 #: actions/apiaccountupdateprofilebackgroundimage.php:199 #: actions/apiaccountupdateprofilecolors.php:183 #: actions/apiaccountupdateprofileimage.php:130 actions/apiusershow.php:108 -#: actions/avatarbynickname.php:80 actions/foaf.php:65 actions/hcard.php:74 +#: actions/avatarbynickname.php:85 actions/foaf.php:65 actions/hcard.php:74 #: actions/replies.php:80 actions/usergroups.php:100 lib/galleryaction.php:66 #: lib/profileaction.php:84 msgid "User has no profile." @@ -330,7 +332,7 @@ msgstr "Kan ikkje lagra profil." #. TRANS: %s is the number of bytes of the CONTENT_LENGTH. #: actions/apiaccountupdateprofilebackgroundimage.php:108 #: actions/apiaccountupdateprofileimage.php:95 actions/apimediaupload.php:81 -#: actions/apistatusesupdate.php:210 actions/avatarsettings.php:259 +#: actions/apistatusesupdate.php:210 actions/avatarsettings.php:269 #: actions/designadminpanel.php:125 actions/editapplication.php:121 #: actions/newapplication.php:104 actions/newnotice.php:95 #, php-format @@ -511,43 +513,53 @@ msgstr "Kan ikkje oppdatera brukar." msgid "Could not find target user." msgstr "Kan ikkje oppdatera brukar." +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. #. TRANS: Validation error in form for profile settings. -#: actions/apigroupcreate.php:165 actions/editgroup.php:186 -#: actions/newgroup.php:126 actions/profilesettings.php:243 +#: actions/apigroupcreate.php:165 actions/editgroup.php:191 +#: actions/newgroup.php:127 actions/profilesettings.php:243 #: actions/register.php:212 msgid "Nickname must have only lowercase letters and numbers and no spaces." msgstr "Kallenamn må berre ha små bokstavar og nummer, ingen mellomrom." #. TRANS: Client error trying to create a group with a nickname this is already in use. +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. #. TRANS: Validation error in form for profile settings. -#: actions/apigroupcreate.php:175 actions/editgroup.php:190 -#: actions/newgroup.php:130 actions/profilesettings.php:277 +#: actions/apigroupcreate.php:175 actions/editgroup.php:196 +#: actions/newgroup.php:132 actions/profilesettings.php:277 #: actions/register.php:215 msgid "Nickname already in use. Try another one." msgstr "Kallenamnet er allereie i bruk. Prøv eit anna." #. TRANS: Client error in form for group creation. +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. #. TRANS: Validation error in form for profile settings. -#: actions/apigroupcreate.php:183 actions/editgroup.php:193 -#: actions/newgroup.php:133 actions/profilesettings.php:247 +#: actions/apigroupcreate.php:183 actions/editgroup.php:200 +#: actions/newgroup.php:136 actions/profilesettings.php:247 #: actions/register.php:217 msgid "Not a valid nickname." msgstr "Ikkje eit gyldig brukarnamn." #. TRANS: Client error in form for group creation. #. TRANS: Validation error shown when providing an invalid homepage URL in the "Edit application" form. +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. #. TRANS: Validation error in form for profile settings. #: actions/apigroupcreate.php:200 actions/editapplication.php:233 -#: actions/editgroup.php:199 actions/newapplication.php:211 -#: actions/newgroup.php:139 actions/profilesettings.php:252 +#: actions/editgroup.php:207 actions/newapplication.php:211 +#: actions/newgroup.php:143 actions/profilesettings.php:252 #: actions/register.php:224 msgid "Homepage is not a valid URL." msgstr "Heimesida er ikkje ei gyldig internettadresse." #. TRANS: Client error in form for group creation. +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. #. TRANS: Validation error in form for profile settings. -#: actions/apigroupcreate.php:210 actions/editgroup.php:202 -#: actions/newgroup.php:142 actions/profilesettings.php:256 +#: actions/apigroupcreate.php:210 actions/editgroup.php:211 +#: actions/newgroup.php:147 actions/profilesettings.php:256 #: actions/register.php:227 #, fuzzy msgid "Full name is too long (maximum 255 characters)." @@ -556,10 +568,11 @@ msgstr "Ditt fulle namn er for langt (maksimalt 255 teikn)." #. TRANS: Client error shown when providing too long a description during group creation. #. TRANS: %d is the maximum number of allowed characters. #. TRANS: Validation error shown when providing too long a description in the "Edit application" form. +#. TRANS: Group edit form validation error. #. TRANS: Form validation error in New application form. #. TRANS: %d is the maximum number of characters for the description. #: actions/apigroupcreate.php:220 actions/editapplication.php:201 -#: actions/newapplication.php:178 +#: actions/editgroup.php:216 actions/newapplication.php:178 #, fuzzy, php-format msgid "Description is too long (maximum %d character)." msgid_plural "Description is too long (maximum %d characters)." @@ -567,9 +580,11 @@ msgstr[0] "Plassering er for lang (maksimalt 255 teikn)." msgstr[1] "Plassering er for lang (maksimalt 255 teikn)." #. TRANS: Client error shown when providing too long a location during group creation. +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. #. TRANS: Validation error in form for profile settings. -#: actions/apigroupcreate.php:234 actions/editgroup.php:208 -#: actions/newgroup.php:153 actions/profilesettings.php:269 +#: actions/apigroupcreate.php:234 actions/editgroup.php:223 +#: actions/newgroup.php:159 actions/profilesettings.php:269 #: actions/register.php:236 #, fuzzy msgid "Location is too long (maximum 255 characters)." @@ -577,7 +592,12 @@ msgstr "Plassering er for lang (maksimalt 255 teikn)." #. TRANS: Client error shown when providing too many aliases during group creation. #. TRANS: %d is the maximum number of allowed aliases. -#: actions/apigroupcreate.php:255 actions/newgroup.php:166 +#. TRANS: Group edit form validation error. +#. TRANS: %d is the maximum number of allowed aliases. +#. TRANS: Group create form validation error. +#. TRANS: %d is the maximum number of allowed aliases. +#: actions/apigroupcreate.php:255 actions/editgroup.php:236 +#: actions/newgroup.php:172 #, php-format msgid "Too many aliases! Maximum %d allowed." msgid_plural "Too many aliases! Maximum %d allowed." @@ -593,15 +613,19 @@ msgstr "Ugyldig merkelapp: %s" #. TRANS: Client error displayed when trying to use an alias during group creation that is already in use. #. TRANS: %s is the alias that is already in use. -#: actions/apigroupcreate.php:291 actions/editgroup.php:232 -#: actions/newgroup.php:181 +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. +#: actions/apigroupcreate.php:291 actions/editgroup.php:253 +#: actions/newgroup.php:189 #, fuzzy, php-format msgid "Alias \"%s\" already in use. Try another one." msgstr "Kallenamnet er allereie i bruk. Prøv eit anna." #. TRANS: Client error displayed when trying to use an alias during group creation that is the same as the group's nickname. -#: actions/apigroupcreate.php:305 actions/editgroup.php:238 -#: actions/newgroup.php:187 +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. +#: actions/apigroupcreate.php:305 actions/editgroup.php:260 +#: actions/newgroup.php:196 msgid "Alias can't be the same as nickname." msgstr "" @@ -710,18 +734,18 @@ msgid "Request token already authorized." msgstr "Du tingar ikkje oppdateringar til den profilen." #. TRANS: Form validation error in API OAuth authorisation because of an invalid session token. -#: actions/apioauthauthorize.php:147 actions/avatarsettings.php:270 +#: actions/apioauthauthorize.php:147 actions/avatarsettings.php:280 #: actions/deletenotice.php:172 actions/disfavor.php:74 #: actions/emailsettings.php:271 actions/favor.php:75 actions/geocode.php:55 #: actions/groupblock.php:66 actions/grouplogo.php:312 -#: actions/groupunblock.php:66 actions/imsettings.php:230 +#: actions/groupunblock.php:65 actions/imsettings.php:230 #: actions/invite.php:59 actions/login.php:137 actions/makeadmin.php:66 #: actions/newmessage.php:135 actions/newnotice.php:105 actions/nudge.php:80 #: actions/oauthappssettings.php:165 actions/oauthconnectionssettings.php:138 #: actions/othersettings.php:145 actions/passwordsettings.php:138 #: actions/profilesettings.php:221 actions/recoverpassword.php:350 #: actions/register.php:172 actions/remotesubscribe.php:77 -#: actions/repeat.php:83 actions/smssettings.php:256 actions/subedit.php:38 +#: actions/repeat.php:83 actions/smssettings.php:256 actions/subedit.php:40 #: actions/subscribe.php:86 actions/tagother.php:166 #: actions/unsubscribe.php:69 actions/userauthorization.php:52 #: lib/designsettings.php:294 @@ -741,12 +765,13 @@ msgid "Database error inserting oauth_token_association." msgstr "databasefeil ved innsetjing av skigardmerkelapp (#merkelapp): %s" #. TRANS: Client error given on when invalid data was passed through a form in the OAuth API. +#. TRANS: Unexpected validation error on avatar upload form. #. TRANS: Client error displayed submitting invalid form data for edit application. #. TRANS: Message given submitting a form with an unknown action in e-mail settings. #. TRANS: Message given submitting a form with an unknown action in IM settings. #. TRANS: Client error when submitting a form with unexpected information. #. TRANS: Message given submitting a form with an unknown action in SMS settings. -#: actions/apioauthauthorize.php:294 actions/avatarsettings.php:283 +#: actions/apioauthauthorize.php:294 actions/avatarsettings.php:294 #: actions/designadminpanel.php:104 actions/editapplication.php:144 #: actions/emailsettings.php:290 actions/grouplogo.php:322 #: actions/imsettings.php:245 actions/newapplication.php:125 @@ -795,6 +820,7 @@ msgstr "Konto" #. TRANS: Field label on OAuth API authorisation form. #. TRANS: Field label in form for profile settings. +#. TRANS: Label for group nickname (dt). Text hidden by default. #: actions/apioauthauthorize.php:459 actions/login.php:252 #: actions/profilesettings.php:110 actions/register.php:433 #: actions/showgroup.php:245 actions/tagother.php:94 @@ -1048,106 +1074,140 @@ msgstr "API-metoden er ikkje ferdig enno." msgid "User not found." msgstr "Fann ikkje API-metode." +#. TRANS: Client error displayed trying to get a non-existing attachment. #: actions/attachment.php:73 msgid "No such attachment." msgstr "Dette emneord finst ikkje." -#: actions/avatarbynickname.php:59 actions/blockedfromgroup.php:73 -#: actions/editgroup.php:84 actions/groupdesignsettings.php:84 +#. TRANS: Client error displayed trying to get an avatar without providing a nickname. +#. TRANS: Client error displayed when requesting a list of blocked users for a group without providing a group nickname. +#. TRANS: Client error displayed trying to edit a group while not proving a nickname for the group to edit. +#. TRANS: Client error displayed if no nickname argument was given requesting a group page. +#: actions/avatarbynickname.php:60 actions/blockedfromgroup.php:73 +#: actions/editgroup.php:85 actions/groupdesignsettings.php:84 #: actions/grouplogo.php:86 actions/groupmembers.php:76 #: actions/grouprss.php:91 actions/showgroup.php:121 msgid "No nickname." msgstr "Ingen kallenamn." -#: actions/avatarbynickname.php:64 +#. TRANS: Client error displayed trying to get an avatar without providing an avatar size. +#: actions/avatarbynickname.php:66 msgid "No size." msgstr "Ingen storleik." -#: actions/avatarbynickname.php:69 +#. TRANS: Client error displayed trying to get an avatar providing an invalid avatar size. +#: actions/avatarbynickname.php:72 msgid "Invalid size." msgstr "Ugyldig storleik." +#. TRANS: Title for avatar upload page. +#. TRANS: Label for group avatar (dt). Text hidden by default. #. TRANS: Link description in user account settings menu. -#: actions/avatarsettings.php:67 actions/showgroup.php:230 +#: actions/avatarsettings.php:66 actions/showgroup.php:229 #: lib/accountsettingsaction.php:113 msgid "Avatar" msgstr "Brukarbilete" +#. TRANS: Instruction for avatar upload page. +#. TRANS: %s is the maximum file size, for example "500b", "10kB" or "2MB". #: actions/avatarsettings.php:78 #, php-format msgid "You can upload your personal avatar. The maximum file size is %s." msgstr "Du kan lasta opp ein logo for gruppa." -#: actions/avatarsettings.php:106 actions/avatarsettings.php:185 +#. TRANS: Server error displayed in avatar upload page when no matching profile can be found for a user. +#: actions/avatarsettings.php:108 actions/avatarsettings.php:192 #: actions/grouplogo.php:181 actions/remotesubscribe.php:191 #: actions/userauthorization.php:72 actions/userrss.php:108 msgid "User without matching profile." msgstr "Brukaren har inga profil." -#: actions/avatarsettings.php:119 actions/avatarsettings.php:197 +#. TRANS: Avatar upload page form legend. +#. TRANS: Avatar upload page crop form legend. +#: actions/avatarsettings.php:122 actions/avatarsettings.php:205 #: actions/grouplogo.php:254 msgid "Avatar settings" msgstr "Avatar-innstillingar" -#: actions/avatarsettings.php:127 actions/avatarsettings.php:205 +#. TRANS: Header on avatar upload page for thumbnail of originally uploaded avatar (h2). +#. TRANS: Header on avatar upload crop form for thumbnail of originally uploaded avatar (h2). +#: actions/avatarsettings.php:131 actions/avatarsettings.php:214 #: actions/grouplogo.php:202 actions/grouplogo.php:262 msgid "Original" msgstr "Original" -#: actions/avatarsettings.php:142 actions/avatarsettings.php:217 +#. TRANS: Header on avatar upload page for thumbnail of to be used rendition of uploaded avatar (h2). +#. TRANS: Header on avatar upload crop form for thumbnail of to be used rendition of uploaded avatar (h2). +#: actions/avatarsettings.php:147 actions/avatarsettings.php:227 #: actions/grouplogo.php:213 actions/grouplogo.php:274 msgid "Preview" msgstr "Forhandsvis" -#: actions/avatarsettings.php:149 actions/showapplication.php:252 -#: lib/deletegroupform.php:121 lib/deleteuserform.php:66 -#: lib/noticelist.php:667 +#. TRANS: Button on avatar upload page to delete current avatar. +#: actions/avatarsettings.php:155 +#, fuzzy +msgctxt "BUTTON" msgid "Delete" msgstr "Slett" -#: actions/avatarsettings.php:166 actions/grouplogo.php:236 +#. TRANS: Button on avatar upload page to upload an avatar. +#: actions/avatarsettings.php:173 +#, fuzzy +msgctxt "BUTTON" msgid "Upload" msgstr "Last opp" -#: actions/avatarsettings.php:231 actions/grouplogo.php:289 +#. TRANS: Button on avatar upload crop form to confirm a selected crop as avatar. +#: actions/avatarsettings.php:243 +#, fuzzy +msgctxt "BUTTON" msgid "Crop" msgstr "Skaler" -#: actions/avatarsettings.php:307 +#. TRANS: Validation error on avatar upload form when no file was uploaded. +#: actions/avatarsettings.php:318 #, fuzzy msgid "No file uploaded." msgstr "Ingen vald profil." -#: actions/avatarsettings.php:334 +#. TRANS: Avatar upload form unstruction after uploading a file. +#: actions/avatarsettings.php:346 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:349 actions/grouplogo.php:380 +#. TRANS: Server error displayed if an avatar upload went wrong somehow server side. +#: actions/avatarsettings.php:361 actions/grouplogo.php:380 msgid "Lost our file data." msgstr "Fant ikkje igjen fil data." -#: actions/avatarsettings.php:372 +#: actions/avatarsettings.php:384 msgid "Avatar updated." msgstr "Lasta opp brukarbilete." -#: actions/avatarsettings.php:375 +#. TRANS: Error displayed on the avatar upload page if the avatar could not be updated for an unknown reason. +#: actions/avatarsettings.php:388 msgid "Failed updating avatar." msgstr "Feil ved oppdatering av brukarbilete." -#: actions/avatarsettings.php:399 +#. TRANS: Success message for deleting a user avatar. +#: actions/avatarsettings.php:412 #, fuzzy msgid "Avatar deleted." msgstr "Lasta opp brukarbilete." -#: actions/block.php:69 +#. TRANS: Client error displayed when blocking a user that has already been blocked. +#: actions/block.php:68 msgid "You already blocked that user." msgstr "Du tingar allereie oppdatering frå desse brukarane:" -#: actions/block.php:107 actions/block.php:136 actions/groupblock.php:158 +#. TRANS: Title for block user page. +#. TRANS: Legend for block user form. +#: actions/block.php:106 actions/block.php:136 actions/groupblock.php:158 msgid "Block user" msgstr "Blokker brukaren" -#: actions/block.php:138 +#. TRANS: Explanation of consequences when blocking a user on the block user page. +#: actions/block.php:139 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 " @@ -1160,7 +1220,7 @@ msgstr "" #. TRANS: Button label on the delete notice form. #. TRANS: Button label on the delete user form. #. TRANS: Button label on the form to block a user from a group. -#: actions/block.php:153 actions/deleteapplication.php:154 +#: actions/block.php:154 actions/deleteapplication.php:154 #: actions/deletegroup.php:220 actions/deletenotice.php:150 #: actions/deleteuser.php:152 actions/groupblock.php:178 msgctxt "BUTTON" @@ -1169,7 +1229,7 @@ msgstr "Merknad" #. TRANS: Submit button title for 'No' when blocking a user. #. TRANS: Submit button title for 'No' when deleting a user. -#: actions/block.php:157 actions/deleteuser.php:156 +#: actions/block.php:158 actions/deleteuser.php:156 #, fuzzy msgid "Do not block this user" msgstr "Lås opp brukaren" @@ -1180,7 +1240,7 @@ msgstr "Lås opp brukaren" #. TRANS: Button label on the delete notice form. #. TRANS: Button label on the delete user form. #. TRANS: Button label on the form to block a user from a group. -#: actions/block.php:160 actions/deleteapplication.php:161 +#: actions/block.php:161 actions/deleteapplication.php:161 #: actions/deletegroup.php:227 actions/deletenotice.php:157 #: actions/deleteuser.php:159 actions/groupblock.php:185 #, fuzzy @@ -1190,92 +1250,113 @@ msgstr "Jau" #. TRANS: Submit button title for 'Yes' when blocking a user. #. TRANS: Description of the form to block a user. -#: actions/block.php:164 lib/blockform.php:79 +#: actions/block.php:165 lib/blockform.php:79 msgid "Block this user" msgstr "Blokkér denne brukaren" -#: actions/block.php:187 +#. TRANS: Server error displayed when blocking a user fails. +#: actions/block.php:189 msgid "Failed to save block information." msgstr "Lagring av informasjon feila." +#. TRANS: Client error displayed when requesting a list of blocked users for a non-local group. +#. TRANS: Client error displayed when requesting a list of blocked users for a non-existing group. #. TRANS: Client error when trying to delete a non-local group. #. TRANS: Client error when trying to delete a non-existing group. +#. TRANS: Client error displayed trying to edit a non-existing group. +#. TRANS: Client error displayed when trying to unblock a user from a non-existing group. +#. TRANS: Client error displayed if no remote group with a given name was found requesting group page. +#. TRANS: Client error displayed if no local group with a given name was found requesting group page. #. TRANS: Command exception text shown when a group is requested that does not exist. #. TRANS: Error text shown when trying to leave a group that does not exist. -#: actions/blockedfromgroup.php:80 actions/blockedfromgroup.php:87 +#: actions/blockedfromgroup.php:81 actions/blockedfromgroup.php:89 #: actions/deletegroup.php:87 actions/deletegroup.php:100 -#: actions/editgroup.php:100 actions/foafgroup.php:44 actions/foafgroup.php:62 +#: actions/editgroup.php:102 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/groupunblock.php:88 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:168 +#: actions/showgroup.php:139 actions/showgroup.php:148 lib/command.php:168 #: lib/command.php:380 msgid "No such group." msgstr "Denne gruppa finst ikkje." -#: actions/blockedfromgroup.php:97 +#. TRANS: Title for first page with list of users blocked from a group. +#. TRANS: %s is a group nickname. +#: actions/blockedfromgroup.php:101 #, fuzzy, php-format msgid "%s blocked profiles" msgstr "Brukarprofil" -#: actions/blockedfromgroup.php:100 +#. TRANS: Title for any but the first page with list of users blocked from a group. +#. TRANS: %1$s is a group nickname, %2$d is a page number. +#: actions/blockedfromgroup.php:106 #, fuzzy, php-format msgid "%1$s blocked profiles, page %2$d" msgstr "%s med vener, side %d" -#: actions/blockedfromgroup.php:115 +#. TRANS: Instructions for list of users blocked from a group. +#: actions/blockedfromgroup.php:122 #, fuzzy msgid "A list of the users blocked from joining this group." msgstr "Ei liste over brukarane i denne gruppa." -#: actions/blockedfromgroup.php:288 +#. TRANS: Form legend for unblocking a user from a group. +#: actions/blockedfromgroup.php:291 #, fuzzy msgid "Unblock user from group" msgstr "De-blokkering av brukar feila." -#. TRANS: Title for the form to unblock a user. -#: actions/blockedfromgroup.php:320 lib/unblockform.php:70 +#. TRANS: Button text for unblocking a user from a group. +#: actions/blockedfromgroup.php:323 +#, fuzzy +msgctxt "BUTTON" msgid "Unblock" msgstr "Lås opp" +#. TRANS: Tooltip for button for unblocking a user from a group. #. TRANS: Description of the form to unblock a user. -#: actions/blockedfromgroup.php:320 lib/unblockform.php:82 +#: actions/blockedfromgroup.php:327 lib/unblockform.php:78 msgid "Unblock this user" msgstr "Lås opp brukaren" #. TRANS: Title for mini-posting window loaded from bookmarklet. +#. TRANS: %s is the StatusNet site name. #: actions/bookmarklet.php:51 #, php-format msgid "Post to %s" msgstr "Svar til %s" -#: actions/confirmaddress.php:75 +#. TRANS: Client error displayed when not providing a confirmation code in the contact address confirmation action. +#: actions/confirmaddress.php:74 msgid "No confirmation code." msgstr "Ingen stadfestingskode." +#. TRANS: Client error displayed when providing a non-existing confirmation code in the contact address confirmation action. #: actions/confirmaddress.php:80 msgid "Confirmation code not found." msgstr "Fann ikkje stadfestingskode." -#: actions/confirmaddress.php:85 +#. TRANS: Client error displayed when not providing a confirmation code for another user in the contact address confirmation action. +#: actions/confirmaddress.php:86 msgid "That confirmation code is not for you!" msgstr "Den godkjenningskoden er ikkje for deg!" -#. TRANS: Server error for an unknow address type, which can be 'email', 'jabber', or 'sms'. -#: actions/confirmaddress.php:91 +#. TRANS: Server error for a unknow address type %s, which can be 'email', 'jabber', or 'sms'. +#: actions/confirmaddress.php:92 #, fuzzy, php-format msgid "Unrecognized address type %s." msgstr "Ukjend adressetype %s" -#. TRANS: Client error for an already confirmed email/jabbel/sms address. -#: actions/confirmaddress.php:96 +#. TRANS: Client error for an already confirmed email/jabber/sms address. +#: actions/confirmaddress.php:97 msgid "That address has already been confirmed." msgstr "Den addressa har alt blitt bekrefta." +#. TRANS: Server error displayed when a user update to the database fails in the contact address confirmation action. #. TRANS: Server error thrown on database error updating e-mail preferences. #. TRANS: Server error thrown on database error removing a registered e-mail address. #. TRANS: Server error thrown on database error updating IM preferences. @@ -1283,7 +1364,7 @@ msgstr "Den addressa har alt blitt bekrefta." #. TRANS: Server error thrown when user profile settings could not be updated. #. TRANS: Server error thrown on database error updating SMS preferences. #. TRANS: Server error thrown on database error removing a registered SMS phone number. -#: actions/confirmaddress.php:116 actions/emailsettings.php:331 +#: actions/confirmaddress.php:118 actions/emailsettings.php:331 #: actions/emailsettings.php:477 actions/imsettings.php:283 #: actions/imsettings.php:442 actions/othersettings.php:174 #: actions/profilesettings.php:326 actions/smssettings.php:308 @@ -1291,28 +1372,33 @@ msgstr "Den addressa har alt blitt bekrefta." msgid "Couldn't update user." msgstr "Kan ikkje oppdatera brukar." -#. TRANS: Server error thrown on database error canceling e-mail address confirmation. -#. TRANS: Server error thrown on database error canceling SMS phone number confirmation. -#: actions/confirmaddress.php:128 actions/emailsettings.php:437 -#: actions/smssettings.php:422 -msgid "Couldn't delete email confirmation." +#. TRANS: Server error displayed when an address confirmation code deletion from the +#. TRANS: database fails in the contact address confirmation action. +#: actions/confirmaddress.php:132 +#, fuzzy +msgid "Could not delete address confirmation." msgstr "Kan ikkje sletta e-postgodkjenning." -#: actions/confirmaddress.php:146 +#. TRANS: Title for the contact address confirmation action. +#: actions/confirmaddress.php:150 msgid "Confirm address" msgstr "Godkjent epostadresse." -#: actions/confirmaddress.php:161 +#. TRANS: Success message for the contact address confirmation action. +#. TRANS: %s can be 'email', 'jabber', or 'sms'. +#: actions/confirmaddress.php:166 #, php-format msgid "The address \"%s\" has been confirmed for your account." msgstr "Addressa \"%s\" har blitt bekrefta for din konto." -#: actions/conversation.php:99 +#. TRANS: Title for page with a conversion (multiple notices in context). +#: actions/conversation.php:96 #, fuzzy msgid "Conversation" msgstr "Stadfestingskode" -#: actions/conversation.php:154 lib/mailbox.php:116 lib/noticelist.php:87 +#. TRANS: Header on conversation page. Hidden by default (h2). +#: actions/conversation.php:149 lib/mailbox.php:116 lib/noticelist.php:87 #: lib/profileaction.php:229 lib/searchgroupnav.php:82 msgid "Notices" msgstr "Notisar" @@ -1422,11 +1508,13 @@ msgstr "Kan ikkje sletta notisen." msgid "Delete this group" msgstr "Slett denne notisen" +#. TRANS: Client error displayed when trying to unblock a user from a group while not logged in. +#. TRANS: Client error displayed trying a change a subscription while not logged in. #. TRANS: Client error message thrown when trying to access the admin panel while not logged in. #: actions/deletenotice.php:50 actions/disfavor.php:61 actions/favor.php:62 -#: actions/groupblock.php:61 actions/groupunblock.php:61 actions/logout.php:69 +#: actions/groupblock.php:61 actions/groupunblock.php:60 actions/logout.php:69 #: actions/makeadmin.php:61 actions/newmessage.php:87 actions/newnotice.php:88 -#: actions/nudge.php:63 actions/subedit.php:31 actions/subscribe.php:96 +#: actions/nudge.php:63 actions/subedit.php:33 actions/subscribe.php:96 #: actions/tagother.php:33 actions/unsubscribe.php:52 #: lib/adminpanelaction.php:71 lib/profileformaction.php:64 #: lib/settingsaction.php:72 @@ -1748,50 +1836,50 @@ msgstr "" msgid "Could not update application." msgstr "Kann ikkje oppdatera gruppa." -#: actions/editgroup.php:56 +#. TRANS: Title for form to edit a group. %s is a group nickname. +#: actions/editgroup.php:55 #, php-format msgid "Edit %s group" msgstr "Rediger %s gruppa" +#. TRANS: Client error displayed trying to edit a group while not logged in. +#. TRANS: Client error displayed trying to create a group while not logged in. #: actions/editgroup.php:68 actions/grouplogo.php:70 actions/newgroup.php:65 msgid "You must be logged in to create a group." msgstr "Du må være logga inn for å lage ei gruppe." -#: actions/editgroup.php:107 actions/editgroup.php:172 +#. TRANS: Client error displayed trying to edit a group while not being a group admin. +#: actions/editgroup.php:110 actions/editgroup.php:176 #: actions/groupdesignsettings.php:107 actions/grouplogo.php:109 msgid "You must be an admin to edit the group." msgstr "Du må være logga inn for å lage ei gruppe." -#: actions/editgroup.php:158 +#. TRANS: Form instructions for group edit form. +#: actions/editgroup.php:161 msgid "Use this form to edit the group." msgstr "Bruk dette skjemaet for å redigere gruppa" -#: actions/editgroup.php:205 -#, php-format -msgid "Description is too long (max %d chars)." -msgstr "Plassering er for lang (maksimalt 255 teikn)." - -#: actions/editgroup.php:219 -#, php-format -msgid "Too many aliases! Maximum %d." -msgstr "" - -#: actions/editgroup.php:228 actions/newgroup.php:177 +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. +#: actions/editgroup.php:248 actions/newgroup.php:184 #, fuzzy, php-format msgid "Invalid alias: \"%s\"" msgstr "Ugyldig merkelapp: %s" -#: actions/editgroup.php:258 +#. TRANS: Server error displayed when editing a group fails. +#: actions/editgroup.php:281 msgid "Could not update group." msgstr "Kann ikkje oppdatera gruppa." +#. TRANS: Server error displayed when group aliases could not be added. #. TRANS: Server exception thrown when creating group aliases failed. -#: actions/editgroup.php:264 classes/User_group.php:513 +#: actions/editgroup.php:288 classes/User_group.php:513 #, fuzzy msgid "Could not create aliases." msgstr "Kunne ikkje lagre favoritt." -#: actions/editgroup.php:280 +#. TRANS: Group edit form success message. +#: actions/editgroup.php:305 msgid "Options saved." msgstr "Lagra innstillingar." @@ -1988,6 +2076,12 @@ msgstr "Ingen ventande stadfesting å avbryta." msgid "That is the wrong email address." msgstr "Det er feil lynmeldings addresse." +#. TRANS: Server error thrown on database error canceling e-mail address confirmation. +#. TRANS: Server error thrown on database error canceling SMS phone number confirmation. +#: actions/emailsettings.php:437 actions/smssettings.php:422 +msgid "Couldn't delete email confirmation." +msgstr "Kan ikkje sletta e-postgodkjenning." + #. TRANS: Message given after successfully canceling e-mail address confirmation. #: actions/emailsettings.php:442 msgid "Email confirmation cancelled." @@ -2171,19 +2265,23 @@ msgstr "Du kan ikkje lengre legge inn notisar på denne sida." msgid "User already has this role." msgstr "Brukaren har inga profil." +#. TRANS: Client error displayed when trying to unblock a user from a group without providing a profile. +#. TRANS: Client error displayed trying a change a subscription without providing a profile. #: actions/groupblock.php:71 actions/groupunblock.php:71 -#: actions/makeadmin.php:71 actions/subedit.php:46 +#: actions/makeadmin.php:71 actions/subedit.php:49 #: lib/profileformaction.php:79 msgid "No profile specified." msgstr "Ingen vald profil." -#: actions/groupblock.php:76 actions/groupunblock.php:76 -#: actions/makeadmin.php:76 actions/subedit.php:53 actions/tagother.php:46 +#. TRANS: Client error displayed when trying to unblock a user from a group without providing an existing profile. +#. TRANS: Client error displayed trying a change a subscription for a non-existant profile ID. +#: actions/groupblock.php:76 actions/groupunblock.php:77 +#: actions/makeadmin.php:76 actions/subedit.php:57 actions/tagother.php:46 #: actions/unsubscribe.php:84 lib/profileformaction.php:86 msgid "No profile with that ID." msgstr "Fann ingen profil med den IDen." -#: actions/groupblock.php:81 actions/groupunblock.php:81 +#: actions/groupblock.php:81 actions/groupunblock.php:82 #: actions/makeadmin.php:81 #, fuzzy msgid "No group specified." @@ -2272,6 +2370,14 @@ 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:236 +msgid "Upload" +msgstr "Last opp" + +#: actions/grouplogo.php:289 +msgid "Crop" +msgstr "Skaler" + #: actions/grouplogo.php:365 #, fuzzy msgid "Pick a square area of the image to be the logo." @@ -2407,16 +2513,19 @@ msgid "" "action.newgroup%%) yourself!" msgstr "" -#: actions/groupunblock.php:91 +#. TRANS: Client error displayed when trying to unblock a user from a group without being an administrator for the group. +#: actions/groupunblock.php:94 msgid "Only an admin can unblock group members." msgstr "" -#: actions/groupunblock.php:95 +#. TRANS: Client error displayed when trying to unblock a non-blocked user from a group. +#: actions/groupunblock.php:99 #, fuzzy msgid "User is not blocked from group." msgstr "Brukar har blokkert deg." -#: actions/groupunblock.php:128 actions/unblock.php:86 +#. TRANS: Server error displayed when unblocking a user from a group fails because of an unknown error. +#: actions/groupunblock.php:131 actions/unblock.php:86 msgid "Error removing the block." msgstr "Feil ved fjerning av blokka." @@ -3011,10 +3120,12 @@ msgstr "Plassering er for lang (maksimalt 255 teikn)." msgid "Could not create application." msgstr "Kunne ikkje lagre favoritt." +#. TRANS: Title for form to create a group. #: actions/newgroup.php:53 msgid "New group" msgstr "Ny gruppe" +#. TRANS: Form instructions for group create form. #: actions/newgroup.php:110 msgid "Use this form to create a new group." msgstr "Bruk dette skjemaet for å lage ein ny gruppe." @@ -3723,8 +3834,9 @@ msgstr "" "1-64 små bokstavar eller tal, ingen punktum (og liknande) eller mellomrom" #. TRANS: Field label in form for profile settings. +#. TRANS: Label for full group name (dt). Text hidden by default. #: actions/profilesettings.php:117 actions/register.php:457 -#: actions/showgroup.php:256 actions/tagother.php:104 +#: actions/showgroup.php:257 actions/tagother.php:104 #: lib/groupeditform.php:157 lib/userprofile.php:150 msgid "Full name" msgstr "Fullt namn" @@ -3765,8 +3877,9 @@ msgid "Bio" msgstr "Om meg" #. TRANS: Field label in form for profile settings. +#. TRANS: Label for group location (dt). Text hidden by default. #: actions/profilesettings.php:149 actions/register.php:485 -#: actions/showgroup.php:265 actions/tagother.php:112 +#: actions/showgroup.php:267 actions/tagother.php:112 #: actions/userauthorization.php:166 lib/groupeditform.php:177 #: lib/userprofile.php:165 msgid "Location" @@ -4491,7 +4604,8 @@ msgstr "Paginering" msgid "Description" msgstr "Beskriving" -#: actions/showapplication.php:192 actions/showgroup.php:442 +#. TRANS: Header for group statistics on a group page (h2). +#: actions/showapplication.php:192 actions/showgroup.php:453 #: lib/profileaction.php:187 msgid "Statistics" msgstr "Statistikk" @@ -4509,6 +4623,11 @@ msgstr "" msgid "Reset key & secret" msgstr "" +#: actions/showapplication.php:252 lib/deletegroupform.php:121 +#: lib/deleteuserform.php:66 lib/noticelist.php:667 +msgid "Delete" +msgstr "Slett" + #: actions/showapplication.php:261 msgid "Application info" msgstr "" @@ -4593,77 +4712,106 @@ msgstr "" msgid "This is a way to share what you like." msgstr "" -#: actions/showgroup.php:82 +#. TRANS: Page title for first group page. %s is a group name. +#: actions/showgroup.php:80 #, php-format msgid "%s group" msgstr "%s gruppe" +#. TRANS: Page title for any but first group page. +#. TRANS: %1$s is a group name, $2$s is a page number. #: actions/showgroup.php:84 #, php-format msgid "%1$s group, page %2$d" msgstr "Grupper, side %d" -#: actions/showgroup.php:227 +#. TRANS: Group profile header (h2). Text hidden by default. +#: actions/showgroup.php:225 msgid "Group profile" msgstr "Gruppe profil" -#: actions/showgroup.php:272 actions/tagother.php:118 +#. TRANS: Label for group URL (dt). Text hidden by default. +#: actions/showgroup.php:275 actions/tagother.php:118 #: actions/userauthorization.php:175 lib/userprofile.php:178 msgid "URL" msgstr "URL" -#: actions/showgroup.php:283 actions/tagother.php:128 +#. TRANS: Label for group description or group note (dt). Text hidden by default. +#: actions/showgroup.php:287 actions/tagother.php:128 #: actions/userauthorization.php:187 lib/userprofile.php:195 msgid "Note" msgstr "Merknad" -#: actions/showgroup.php:293 lib/groupeditform.php:184 +#. TRANS: Label for group aliases (dt). Text hidden by default. +#: actions/showgroup.php:298 lib/groupeditform.php:184 msgid "Aliases" msgstr "" -#: actions/showgroup.php:302 +#. TRANS: Group actions header (h2). Text hidden by default. +#: actions/showgroup.php:309 msgid "Group actions" msgstr "Gruppe handlingar" -#: actions/showgroup.php:344 +#. TRANS: Tooltip for feed link. %s is a group nickname. +#: actions/showgroup.php:350 #, php-format msgid "Notice feed for %s group (RSS 1.0)" msgstr "Straum for vener av %s" -#: actions/showgroup.php:350 +#. TRANS: Tooltip for feed link. %s is a group nickname. +#: actions/showgroup.php:357 #, php-format msgid "Notice feed for %s group (RSS 2.0)" msgstr "Straum for vener av %s" -#: actions/showgroup.php:356 +#. TRANS: Tooltip for feed link. %s is a group nickname. +#: actions/showgroup.php:364 #, php-format msgid "Notice feed for %s group (Atom)" msgstr "Notisstraum for %s" -#: actions/showgroup.php:361 +#. TRANS: Tooltip for feed link. %s is a group nickname. +#: actions/showgroup.php:370 #, php-format msgid "FOAF for %s group" msgstr "Utboks for %s" -#: actions/showgroup.php:399 actions/showgroup.php:451 +#. TRANS: Header for mini list of group members on a group page (h2). +#: actions/showgroup.php:407 msgid "Members" msgstr "Medlemmar" -#: actions/showgroup.php:404 lib/profileaction.php:117 +#. TRANS: Description for mini list of group members on a group page when the group has no members. +#: actions/showgroup.php:413 lib/profileaction.php:117 #: lib/profileaction.php:152 lib/profileaction.php:255 lib/section.php:95 #: lib/subscriptionlist.php:127 lib/tagcloudsection.php:71 msgid "(None)" msgstr "(Ingen)" -#: actions/showgroup.php:410 +#. TRANS: Link to all group members from mini list of group members if group has more than n members. +#: actions/showgroup.php:422 msgid "All members" msgstr "Alle medlemmar" -#: actions/showgroup.php:445 +#. TRANS: Label for creation date in statistics on group page. +#: actions/showgroup.php:458 +#, fuzzy +msgctxt "LABEL" msgid "Created" msgstr "Framheva" -#: actions/showgroup.php:461 +#. TRANS: Label for member count in statistics on group page. +#: actions/showgroup.php:466 +#, fuzzy +msgctxt "LABEL" +msgid "Members" +msgstr "Medlemmar" + +#. TRANS: Notice on group pages for anonymous users for StatusNet sites that accept new registrations. +#. TRANS: **%s** is the group alias, %%%%site.name%%%% is the site name, +#. TRANS: %%%%action.register%%%% is the URL for registration, %%%%doc.help%%%% is a URL to help. +#. TRANS: This message contains Markdown links. Ensure they are formatted correctly: [Description](link). +#: actions/showgroup.php:481 #, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -4673,7 +4821,10 @@ msgid "" "of this group and many more! ([Read more](%%%%doc.help%%%%))" msgstr "" -#: actions/showgroup.php:467 +#. TRANS: Notice on group pages for anonymous users for StatusNet sites that accept no new registrations. +#. TRANS: **%s** is the group alias, %%%%site.name%%%% is the site name, +#. TRANS: This message contains Markdown links. Ensure they are formatted correctly: [Description](link). +#: actions/showgroup.php:491 #, fuzzy, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -4684,25 +4835,32 @@ msgstr "" "**%s** er ei brukargruppe på %%%%site.name%%%%, ei [mikroblogging](http://en." "wikipedia.org/wiki/Micro-blogging)-teneste" -#: actions/showgroup.php:495 +#. TRANS: Header for list of group administrators on a group page (h2). +#: actions/showgroup.php:520 #, fuzzy msgid "Admins" msgstr "Administrator" -#: actions/showmessage.php:81 +#. TRANS: Client error displayed requesting a single message that does not exist. +#: actions/showmessage.php:79 msgid "No such message." msgstr "Kan ikkje finne den meldinga." -#: actions/showmessage.php:98 +#. TRANS: Client error displayed requesting a single direct message the requesting user was not a party in. +#: actions/showmessage.php:97 msgid "Only the sender and recipient may read this message." msgstr "Kun sendaren og mottakaren kan lese denne meldinga." -#: actions/showmessage.php:108 +#. TRANS: Page title for single direct message display when viewing user is the sender. +#. TRANS: %1$s is the addressed user's nickname, $2$s is a timestamp. +#: actions/showmessage.php:110 #, php-format msgid "Message to %1$s on %2$s" msgstr "Melding til %1$s på %2$s" -#: actions/showmessage.php:113 +#. TRANS: Page title for single message display. +#. TRANS: %1$s is the sending user's nickname, $2$s is a timestamp. +#: actions/showmessage.php:118 #, php-format msgid "Message from %1$s on %2$s" msgstr "Melding fra %1$s på %2$s" @@ -5149,12 +5307,14 @@ msgstr "" msgid "Save snapshot settings" msgstr "Avatar-innstillingar" -#: actions/subedit.php:70 +#. TRANS: Client error displayed trying a change a subscription for a non-subscribed profile. +#: actions/subedit.php:75 msgid "You are not subscribed to that profile." msgstr "Du tingar ikkje oppdateringar til den profilen." +#. TRANS: Server error displayed when updating a subscription fails with a database error. #. TRANS: Exception thrown when a subscription could not be stored on the server. -#: actions/subedit.php:83 classes/Subscription.php:136 +#: actions/subedit.php:89 classes/Subscription.php:136 msgid "Could not save subscription." msgstr "Kunne ikkje lagra abonnement." @@ -5964,12 +6124,12 @@ msgid "Welcome to %1$s, @%2$s!" msgstr "Melding til %1$s på %2$s" #. TRANS: Server exception. -#: classes/User.php:902 +#: classes/User.php:912 msgid "No single user defined for single-user mode." msgstr "" #. TRANS: Server exception. -#: classes/User.php:906 +#: classes/User.php:916 msgid "Single-user mode code called when not enabled." msgstr "" @@ -7126,7 +7286,8 @@ msgstr "" msgid "FOAF" msgstr "" -#: lib/feedlist.php:65 +#. TRANS: Header for feed links (h2). +#: lib/feedlist.php:66 msgid "Feeds" msgstr "" @@ -7287,39 +7448,57 @@ msgstr "Denne sida er ikkje tilgjengeleg i nokon mediatype du aksepterer." msgid "Unsupported image file format." msgstr "Støttar ikkje bileteformatet." -#: lib/imagefile.php:88 +#. TRANS: Exception thrown when too large a file is uploaded. +#. TRANS: %s is the maximum file size, for example "500b", "10kB" or "2MB". +#: lib/imagefile.php:90 #, fuzzy, php-format msgid "That file is too big. The maximum file size is %s." msgstr "Du kan lasta opp ein logo for gruppa." -#: lib/imagefile.php:93 +#: lib/imagefile.php:95 msgid "Partial upload." msgstr "Hallvegs opplasta." #. TRANS: Client exception thrown when a file upload operation has failed with an unknown reason. -#: lib/imagefile.php:101 lib/mediafile.php:179 +#: lib/imagefile.php:103 lib/mediafile.php:179 msgid "System error uploading file." msgstr "Systemfeil ved opplasting av fil." -#: lib/imagefile.php:109 +#: lib/imagefile.php:111 msgid "Not an image or corrupt file." msgstr "Korrupt bilete." -#: lib/imagefile.php:122 +#: lib/imagefile.php:124 msgid "Lost our file." msgstr "Mista fila vår." -#: lib/imagefile.php:163 lib/imagefile.php:224 +#: lib/imagefile.php:165 lib/imagefile.php:226 msgid "Unknown file type" msgstr "Ukjend fil type" -#: lib/imagefile.php:244 -msgid "MB" -msgstr "" +#. TRANS: Number of megabytes. %d is the number. +#: lib/imagefile.php:248 +#, php-format +msgid "%dMB" +msgid_plural "%dMB" +msgstr[0] "" +msgstr[1] "" -#: lib/imagefile.php:246 -msgid "kB" -msgstr "" +#. TRANS: Number of kilobytes. %d is the number. +#: lib/imagefile.php:252 +#, php-format +msgid "%dkB" +msgid_plural "%dkB" +msgstr[0] "" +msgstr[1] "" + +#. TRANS: Number of bytes. %d is the number. +#: lib/imagefile.php:255 +#, php-format +msgid "%dB" +msgid_plural "%dB" +msgstr[0] "" +msgstr[1] "" #: lib/jabber.php:387 #, php-format @@ -8136,6 +8315,13 @@ msgstr "Feil ved fjerning av blokka." msgid "Top posters" msgstr "Med flest meldingar" +#. TRANS: Title for the form to unblock a user. +#: lib/unblockform.php:67 +#, fuzzy +msgctxt "TITLE" +msgid "Unblock" +msgstr "Lås opp" + #: lib/unsandboxform.php:69 msgid "Unsandbox" msgstr "" @@ -8322,3 +8508,6 @@ msgstr "Ingen vald profil." #, php-format msgid "%d entries in backup." msgstr "" + +#~ msgid "Description is too long (max %d chars)." +#~ msgstr "Plassering er for lang (maksimalt 255 teikn)." diff --git a/locale/pl/LC_MESSAGES/statusnet.po b/locale/pl/LC_MESSAGES/statusnet.po index 633fec590d..cfcfb5e54d 100644 --- a/locale/pl/LC_MESSAGES/statusnet.po +++ b/locale/pl/LC_MESSAGES/statusnet.po @@ -11,8 +11,8 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet - Core\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-10-27 23:43+0000\n" -"PO-Revision-Date: 2010-10-28 23:09:27+0000\n" +"POT-Creation-Date: 2010-10-30 23:18+0000\n" +"PO-Revision-Date: 2010-10-30 23:20:40+0000\n" "Last-Translator: Piotr Drąg \n" "Language-Team: Polish \n" "MIME-Version: 1.0\n" @@ -20,11 +20,11 @@ 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 (r75629); Translate extension (2010-09-17)\n" +"X-Generator: MediaWiki 1.17alpha (r75708); Translate extension (2010-09-17)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: pl\n" "X-Message-Group: #out-statusnet-core\n" -"X-POT-Import-Date: 2010-10-28 00:13:15+0000\n" +"X-POT-Import-Date: 2010-10-30 09:48:40+0000\n" #. TRANS: Page title for Access admin panel that allows configuring site access. #. TRANS: Menu item for site administration @@ -120,6 +120,7 @@ msgstr "Nie ma takiej strony." #. TRANS: Client error displayed when requesting most recent dents by user and friends for a non-existing user. #. TRANS: Client error displayed when requesting most recent mentions for a non-existing user. #. TRANS: Client error displayed requesting most recent notices for a non-existing user. +#. TRANS: Client error displayed trying to get an avatar for a non-existing user. #. TRANS: Error text shown when trying to send a direct message to a user that does not exist. #: actions/all.php:80 actions/apiaccountupdatedeliverydevice.php:110 #: actions/apiaccountupdateprofile.php:103 @@ -132,7 +133,7 @@ msgstr "Nie ma takiej strony." #: actions/apistatusesupdate.php:230 actions/apisubscriptions.php:85 #: actions/apitimelinefavorites.php:70 actions/apitimelinefriends.php:173 #: actions/apitimelinehome.php:78 actions/apitimelinementions.php:77 -#: actions/apitimelineuser.php:79 actions/avatarbynickname.php:75 +#: actions/apitimelineuser.php:79 actions/avatarbynickname.php:79 #: 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 @@ -311,11 +312,12 @@ msgstr "Nie można zaktualizować użytkownika." #. TRANS: Client error displayed a user has no profile updating profile colours. #. TRANS: Client error displayed if a user profile could not be found updating a profile image. #. TRANS: Client error displayed when requesting user information for a user without a profile. +#. TRANS: Client error displayed trying to get an avatar for a user without a profile. #: actions/apiaccountupdateprofile.php:111 #: actions/apiaccountupdateprofilebackgroundimage.php:199 #: actions/apiaccountupdateprofilecolors.php:183 #: actions/apiaccountupdateprofileimage.php:130 actions/apiusershow.php:108 -#: actions/avatarbynickname.php:80 actions/foaf.php:65 actions/hcard.php:74 +#: actions/avatarbynickname.php:85 actions/foaf.php:65 actions/hcard.php:74 #: actions/replies.php:80 actions/usergroups.php:100 lib/galleryaction.php:66 #: lib/profileaction.php:84 msgid "User has no profile." @@ -330,7 +332,7 @@ msgstr "Nie można zapisać profilu." #. TRANS: %s is the number of bytes of the CONTENT_LENGTH. #: actions/apiaccountupdateprofilebackgroundimage.php:108 #: actions/apiaccountupdateprofileimage.php:95 actions/apimediaupload.php:81 -#: actions/apistatusesupdate.php:210 actions/avatarsettings.php:259 +#: actions/apistatusesupdate.php:210 actions/avatarsettings.php:269 #: actions/designadminpanel.php:125 actions/editapplication.php:121 #: actions/newapplication.php:104 actions/newnotice.php:95 #, php-format @@ -513,43 +515,53 @@ 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." +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. #. TRANS: Validation error in form for profile settings. -#: actions/apigroupcreate.php:165 actions/editgroup.php:186 -#: actions/newgroup.php:126 actions/profilesettings.php:243 +#: actions/apigroupcreate.php:165 actions/editgroup.php:191 +#: actions/newgroup.php:127 actions/profilesettings.php:243 #: actions/register.php:212 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." #. TRANS: Client error trying to create a group with a nickname this is already in use. +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. #. TRANS: Validation error in form for profile settings. -#: actions/apigroupcreate.php:175 actions/editgroup.php:190 -#: actions/newgroup.php:130 actions/profilesettings.php:277 +#: actions/apigroupcreate.php:175 actions/editgroup.php:196 +#: actions/newgroup.php:132 actions/profilesettings.php:277 #: actions/register.php:215 msgid "Nickname already in use. Try another one." msgstr "Pseudonim jest już używany. Spróbuj innego." #. TRANS: Client error in form for group creation. +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. #. TRANS: Validation error in form for profile settings. -#: actions/apigroupcreate.php:183 actions/editgroup.php:193 -#: actions/newgroup.php:133 actions/profilesettings.php:247 +#: actions/apigroupcreate.php:183 actions/editgroup.php:200 +#: actions/newgroup.php:136 actions/profilesettings.php:247 #: actions/register.php:217 msgid "Not a valid nickname." msgstr "To nie jest prawidłowy pseudonim." #. TRANS: Client error in form for group creation. #. TRANS: Validation error shown when providing an invalid homepage URL in the "Edit application" form. +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. #. TRANS: Validation error in form for profile settings. #: actions/apigroupcreate.php:200 actions/editapplication.php:233 -#: actions/editgroup.php:199 actions/newapplication.php:211 -#: actions/newgroup.php:139 actions/profilesettings.php:252 +#: actions/editgroup.php:207 actions/newapplication.php:211 +#: actions/newgroup.php:143 actions/profilesettings.php:252 #: actions/register.php:224 msgid "Homepage is not a valid URL." msgstr "Strona domowa nie jest prawidłowym adresem URL." #. TRANS: Client error in form for group creation. +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. #. TRANS: Validation error in form for profile settings. -#: actions/apigroupcreate.php:210 actions/editgroup.php:202 -#: actions/newgroup.php:142 actions/profilesettings.php:256 +#: actions/apigroupcreate.php:210 actions/editgroup.php:211 +#: actions/newgroup.php:147 actions/profilesettings.php:256 #: actions/register.php:227 msgid "Full name is too long (maximum 255 characters)." msgstr "Imię i nazwisko jest za długie (maksymalnie 255 znaków)." @@ -557,10 +569,11 @@ msgstr "Imię i nazwisko jest za długie (maksymalnie 255 znaków)." #. TRANS: Client error shown when providing too long a description during group creation. #. TRANS: %d is the maximum number of allowed characters. #. TRANS: Validation error shown when providing too long a description in the "Edit application" form. +#. TRANS: Group edit form validation error. #. TRANS: Form validation error in New application form. #. TRANS: %d is the maximum number of characters for the description. #: actions/apigroupcreate.php:220 actions/editapplication.php:201 -#: actions/newapplication.php:178 +#: actions/editgroup.php:216 actions/newapplication.php:178 #, php-format msgid "Description is too long (maximum %d character)." msgid_plural "Description is too long (maximum %d characters)." @@ -569,22 +582,29 @@ msgstr[1] "Opis jest za długi (maksymalnie %d znaki)." msgstr[2] "Opis jest za długi (maksymalnie %d znaków)." #. TRANS: Client error shown when providing too long a location during group creation. +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. #. TRANS: Validation error in form for profile settings. -#: actions/apigroupcreate.php:234 actions/editgroup.php:208 -#: actions/newgroup.php:153 actions/profilesettings.php:269 +#: actions/apigroupcreate.php:234 actions/editgroup.php:223 +#: actions/newgroup.php:159 actions/profilesettings.php:269 #: actions/register.php:236 msgid "Location is too long (maximum 255 characters)." msgstr "Położenie jest za długie (maksymalnie 255 znaków)." #. TRANS: Client error shown when providing too many aliases during group creation. #. TRANS: %d is the maximum number of allowed aliases. -#: actions/apigroupcreate.php:255 actions/newgroup.php:166 -#, fuzzy, php-format +#. TRANS: Group edit form validation error. +#. TRANS: %d is the maximum number of allowed aliases. +#. TRANS: Group create form validation error. +#. TRANS: %d is the maximum number of allowed aliases. +#: actions/apigroupcreate.php:255 actions/editgroup.php:236 +#: actions/newgroup.php:172 +#, php-format msgid "Too many aliases! Maximum %d allowed." msgid_plural "Too many aliases! Maximum %d allowed." -msgstr[0] "Za dużo aliasów. Maksymalnie %d." -msgstr[1] "Za dużo aliasów. Maksymalnie %d." -msgstr[2] "Za dużo aliasów. Maksymalnie %d." +msgstr[0] "Za dużo aliasów. Maksymalnie dozwolony jest %d." +msgstr[1] "Za dużo aliasów. Maksymalnie dozwolone są %d." +msgstr[2] "Za dużo aliasów. Maksymalnie dozwolone jest %d." #. TRANS: Client error shown when providing an invalid alias during group creation. #. TRANS: %s is the invalid alias. @@ -595,15 +615,19 @@ msgstr "Nieprawidłowy alias: \"%s\"." #. TRANS: Client error displayed when trying to use an alias during group creation that is already in use. #. TRANS: %s is the alias that is already in use. -#: actions/apigroupcreate.php:291 actions/editgroup.php:232 -#: actions/newgroup.php:181 +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. +#: actions/apigroupcreate.php:291 actions/editgroup.php:253 +#: actions/newgroup.php:189 #, php-format msgid "Alias \"%s\" already in use. Try another one." msgstr "Alias \"%s\" jest już używany. Spróbuj innego." #. TRANS: Client error displayed when trying to use an alias during group creation that is the same as the group's nickname. -#: actions/apigroupcreate.php:305 actions/editgroup.php:238 -#: actions/newgroup.php:187 +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. +#: actions/apigroupcreate.php:305 actions/editgroup.php:260 +#: actions/newgroup.php:196 msgid "Alias can't be the same as nickname." msgstr "Alias nie może być taki sam jak pseudonim." @@ -706,18 +730,18 @@ msgid "Request token already authorized." msgstr "Token żądania został już upoważniony." #. TRANS: Form validation error in API OAuth authorisation because of an invalid session token. -#: actions/apioauthauthorize.php:147 actions/avatarsettings.php:270 +#: actions/apioauthauthorize.php:147 actions/avatarsettings.php:280 #: actions/deletenotice.php:172 actions/disfavor.php:74 #: actions/emailsettings.php:271 actions/favor.php:75 actions/geocode.php:55 #: actions/groupblock.php:66 actions/grouplogo.php:312 -#: actions/groupunblock.php:66 actions/imsettings.php:230 +#: actions/groupunblock.php:65 actions/imsettings.php:230 #: actions/invite.php:59 actions/login.php:137 actions/makeadmin.php:66 #: actions/newmessage.php:135 actions/newnotice.php:105 actions/nudge.php:80 #: actions/oauthappssettings.php:165 actions/oauthconnectionssettings.php:138 #: actions/othersettings.php:145 actions/passwordsettings.php:138 #: actions/profilesettings.php:221 actions/recoverpassword.php:350 #: actions/register.php:172 actions/remotesubscribe.php:77 -#: actions/repeat.php:83 actions/smssettings.php:256 actions/subedit.php:38 +#: actions/repeat.php:83 actions/smssettings.php:256 actions/subedit.php:40 #: actions/subscribe.php:86 actions/tagother.php:166 #: actions/unsubscribe.php:69 actions/userauthorization.php:52 #: lib/designsettings.php:294 @@ -735,12 +759,13 @@ msgid "Database error inserting oauth_token_association." msgstr "Błąd bazy danych podczas wprowadzania oauth_token_association." #. TRANS: Client error given on when invalid data was passed through a form in the OAuth API. +#. TRANS: Unexpected validation error on avatar upload form. #. TRANS: Client error displayed submitting invalid form data for edit application. #. TRANS: Message given submitting a form with an unknown action in e-mail settings. #. TRANS: Message given submitting a form with an unknown action in IM settings. #. TRANS: Client error when submitting a form with unexpected information. #. TRANS: Message given submitting a form with an unknown action in SMS settings. -#: actions/apioauthauthorize.php:294 actions/avatarsettings.php:283 +#: actions/apioauthauthorize.php:294 actions/avatarsettings.php:294 #: actions/designadminpanel.php:104 actions/editapplication.php:144 #: actions/emailsettings.php:290 actions/grouplogo.php:322 #: actions/imsettings.php:245 actions/newapplication.php:125 @@ -762,15 +787,15 @@ msgstr "Zezwolić czy odmówić dostęp" #. TRANS: User notification of external application requesting account access. #. TRANS: %3$s is the access type requested, %4$s is the StatusNet sitename. #: actions/apioauthauthorize.php:425 -#, fuzzy, php-format +#, php-format msgid "" "An application 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 "" -"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." +"Aplikacja 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." #. TRANS: User notification of external application requesting account access. #. TRANS: %1$s is the application name requesting access, %2$s is the organisation behind the application, @@ -794,6 +819,7 @@ msgstr "Konto" #. TRANS: Field label on OAuth API authorisation form. #. TRANS: Field label in form for profile settings. +#. TRANS: Label for group nickname (dt). Text hidden by default. #: actions/apioauthauthorize.php:459 actions/login.php:252 #: actions/profilesettings.php:110 actions/register.php:433 #: actions/showgroup.php:245 actions/tagother.php:94 @@ -847,26 +873,24 @@ msgstr "Token żądania %s został unieważniony." #. TRANS: Title of the page notifying the user that an anonymous client application was successfully authorized to access the user's account with OAuth. #: actions/apioauthauthorize.php:621 -#, fuzzy msgid "You have successfully authorized the application" -msgstr "Pomyślnie upoważniono %s." +msgstr "Pomyślnie upoważniono aplikację" #. TRANS: Message notifying the user that an anonymous client application was successfully authorized to access the user's account with OAuth. #: actions/apioauthauthorize.php:625 -#, fuzzy msgid "" "Please return to the application and enter the following security code to " "complete the process." msgstr "" -"Proszę wrócić do %s i podać następujący kod bezpieczeństwa, aby ukończyć " -"proces." +"Proszę wrócić do aplikacji i podać następujący kod bezpieczeństwa, aby " +"ukończyć proces." #. TRANS: Title of the page notifying the user that the client application was successfully authorized to access the user's account with OAuth. #. TRANS: %s is the authorised application name. #: actions/apioauthauthorize.php:632 -#, fuzzy, php-format +#, php-format msgid "You have successfully authorized %s" -msgstr "Pomyślnie upoważniono %s." +msgstr "Pomyślnie upoważniono %s" #. TRANS: Message notifying the user that the client application was successfully authorized to access the user's account with OAuth. #. TRANS: %s is the authorised application name. @@ -969,16 +993,16 @@ msgstr "%1$s/ulubione wpisy od %2$s" #. TRANS: %1$s is the StatusNet sitename, %2$s is a user's full name, #. TRANS: %3$s is a user nickname. #: actions/apitimelinefavorites.php:120 -#, fuzzy, php-format +#, php-format msgid "%1$s updates favorited by %2$s / %3$s." -msgstr "Użytkownik %1$s aktualizuje ulubione według %2$s/%2$s." +msgstr "Użytkownik %1$s aktualizuje ulubione według %2$s/%3$s." #. TRANS: Server error displayed when generating an Atom feed fails. #. TRANS: %s is the error. #: actions/apitimelinegroup.php:138 -#, fuzzy, php-format +#, php-format msgid "Could not generate feed for group - %s" -msgstr "Nie można usunąć grupy %s." +msgstr "Nie można utworzyć kanału dla grupy - %s" #. TRANS: Title for timeline of most recent mentions of a user. #. TRANS: %1$s is the StatusNet sitename, %2$s is a user nickname. @@ -1009,9 +1033,8 @@ msgstr "Użytkownik %s aktualizuje od każdego." #. TRANS: Server error displayed calling unimplemented API method for 'retweeted by me'. #: actions/apitimelineretweetedbyme.php:71 -#, fuzzy msgid "Unimplemented." -msgstr "Niezaimplementowana metoda." +msgstr "Niezaimplementowane." #. TRANS: Title for Atom feed "repeated to me". %s is the user nickname. #: actions/apitimelineretweetedtome.php:108 @@ -1050,104 +1073,138 @@ msgstr "Metoda API jest w trakcie tworzenia." msgid "User not found." msgstr "Nie odnaleziono strony." +#. TRANS: Client error displayed trying to get a non-existing attachment. #: actions/attachment.php:73 msgid "No such attachment." msgstr "Nie ma takiego załącznika." -#: actions/avatarbynickname.php:59 actions/blockedfromgroup.php:73 -#: actions/editgroup.php:84 actions/groupdesignsettings.php:84 +#. TRANS: Client error displayed trying to get an avatar without providing a nickname. +#. TRANS: Client error displayed when requesting a list of blocked users for a group without providing a group nickname. +#. TRANS: Client error displayed trying to edit a group while not proving a nickname for the group to edit. +#. TRANS: Client error displayed if no nickname argument was given requesting a group page. +#: actions/avatarbynickname.php:60 actions/blockedfromgroup.php:73 +#: actions/editgroup.php:85 actions/groupdesignsettings.php:84 #: actions/grouplogo.php:86 actions/groupmembers.php:76 #: actions/grouprss.php:91 actions/showgroup.php:121 msgid "No nickname." msgstr "Brak pseudonimu." -#: actions/avatarbynickname.php:64 +#. TRANS: Client error displayed trying to get an avatar without providing an avatar size. +#: actions/avatarbynickname.php:66 msgid "No size." msgstr "Brak rozmiaru." -#: actions/avatarbynickname.php:69 +#. TRANS: Client error displayed trying to get an avatar providing an invalid avatar size. +#: actions/avatarbynickname.php:72 msgid "Invalid size." msgstr "Nieprawidłowy rozmiar." +#. TRANS: Title for avatar upload page. +#. TRANS: Label for group avatar (dt). Text hidden by default. #. TRANS: Link description in user account settings menu. -#: actions/avatarsettings.php:67 actions/showgroup.php:230 +#: actions/avatarsettings.php:66 actions/showgroup.php:229 #: lib/accountsettingsaction.php:113 msgid "Avatar" msgstr "Awatar" +#. TRANS: Instruction for avatar upload page. +#. TRANS: %s is the maximum file size, for example "500b", "10kB" or "2MB". #: actions/avatarsettings.php:78 #, php-format msgid "You can upload your personal avatar. The maximum file size is %s." msgstr "Można wysłać osobisty awatar. Maksymalny rozmiar pliku to %s." -#: actions/avatarsettings.php:106 actions/avatarsettings.php:185 +#. TRANS: Server error displayed in avatar upload page when no matching profile can be found for a user. +#: actions/avatarsettings.php:108 actions/avatarsettings.php:192 #: actions/grouplogo.php:181 actions/remotesubscribe.php:191 #: actions/userauthorization.php:72 actions/userrss.php:108 msgid "User without matching profile." msgstr "Użytkownik bez odpowiadającego profilu." -#: actions/avatarsettings.php:119 actions/avatarsettings.php:197 +#. TRANS: Avatar upload page form legend. +#. TRANS: Avatar upload page crop form legend. +#: actions/avatarsettings.php:122 actions/avatarsettings.php:205 #: actions/grouplogo.php:254 msgid "Avatar settings" msgstr "Ustawienia awatara" -#: actions/avatarsettings.php:127 actions/avatarsettings.php:205 +#. TRANS: Header on avatar upload page for thumbnail of originally uploaded avatar (h2). +#. TRANS: Header on avatar upload crop form for thumbnail of originally uploaded avatar (h2). +#: actions/avatarsettings.php:131 actions/avatarsettings.php:214 #: actions/grouplogo.php:202 actions/grouplogo.php:262 msgid "Original" msgstr "Oryginał" -#: actions/avatarsettings.php:142 actions/avatarsettings.php:217 +#. TRANS: Header on avatar upload page for thumbnail of to be used rendition of uploaded avatar (h2). +#. TRANS: Header on avatar upload crop form for thumbnail of to be used rendition of uploaded avatar (h2). +#: actions/avatarsettings.php:147 actions/avatarsettings.php:227 #: actions/grouplogo.php:213 actions/grouplogo.php:274 msgid "Preview" msgstr "Podgląd" -#: actions/avatarsettings.php:149 actions/showapplication.php:252 -#: lib/deletegroupform.php:121 lib/deleteuserform.php:66 -#: lib/noticelist.php:667 +#. TRANS: Button on avatar upload page to delete current avatar. +#: actions/avatarsettings.php:155 +#, fuzzy +msgctxt "BUTTON" msgid "Delete" msgstr "Usuń" -#: actions/avatarsettings.php:166 actions/grouplogo.php:236 +#. TRANS: Button on avatar upload page to upload an avatar. +#: actions/avatarsettings.php:173 +#, fuzzy +msgctxt "BUTTON" msgid "Upload" msgstr "Wyślij" -#: actions/avatarsettings.php:231 actions/grouplogo.php:289 +#. TRANS: Button on avatar upload crop form to confirm a selected crop as avatar. +#: actions/avatarsettings.php:243 +#, fuzzy +msgctxt "BUTTON" msgid "Crop" msgstr "Przytnij" -#: actions/avatarsettings.php:307 +#. TRANS: Validation error on avatar upload form when no file was uploaded. +#: actions/avatarsettings.php:318 msgid "No file uploaded." msgstr "Nie wysłano pliku." -#: actions/avatarsettings.php:334 +#. TRANS: Avatar upload form unstruction after uploading a file. +#: actions/avatarsettings.php:346 msgid "Pick a square area of the image to be your avatar" msgstr "Wybierz kwadratowy obszar obrazu do awatara" -#: actions/avatarsettings.php:349 actions/grouplogo.php:380 +#. TRANS: Server error displayed if an avatar upload went wrong somehow server side. +#: actions/avatarsettings.php:361 actions/grouplogo.php:380 msgid "Lost our file data." msgstr "Utracono dane pliku." -#: actions/avatarsettings.php:372 +#: actions/avatarsettings.php:384 msgid "Avatar updated." msgstr "Zaktualizowano awatar." -#: actions/avatarsettings.php:375 +#. TRANS: Error displayed on the avatar upload page if the avatar could not be updated for an unknown reason. +#: actions/avatarsettings.php:388 msgid "Failed updating avatar." msgstr "Zaktualizowanie awatara nie powiodło się." -#: actions/avatarsettings.php:399 +#. TRANS: Success message for deleting a user avatar. +#: actions/avatarsettings.php:412 msgid "Avatar deleted." msgstr "Usunięto awatar." -#: actions/block.php:69 +#. TRANS: Client error displayed when blocking a user that has already been blocked. +#: actions/block.php:68 msgid "You already blocked that user." msgstr "Użytkownik jest już zablokowany." -#: actions/block.php:107 actions/block.php:136 actions/groupblock.php:158 +#. TRANS: Title for block user page. +#. TRANS: Legend for block user form. +#: actions/block.php:106 actions/block.php:136 actions/groupblock.php:158 msgid "Block user" msgstr "Zablokuj użytkownika" -#: actions/block.php:138 +#. TRANS: Explanation of consequences when blocking a user on the block user page. +#: actions/block.php:139 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 " @@ -1163,7 +1220,7 @@ msgstr "" #. TRANS: Button label on the delete notice form. #. TRANS: Button label on the delete user form. #. TRANS: Button label on the form to block a user from a group. -#: actions/block.php:153 actions/deleteapplication.php:154 +#: actions/block.php:154 actions/deleteapplication.php:154 #: actions/deletegroup.php:220 actions/deletenotice.php:150 #: actions/deleteuser.php:152 actions/groupblock.php:178 msgctxt "BUTTON" @@ -1172,7 +1229,7 @@ msgstr "Nie" #. TRANS: Submit button title for 'No' when blocking a user. #. TRANS: Submit button title for 'No' when deleting a user. -#: actions/block.php:157 actions/deleteuser.php:156 +#: actions/block.php:158 actions/deleteuser.php:156 msgid "Do not block this user" msgstr "Nie blokuj tego użytkownika" @@ -1182,7 +1239,7 @@ msgstr "Nie blokuj tego użytkownika" #. TRANS: Button label on the delete notice form. #. TRANS: Button label on the delete user form. #. TRANS: Button label on the form to block a user from a group. -#: actions/block.php:160 actions/deleteapplication.php:161 +#: actions/block.php:161 actions/deleteapplication.php:161 #: actions/deletegroup.php:227 actions/deletenotice.php:157 #: actions/deleteuser.php:159 actions/groupblock.php:185 msgctxt "BUTTON" @@ -1191,90 +1248,111 @@ msgstr "Tak" #. TRANS: Submit button title for 'Yes' when blocking a user. #. TRANS: Description of the form to block a user. -#: actions/block.php:164 lib/blockform.php:79 +#: actions/block.php:165 lib/blockform.php:79 msgid "Block this user" msgstr "Zablokuj tego użytkownika" -#: actions/block.php:187 +#. TRANS: Server error displayed when blocking a user fails. +#: actions/block.php:189 msgid "Failed to save block information." msgstr "Zapisanie informacji o blokadzie nie powiodło się." +#. TRANS: Client error displayed when requesting a list of blocked users for a non-local group. +#. TRANS: Client error displayed when requesting a list of blocked users for a non-existing group. #. TRANS: Client error when trying to delete a non-local group. #. TRANS: Client error when trying to delete a non-existing group. +#. TRANS: Client error displayed trying to edit a non-existing group. +#. TRANS: Client error displayed when trying to unblock a user from a non-existing group. +#. TRANS: Client error displayed if no remote group with a given name was found requesting group page. +#. TRANS: Client error displayed if no local group with a given name was found requesting group page. #. TRANS: Command exception text shown when a group is requested that does not exist. #. TRANS: Error text shown when trying to leave a group that does not exist. -#: actions/blockedfromgroup.php:80 actions/blockedfromgroup.php:87 +#: actions/blockedfromgroup.php:81 actions/blockedfromgroup.php:89 #: actions/deletegroup.php:87 actions/deletegroup.php:100 -#: actions/editgroup.php:100 actions/foafgroup.php:44 actions/foafgroup.php:62 +#: actions/editgroup.php:102 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/groupunblock.php:88 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:168 +#: actions/showgroup.php:139 actions/showgroup.php:148 lib/command.php:168 #: lib/command.php:380 msgid "No such group." msgstr "Nie ma takiej grupy." -#: actions/blockedfromgroup.php:97 +#. TRANS: Title for first page with list of users blocked from a group. +#. TRANS: %s is a group nickname. +#: actions/blockedfromgroup.php:101 #, php-format msgid "%s blocked profiles" msgstr "%s zablokowane profile" -#: actions/blockedfromgroup.php:100 +#. TRANS: Title for any but the first page with list of users blocked from a group. +#. TRANS: %1$s is a group nickname, %2$d is a page number. +#: actions/blockedfromgroup.php:106 #, php-format msgid "%1$s blocked profiles, page %2$d" msgstr "%1$s zablokowane profile, strona %2$d" -#: actions/blockedfromgroup.php:115 +#. TRANS: Instructions for list of users blocked from a group. +#: actions/blockedfromgroup.php:122 msgid "A list of the users blocked from joining this group." msgstr "Lista użytkowników zablokowanych w tej grupie." -#: actions/blockedfromgroup.php:288 +#. TRANS: Form legend for unblocking a user from a group. +#: actions/blockedfromgroup.php:291 msgid "Unblock user from group" msgstr "Odblokuj użytkownika w tej grupie" -#. TRANS: Title for the form to unblock a user. -#: actions/blockedfromgroup.php:320 lib/unblockform.php:70 +#. TRANS: Button text for unblocking a user from a group. +#: actions/blockedfromgroup.php:323 +#, fuzzy +msgctxt "BUTTON" msgid "Unblock" msgstr "Odblokuj" +#. TRANS: Tooltip for button for unblocking a user from a group. #. TRANS: Description of the form to unblock a user. -#: actions/blockedfromgroup.php:320 lib/unblockform.php:82 +#: actions/blockedfromgroup.php:327 lib/unblockform.php:78 msgid "Unblock this user" msgstr "Odblokuj tego użytkownika" #. TRANS: Title for mini-posting window loaded from bookmarklet. +#. TRANS: %s is the StatusNet site name. #: actions/bookmarklet.php:51 #, php-format msgid "Post to %s" msgstr "Wyślij do %s" -#: actions/confirmaddress.php:75 +#. TRANS: Client error displayed when not providing a confirmation code in the contact address confirmation action. +#: actions/confirmaddress.php:74 msgid "No confirmation code." msgstr "Brak kodu potwierdzającego." +#. TRANS: Client error displayed when providing a non-existing confirmation code in the contact address confirmation action. #: actions/confirmaddress.php:80 msgid "Confirmation code not found." msgstr "Nie odnaleziono kodu potwierdzającego." -#: actions/confirmaddress.php:85 +#. TRANS: Client error displayed when not providing a confirmation code for another user in the contact address confirmation action. +#: actions/confirmaddress.php:86 msgid "That confirmation code is not for you!" msgstr "Ten kod potwierdzający nie jest przeznaczony dla ciebie." -#. TRANS: Server error for an unknow address type, which can be 'email', 'jabber', or 'sms'. -#: actions/confirmaddress.php:91 +#. TRANS: Server error for a unknow address type %s, which can be 'email', 'jabber', or 'sms'. +#: actions/confirmaddress.php:92 #, php-format msgid "Unrecognized address type %s." msgstr "Nierozpoznany typ adresu %s." -#. TRANS: Client error for an already confirmed email/jabbel/sms address. -#: actions/confirmaddress.php:96 +#. TRANS: Client error for an already confirmed email/jabber/sms address. +#: actions/confirmaddress.php:97 msgid "That address has already been confirmed." msgstr "Ten adres został już potwierdzony." +#. TRANS: Server error displayed when a user update to the database fails in the contact address confirmation action. #. TRANS: Server error thrown on database error updating e-mail preferences. #. TRANS: Server error thrown on database error removing a registered e-mail address. #. TRANS: Server error thrown on database error updating IM preferences. @@ -1282,7 +1360,7 @@ msgstr "Ten adres został już potwierdzony." #. TRANS: Server error thrown when user profile settings could not be updated. #. TRANS: Server error thrown on database error updating SMS preferences. #. TRANS: Server error thrown on database error removing a registered SMS phone number. -#: actions/confirmaddress.php:116 actions/emailsettings.php:331 +#: actions/confirmaddress.php:118 actions/emailsettings.php:331 #: actions/emailsettings.php:477 actions/imsettings.php:283 #: actions/imsettings.php:442 actions/othersettings.php:174 #: actions/profilesettings.php:326 actions/smssettings.php:308 @@ -1290,27 +1368,32 @@ msgstr "Ten adres został już potwierdzony." msgid "Couldn't update user." msgstr "Nie można zaktualizować użytkownika." -#. TRANS: Server error thrown on database error canceling e-mail address confirmation. -#. TRANS: Server error thrown on database error canceling SMS phone number confirmation. -#: actions/confirmaddress.php:128 actions/emailsettings.php:437 -#: actions/smssettings.php:422 -msgid "Couldn't delete email confirmation." -msgstr "Nie można usunąć potwierdzenia adresu e-mail." +#. TRANS: Server error displayed when an address confirmation code deletion from the +#. TRANS: database fails in the contact address confirmation action. +#: actions/confirmaddress.php:132 +#, fuzzy +msgid "Could not delete address confirmation." +msgstr "Nie można usunąć potwierdzenia komunikatora." -#: actions/confirmaddress.php:146 +#. TRANS: Title for the contact address confirmation action. +#: actions/confirmaddress.php:150 msgid "Confirm address" msgstr "Potwierdź adres" -#: actions/confirmaddress.php:161 +#. TRANS: Success message for the contact address confirmation action. +#. TRANS: %s can be 'email', 'jabber', or 'sms'. +#: actions/confirmaddress.php:166 #, php-format msgid "The address \"%s\" has been confirmed for your account." msgstr "Adres \"%s\" został potwierdzony dla twojego konta." -#: actions/conversation.php:99 +#. TRANS: Title for page with a conversion (multiple notices in context). +#: actions/conversation.php:96 msgid "Conversation" msgstr "Rozmowa" -#: actions/conversation.php:154 lib/mailbox.php:116 lib/noticelist.php:87 +#. TRANS: Header on conversation page. Hidden by default (h2). +#: actions/conversation.php:149 lib/mailbox.php:116 lib/noticelist.php:87 #: lib/profileaction.php:229 lib/searchgroupnav.php:82 msgid "Notices" msgstr "Wpisy" @@ -1415,11 +1498,13 @@ msgstr "Nie usuwaj tej grupy" msgid "Delete this group" msgstr "Usuń tę grupę" +#. TRANS: Client error displayed when trying to unblock a user from a group while not logged in. +#. TRANS: Client error displayed trying a change a subscription while not logged in. #. TRANS: Client error message thrown when trying to access the admin panel while not logged in. #: actions/deletenotice.php:50 actions/disfavor.php:61 actions/favor.php:62 -#: actions/groupblock.php:61 actions/groupunblock.php:61 actions/logout.php:69 +#: actions/groupblock.php:61 actions/groupunblock.php:60 actions/logout.php:69 #: actions/makeadmin.php:61 actions/newmessage.php:87 actions/newnotice.php:88 -#: actions/nudge.php:63 actions/subedit.php:31 actions/subscribe.php:96 +#: actions/nudge.php:63 actions/subedit.php:33 actions/subscribe.php:96 #: actions/tagother.php:33 actions/unsubscribe.php:52 #: lib/adminpanelaction.php:71 lib/profileformaction.php:64 #: lib/settingsaction.php:72 @@ -1717,49 +1802,49 @@ msgstr "Adres zwrotny URL jest nieprawidłowy." msgid "Could not update application." msgstr "Nie można zaktualizować aplikacji." -#: actions/editgroup.php:56 +#. TRANS: Title for form to edit a group. %s is a group nickname. +#: actions/editgroup.php:55 #, php-format msgid "Edit %s group" msgstr "Zmodyfikuj grupę %s" +#. TRANS: Client error displayed trying to edit a group while not logged in. +#. TRANS: Client error displayed trying to create a group while not logged in. #: actions/editgroup.php:68 actions/grouplogo.php:70 actions/newgroup.php:65 msgid "You must be logged in to create a group." msgstr "Musisz być zalogowany, aby utworzyć grupę." -#: actions/editgroup.php:107 actions/editgroup.php:172 +#. TRANS: Client error displayed trying to edit a group while not being a group admin. +#: actions/editgroup.php:110 actions/editgroup.php:176 #: 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:158 +#. TRANS: Form instructions for group edit form. +#: actions/editgroup.php:161 msgid "Use this form to edit the group." msgstr "Użyj tego formularza, aby zmodyfikować grupę." -#: actions/editgroup.php:205 -#, php-format -msgid "Description is too long (max %d chars)." -msgstr "Opis jest za długi (maksymalnie %d znaków)." - -#: actions/editgroup.php:219 -#, php-format -msgid "Too many aliases! Maximum %d." -msgstr "Za dużo aliasów. Maksymalnie %d." - -#: actions/editgroup.php:228 actions/newgroup.php:177 +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. +#: actions/editgroup.php:248 actions/newgroup.php:184 #, php-format msgid "Invalid alias: \"%s\"" msgstr "Nieprawidłowy alias: \"%s\"" -#: actions/editgroup.php:258 +#. TRANS: Server error displayed when editing a group fails. +#: actions/editgroup.php:281 msgid "Could not update group." msgstr "Nie można zaktualizować grupy." +#. TRANS: Server error displayed when group aliases could not be added. #. TRANS: Server exception thrown when creating group aliases failed. -#: actions/editgroup.php:264 classes/User_group.php:513 +#: actions/editgroup.php:288 classes/User_group.php:513 msgid "Could not create aliases." msgstr "Nie można utworzyć aliasów." -#: actions/editgroup.php:280 +#. TRANS: Group edit form success message. +#: actions/editgroup.php:305 msgid "Options saved." msgstr "Zapisano opcje." @@ -1952,6 +2037,12 @@ msgstr "Brak oczekujących potwierdzeń do anulowania." msgid "That is the wrong email address." msgstr "To jest błędny adres e-mail." +#. TRANS: Server error thrown on database error canceling e-mail address confirmation. +#. TRANS: Server error thrown on database error canceling SMS phone number confirmation. +#: actions/emailsettings.php:437 actions/smssettings.php:422 +msgid "Couldn't delete email confirmation." +msgstr "Nie można usunąć potwierdzenia adresu e-mail." + #. TRANS: Message given after successfully canceling e-mail address confirmation. #: actions/emailsettings.php:442 msgid "Email confirmation cancelled." @@ -2132,19 +2223,23 @@ msgstr "Nie można udzielić rol użytkownikom na tej witrynie." msgid "User already has this role." msgstr "Użytkownik ma już tę rolę." +#. TRANS: Client error displayed when trying to unblock a user from a group without providing a profile. +#. TRANS: Client error displayed trying a change a subscription without providing a profile. #: actions/groupblock.php:71 actions/groupunblock.php:71 -#: actions/makeadmin.php:71 actions/subedit.php:46 +#: actions/makeadmin.php:71 actions/subedit.php:49 #: lib/profileformaction.php:79 msgid "No profile specified." msgstr "Nie podano profilu." -#: actions/groupblock.php:76 actions/groupunblock.php:76 -#: actions/makeadmin.php:76 actions/subedit.php:53 actions/tagother.php:46 +#. TRANS: Client error displayed when trying to unblock a user from a group without providing an existing profile. +#. TRANS: Client error displayed trying a change a subscription for a non-existant profile ID. +#: actions/groupblock.php:76 actions/groupunblock.php:77 +#: actions/makeadmin.php:76 actions/subedit.php:57 actions/tagother.php:46 #: actions/unsubscribe.php:84 lib/profileformaction.php:86 msgid "No profile with that ID." msgstr "Brak profilu o tym identyfikatorze." -#: actions/groupblock.php:81 actions/groupunblock.php:81 +#: actions/groupblock.php:81 actions/groupunblock.php:82 #: actions/makeadmin.php:81 msgid "No group specified." msgstr "Nie podano grupy." @@ -2227,6 +2322,14 @@ 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:236 +msgid "Upload" +msgstr "Wyślij" + +#: actions/grouplogo.php:289 +msgid "Crop" +msgstr "Przytnij" + #: 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." @@ -2369,15 +2472,18 @@ msgstr "" "Dlaczego nie [zarejestrujesz konta](%%action.register%%) i sam [utworzysz " "grupę](%%action.newgroup%%)." -#: actions/groupunblock.php:91 +#. TRANS: Client error displayed when trying to unblock a user from a group without being an administrator for the group. +#: actions/groupunblock.php:94 msgid "Only an admin can unblock group members." msgstr "Tylko administrator może odblokowywać członków grupy." -#: actions/groupunblock.php:95 +#. TRANS: Client error displayed when trying to unblock a non-blocked user from a group. +#: actions/groupunblock.php:99 msgid "User is not blocked from group." msgstr "Użytkownik nie został zablokowany w grupie." -#: actions/groupunblock.php:128 actions/unblock.php:86 +#. TRANS: Server error displayed when unblocking a user from a group fails because of an unknown error. +#: actions/groupunblock.php:131 actions/unblock.php:86 msgid "Error removing the block." msgstr "Błąd podczas usuwania blokady." @@ -2972,10 +3078,12 @@ msgstr "Organizacja jest za długa (maksymalnie 255 znaków)." msgid "Could not create application." msgstr "Nie można utworzyć aplikacji." +#. TRANS: Title for form to create a group. #: actions/newgroup.php:53 msgid "New group" msgstr "Nowa grupa" +#. TRANS: Form instructions for group create form. #: actions/newgroup.php:110 msgid "Use this form to create a new group." msgstr "Użyj tego formularza, aby utworzyć nową grupę." @@ -3664,8 +3772,9 @@ 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." #. TRANS: Field label in form for profile settings. +#. TRANS: Label for full group name (dt). Text hidden by default. #: actions/profilesettings.php:117 actions/register.php:457 -#: actions/showgroup.php:256 actions/tagother.php:104 +#: actions/showgroup.php:257 actions/tagother.php:104 #: lib/groupeditform.php:157 lib/userprofile.php:150 msgid "Full name" msgstr "Imię i nazwisko" @@ -3705,8 +3814,9 @@ msgid "Bio" msgstr "O mnie" #. TRANS: Field label in form for profile settings. +#. TRANS: Label for group location (dt). Text hidden by default. #: actions/profilesettings.php:149 actions/register.php:485 -#: actions/showgroup.php:265 actions/tagother.php:112 +#: actions/showgroup.php:267 actions/tagother.php:112 #: actions/userauthorization.php:166 lib/groupeditform.php:177 #: lib/userprofile.php:165 msgid "Location" @@ -4427,7 +4537,8 @@ msgstr "Organizacja" msgid "Description" msgstr "Opis" -#: actions/showapplication.php:192 actions/showgroup.php:442 +#. TRANS: Header for group statistics on a group page (h2). +#: actions/showapplication.php:192 actions/showgroup.php:453 #: lib/profileaction.php:187 msgid "Statistics" msgstr "Statystyki" @@ -4445,6 +4556,11 @@ msgstr "Czynności aplikacji" msgid "Reset key & secret" msgstr "Przywrócenie klucza i sekretu" +#: actions/showapplication.php:252 lib/deletegroupform.php:121 +#: lib/deleteuserform.php:66 lib/noticelist.php:667 +msgid "Delete" +msgstr "Usuń" + #: actions/showapplication.php:261 msgid "Application info" msgstr "Informacje o aplikacji" @@ -4538,77 +4654,106 @@ msgstr "" msgid "This is a way to share what you like." msgstr "To jest sposób na współdzielenie tego, co chcesz." -#: actions/showgroup.php:82 +#. TRANS: Page title for first group page. %s is a group name. +#: actions/showgroup.php:80 #, php-format msgid "%s group" msgstr "Grupa %s" +#. TRANS: Page title for any but first group page. +#. TRANS: %1$s is a group name, $2$s is a page number. #: actions/showgroup.php:84 #, php-format msgid "%1$s group, page %2$d" msgstr "Grupa %1$s, strona %2$d" -#: actions/showgroup.php:227 +#. TRANS: Group profile header (h2). Text hidden by default. +#: actions/showgroup.php:225 msgid "Group profile" msgstr "Profil grupy" -#: actions/showgroup.php:272 actions/tagother.php:118 +#. TRANS: Label for group URL (dt). Text hidden by default. +#: actions/showgroup.php:275 actions/tagother.php:118 #: actions/userauthorization.php:175 lib/userprofile.php:178 msgid "URL" msgstr "Adres URL" -#: actions/showgroup.php:283 actions/tagother.php:128 +#. TRANS: Label for group description or group note (dt). Text hidden by default. +#: actions/showgroup.php:287 actions/tagother.php:128 #: actions/userauthorization.php:187 lib/userprofile.php:195 msgid "Note" msgstr "Wpis" -#: actions/showgroup.php:293 lib/groupeditform.php:184 +#. TRANS: Label for group aliases (dt). Text hidden by default. +#: actions/showgroup.php:298 lib/groupeditform.php:184 msgid "Aliases" msgstr "Aliasy" -#: actions/showgroup.php:302 +#. TRANS: Group actions header (h2). Text hidden by default. +#: actions/showgroup.php:309 msgid "Group actions" msgstr "Działania grupy" -#: actions/showgroup.php:344 +#. TRANS: Tooltip for feed link. %s is a group nickname. +#: actions/showgroup.php:350 #, php-format msgid "Notice feed for %s group (RSS 1.0)" msgstr "Kanał wpisów dla grupy %s (RSS 1.0)" -#: actions/showgroup.php:350 +#. TRANS: Tooltip for feed link. %s is a group nickname. +#: actions/showgroup.php:357 #, php-format msgid "Notice feed for %s group (RSS 2.0)" msgstr "Kanał wpisów dla grupy %s (RSS 2.0)" -#: actions/showgroup.php:356 +#. TRANS: Tooltip for feed link. %s is a group nickname. +#: actions/showgroup.php:364 #, php-format msgid "Notice feed for %s group (Atom)" msgstr "Kanał wpisów dla grupy %s (Atom)" -#: actions/showgroup.php:361 +#. TRANS: Tooltip for feed link. %s is a group nickname. +#: actions/showgroup.php:370 #, php-format msgid "FOAF for %s group" msgstr "FOAF dla grupy %s" -#: actions/showgroup.php:399 actions/showgroup.php:451 +#. TRANS: Header for mini list of group members on a group page (h2). +#: actions/showgroup.php:407 msgid "Members" msgstr "Członkowie" -#: actions/showgroup.php:404 lib/profileaction.php:117 +#. TRANS: Description for mini list of group members on a group page when the group has no members. +#: actions/showgroup.php:413 lib/profileaction.php:117 #: lib/profileaction.php:152 lib/profileaction.php:255 lib/section.php:95 #: lib/subscriptionlist.php:127 lib/tagcloudsection.php:71 msgid "(None)" msgstr "(Brak)" -#: actions/showgroup.php:410 +#. TRANS: Link to all group members from mini list of group members if group has more than n members. +#: actions/showgroup.php:422 msgid "All members" msgstr "Wszyscy członkowie" -#: actions/showgroup.php:445 +#. TRANS: Label for creation date in statistics on group page. +#: actions/showgroup.php:458 +#, fuzzy +msgctxt "LABEL" msgid "Created" msgstr "Utworzono" -#: actions/showgroup.php:461 +#. TRANS: Label for member count in statistics on group page. +#: actions/showgroup.php:466 +#, fuzzy +msgctxt "LABEL" +msgid "Members" +msgstr "Członkowie" + +#. TRANS: Notice on group pages for anonymous users for StatusNet sites that accept new registrations. +#. TRANS: **%s** is the group alias, %%%%site.name%%%% is the site name, +#. TRANS: %%%%action.register%%%% is the URL for registration, %%%%doc.help%%%% is a URL to help. +#. TRANS: This message contains Markdown links. Ensure they are formatted correctly: [Description](link). +#: actions/showgroup.php:481 #, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -4624,7 +4769,10 @@ msgstr "" "action.register%%%%), aby stać się częścią tej grupy i wiele więcej. " "([Przeczytaj więcej](%%%%doc.help%%%%))" -#: actions/showgroup.php:467 +#. TRANS: Notice on group pages for anonymous users for StatusNet sites that accept no new registrations. +#. TRANS: **%s** is the group alias, %%%%site.name%%%% is the site name, +#. TRANS: This message contains Markdown links. Ensure they are formatted correctly: [Description](link). +#: actions/showgroup.php:491 #, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -4637,24 +4785,31 @@ msgstr "" "narzędziu [StatusNet](http://status.net/). Jej członkowie dzielą się " "krótkimi wiadomościami o swoim życiu i zainteresowaniach. " -#: actions/showgroup.php:495 +#. TRANS: Header for list of group administrators on a group page (h2). +#: actions/showgroup.php:520 msgid "Admins" msgstr "Administratorzy" -#: actions/showmessage.php:81 +#. TRANS: Client error displayed requesting a single message that does not exist. +#: actions/showmessage.php:79 msgid "No such message." msgstr "Nie ma takiej wiadomości." -#: actions/showmessage.php:98 +#. TRANS: Client error displayed requesting a single direct message the requesting user was not a party in. +#: actions/showmessage.php:97 msgid "Only the sender and recipient may read this message." msgstr "Tylko nadawca i odbiorca mogą przeczytać tę wiadomość." -#: actions/showmessage.php:108 +#. TRANS: Page title for single direct message display when viewing user is the sender. +#. TRANS: %1$s is the addressed user's nickname, $2$s is a timestamp. +#: actions/showmessage.php:110 #, php-format msgid "Message to %1$s on %2$s" msgstr "Wiadomość do użytkownika %1$s na %2$s" -#: actions/showmessage.php:113 +#. TRANS: Page title for single message display. +#. TRANS: %1$s is the sending user's nickname, $2$s is a timestamp. +#: actions/showmessage.php:118 #, php-format msgid "Message from %1$s on %2$s" msgstr "Wiadomość od użytkownika %1$s na %2$s" @@ -5101,12 +5256,14 @@ msgstr "Migawki będą wysyłane na ten adres URL" msgid "Save snapshot settings" msgstr "Zapisz ustawienia migawki" -#: actions/subedit.php:70 +#. TRANS: Client error displayed trying a change a subscription for a non-subscribed profile. +#: actions/subedit.php:75 msgid "You are not subscribed to that profile." msgstr "Nie jesteś subskrybowany do tego profilu." +#. TRANS: Server error displayed when updating a subscription fails with a database error. #. TRANS: Exception thrown when a subscription could not be stored on the server. -#: actions/subedit.php:83 classes/Subscription.php:136 +#: actions/subedit.php:89 classes/Subscription.php:136 msgid "Could not save subscription." msgstr "Nie można zapisać subskrypcji." @@ -5920,13 +6077,13 @@ msgid "Welcome to %1$s, @%2$s!" msgstr "Witaj w %1$s, @%2$s." #. TRANS: Server exception. -#: classes/User.php:902 +#: classes/User.php:912 msgid "No single user defined for single-user mode." msgstr "" "Nie określono pojedynczego użytkownika dla trybu pojedynczego użytkownika." #. TRANS: Server exception. -#: classes/User.php:906 +#: classes/User.php:916 msgid "Single-user mode code called when not enabled." msgstr "Wywołano kod pojedynczego użytkownika, kiedy nie był włączony." @@ -7096,7 +7253,8 @@ msgstr "Atom" msgid "FOAF" msgstr "FOAF" -#: lib/feedlist.php:65 +#. TRANS: Header for feed links (h2). +#: lib/feedlist.php:66 msgid "Feeds" msgstr "Kanały" @@ -7258,39 +7416,60 @@ msgstr "Ta strona jest niedostępna dla akceptowanego typu medium" msgid "Unsupported image file format." msgstr "Nieobsługiwany format pliku obrazu." -#: lib/imagefile.php:88 +#. TRANS: Exception thrown when too large a file is uploaded. +#. TRANS: %s is the maximum file size, for example "500b", "10kB" or "2MB". +#: lib/imagefile.php:90 #, php-format msgid "That file is too big. The maximum file size is %s." msgstr "Ten plik jest za duży. Maksymalny rozmiar pliku to %s." -#: lib/imagefile.php:93 +#: lib/imagefile.php:95 msgid "Partial upload." msgstr "Częściowo wysłano." #. TRANS: Client exception thrown when a file upload operation has failed with an unknown reason. -#: lib/imagefile.php:101 lib/mediafile.php:179 +#: lib/imagefile.php:103 lib/mediafile.php:179 msgid "System error uploading file." msgstr "Błąd systemu podczas wysyłania pliku." -#: lib/imagefile.php:109 +#: lib/imagefile.php:111 msgid "Not an image or corrupt file." msgstr "To nie jest obraz lub lub plik jest uszkodzony." -#: lib/imagefile.php:122 +#: lib/imagefile.php:124 msgid "Lost our file." msgstr "Utracono plik." -#: lib/imagefile.php:163 lib/imagefile.php:224 +#: lib/imagefile.php:165 lib/imagefile.php:226 msgid "Unknown file type" msgstr "Nieznany typ pliku" -#: lib/imagefile.php:244 -msgid "MB" -msgstr "MB" +#. TRANS: Number of megabytes. %d is the number. +#: lib/imagefile.php:248 +#, fuzzy, php-format +msgid "%dMB" +msgid_plural "%dMB" +msgstr[0] "MB" +msgstr[1] "MB" +msgstr[2] "MB" -#: lib/imagefile.php:246 -msgid "kB" -msgstr "KB" +#. TRANS: Number of kilobytes. %d is the number. +#: lib/imagefile.php:252 +#, fuzzy, php-format +msgid "%dkB" +msgid_plural "%dkB" +msgstr[0] "KB" +msgstr[1] "KB" +msgstr[2] "KB" + +#. TRANS: Number of bytes. %d is the number. +#: lib/imagefile.php:255 +#, php-format +msgid "%dB" +msgid_plural "%dB" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" #: lib/jabber.php:387 #, php-format @@ -8189,6 +8368,13 @@ msgstr "Błąd podczas otwierania archiwum motywu." msgid "Top posters" msgstr "Najczęściej wysyłający wpisy" +#. TRANS: Title for the form to unblock a user. +#: lib/unblockform.php:67 +#, fuzzy +msgctxt "TITLE" +msgid "Unblock" +msgstr "Odblokuj" + #: lib/unsandboxform.php:69 msgid "Unsandbox" msgstr "Usuń ograniczenie" @@ -8376,3 +8562,9 @@ msgstr "Nie podano użytkownika; używanie użytkownika zapasowego." #, php-format msgid "%d entries in backup." msgstr "%d wpisów w kopii zapasowej." + +#~ msgid "Description is too long (max %d chars)." +#~ msgstr "Opis jest za długi (maksymalnie %d znaków)." + +#~ msgid "Too many aliases! Maximum %d." +#~ msgstr "Za dużo aliasów. Maksymalnie %d." diff --git a/locale/pt/LC_MESSAGES/statusnet.po b/locale/pt/LC_MESSAGES/statusnet.po index a150ea6966..be8cae38f5 100644 --- a/locale/pt/LC_MESSAGES/statusnet.po +++ b/locale/pt/LC_MESSAGES/statusnet.po @@ -1,6 +1,7 @@ # Translation of StatusNet - Core to Portuguese (Português) # Expored from translatewiki.net # +# Author: Brion # Author: Gallaecio # Author: Giro720 # Author: Hamilton Abreu @@ -13,17 +14,17 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet - Core\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-10-27 23:43+0000\n" -"PO-Revision-Date: 2010-10-28 23:09:30+0000\n" +"POT-Creation-Date: 2010-10-30 23:18+0000\n" +"PO-Revision-Date: 2010-10-30 23:20:42+0000\n" "Language-Team: Portuguese \n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r75629); Translate extension (2010-09-17)\n" +"X-Generator: MediaWiki 1.17alpha (r75708); Translate extension (2010-09-17)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: pt\n" "X-Message-Group: #out-statusnet-core\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-POT-Import-Date: 2010-10-28 00:13:15+0000\n" +"X-POT-Import-Date: 2010-10-30 09:48:40+0000\n" #. TRANS: Page title for Access admin panel that allows configuring site access. #. TRANS: Menu item for site administration @@ -119,6 +120,7 @@ msgstr "Página não foi encontrada." #. TRANS: Client error displayed when requesting most recent dents by user and friends for a non-existing user. #. TRANS: Client error displayed when requesting most recent mentions for a non-existing user. #. TRANS: Client error displayed requesting most recent notices for a non-existing user. +#. TRANS: Client error displayed trying to get an avatar for a non-existing user. #. TRANS: Error text shown when trying to send a direct message to a user that does not exist. #: actions/all.php:80 actions/apiaccountupdatedeliverydevice.php:110 #: actions/apiaccountupdateprofile.php:103 @@ -131,7 +133,7 @@ msgstr "Página não foi encontrada." #: actions/apistatusesupdate.php:230 actions/apisubscriptions.php:85 #: actions/apitimelinefavorites.php:70 actions/apitimelinefriends.php:173 #: actions/apitimelinehome.php:78 actions/apitimelinementions.php:77 -#: actions/apitimelineuser.php:79 actions/avatarbynickname.php:75 +#: actions/apitimelineuser.php:79 actions/avatarbynickname.php:79 #: 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 @@ -309,11 +311,12 @@ msgstr "Não foi possível actualizar o utilizador." #. TRANS: Client error displayed a user has no profile updating profile colours. #. TRANS: Client error displayed if a user profile could not be found updating a profile image. #. TRANS: Client error displayed when requesting user information for a user without a profile. +#. TRANS: Client error displayed trying to get an avatar for a user without a profile. #: actions/apiaccountupdateprofile.php:111 #: actions/apiaccountupdateprofilebackgroundimage.php:199 #: actions/apiaccountupdateprofilecolors.php:183 #: actions/apiaccountupdateprofileimage.php:130 actions/apiusershow.php:108 -#: actions/avatarbynickname.php:80 actions/foaf.php:65 actions/hcard.php:74 +#: actions/avatarbynickname.php:85 actions/foaf.php:65 actions/hcard.php:74 #: actions/replies.php:80 actions/usergroups.php:100 lib/galleryaction.php:66 #: lib/profileaction.php:84 msgid "User has no profile." @@ -328,7 +331,7 @@ msgstr "Não foi possível gravar o perfil." #. TRANS: %s is the number of bytes of the CONTENT_LENGTH. #: actions/apiaccountupdateprofilebackgroundimage.php:108 #: actions/apiaccountupdateprofileimage.php:95 actions/apimediaupload.php:81 -#: actions/apistatusesupdate.php:210 actions/avatarsettings.php:259 +#: actions/apistatusesupdate.php:210 actions/avatarsettings.php:269 #: actions/designadminpanel.php:125 actions/editapplication.php:121 #: actions/newapplication.php:104 actions/newnotice.php:95 #, fuzzy, php-format @@ -506,43 +509,53 @@ 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." +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. #. TRANS: Validation error in form for profile settings. -#: actions/apigroupcreate.php:165 actions/editgroup.php:186 -#: actions/newgroup.php:126 actions/profilesettings.php:243 +#: actions/apigroupcreate.php:165 actions/editgroup.php:191 +#: actions/newgroup.php:127 actions/profilesettings.php:243 #: actions/register.php:212 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." #. TRANS: Client error trying to create a group with a nickname this is already in use. +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. #. TRANS: Validation error in form for profile settings. -#: actions/apigroupcreate.php:175 actions/editgroup.php:190 -#: actions/newgroup.php:130 actions/profilesettings.php:277 +#: actions/apigroupcreate.php:175 actions/editgroup.php:196 +#: actions/newgroup.php:132 actions/profilesettings.php:277 #: actions/register.php:215 msgid "Nickname already in use. Try another one." msgstr "Utilizador já é usado. Tente outro." #. TRANS: Client error in form for group creation. +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. #. TRANS: Validation error in form for profile settings. -#: actions/apigroupcreate.php:183 actions/editgroup.php:193 -#: actions/newgroup.php:133 actions/profilesettings.php:247 +#: actions/apigroupcreate.php:183 actions/editgroup.php:200 +#: actions/newgroup.php:136 actions/profilesettings.php:247 #: actions/register.php:217 msgid "Not a valid nickname." msgstr "Utilizador não é válido." #. TRANS: Client error in form for group creation. #. TRANS: Validation error shown when providing an invalid homepage URL in the "Edit application" form. +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. #. TRANS: Validation error in form for profile settings. #: actions/apigroupcreate.php:200 actions/editapplication.php:233 -#: actions/editgroup.php:199 actions/newapplication.php:211 -#: actions/newgroup.php:139 actions/profilesettings.php:252 +#: actions/editgroup.php:207 actions/newapplication.php:211 +#: actions/newgroup.php:143 actions/profilesettings.php:252 #: actions/register.php:224 msgid "Homepage is not a valid URL." msgstr "Página de ínicio não é uma URL válida." #. TRANS: Client error in form for group creation. +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. #. TRANS: Validation error in form for profile settings. -#: actions/apigroupcreate.php:210 actions/editgroup.php:202 -#: actions/newgroup.php:142 actions/profilesettings.php:256 +#: actions/apigroupcreate.php:210 actions/editgroup.php:211 +#: actions/newgroup.php:147 actions/profilesettings.php:256 #: actions/register.php:227 #, fuzzy msgid "Full name is too long (maximum 255 characters)." @@ -551,10 +564,11 @@ msgstr "Nome completo demasiado longo (máx. 255 caracteres)." #. TRANS: Client error shown when providing too long a description during group creation. #. TRANS: %d is the maximum number of allowed characters. #. TRANS: Validation error shown when providing too long a description in the "Edit application" form. +#. TRANS: Group edit form validation error. #. TRANS: Form validation error in New application form. #. TRANS: %d is the maximum number of characters for the description. #: actions/apigroupcreate.php:220 actions/editapplication.php:201 -#: actions/newapplication.php:178 +#: actions/editgroup.php:216 actions/newapplication.php:178 #, fuzzy, php-format msgid "Description is too long (maximum %d character)." msgid_plural "Description is too long (maximum %d characters)." @@ -562,9 +576,11 @@ msgstr[0] "Descrição demasiado longa (máx. %d caracteres)." msgstr[1] "Descrição demasiado longa (máx. %d caracteres)." #. TRANS: Client error shown when providing too long a location during group creation. +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. #. TRANS: Validation error in form for profile settings. -#: actions/apigroupcreate.php:234 actions/editgroup.php:208 -#: actions/newgroup.php:153 actions/profilesettings.php:269 +#: actions/apigroupcreate.php:234 actions/editgroup.php:223 +#: actions/newgroup.php:159 actions/profilesettings.php:269 #: actions/register.php:236 #, fuzzy msgid "Location is too long (maximum 255 characters)." @@ -572,7 +588,12 @@ msgstr "Localidade demasiado longa (máx. 255 caracteres)." #. TRANS: Client error shown when providing too many aliases during group creation. #. TRANS: %d is the maximum number of allowed aliases. -#: actions/apigroupcreate.php:255 actions/newgroup.php:166 +#. TRANS: Group edit form validation error. +#. TRANS: %d is the maximum number of allowed aliases. +#. TRANS: Group create form validation error. +#. TRANS: %d is the maximum number of allowed aliases. +#: actions/apigroupcreate.php:255 actions/editgroup.php:236 +#: actions/newgroup.php:172 #, fuzzy, php-format msgid "Too many aliases! Maximum %d allowed." msgid_plural "Too many aliases! Maximum %d allowed." @@ -588,15 +609,19 @@ msgstr "Nome alternativo inválido: \"%s\"" #. TRANS: Client error displayed when trying to use an alias during group creation that is already in use. #. TRANS: %s is the alias that is already in use. -#: actions/apigroupcreate.php:291 actions/editgroup.php:232 -#: actions/newgroup.php:181 +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. +#: actions/apigroupcreate.php:291 actions/editgroup.php:253 +#: actions/newgroup.php:189 #, php-format msgid "Alias \"%s\" already in use. Try another one." msgstr "Nome alternativo \"%s\" já em uso. Tente outro." #. TRANS: Client error displayed when trying to use an alias during group creation that is the same as the group's nickname. -#: actions/apigroupcreate.php:305 actions/editgroup.php:238 -#: actions/newgroup.php:187 +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. +#: actions/apigroupcreate.php:305 actions/editgroup.php:260 +#: actions/newgroup.php:196 msgid "Alias can't be the same as nickname." msgstr "Um nome alternativo não pode ser igual ao nome do utilizador." @@ -702,18 +727,18 @@ msgid "Request token already authorized." msgstr "Não tem autorização." #. TRANS: Form validation error in API OAuth authorisation because of an invalid session token. -#: actions/apioauthauthorize.php:147 actions/avatarsettings.php:270 +#: actions/apioauthauthorize.php:147 actions/avatarsettings.php:280 #: actions/deletenotice.php:172 actions/disfavor.php:74 #: actions/emailsettings.php:271 actions/favor.php:75 actions/geocode.php:55 #: actions/groupblock.php:66 actions/grouplogo.php:312 -#: actions/groupunblock.php:66 actions/imsettings.php:230 +#: actions/groupunblock.php:65 actions/imsettings.php:230 #: actions/invite.php:59 actions/login.php:137 actions/makeadmin.php:66 #: actions/newmessage.php:135 actions/newnotice.php:105 actions/nudge.php:80 #: actions/oauthappssettings.php:165 actions/oauthconnectionssettings.php:138 #: actions/othersettings.php:145 actions/passwordsettings.php:138 #: actions/profilesettings.php:221 actions/recoverpassword.php:350 #: actions/register.php:172 actions/remotesubscribe.php:77 -#: actions/repeat.php:83 actions/smssettings.php:256 actions/subedit.php:38 +#: actions/repeat.php:83 actions/smssettings.php:256 actions/subedit.php:40 #: actions/subscribe.php:86 actions/tagother.php:166 #: actions/unsubscribe.php:69 actions/userauthorization.php:52 #: lib/designsettings.php:294 @@ -732,12 +757,13 @@ msgid "Database error inserting oauth_token_association." msgstr "Erro na base de dados ao inserir o utilizador da aplicação OAuth." #. TRANS: Client error given on when invalid data was passed through a form in the OAuth API. +#. TRANS: Unexpected validation error on avatar upload form. #. TRANS: Client error displayed submitting invalid form data for edit application. #. TRANS: Message given submitting a form with an unknown action in e-mail settings. #. TRANS: Message given submitting a form with an unknown action in IM settings. #. TRANS: Client error when submitting a form with unexpected information. #. TRANS: Message given submitting a form with an unknown action in SMS settings. -#: actions/apioauthauthorize.php:294 actions/avatarsettings.php:283 +#: actions/apioauthauthorize.php:294 actions/avatarsettings.php:294 #: actions/designadminpanel.php:104 actions/editapplication.php:144 #: actions/emailsettings.php:290 actions/grouplogo.php:322 #: actions/imsettings.php:245 actions/newapplication.php:125 @@ -792,6 +818,7 @@ msgstr "Conta" #. TRANS: Field label on OAuth API authorisation form. #. TRANS: Field label in form for profile settings. +#. TRANS: Label for group nickname (dt). Text hidden by default. #: actions/apioauthauthorize.php:459 actions/login.php:252 #: actions/profilesettings.php:110 actions/register.php:433 #: actions/showgroup.php:245 actions/tagother.php:94 @@ -1043,104 +1070,138 @@ msgstr "Método da API em desenvolvimento." msgid "User not found." msgstr "Método da API não encontrado." +#. TRANS: Client error displayed trying to get a non-existing attachment. #: actions/attachment.php:73 msgid "No such attachment." msgstr "Anexo não foi encontrado." -#: actions/avatarbynickname.php:59 actions/blockedfromgroup.php:73 -#: actions/editgroup.php:84 actions/groupdesignsettings.php:84 +#. TRANS: Client error displayed trying to get an avatar without providing a nickname. +#. TRANS: Client error displayed when requesting a list of blocked users for a group without providing a group nickname. +#. TRANS: Client error displayed trying to edit a group while not proving a nickname for the group to edit. +#. TRANS: Client error displayed if no nickname argument was given requesting a group page. +#: actions/avatarbynickname.php:60 actions/blockedfromgroup.php:73 +#: actions/editgroup.php:85 actions/groupdesignsettings.php:84 #: actions/grouplogo.php:86 actions/groupmembers.php:76 #: actions/grouprss.php:91 actions/showgroup.php:121 msgid "No nickname." msgstr "Nome de utilizador não definido." -#: actions/avatarbynickname.php:64 +#. TRANS: Client error displayed trying to get an avatar without providing an avatar size. +#: actions/avatarbynickname.php:66 msgid "No size." msgstr "Tamanho não definido." -#: actions/avatarbynickname.php:69 +#. TRANS: Client error displayed trying to get an avatar providing an invalid avatar size. +#: actions/avatarbynickname.php:72 msgid "Invalid size." msgstr "Tamanho inválido." +#. TRANS: Title for avatar upload page. +#. TRANS: Label for group avatar (dt). Text hidden by default. #. TRANS: Link description in user account settings menu. -#: actions/avatarsettings.php:67 actions/showgroup.php:230 +#: actions/avatarsettings.php:66 actions/showgroup.php:229 #: lib/accountsettingsaction.php:113 msgid "Avatar" msgstr "Avatar" +#. TRANS: Instruction for avatar upload page. +#. TRANS: %s is the maximum file size, for example "500b", "10kB" or "2MB". #: actions/avatarsettings.php:78 #, php-format msgid "You can upload your personal avatar. The maximum file size is %s." msgstr "Pode carregar o seu avatar pessoal. O tamanho máximo do ficheiro é %s." -#: actions/avatarsettings.php:106 actions/avatarsettings.php:185 +#. TRANS: Server error displayed in avatar upload page when no matching profile can be found for a user. +#: actions/avatarsettings.php:108 actions/avatarsettings.php:192 #: actions/grouplogo.php:181 actions/remotesubscribe.php:191 #: actions/userauthorization.php:72 actions/userrss.php:108 msgid "User without matching profile." msgstr "Utilizador sem perfil correspondente." -#: actions/avatarsettings.php:119 actions/avatarsettings.php:197 +#. TRANS: Avatar upload page form legend. +#. TRANS: Avatar upload page crop form legend. +#: actions/avatarsettings.php:122 actions/avatarsettings.php:205 #: actions/grouplogo.php:254 msgid "Avatar settings" msgstr "Configurações do avatar" -#: actions/avatarsettings.php:127 actions/avatarsettings.php:205 +#. TRANS: Header on avatar upload page for thumbnail of originally uploaded avatar (h2). +#. TRANS: Header on avatar upload crop form for thumbnail of originally uploaded avatar (h2). +#: actions/avatarsettings.php:131 actions/avatarsettings.php:214 #: actions/grouplogo.php:202 actions/grouplogo.php:262 msgid "Original" msgstr "Original" -#: actions/avatarsettings.php:142 actions/avatarsettings.php:217 +#. TRANS: Header on avatar upload page for thumbnail of to be used rendition of uploaded avatar (h2). +#. TRANS: Header on avatar upload crop form for thumbnail of to be used rendition of uploaded avatar (h2). +#: actions/avatarsettings.php:147 actions/avatarsettings.php:227 #: actions/grouplogo.php:213 actions/grouplogo.php:274 msgid "Preview" msgstr "Antevisão" -#: actions/avatarsettings.php:149 actions/showapplication.php:252 -#: lib/deletegroupform.php:121 lib/deleteuserform.php:66 -#: lib/noticelist.php:667 +#. TRANS: Button on avatar upload page to delete current avatar. +#: actions/avatarsettings.php:155 +#, fuzzy +msgctxt "BUTTON" msgid "Delete" msgstr "Apagar" -#: actions/avatarsettings.php:166 actions/grouplogo.php:236 +#. TRANS: Button on avatar upload page to upload an avatar. +#: actions/avatarsettings.php:173 +#, fuzzy +msgctxt "BUTTON" msgid "Upload" msgstr "Carregar" -#: actions/avatarsettings.php:231 actions/grouplogo.php:289 +#. TRANS: Button on avatar upload crop form to confirm a selected crop as avatar. +#: actions/avatarsettings.php:243 +#, fuzzy +msgctxt "BUTTON" msgid "Crop" msgstr "Cortar" -#: actions/avatarsettings.php:307 +#. TRANS: Validation error on avatar upload form when no file was uploaded. +#: actions/avatarsettings.php:318 msgid "No file uploaded." msgstr "Não foi carregado nenhum ficheiro." -#: actions/avatarsettings.php:334 +#. TRANS: Avatar upload form unstruction after uploading a file. +#: actions/avatarsettings.php:346 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:349 actions/grouplogo.php:380 +#. TRANS: Server error displayed if an avatar upload went wrong somehow server side. +#: actions/avatarsettings.php:361 actions/grouplogo.php:380 msgid "Lost our file data." msgstr "Perdi os dados do nosso ficheiro." -#: actions/avatarsettings.php:372 +#: actions/avatarsettings.php:384 msgid "Avatar updated." msgstr "Avatar actualizado." -#: actions/avatarsettings.php:375 +#. TRANS: Error displayed on the avatar upload page if the avatar could not be updated for an unknown reason. +#: actions/avatarsettings.php:388 msgid "Failed updating avatar." msgstr "Falha ao actualizar avatar." -#: actions/avatarsettings.php:399 +#. TRANS: Success message for deleting a user avatar. +#: actions/avatarsettings.php:412 msgid "Avatar deleted." msgstr "Avatar apagado." -#: actions/block.php:69 +#. TRANS: Client error displayed when blocking a user that has already been blocked. +#: actions/block.php:68 msgid "You already blocked that user." msgstr "Já bloqueou esse utilizador." -#: actions/block.php:107 actions/block.php:136 actions/groupblock.php:158 +#. TRANS: Title for block user page. +#. TRANS: Legend for block user form. +#: actions/block.php:106 actions/block.php:136 actions/groupblock.php:158 msgid "Block user" msgstr "Bloquear utilizador" -#: actions/block.php:138 +#. TRANS: Explanation of consequences when blocking a user on the block user page. +#: actions/block.php:139 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 " @@ -1156,7 +1217,7 @@ msgstr "" #. TRANS: Button label on the delete notice form. #. TRANS: Button label on the delete user form. #. TRANS: Button label on the form to block a user from a group. -#: actions/block.php:153 actions/deleteapplication.php:154 +#: actions/block.php:154 actions/deleteapplication.php:154 #: actions/deletegroup.php:220 actions/deletenotice.php:150 #: actions/deleteuser.php:152 actions/groupblock.php:178 msgctxt "BUTTON" @@ -1165,7 +1226,7 @@ msgstr "Não" #. TRANS: Submit button title for 'No' when blocking a user. #. TRANS: Submit button title for 'No' when deleting a user. -#: actions/block.php:157 actions/deleteuser.php:156 +#: actions/block.php:158 actions/deleteuser.php:156 msgid "Do not block this user" msgstr "Não bloquear este utilizador" @@ -1175,7 +1236,7 @@ msgstr "Não bloquear este utilizador" #. TRANS: Button label on the delete notice form. #. TRANS: Button label on the delete user form. #. TRANS: Button label on the form to block a user from a group. -#: actions/block.php:160 actions/deleteapplication.php:161 +#: actions/block.php:161 actions/deleteapplication.php:161 #: actions/deletegroup.php:227 actions/deletenotice.php:157 #: actions/deleteuser.php:159 actions/groupblock.php:185 msgctxt "BUTTON" @@ -1184,90 +1245,111 @@ msgstr "Sim" #. TRANS: Submit button title for 'Yes' when blocking a user. #. TRANS: Description of the form to block a user. -#: actions/block.php:164 lib/blockform.php:79 +#: actions/block.php:165 lib/blockform.php:79 msgid "Block this user" msgstr "Bloquear este utilizador" -#: actions/block.php:187 +#. TRANS: Server error displayed when blocking a user fails. +#: actions/block.php:189 msgid "Failed to save block information." msgstr "Não foi possível gravar informação do bloqueio." +#. TRANS: Client error displayed when requesting a list of blocked users for a non-local group. +#. TRANS: Client error displayed when requesting a list of blocked users for a non-existing group. #. TRANS: Client error when trying to delete a non-local group. #. TRANS: Client error when trying to delete a non-existing group. +#. TRANS: Client error displayed trying to edit a non-existing group. +#. TRANS: Client error displayed when trying to unblock a user from a non-existing group. +#. TRANS: Client error displayed if no remote group with a given name was found requesting group page. +#. TRANS: Client error displayed if no local group with a given name was found requesting group page. #. TRANS: Command exception text shown when a group is requested that does not exist. #. TRANS: Error text shown when trying to leave a group that does not exist. -#: actions/blockedfromgroup.php:80 actions/blockedfromgroup.php:87 +#: actions/blockedfromgroup.php:81 actions/blockedfromgroup.php:89 #: actions/deletegroup.php:87 actions/deletegroup.php:100 -#: actions/editgroup.php:100 actions/foafgroup.php:44 actions/foafgroup.php:62 +#: actions/editgroup.php:102 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/groupunblock.php:88 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:168 +#: actions/showgroup.php:139 actions/showgroup.php:148 lib/command.php:168 #: lib/command.php:380 msgid "No such group." msgstr "Grupo não foi encontrado." -#: actions/blockedfromgroup.php:97 +#. TRANS: Title for first page with list of users blocked from a group. +#. TRANS: %s is a group nickname. +#: actions/blockedfromgroup.php:101 #, php-format msgid "%s blocked profiles" msgstr "%s perfis bloqueados" -#: actions/blockedfromgroup.php:100 +#. TRANS: Title for any but the first page with list of users blocked from a group. +#. TRANS: %1$s is a group nickname, %2$d is a page number. +#: actions/blockedfromgroup.php:106 #, php-format msgid "%1$s blocked profiles, page %2$d" msgstr "Perfis bloqueados de %1$s, página %2$d" -#: actions/blockedfromgroup.php:115 +#. TRANS: Instructions for list of users blocked from a group. +#: actions/blockedfromgroup.php:122 msgid "A list of the users blocked from joining this group." msgstr "Uma lista dos utilizadores com entrada bloqueada neste grupo." -#: actions/blockedfromgroup.php:288 +#. TRANS: Form legend for unblocking a user from a group. +#: actions/blockedfromgroup.php:291 msgid "Unblock user from group" msgstr "Desbloquear utilizador do grupo" -#. TRANS: Title for the form to unblock a user. -#: actions/blockedfromgroup.php:320 lib/unblockform.php:70 +#. TRANS: Button text for unblocking a user from a group. +#: actions/blockedfromgroup.php:323 +#, fuzzy +msgctxt "BUTTON" msgid "Unblock" msgstr "Desbloquear" +#. TRANS: Tooltip for button for unblocking a user from a group. #. TRANS: Description of the form to unblock a user. -#: actions/blockedfromgroup.php:320 lib/unblockform.php:82 +#: actions/blockedfromgroup.php:327 lib/unblockform.php:78 msgid "Unblock this user" msgstr "Desbloquear este utilizador" #. TRANS: Title for mini-posting window loaded from bookmarklet. +#. TRANS: %s is the StatusNet site name. #: actions/bookmarklet.php:51 #, php-format msgid "Post to %s" msgstr "Publicar em %s" -#: actions/confirmaddress.php:75 +#. TRANS: Client error displayed when not providing a confirmation code in the contact address confirmation action. +#: actions/confirmaddress.php:74 msgid "No confirmation code." msgstr "Sem código de confimação." +#. TRANS: Client error displayed when providing a non-existing confirmation code in the contact address confirmation action. #: actions/confirmaddress.php:80 msgid "Confirmation code not found." msgstr "Código de confirmação não encontrado" -#: actions/confirmaddress.php:85 +#. TRANS: Client error displayed when not providing a confirmation code for another user in the contact address confirmation action. +#: actions/confirmaddress.php:86 msgid "That confirmation code is not for you!" msgstr "Esse código de confirmação não é para si!" -#. TRANS: Server error for an unknow address type, which can be 'email', 'jabber', or 'sms'. -#: actions/confirmaddress.php:91 +#. TRANS: Server error for a unknow address type %s, which can be 'email', 'jabber', or 'sms'. +#: actions/confirmaddress.php:92 #, php-format msgid "Unrecognized address type %s." msgstr "Tipo do endereço %s não reconhecido." -#. TRANS: Client error for an already confirmed email/jabbel/sms address. -#: actions/confirmaddress.php:96 +#. TRANS: Client error for an already confirmed email/jabber/sms address. +#: actions/confirmaddress.php:97 msgid "That address has already been confirmed." msgstr "Esse endereço já tinha sido confirmado." +#. TRANS: Server error displayed when a user update to the database fails in the contact address confirmation action. #. TRANS: Server error thrown on database error updating e-mail preferences. #. TRANS: Server error thrown on database error removing a registered e-mail address. #. TRANS: Server error thrown on database error updating IM preferences. @@ -1275,7 +1357,7 @@ msgstr "Esse endereço já tinha sido confirmado." #. TRANS: Server error thrown when user profile settings could not be updated. #. TRANS: Server error thrown on database error updating SMS preferences. #. TRANS: Server error thrown on database error removing a registered SMS phone number. -#: actions/confirmaddress.php:116 actions/emailsettings.php:331 +#: actions/confirmaddress.php:118 actions/emailsettings.php:331 #: actions/emailsettings.php:477 actions/imsettings.php:283 #: actions/imsettings.php:442 actions/othersettings.php:174 #: actions/profilesettings.php:326 actions/smssettings.php:308 @@ -1283,27 +1365,32 @@ msgstr "Esse endereço já tinha sido confirmado." msgid "Couldn't update user." msgstr "Não foi possível actualizar o utilizador." -#. TRANS: Server error thrown on database error canceling e-mail address confirmation. -#. TRANS: Server error thrown on database error canceling SMS phone number confirmation. -#: actions/confirmaddress.php:128 actions/emailsettings.php:437 -#: actions/smssettings.php:422 -msgid "Couldn't delete email confirmation." -msgstr "Não foi possível apagar a confirmação do endereço electrónico." +#. TRANS: Server error displayed when an address confirmation code deletion from the +#. TRANS: database fails in the contact address confirmation action. +#: actions/confirmaddress.php:132 +#, fuzzy +msgid "Could not delete address confirmation." +msgstr "Não foi possível apagar a confirmação do mensageiro instantâneo." -#: actions/confirmaddress.php:146 +#. TRANS: Title for the contact address confirmation action. +#: actions/confirmaddress.php:150 msgid "Confirm address" msgstr "Confirmar endereço" -#: actions/confirmaddress.php:161 +#. TRANS: Success message for the contact address confirmation action. +#. TRANS: %s can be 'email', 'jabber', or 'sms'. +#: actions/confirmaddress.php:166 #, php-format msgid "The address \"%s\" has been confirmed for your account." msgstr "O endereço \"%s\" foi confirmado para a sua conta." -#: actions/conversation.php:99 +#. TRANS: Title for page with a conversion (multiple notices in context). +#: actions/conversation.php:96 msgid "Conversation" msgstr "Conversação" -#: actions/conversation.php:154 lib/mailbox.php:116 lib/noticelist.php:87 +#. TRANS: Header on conversation page. Hidden by default (h2). +#: actions/conversation.php:149 lib/mailbox.php:116 lib/noticelist.php:87 #: lib/profileaction.php:229 lib/searchgroupnav.php:82 msgid "Notices" msgstr "Notas" @@ -1414,11 +1501,13 @@ msgstr "Não apagar esta nota" msgid "Delete this group" msgstr "Apagar este utilizador" +#. TRANS: Client error displayed when trying to unblock a user from a group while not logged in. +#. TRANS: Client error displayed trying a change a subscription while not logged in. #. TRANS: Client error message thrown when trying to access the admin panel while not logged in. #: actions/deletenotice.php:50 actions/disfavor.php:61 actions/favor.php:62 -#: actions/groupblock.php:61 actions/groupunblock.php:61 actions/logout.php:69 +#: actions/groupblock.php:61 actions/groupunblock.php:60 actions/logout.php:69 #: actions/makeadmin.php:61 actions/newmessage.php:87 actions/newnotice.php:88 -#: actions/nudge.php:63 actions/subedit.php:31 actions/subscribe.php:96 +#: actions/nudge.php:63 actions/subedit.php:33 actions/subscribe.php:96 #: actions/tagother.php:33 actions/unsubscribe.php:52 #: lib/adminpanelaction.php:71 lib/profileformaction.php:64 #: lib/settingsaction.php:72 @@ -1724,49 +1813,49 @@ msgstr "A URL de callback é inválida." msgid "Could not update application." msgstr "Não foi possível actualizar a aplicação." -#: actions/editgroup.php:56 +#. TRANS: Title for form to edit a group. %s is a group nickname. +#: actions/editgroup.php:55 #, php-format msgid "Edit %s group" msgstr "Editar grupo %s" +#. TRANS: Client error displayed trying to edit a group while not logged in. +#. TRANS: Client error displayed trying to create a group while not logged in. #: actions/editgroup.php:68 actions/grouplogo.php:70 actions/newgroup.php:65 msgid "You must be logged in to create a group." msgstr "Tem de iniciar uma sessão para criar o grupo." -#: actions/editgroup.php:107 actions/editgroup.php:172 +#. TRANS: Client error displayed trying to edit a group while not being a group admin. +#: actions/editgroup.php:110 actions/editgroup.php:176 #: 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:158 +#. TRANS: Form instructions for group edit form. +#: actions/editgroup.php:161 msgid "Use this form to edit the group." msgstr "Use este formulário para editar o grupo." -#: actions/editgroup.php:205 -#, php-format -msgid "Description is too long (max %d chars)." -msgstr "Descrição demasiado longa (máx. %d caracteres)." - -#: actions/editgroup.php:219 -#, php-format -msgid "Too many aliases! Maximum %d." -msgstr "Demasiados nomes alternativos! Máx. %d." - -#: actions/editgroup.php:228 actions/newgroup.php:177 +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. +#: actions/editgroup.php:248 actions/newgroup.php:184 #, php-format msgid "Invalid alias: \"%s\"" msgstr "Nome alternativo inválido: \"%s\"" -#: actions/editgroup.php:258 +#. TRANS: Server error displayed when editing a group fails. +#: actions/editgroup.php:281 msgid "Could not update group." msgstr "Não foi possível actualizar o grupo." +#. TRANS: Server error displayed when group aliases could not be added. #. TRANS: Server exception thrown when creating group aliases failed. -#: actions/editgroup.php:264 classes/User_group.php:513 +#: actions/editgroup.php:288 classes/User_group.php:513 msgid "Could not create aliases." msgstr "Não foi possível criar os nomes alternativos." -#: actions/editgroup.php:280 +#. TRANS: Group edit form success message. +#: actions/editgroup.php:305 msgid "Options saved." msgstr "Opções gravadas." @@ -1963,6 +2052,12 @@ msgstr "Nenhuma confirmação pendente para cancelar." msgid "That is the wrong email address." msgstr "Esse endereço de correio electrónico está errado." +#. TRANS: Server error thrown on database error canceling e-mail address confirmation. +#. TRANS: Server error thrown on database error canceling SMS phone number confirmation. +#: actions/emailsettings.php:437 actions/smssettings.php:422 +msgid "Couldn't delete email confirmation." +msgstr "Não foi possível apagar a confirmação do endereço electrónico." + #. TRANS: Message given after successfully canceling e-mail address confirmation. #: actions/emailsettings.php:442 msgid "Email confirmation cancelled." @@ -2142,19 +2237,23 @@ msgstr "Não pode atribuir funções aos utilizadores neste site." msgid "User already has this role." msgstr "O utilizador já tem esta função." +#. TRANS: Client error displayed when trying to unblock a user from a group without providing a profile. +#. TRANS: Client error displayed trying a change a subscription without providing a profile. #: actions/groupblock.php:71 actions/groupunblock.php:71 -#: actions/makeadmin.php:71 actions/subedit.php:46 +#: actions/makeadmin.php:71 actions/subedit.php:49 #: lib/profileformaction.php:79 msgid "No profile specified." msgstr "Não foi especificado um perfil." -#: actions/groupblock.php:76 actions/groupunblock.php:76 -#: actions/makeadmin.php:76 actions/subedit.php:53 actions/tagother.php:46 +#. TRANS: Client error displayed when trying to unblock a user from a group without providing an existing profile. +#. TRANS: Client error displayed trying a change a subscription for a non-existant profile ID. +#: actions/groupblock.php:76 actions/groupunblock.php:77 +#: actions/makeadmin.php:76 actions/subedit.php:57 actions/tagother.php:46 #: actions/unsubscribe.php:84 lib/profileformaction.php:86 msgid "No profile with that ID." msgstr "Não foi encontrado um perfil com essa identificação." -#: actions/groupblock.php:81 actions/groupunblock.php:81 +#: actions/groupblock.php:81 actions/groupunblock.php:82 #: actions/makeadmin.php:81 msgid "No group specified." msgstr "Não foi especificado um grupo." @@ -2241,6 +2340,14 @@ msgstr "" "Pode carregar uma imagem para logotipo do seu grupo. O tamanho máximo do " "ficheiro é %s." +#: actions/grouplogo.php:236 +msgid "Upload" +msgstr "Carregar" + +#: actions/grouplogo.php:289 +msgid "Crop" +msgstr "Cortar" + #: 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." @@ -2383,15 +2490,18 @@ msgstr "" "Podia [registar uma conta](%%action.register%%) e [criar o grupo](%%action." "newgroup%%) você mesmo!" -#: actions/groupunblock.php:91 +#. TRANS: Client error displayed when trying to unblock a user from a group without being an administrator for the group. +#: actions/groupunblock.php:94 msgid "Only an admin can unblock group members." msgstr "Só um gestor pode desbloquear membros de um grupo." -#: actions/groupunblock.php:95 +#. TRANS: Client error displayed when trying to unblock a non-blocked user from a group. +#: actions/groupunblock.php:99 msgid "User is not blocked from group." msgstr "Acesso do utilizador ao grupo não foi bloqueado." -#: actions/groupunblock.php:128 actions/unblock.php:86 +#. TRANS: Server error displayed when unblocking a user from a group fails because of an unknown error. +#: actions/groupunblock.php:131 actions/unblock.php:86 msgid "Error removing the block." msgstr "Erro ao remover o bloqueio." @@ -2984,10 +3094,12 @@ msgstr "Organização é demasiado longa (máx. 255 caracteres)." msgid "Could not create application." msgstr "Não foi possível criar a aplicação." +#. TRANS: Title for form to create a group. #: actions/newgroup.php:53 msgid "New group" msgstr "Grupo novo" +#. TRANS: Form instructions for group create form. #: actions/newgroup.php:110 msgid "Use this form to create a new group." msgstr "Use este formulário para criar um grupo novo." @@ -3691,8 +3803,9 @@ 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" #. TRANS: Field label in form for profile settings. +#. TRANS: Label for full group name (dt). Text hidden by default. #: actions/profilesettings.php:117 actions/register.php:457 -#: actions/showgroup.php:256 actions/tagother.php:104 +#: actions/showgroup.php:257 actions/tagother.php:104 #: lib/groupeditform.php:157 lib/userprofile.php:150 msgid "Full name" msgstr "Nome completo" @@ -3732,8 +3845,9 @@ msgid "Bio" msgstr "Biografia" #. TRANS: Field label in form for profile settings. +#. TRANS: Label for group location (dt). Text hidden by default. #: actions/profilesettings.php:149 actions/register.php:485 -#: actions/showgroup.php:265 actions/tagother.php:112 +#: actions/showgroup.php:267 actions/tagother.php:112 #: actions/userauthorization.php:166 lib/groupeditform.php:177 #: lib/userprofile.php:165 msgid "Location" @@ -4460,7 +4574,8 @@ msgstr "Organização" msgid "Description" msgstr "Descrição" -#: actions/showapplication.php:192 actions/showgroup.php:442 +#. TRANS: Header for group statistics on a group page (h2). +#: actions/showapplication.php:192 actions/showgroup.php:453 #: lib/profileaction.php:187 msgid "Statistics" msgstr "Estatísticas" @@ -4478,6 +4593,11 @@ msgstr "Operações da aplicação" msgid "Reset key & secret" msgstr "Reiniciar chave e segredo" +#: actions/showapplication.php:252 lib/deletegroupform.php:121 +#: lib/deleteuserform.php:66 lib/noticelist.php:667 +msgid "Delete" +msgstr "Apagar" + #: actions/showapplication.php:261 msgid "Application info" msgstr "Informação da aplicação" @@ -4572,77 +4692,106 @@ msgstr "" msgid "This is a way to share what you like." msgstr "Esta é uma forma de partilhar aquilo de que gosta." -#: actions/showgroup.php:82 +#. TRANS: Page title for first group page. %s is a group name. +#: actions/showgroup.php:80 #, php-format msgid "%s group" msgstr "Grupo %s" +#. TRANS: Page title for any but first group page. +#. TRANS: %1$s is a group name, $2$s is a page number. #: actions/showgroup.php:84 #, php-format msgid "%1$s group, page %2$d" msgstr "Grupo %1$s, página %2$d" -#: actions/showgroup.php:227 +#. TRANS: Group profile header (h2). Text hidden by default. +#: actions/showgroup.php:225 msgid "Group profile" msgstr "Perfil do grupo" -#: actions/showgroup.php:272 actions/tagother.php:118 +#. TRANS: Label for group URL (dt). Text hidden by default. +#: actions/showgroup.php:275 actions/tagother.php:118 #: actions/userauthorization.php:175 lib/userprofile.php:178 msgid "URL" msgstr "URL" -#: actions/showgroup.php:283 actions/tagother.php:128 +#. TRANS: Label for group description or group note (dt). Text hidden by default. +#: actions/showgroup.php:287 actions/tagother.php:128 #: actions/userauthorization.php:187 lib/userprofile.php:195 msgid "Note" msgstr "Anotação" -#: actions/showgroup.php:293 lib/groupeditform.php:184 +#. TRANS: Label for group aliases (dt). Text hidden by default. +#: actions/showgroup.php:298 lib/groupeditform.php:184 msgid "Aliases" msgstr "Nomes alternativos" -#: actions/showgroup.php:302 +#. TRANS: Group actions header (h2). Text hidden by default. +#: actions/showgroup.php:309 msgid "Group actions" msgstr "Acções do grupo" -#: actions/showgroup.php:344 +#. TRANS: Tooltip for feed link. %s is a group nickname. +#: actions/showgroup.php:350 #, php-format msgid "Notice feed for %s group (RSS 1.0)" msgstr "Fonte de notas do grupo %s (RSS 1.0)" -#: actions/showgroup.php:350 +#. TRANS: Tooltip for feed link. %s is a group nickname. +#: actions/showgroup.php:357 #, php-format msgid "Notice feed for %s group (RSS 2.0)" msgstr "Fonte de notas do grupo %s (RSS 2.0)" -#: actions/showgroup.php:356 +#. TRANS: Tooltip for feed link. %s is a group nickname. +#: actions/showgroup.php:364 #, php-format msgid "Notice feed for %s group (Atom)" msgstr "Fonte de notas do grupo %s (Atom)" -#: actions/showgroup.php:361 +#. TRANS: Tooltip for feed link. %s is a group nickname. +#: actions/showgroup.php:370 #, php-format msgid "FOAF for %s group" msgstr "FOAF do grupo %s" -#: actions/showgroup.php:399 actions/showgroup.php:451 +#. TRANS: Header for mini list of group members on a group page (h2). +#: actions/showgroup.php:407 msgid "Members" msgstr "Membros" -#: actions/showgroup.php:404 lib/profileaction.php:117 +#. TRANS: Description for mini list of group members on a group page when the group has no members. +#: actions/showgroup.php:413 lib/profileaction.php:117 #: lib/profileaction.php:152 lib/profileaction.php:255 lib/section.php:95 #: lib/subscriptionlist.php:127 lib/tagcloudsection.php:71 msgid "(None)" msgstr "(Nenhum)" -#: actions/showgroup.php:410 +#. TRANS: Link to all group members from mini list of group members if group has more than n members. +#: actions/showgroup.php:422 msgid "All members" msgstr "Todos os membros" -#: actions/showgroup.php:445 +#. TRANS: Label for creation date in statistics on group page. +#: actions/showgroup.php:458 +#, fuzzy +msgctxt "LABEL" msgid "Created" msgstr "Criado" -#: actions/showgroup.php:461 +#. TRANS: Label for member count in statistics on group page. +#: actions/showgroup.php:466 +#, fuzzy +msgctxt "LABEL" +msgid "Members" +msgstr "Membros" + +#. TRANS: Notice on group pages for anonymous users for StatusNet sites that accept new registrations. +#. TRANS: **%s** is the group alias, %%%%site.name%%%% is the site name, +#. TRANS: %%%%action.register%%%% is the URL for registration, %%%%doc.help%%%% is a URL to help. +#. TRANS: This message contains Markdown links. Ensure they are formatted correctly: [Description](link). +#: actions/showgroup.php:481 #, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -4651,14 +4800,17 @@ msgid "" "their life and interests. [Join now](%%%%action.register%%%%) to become part " "of this group and many more! ([Read more](%%%%doc.help%%%%))" msgstr "" -"**%s** é um grupo de utilizadores no site %%site.name%%, um serviço de " +"**%s** é um grupo de utilizadores no site %%%%site.name%%%%, um serviço de " "[microblogues](http://en.wikipedia.org/wiki/Micro-blogging) baseado no " "programa de Software Livre [StatusNet](http://status.net/). Os membros deste " "grupo partilham mensagens curtas acerca das suas vidas e interesses. " -"[Registe-se agora](%%action.register%%) para se juntar a este grupo e a " -"muitos mais! ([Saber mais](%%doc.help%%))" +"[Registe-se agora](%%%%action.register%%%%) para se juntar a este grupo e a " +"muitos mais! ([Saber mais](%%%%doc.help%%%%))" -#: actions/showgroup.php:467 +#. TRANS: Notice on group pages for anonymous users for StatusNet sites that accept no new registrations. +#. TRANS: **%s** is the group alias, %%%%site.name%%%% is the site name, +#. TRANS: This message contains Markdown links. Ensure they are formatted correctly: [Description](link). +#: actions/showgroup.php:491 #, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -4666,29 +4818,36 @@ msgid "" "[StatusNet](http://status.net/) tool. Its members share short messages about " "their life and interests. " msgstr "" -"**%s** é um grupo de utilizadores no site %%site.name%%, um serviço de " +"**%s** é um grupo de utilizadores no site %%%%site.name%%%%, um serviço de " "[microblogues](http://en.wikipedia.org/wiki/Micro-blogging) baseado no " "programa de Software Livre [StatusNet](http://status.net/). Os membros deste " "grupo partilham mensagens curtas acerca das suas vidas e interesses. " -#: actions/showgroup.php:495 +#. TRANS: Header for list of group administrators on a group page (h2). +#: actions/showgroup.php:520 msgid "Admins" msgstr "Gestores" -#: actions/showmessage.php:81 +#. TRANS: Client error displayed requesting a single message that does not exist. +#: actions/showmessage.php:79 msgid "No such message." msgstr "Mensagem não foi encontrada." -#: actions/showmessage.php:98 +#. TRANS: Client error displayed requesting a single direct message the requesting user was not a party in. +#: actions/showmessage.php:97 msgid "Only the sender and recipient may read this message." msgstr "Só o remetente e o destinatário podem ler esta mensagem." -#: actions/showmessage.php:108 +#. TRANS: Page title for single direct message display when viewing user is the sender. +#. TRANS: %1$s is the addressed user's nickname, $2$s is a timestamp. +#: actions/showmessage.php:110 #, php-format msgid "Message to %1$s on %2$s" msgstr "Mensagem para %1$s a %2$s" -#: actions/showmessage.php:113 +#. TRANS: Page title for single message display. +#. TRANS: %1$s is the sending user's nickname, $2$s is a timestamp. +#: actions/showmessage.php:118 #, php-format msgid "Message from %1$s on %2$s" msgstr "Mensagem de %1$s a %2$s" @@ -4762,11 +4921,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** tem uma conta no site %%site.name%%, um serviço de [microblogues]" +"**%s** tem uma conta no site %%%%site.name%%%%, um serviço de [microblogues]" "(http://en.wikipedia.org/wiki/Micro-blogging) baseado no programa de " -"Software Livre [StatusNet](http://status.net/). [Registe-se agora](%%action." -"register%%) para seguir as notas de **%s** e de muitos mais! ([Saber mais](%%" -"doc.help%%))" +"Software Livre [StatusNet](http://status.net/). [Registe-se agora](%%%%" +"action.register%%%%) para seguir as notas de **%s** e de muitos mais! " +"([Saber mais](%%%%doc.help%%%%))" #: actions/showstream.php:248 #, php-format @@ -4775,7 +4934,7 @@ msgid "" "wikipedia.org/wiki/Micro-blogging) service based on the Free Software " "[StatusNet](http://status.net/) tool. " msgstr "" -"**%s** tem uma conta no site %%site.name%%, um serviço de [microblogues]" +"**%s** tem uma conta no site %%%%site.name%%%%, um serviço de [microblogues]" "(http://en.wikipedia.org/wiki/Micro-blogging) baseado no programa de " "Software Livre [StatusNet](http://status.net/). " @@ -5134,12 +5293,14 @@ msgstr "Instantâneos serão enviados para esta URL" msgid "Save snapshot settings" msgstr "Gravar configurações do instantâneo" -#: actions/subedit.php:70 +#. TRANS: Client error displayed trying a change a subscription for a non-subscribed profile. +#: actions/subedit.php:75 msgid "You are not subscribed to that profile." msgstr "Não subscreveu esse perfil." +#. TRANS: Server error displayed when updating a subscription fails with a database error. #. TRANS: Exception thrown when a subscription could not be stored on the server. -#: actions/subedit.php:83 classes/Subscription.php:136 +#: actions/subedit.php:89 classes/Subscription.php:136 msgid "Could not save subscription." msgstr "Não foi possível gravar a subscrição." @@ -5951,12 +6112,12 @@ msgid "Welcome to %1$s, @%2$s!" msgstr "%1$s dá-lhe as boas-vindas, @%2$s!" #. TRANS: Server exception. -#: classes/User.php:902 +#: classes/User.php:912 msgid "No single user defined for single-user mode." msgstr "Nenhum utilizador único definido para o modo de utilizador único." #. TRANS: Server exception. -#: classes/User.php:906 +#: classes/User.php:916 msgid "Single-user mode code called when not enabled." msgstr "" @@ -7125,7 +7286,8 @@ msgstr "Atom" msgid "FOAF" msgstr "FOAF" -#: lib/feedlist.php:65 +#. TRANS: Header for feed links (h2). +#: lib/feedlist.php:66 msgid "Feeds" msgstr "" @@ -7284,39 +7446,57 @@ msgstr "Esta página não está disponível num formato que você aceite" msgid "Unsupported image file format." msgstr "Formato do ficheiro da imagem não é suportado." -#: lib/imagefile.php:88 +#. TRANS: Exception thrown when too large a file is uploaded. +#. TRANS: %s is the maximum file size, for example "500b", "10kB" or "2MB". +#: lib/imagefile.php:90 #, php-format msgid "That file is too big. The maximum file size is %s." msgstr "Esse ficheiro é demasiado grande. O tamanho máximo de ficheiro é %s." -#: lib/imagefile.php:93 +#: lib/imagefile.php:95 msgid "Partial upload." msgstr "Transferência parcial." #. TRANS: Client exception thrown when a file upload operation has failed with an unknown reason. -#: lib/imagefile.php:101 lib/mediafile.php:179 +#: lib/imagefile.php:103 lib/mediafile.php:179 msgid "System error uploading file." msgstr "Ocorreu um erro de sistema ao transferir o ficheiro." -#: lib/imagefile.php:109 +#: lib/imagefile.php:111 msgid "Not an image or corrupt file." msgstr "Ficheiro não é uma imagem ou está corrompido." -#: lib/imagefile.php:122 +#: lib/imagefile.php:124 msgid "Lost our file." msgstr "Perdi o nosso ficheiro." -#: lib/imagefile.php:163 lib/imagefile.php:224 +#: lib/imagefile.php:165 lib/imagefile.php:226 msgid "Unknown file type" msgstr "Tipo do ficheiro é desconhecido" -#: lib/imagefile.php:244 -msgid "MB" -msgstr "MB" +#. TRANS: Number of megabytes. %d is the number. +#: lib/imagefile.php:248 +#, fuzzy, php-format +msgid "%dMB" +msgid_plural "%dMB" +msgstr[0] "MB" +msgstr[1] "MB" -#: lib/imagefile.php:246 -msgid "kB" -msgstr "kB" +#. TRANS: Number of kilobytes. %d is the number. +#: lib/imagefile.php:252 +#, fuzzy, php-format +msgid "%dkB" +msgid_plural "%dkB" +msgstr[0] "kB" +msgstr[1] "kB" + +#. TRANS: Number of bytes. %d is the number. +#: lib/imagefile.php:255 +#, php-format +msgid "%dB" +msgid_plural "%dB" +msgstr[0] "" +msgstr[1] "" #: lib/jabber.php:387 #, php-format @@ -8216,6 +8396,13 @@ msgstr "Ocorreu um erro ao abrir o arquivo do tema." msgid "Top posters" msgstr "Quem mais publica" +#. TRANS: Title for the form to unblock a user. +#: lib/unblockform.php:67 +#, fuzzy +msgctxt "TITLE" +msgid "Unblock" +msgstr "Desbloquear" + #: lib/unsandboxform.php:69 msgid "Unsandbox" msgstr "Permitir notas públicas" @@ -8396,3 +8583,9 @@ msgstr "Não foi especificado um ID de utilizador." #, php-format msgid "%d entries in backup." msgstr "" + +#~ msgid "Description is too long (max %d chars)." +#~ msgstr "Descrição demasiado longa (máx. %d caracteres)." + +#~ msgid "Too many aliases! Maximum %d." +#~ msgstr "Demasiados nomes alternativos! Máx. %d." diff --git a/locale/pt_BR/LC_MESSAGES/statusnet.po b/locale/pt_BR/LC_MESSAGES/statusnet.po index f27f3c76d7..c884667c1e 100644 --- a/locale/pt_BR/LC_MESSAGES/statusnet.po +++ b/locale/pt_BR/LC_MESSAGES/statusnet.po @@ -15,18 +15,18 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet - Core\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-10-27 23:43+0000\n" -"PO-Revision-Date: 2010-10-28 23:09:32+0000\n" +"POT-Creation-Date: 2010-10-30 23:18+0000\n" +"PO-Revision-Date: 2010-10-30 23:20: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.17alpha (r75629); Translate extension (2010-09-17)\n" +"X-Generator: MediaWiki 1.17alpha (r75708); Translate extension (2010-09-17)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: pt-br\n" "X-Message-Group: #out-statusnet-core\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" -"X-POT-Import-Date: 2010-10-28 00:13:15+0000\n" +"X-POT-Import-Date: 2010-10-30 09:48:40+0000\n" #. TRANS: Page title for Access admin panel that allows configuring site access. #. TRANS: Menu item for site administration @@ -122,6 +122,7 @@ msgstr "Esta página não existe." #. TRANS: Client error displayed when requesting most recent dents by user and friends for a non-existing user. #. TRANS: Client error displayed when requesting most recent mentions for a non-existing user. #. TRANS: Client error displayed requesting most recent notices for a non-existing user. +#. TRANS: Client error displayed trying to get an avatar for a non-existing user. #. TRANS: Error text shown when trying to send a direct message to a user that does not exist. #: actions/all.php:80 actions/apiaccountupdatedeliverydevice.php:110 #: actions/apiaccountupdateprofile.php:103 @@ -134,7 +135,7 @@ msgstr "Esta página não existe." #: actions/apistatusesupdate.php:230 actions/apisubscriptions.php:85 #: actions/apitimelinefavorites.php:70 actions/apitimelinefriends.php:173 #: actions/apitimelinehome.php:78 actions/apitimelinementions.php:77 -#: actions/apitimelineuser.php:79 actions/avatarbynickname.php:75 +#: actions/apitimelineuser.php:79 actions/avatarbynickname.php:79 #: 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 @@ -314,11 +315,12 @@ msgstr "Não foi possível atualizar o usuário." #. TRANS: Client error displayed a user has no profile updating profile colours. #. TRANS: Client error displayed if a user profile could not be found updating a profile image. #. TRANS: Client error displayed when requesting user information for a user without a profile. +#. TRANS: Client error displayed trying to get an avatar for a user without a profile. #: actions/apiaccountupdateprofile.php:111 #: actions/apiaccountupdateprofilebackgroundimage.php:199 #: actions/apiaccountupdateprofilecolors.php:183 #: actions/apiaccountupdateprofileimage.php:130 actions/apiusershow.php:108 -#: actions/avatarbynickname.php:80 actions/foaf.php:65 actions/hcard.php:74 +#: actions/avatarbynickname.php:85 actions/foaf.php:65 actions/hcard.php:74 #: actions/replies.php:80 actions/usergroups.php:100 lib/galleryaction.php:66 #: lib/profileaction.php:84 msgid "User has no profile." @@ -333,7 +335,7 @@ msgstr "Não foi possível salvar o perfil." #. TRANS: %s is the number of bytes of the CONTENT_LENGTH. #: actions/apiaccountupdateprofilebackgroundimage.php:108 #: actions/apiaccountupdateprofileimage.php:95 actions/apimediaupload.php:81 -#: actions/apistatusesupdate.php:210 actions/avatarsettings.php:259 +#: actions/apistatusesupdate.php:210 actions/avatarsettings.php:269 #: actions/designadminpanel.php:125 actions/editapplication.php:121 #: actions/newapplication.php:104 actions/newnotice.php:95 #, fuzzy, php-format @@ -515,9 +517,11 @@ 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." +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. #. TRANS: Validation error in form for profile settings. -#: actions/apigroupcreate.php:165 actions/editgroup.php:186 -#: actions/newgroup.php:126 actions/profilesettings.php:243 +#: actions/apigroupcreate.php:165 actions/editgroup.php:191 +#: actions/newgroup.php:127 actions/profilesettings.php:243 #: actions/register.php:212 msgid "Nickname must have only lowercase letters and numbers and no spaces." msgstr "" @@ -525,35 +529,43 @@ msgstr "" "ter e espaços." #. TRANS: Client error trying to create a group with a nickname this is already in use. +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. #. TRANS: Validation error in form for profile settings. -#: actions/apigroupcreate.php:175 actions/editgroup.php:190 -#: actions/newgroup.php:130 actions/profilesettings.php:277 +#: actions/apigroupcreate.php:175 actions/editgroup.php:196 +#: actions/newgroup.php:132 actions/profilesettings.php:277 #: actions/register.php:215 msgid "Nickname already in use. Try another one." msgstr "Esta identificação já está em uso. Tente outro." #. TRANS: Client error in form for group creation. +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. #. TRANS: Validation error in form for profile settings. -#: actions/apigroupcreate.php:183 actions/editgroup.php:193 -#: actions/newgroup.php:133 actions/profilesettings.php:247 +#: actions/apigroupcreate.php:183 actions/editgroup.php:200 +#: actions/newgroup.php:136 actions/profilesettings.php:247 #: actions/register.php:217 msgid "Not a valid nickname." msgstr "Não é uma identificação válida." #. TRANS: Client error in form for group creation. #. TRANS: Validation error shown when providing an invalid homepage URL in the "Edit application" form. +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. #. TRANS: Validation error in form for profile settings. #: actions/apigroupcreate.php:200 actions/editapplication.php:233 -#: actions/editgroup.php:199 actions/newapplication.php:211 -#: actions/newgroup.php:139 actions/profilesettings.php:252 +#: actions/editgroup.php:207 actions/newapplication.php:211 +#: actions/newgroup.php:143 actions/profilesettings.php:252 #: actions/register.php:224 msgid "Homepage is not a valid URL." msgstr "A URL informada não é válida." #. TRANS: Client error in form for group creation. +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. #. TRANS: Validation error in form for profile settings. -#: actions/apigroupcreate.php:210 actions/editgroup.php:202 -#: actions/newgroup.php:142 actions/profilesettings.php:256 +#: actions/apigroupcreate.php:210 actions/editgroup.php:211 +#: actions/newgroup.php:147 actions/profilesettings.php:256 #: actions/register.php:227 #, fuzzy msgid "Full name is too long (maximum 255 characters)." @@ -562,10 +574,11 @@ msgstr "Nome completo muito extenso (máx. 255 caracteres)" #. TRANS: Client error shown when providing too long a description during group creation. #. TRANS: %d is the maximum number of allowed characters. #. TRANS: Validation error shown when providing too long a description in the "Edit application" form. +#. TRANS: Group edit form validation error. #. TRANS: Form validation error in New application form. #. TRANS: %d is the maximum number of characters for the description. #: actions/apigroupcreate.php:220 actions/editapplication.php:201 -#: actions/newapplication.php:178 +#: actions/editgroup.php:216 actions/newapplication.php:178 #, fuzzy, php-format msgid "Description is too long (maximum %d character)." msgid_plural "Description is too long (maximum %d characters)." @@ -573,9 +586,11 @@ msgstr[0] "Descrição muito extensa (máximo %d caracteres)." msgstr[1] "Descrição muito extensa (máximo %d caracteres)." #. TRANS: Client error shown when providing too long a location during group creation. +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. #. TRANS: Validation error in form for profile settings. -#: actions/apigroupcreate.php:234 actions/editgroup.php:208 -#: actions/newgroup.php:153 actions/profilesettings.php:269 +#: actions/apigroupcreate.php:234 actions/editgroup.php:223 +#: actions/newgroup.php:159 actions/profilesettings.php:269 #: actions/register.php:236 #, fuzzy msgid "Location is too long (maximum 255 characters)." @@ -583,7 +598,12 @@ msgstr "Localização muito extensa (máx. 255 caracteres)." #. TRANS: Client error shown when providing too many aliases during group creation. #. TRANS: %d is the maximum number of allowed aliases. -#: actions/apigroupcreate.php:255 actions/newgroup.php:166 +#. TRANS: Group edit form validation error. +#. TRANS: %d is the maximum number of allowed aliases. +#. TRANS: Group create form validation error. +#. TRANS: %d is the maximum number of allowed aliases. +#: actions/apigroupcreate.php:255 actions/editgroup.php:236 +#: actions/newgroup.php:172 #, fuzzy, php-format msgid "Too many aliases! Maximum %d allowed." msgid_plural "Too many aliases! Maximum %d allowed." @@ -599,15 +619,19 @@ msgstr "Apelido inválido: \"%s\"." #. TRANS: Client error displayed when trying to use an alias during group creation that is already in use. #. TRANS: %s is the alias that is already in use. -#: actions/apigroupcreate.php:291 actions/editgroup.php:232 -#: actions/newgroup.php:181 +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. +#: actions/apigroupcreate.php:291 actions/editgroup.php:253 +#: actions/newgroup.php:189 #, php-format msgid "Alias \"%s\" already in use. Try another one." msgstr "O apelido \"%s\" já está em uso. Tente outro." #. TRANS: Client error displayed when trying to use an alias during group creation that is the same as the group's nickname. -#: actions/apigroupcreate.php:305 actions/editgroup.php:238 -#: actions/newgroup.php:187 +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. +#: actions/apigroupcreate.php:305 actions/editgroup.php:260 +#: actions/newgroup.php:196 msgid "Alias can't be the same as nickname." msgstr "O apelido não pode ser igual à identificação." @@ -713,18 +737,18 @@ msgid "Request token already authorized." msgstr "Você não está autorizado." #. TRANS: Form validation error in API OAuth authorisation because of an invalid session token. -#: actions/apioauthauthorize.php:147 actions/avatarsettings.php:270 +#: actions/apioauthauthorize.php:147 actions/avatarsettings.php:280 #: actions/deletenotice.php:172 actions/disfavor.php:74 #: actions/emailsettings.php:271 actions/favor.php:75 actions/geocode.php:55 #: actions/groupblock.php:66 actions/grouplogo.php:312 -#: actions/groupunblock.php:66 actions/imsettings.php:230 +#: actions/groupunblock.php:65 actions/imsettings.php:230 #: actions/invite.php:59 actions/login.php:137 actions/makeadmin.php:66 #: actions/newmessage.php:135 actions/newnotice.php:105 actions/nudge.php:80 #: actions/oauthappssettings.php:165 actions/oauthconnectionssettings.php:138 #: actions/othersettings.php:145 actions/passwordsettings.php:138 #: actions/profilesettings.php:221 actions/recoverpassword.php:350 #: actions/register.php:172 actions/remotesubscribe.php:77 -#: actions/repeat.php:83 actions/smssettings.php:256 actions/subedit.php:38 +#: actions/repeat.php:83 actions/smssettings.php:256 actions/subedit.php:40 #: actions/subscribe.php:86 actions/tagother.php:166 #: actions/unsubscribe.php:69 actions/userauthorization.php:52 #: lib/designsettings.php:294 @@ -745,12 +769,13 @@ msgstr "" "Erro no banco de dados durante a inserção do usuário da aplicativo OAuth." #. TRANS: Client error given on when invalid data was passed through a form in the OAuth API. +#. TRANS: Unexpected validation error on avatar upload form. #. TRANS: Client error displayed submitting invalid form data for edit application. #. TRANS: Message given submitting a form with an unknown action in e-mail settings. #. TRANS: Message given submitting a form with an unknown action in IM settings. #. TRANS: Client error when submitting a form with unexpected information. #. TRANS: Message given submitting a form with an unknown action in SMS settings. -#: actions/apioauthauthorize.php:294 actions/avatarsettings.php:283 +#: actions/apioauthauthorize.php:294 actions/avatarsettings.php:294 #: actions/designadminpanel.php:104 actions/editapplication.php:144 #: actions/emailsettings.php:290 actions/grouplogo.php:322 #: actions/imsettings.php:245 actions/newapplication.php:125 @@ -807,6 +832,7 @@ msgstr "Conta" #. TRANS: Field label on OAuth API authorisation form. #. TRANS: Field label in form for profile settings. +#. TRANS: Label for group nickname (dt). Text hidden by default. #: actions/apioauthauthorize.php:459 actions/login.php:252 #: actions/profilesettings.php:110 actions/register.php:433 #: actions/showgroup.php:245 actions/tagother.php:94 @@ -1057,105 +1083,139 @@ msgstr "O método da API está em construção." msgid "User not found." msgstr "O método da API não foi encontrado!" +#. TRANS: Client error displayed trying to get a non-existing attachment. #: actions/attachment.php:73 msgid "No such attachment." msgstr "Este anexo não existe." -#: actions/avatarbynickname.php:59 actions/blockedfromgroup.php:73 -#: actions/editgroup.php:84 actions/groupdesignsettings.php:84 +#. TRANS: Client error displayed trying to get an avatar without providing a nickname. +#. TRANS: Client error displayed when requesting a list of blocked users for a group without providing a group nickname. +#. TRANS: Client error displayed trying to edit a group while not proving a nickname for the group to edit. +#. TRANS: Client error displayed if no nickname argument was given requesting a group page. +#: actions/avatarbynickname.php:60 actions/blockedfromgroup.php:73 +#: actions/editgroup.php:85 actions/groupdesignsettings.php:84 #: actions/grouplogo.php:86 actions/groupmembers.php:76 #: actions/grouprss.php:91 actions/showgroup.php:121 msgid "No nickname." msgstr "Nenhuma identificação." -#: actions/avatarbynickname.php:64 +#. TRANS: Client error displayed trying to get an avatar without providing an avatar size. +#: actions/avatarbynickname.php:66 msgid "No size." msgstr "Sem tamanho definido." -#: actions/avatarbynickname.php:69 +#. TRANS: Client error displayed trying to get an avatar providing an invalid avatar size. +#: actions/avatarbynickname.php:72 msgid "Invalid size." msgstr "Tamanho inválido." +#. TRANS: Title for avatar upload page. +#. TRANS: Label for group avatar (dt). Text hidden by default. #. TRANS: Link description in user account settings menu. -#: actions/avatarsettings.php:67 actions/showgroup.php:230 +#: actions/avatarsettings.php:66 actions/showgroup.php:229 #: lib/accountsettingsaction.php:113 msgid "Avatar" msgstr "Avatar" +#. TRANS: Instruction for avatar upload page. +#. TRANS: %s is the maximum file size, for example "500b", "10kB" or "2MB". #: actions/avatarsettings.php:78 #, php-format msgid "You can upload your personal avatar. The maximum file size is %s." msgstr "" "Você pode enviar seu avatar pessoal. O tamanho máximo do arquivo é de %s." -#: actions/avatarsettings.php:106 actions/avatarsettings.php:185 +#. TRANS: Server error displayed in avatar upload page when no matching profile can be found for a user. +#: actions/avatarsettings.php:108 actions/avatarsettings.php:192 #: actions/grouplogo.php:181 actions/remotesubscribe.php:191 #: actions/userauthorization.php:72 actions/userrss.php:108 msgid "User without matching profile." msgstr "Usuário sem um perfil correspondente" -#: actions/avatarsettings.php:119 actions/avatarsettings.php:197 +#. TRANS: Avatar upload page form legend. +#. TRANS: Avatar upload page crop form legend. +#: actions/avatarsettings.php:122 actions/avatarsettings.php:205 #: actions/grouplogo.php:254 msgid "Avatar settings" msgstr "Configurações do avatar" -#: actions/avatarsettings.php:127 actions/avatarsettings.php:205 +#. TRANS: Header on avatar upload page for thumbnail of originally uploaded avatar (h2). +#. TRANS: Header on avatar upload crop form for thumbnail of originally uploaded avatar (h2). +#: actions/avatarsettings.php:131 actions/avatarsettings.php:214 #: actions/grouplogo.php:202 actions/grouplogo.php:262 msgid "Original" msgstr "Original" -#: actions/avatarsettings.php:142 actions/avatarsettings.php:217 +#. TRANS: Header on avatar upload page for thumbnail of to be used rendition of uploaded avatar (h2). +#. TRANS: Header on avatar upload crop form for thumbnail of to be used rendition of uploaded avatar (h2). +#: actions/avatarsettings.php:147 actions/avatarsettings.php:227 #: actions/grouplogo.php:213 actions/grouplogo.php:274 msgid "Preview" msgstr "Pré-visualizar" -#: actions/avatarsettings.php:149 actions/showapplication.php:252 -#: lib/deletegroupform.php:121 lib/deleteuserform.php:66 -#: lib/noticelist.php:667 +#. TRANS: Button on avatar upload page to delete current avatar. +#: actions/avatarsettings.php:155 +#, fuzzy +msgctxt "BUTTON" msgid "Delete" msgstr "Excluir" -#: actions/avatarsettings.php:166 actions/grouplogo.php:236 +#. TRANS: Button on avatar upload page to upload an avatar. +#: actions/avatarsettings.php:173 +#, fuzzy +msgctxt "BUTTON" msgid "Upload" msgstr "Enviar" -#: actions/avatarsettings.php:231 actions/grouplogo.php:289 +#. TRANS: Button on avatar upload crop form to confirm a selected crop as avatar. +#: actions/avatarsettings.php:243 +#, fuzzy +msgctxt "BUTTON" msgid "Crop" msgstr "Cortar" -#: actions/avatarsettings.php:307 +#. TRANS: Validation error on avatar upload form when no file was uploaded. +#: actions/avatarsettings.php:318 msgid "No file uploaded." msgstr "Não foi enviado nenhum arquivo." -#: actions/avatarsettings.php:334 +#. TRANS: Avatar upload form unstruction after uploading a file. +#: actions/avatarsettings.php:346 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:349 actions/grouplogo.php:380 +#. TRANS: Server error displayed if an avatar upload went wrong somehow server side. +#: actions/avatarsettings.php:361 actions/grouplogo.php:380 msgid "Lost our file data." msgstr "Os dados do nosso arquivo foram perdidos." -#: actions/avatarsettings.php:372 +#: actions/avatarsettings.php:384 msgid "Avatar updated." msgstr "O avatar foi atualizado." -#: actions/avatarsettings.php:375 +#. TRANS: Error displayed on the avatar upload page if the avatar could not be updated for an unknown reason. +#: actions/avatarsettings.php:388 msgid "Failed updating avatar." msgstr "Não foi possível atualizar o avatar." -#: actions/avatarsettings.php:399 +#. TRANS: Success message for deleting a user avatar. +#: actions/avatarsettings.php:412 msgid "Avatar deleted." msgstr "O avatar foi excluído." -#: actions/block.php:69 +#. TRANS: Client error displayed when blocking a user that has already been blocked. +#: actions/block.php:68 msgid "You already blocked that user." msgstr "Você já bloqueou esse usuário." -#: actions/block.php:107 actions/block.php:136 actions/groupblock.php:158 +#. TRANS: Title for block user page. +#. TRANS: Legend for block user form. +#: actions/block.php:106 actions/block.php:136 actions/groupblock.php:158 msgid "Block user" msgstr "Bloquear usuário" -#: actions/block.php:138 +#. TRANS: Explanation of consequences when blocking a user on the block user page. +#: actions/block.php:139 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 " @@ -1172,7 +1232,7 @@ msgstr "" #. TRANS: Button label on the delete notice form. #. TRANS: Button label on the delete user form. #. TRANS: Button label on the form to block a user from a group. -#: actions/block.php:153 actions/deleteapplication.php:154 +#: actions/block.php:154 actions/deleteapplication.php:154 #: actions/deletegroup.php:220 actions/deletenotice.php:150 #: actions/deleteuser.php:152 actions/groupblock.php:178 msgctxt "BUTTON" @@ -1181,7 +1241,7 @@ msgstr "Não" #. TRANS: Submit button title for 'No' when blocking a user. #. TRANS: Submit button title for 'No' when deleting a user. -#: actions/block.php:157 actions/deleteuser.php:156 +#: actions/block.php:158 actions/deleteuser.php:156 msgid "Do not block this user" msgstr "Não bloquear este usuário" @@ -1191,7 +1251,7 @@ msgstr "Não bloquear este usuário" #. TRANS: Button label on the delete notice form. #. TRANS: Button label on the delete user form. #. TRANS: Button label on the form to block a user from a group. -#: actions/block.php:160 actions/deleteapplication.php:161 +#: actions/block.php:161 actions/deleteapplication.php:161 #: actions/deletegroup.php:227 actions/deletenotice.php:157 #: actions/deleteuser.php:159 actions/groupblock.php:185 msgctxt "BUTTON" @@ -1200,90 +1260,111 @@ msgstr "Sim" #. TRANS: Submit button title for 'Yes' when blocking a user. #. TRANS: Description of the form to block a user. -#: actions/block.php:164 lib/blockform.php:79 +#: actions/block.php:165 lib/blockform.php:79 msgid "Block this user" msgstr "Bloquear este usuário" -#: actions/block.php:187 +#. TRANS: Server error displayed when blocking a user fails. +#: actions/block.php:189 msgid "Failed to save block information." msgstr "Não foi possível salvar a informação de bloqueio." +#. TRANS: Client error displayed when requesting a list of blocked users for a non-local group. +#. TRANS: Client error displayed when requesting a list of blocked users for a non-existing group. #. TRANS: Client error when trying to delete a non-local group. #. TRANS: Client error when trying to delete a non-existing group. +#. TRANS: Client error displayed trying to edit a non-existing group. +#. TRANS: Client error displayed when trying to unblock a user from a non-existing group. +#. TRANS: Client error displayed if no remote group with a given name was found requesting group page. +#. TRANS: Client error displayed if no local group with a given name was found requesting group page. #. TRANS: Command exception text shown when a group is requested that does not exist. #. TRANS: Error text shown when trying to leave a group that does not exist. -#: actions/blockedfromgroup.php:80 actions/blockedfromgroup.php:87 +#: actions/blockedfromgroup.php:81 actions/blockedfromgroup.php:89 #: actions/deletegroup.php:87 actions/deletegroup.php:100 -#: actions/editgroup.php:100 actions/foafgroup.php:44 actions/foafgroup.php:62 +#: actions/editgroup.php:102 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/groupunblock.php:88 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:168 +#: actions/showgroup.php:139 actions/showgroup.php:148 lib/command.php:168 #: lib/command.php:380 msgid "No such group." msgstr "Esse grupo não existe." -#: actions/blockedfromgroup.php:97 +#. TRANS: Title for first page with list of users blocked from a group. +#. TRANS: %s is a group nickname. +#: actions/blockedfromgroup.php:101 #, php-format msgid "%s blocked profiles" msgstr "Perfis bloqueados no %s" -#: actions/blockedfromgroup.php:100 +#. TRANS: Title for any but the first page with list of users blocked from a group. +#. TRANS: %1$s is a group nickname, %2$d is a page number. +#: actions/blockedfromgroup.php:106 #, php-format msgid "%1$s blocked profiles, page %2$d" msgstr "Perfis bloqueados no %1$s, pág. %2$d" -#: actions/blockedfromgroup.php:115 +#. TRANS: Instructions for list of users blocked from a group. +#: actions/blockedfromgroup.php:122 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:288 +#. TRANS: Form legend for unblocking a user from a group. +#: actions/blockedfromgroup.php:291 msgid "Unblock user from group" msgstr "Desbloquear o usuário do grupo" -#. TRANS: Title for the form to unblock a user. -#: actions/blockedfromgroup.php:320 lib/unblockform.php:70 +#. TRANS: Button text for unblocking a user from a group. +#: actions/blockedfromgroup.php:323 +#, fuzzy +msgctxt "BUTTON" msgid "Unblock" msgstr "Desbloquear" +#. TRANS: Tooltip for button for unblocking a user from a group. #. TRANS: Description of the form to unblock a user. -#: actions/blockedfromgroup.php:320 lib/unblockform.php:82 +#: actions/blockedfromgroup.php:327 lib/unblockform.php:78 msgid "Unblock this user" msgstr "Desbloquear este usuário" #. TRANS: Title for mini-posting window loaded from bookmarklet. +#. TRANS: %s is the StatusNet site name. #: actions/bookmarklet.php:51 #, php-format msgid "Post to %s" msgstr "Publicar em %s" -#: actions/confirmaddress.php:75 +#. TRANS: Client error displayed when not providing a confirmation code in the contact address confirmation action. +#: actions/confirmaddress.php:74 msgid "No confirmation code." msgstr "Nenhum código de confirmação." +#. TRANS: Client error displayed when providing a non-existing confirmation code in the contact address confirmation action. #: actions/confirmaddress.php:80 msgid "Confirmation code not found." msgstr "O código de confirmação não foi encontrado." -#: actions/confirmaddress.php:85 +#. TRANS: Client error displayed when not providing a confirmation code for another user in the contact address confirmation action. +#: actions/confirmaddress.php:86 msgid "That confirmation code is not for you!" msgstr "Esse não é o seu código de confirmação!" -#. TRANS: Server error for an unknow address type, which can be 'email', 'jabber', or 'sms'. -#: actions/confirmaddress.php:91 +#. TRANS: Server error for a unknow address type %s, which can be 'email', 'jabber', or 'sms'. +#: actions/confirmaddress.php:92 #, php-format msgid "Unrecognized address type %s." msgstr "Tipo de endereço %s não reconhecido." -#. TRANS: Client error for an already confirmed email/jabbel/sms address. -#: actions/confirmaddress.php:96 +#. TRANS: Client error for an already confirmed email/jabber/sms address. +#: actions/confirmaddress.php:97 msgid "That address has already been confirmed." msgstr "Esse endereço já foi confirmado." +#. TRANS: Server error displayed when a user update to the database fails in the contact address confirmation action. #. TRANS: Server error thrown on database error updating e-mail preferences. #. TRANS: Server error thrown on database error removing a registered e-mail address. #. TRANS: Server error thrown on database error updating IM preferences. @@ -1291,7 +1372,7 @@ msgstr "Esse endereço já foi confirmado." #. TRANS: Server error thrown when user profile settings could not be updated. #. TRANS: Server error thrown on database error updating SMS preferences. #. TRANS: Server error thrown on database error removing a registered SMS phone number. -#: actions/confirmaddress.php:116 actions/emailsettings.php:331 +#: actions/confirmaddress.php:118 actions/emailsettings.php:331 #: actions/emailsettings.php:477 actions/imsettings.php:283 #: actions/imsettings.php:442 actions/othersettings.php:174 #: actions/profilesettings.php:326 actions/smssettings.php:308 @@ -1299,27 +1380,32 @@ msgstr "Esse endereço já foi confirmado." msgid "Couldn't update user." msgstr "Não foi possível atualizar o usuário." -#. TRANS: Server error thrown on database error canceling e-mail address confirmation. -#. TRANS: Server error thrown on database error canceling SMS phone number confirmation. -#: actions/confirmaddress.php:128 actions/emailsettings.php:437 -#: actions/smssettings.php:422 -msgid "Couldn't delete email confirmation." -msgstr "Não foi possível excluir a confirmação de e-mail." +#. TRANS: Server error displayed when an address confirmation code deletion from the +#. TRANS: database fails in the contact address confirmation action. +#: actions/confirmaddress.php:132 +#, fuzzy +msgid "Could not delete address confirmation." +msgstr "Não foi possível excluir a confirmação do mensageiro instantâneo." -#: actions/confirmaddress.php:146 +#. TRANS: Title for the contact address confirmation action. +#: actions/confirmaddress.php:150 msgid "Confirm address" msgstr "Confirme o endereço" -#: actions/confirmaddress.php:161 +#. TRANS: Success message for the contact address confirmation action. +#. TRANS: %s can be 'email', 'jabber', or 'sms'. +#: actions/confirmaddress.php:166 #, php-format msgid "The address \"%s\" has been confirmed for your account." msgstr "O endereço \"%s\" foi confirmado para sua conta." -#: actions/conversation.php:99 +#. TRANS: Title for page with a conversion (multiple notices in context). +#: actions/conversation.php:96 msgid "Conversation" msgstr "Conversa" -#: actions/conversation.php:154 lib/mailbox.php:116 lib/noticelist.php:87 +#. TRANS: Header on conversation page. Hidden by default (h2). +#: actions/conversation.php:149 lib/mailbox.php:116 lib/noticelist.php:87 #: lib/profileaction.php:229 lib/searchgroupnav.php:82 msgid "Notices" msgstr "Mensagens" @@ -1430,11 +1516,13 @@ msgstr "Não excluir esta mensagem." msgid "Delete this group" msgstr "Excluir este usuário" +#. TRANS: Client error displayed when trying to unblock a user from a group while not logged in. +#. TRANS: Client error displayed trying a change a subscription while not logged in. #. TRANS: Client error message thrown when trying to access the admin panel while not logged in. #: actions/deletenotice.php:50 actions/disfavor.php:61 actions/favor.php:62 -#: actions/groupblock.php:61 actions/groupunblock.php:61 actions/logout.php:69 +#: actions/groupblock.php:61 actions/groupunblock.php:60 actions/logout.php:69 #: actions/makeadmin.php:61 actions/newmessage.php:87 actions/newnotice.php:88 -#: actions/nudge.php:63 actions/subedit.php:31 actions/subscribe.php:96 +#: actions/nudge.php:63 actions/subedit.php:33 actions/subscribe.php:96 #: actions/tagother.php:33 actions/unsubscribe.php:52 #: lib/adminpanelaction.php:71 lib/profileformaction.php:64 #: lib/settingsaction.php:72 @@ -1740,49 +1828,49 @@ msgstr "A URL de retorno não é válida." msgid "Could not update application." msgstr "Não foi possível atualizar a aplicação." -#: actions/editgroup.php:56 +#. TRANS: Title for form to edit a group. %s is a group nickname. +#: actions/editgroup.php:55 #, php-format msgid "Edit %s group" msgstr "Editar o grupo %s" +#. TRANS: Client error displayed trying to edit a group while not logged in. +#. TRANS: Client error displayed trying to create a group while not logged in. #: actions/editgroup.php:68 actions/grouplogo.php:70 actions/newgroup.php:65 msgid "You must be logged in to create a group." msgstr "Você deve estar autenticado para criar um grupo." -#: actions/editgroup.php:107 actions/editgroup.php:172 +#. TRANS: Client error displayed trying to edit a group while not being a group admin. +#: actions/editgroup.php:110 actions/editgroup.php:176 #: 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:158 +#. TRANS: Form instructions for group edit form. +#: actions/editgroup.php:161 msgid "Use this form to edit the group." msgstr "Use esse formulário para editar o grupo." -#: actions/editgroup.php:205 -#, php-format -msgid "Description is too long (max %d chars)." -msgstr "Descrição muito extensa (máximo %d caracteres)." - -#: actions/editgroup.php:219 -#, php-format -msgid "Too many aliases! Maximum %d." -msgstr "Muitos apelidos! O máximo são %d." - -#: actions/editgroup.php:228 actions/newgroup.php:177 +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. +#: actions/editgroup.php:248 actions/newgroup.php:184 #, php-format msgid "Invalid alias: \"%s\"" msgstr "Apelido inválido: \"%s\"" -#: actions/editgroup.php:258 +#. TRANS: Server error displayed when editing a group fails. +#: actions/editgroup.php:281 msgid "Could not update group." msgstr "Não foi possível atualizar o grupo." +#. TRANS: Server error displayed when group aliases could not be added. #. TRANS: Server exception thrown when creating group aliases failed. -#: actions/editgroup.php:264 classes/User_group.php:513 +#: actions/editgroup.php:288 classes/User_group.php:513 msgid "Could not create aliases." msgstr "Não foi possível criar os apelidos." -#: actions/editgroup.php:280 +#. TRANS: Group edit form success message. +#: actions/editgroup.php:305 msgid "Options saved." msgstr "As configurações foram salvas." @@ -1978,6 +2066,12 @@ msgstr "Nenhuma confirmação pendente para cancelar." msgid "That is the wrong email address." msgstr "Esse é o endereço de e-mail errado." +#. TRANS: Server error thrown on database error canceling e-mail address confirmation. +#. TRANS: Server error thrown on database error canceling SMS phone number confirmation. +#: actions/emailsettings.php:437 actions/smssettings.php:422 +msgid "Couldn't delete email confirmation." +msgstr "Não foi possível excluir a confirmação de e-mail." + #. TRANS: Message given after successfully canceling e-mail address confirmation. #: actions/emailsettings.php:442 msgid "Email confirmation cancelled." @@ -2159,19 +2253,23 @@ msgstr "Você não pode definir papéis para os usuários neste site." msgid "User already has this role." msgstr "O usuário já possui este papel." +#. TRANS: Client error displayed when trying to unblock a user from a group without providing a profile. +#. TRANS: Client error displayed trying a change a subscription without providing a profile. #: actions/groupblock.php:71 actions/groupunblock.php:71 -#: actions/makeadmin.php:71 actions/subedit.php:46 +#: actions/makeadmin.php:71 actions/subedit.php:49 #: lib/profileformaction.php:79 msgid "No profile specified." msgstr "Não foi especificado nenhum perfil." -#: actions/groupblock.php:76 actions/groupunblock.php:76 -#: actions/makeadmin.php:76 actions/subedit.php:53 actions/tagother.php:46 +#. TRANS: Client error displayed when trying to unblock a user from a group without providing an existing profile. +#. TRANS: Client error displayed trying a change a subscription for a non-existant profile ID. +#: actions/groupblock.php:76 actions/groupunblock.php:77 +#: actions/makeadmin.php:76 actions/subedit.php:57 actions/tagother.php:46 #: actions/unsubscribe.php:84 lib/profileformaction.php:86 msgid "No profile with that ID." msgstr "Não foi encontrado nenhum perfil com esse ID." -#: actions/groupblock.php:81 actions/groupunblock.php:81 +#: actions/groupblock.php:81 actions/groupunblock.php:82 #: actions/makeadmin.php:81 msgid "No group specified." msgstr "Não foi especificado nenhum grupo." @@ -2259,6 +2357,14 @@ msgstr "" "Você pode enviar uma imagem de logo para o seu grupo. O tamanho máximo do " "arquivo é %s." +#: actions/grouplogo.php:236 +msgid "Upload" +msgstr "Enviar" + +#: actions/grouplogo.php:289 +msgid "Crop" +msgstr "Cortar" + #: 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" @@ -2401,15 +2507,18 @@ msgstr "" "Por que você não [se cadastra](%%action.register%%) e [cria o grupo](%%" "action.newgroup%%) você mesmo?" -#: actions/groupunblock.php:91 +#. TRANS: Client error displayed when trying to unblock a user from a group without being an administrator for the group. +#: actions/groupunblock.php:94 msgid "Only an admin can unblock group members." msgstr "Somente um administrador pode desbloquear membros do grupo." -#: actions/groupunblock.php:95 +#. TRANS: Client error displayed when trying to unblock a non-blocked user from a group. +#: actions/groupunblock.php:99 msgid "User is not blocked from group." msgstr "O usuário não está bloqueado no grupo." -#: actions/groupunblock.php:128 actions/unblock.php:86 +#. TRANS: Server error displayed when unblocking a user from a group fails because of an unknown error. +#: actions/groupunblock.php:131 actions/unblock.php:86 msgid "Error removing the block." msgstr "Erro na remoção do bloqueio." @@ -3006,10 +3115,12 @@ msgstr "A organização é muito extensa (máx. 255 caracteres)." msgid "Could not create application." msgstr "Não foi possível criar a aplicação." +#. TRANS: Title for form to create a group. #: actions/newgroup.php:53 msgid "New group" msgstr "Novo grupo" +#. TRANS: Form instructions for group create form. #: actions/newgroup.php:110 msgid "Use this form to create a new group." msgstr "Utilize este formulário para criar um novo grupo." @@ -3717,8 +3828,9 @@ 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" #. TRANS: Field label in form for profile settings. +#. TRANS: Label for full group name (dt). Text hidden by default. #: actions/profilesettings.php:117 actions/register.php:457 -#: actions/showgroup.php:256 actions/tagother.php:104 +#: actions/showgroup.php:257 actions/tagother.php:104 #: lib/groupeditform.php:157 lib/userprofile.php:150 msgid "Full name" msgstr "Nome completo" @@ -3758,8 +3870,9 @@ msgid "Bio" msgstr "Descrição" #. TRANS: Field label in form for profile settings. +#. TRANS: Label for group location (dt). Text hidden by default. #: actions/profilesettings.php:149 actions/register.php:485 -#: actions/showgroup.php:265 actions/tagother.php:112 +#: actions/showgroup.php:267 actions/tagother.php:112 #: actions/userauthorization.php:166 lib/groupeditform.php:177 #: lib/userprofile.php:165 msgid "Location" @@ -4486,7 +4599,8 @@ msgstr "Organização" msgid "Description" msgstr "Descrição" -#: actions/showapplication.php:192 actions/showgroup.php:442 +#. TRANS: Header for group statistics on a group page (h2). +#: actions/showapplication.php:192 actions/showgroup.php:453 #: lib/profileaction.php:187 msgid "Statistics" msgstr "Estatísticas" @@ -4504,6 +4618,11 @@ msgstr "Ações da aplicação" msgid "Reset key & secret" msgstr "Restaurar a chave e o segredo" +#: actions/showapplication.php:252 lib/deletegroupform.php:121 +#: lib/deleteuserform.php:66 lib/noticelist.php:667 +msgid "Delete" +msgstr "Excluir" + #: actions/showapplication.php:261 msgid "Application info" msgstr "Informação da aplicação" @@ -4596,77 +4715,106 @@ msgstr "" msgid "This is a way to share what you like." msgstr "Esta é uma forma de compartilhar o que você gosta." -#: actions/showgroup.php:82 +#. TRANS: Page title for first group page. %s is a group name. +#: actions/showgroup.php:80 #, php-format msgid "%s group" msgstr "Grupo %s" +#. TRANS: Page title for any but first group page. +#. TRANS: %1$s is a group name, $2$s is a page number. #: actions/showgroup.php:84 #, php-format msgid "%1$s group, page %2$d" msgstr "Grupo %1$s, pág. %2$d" -#: actions/showgroup.php:227 +#. TRANS: Group profile header (h2). Text hidden by default. +#: actions/showgroup.php:225 msgid "Group profile" msgstr "Perfil do grupo" -#: actions/showgroup.php:272 actions/tagother.php:118 +#. TRANS: Label for group URL (dt). Text hidden by default. +#: actions/showgroup.php:275 actions/tagother.php:118 #: actions/userauthorization.php:175 lib/userprofile.php:178 msgid "URL" msgstr "Site" -#: actions/showgroup.php:283 actions/tagother.php:128 +#. TRANS: Label for group description or group note (dt). Text hidden by default. +#: actions/showgroup.php:287 actions/tagother.php:128 #: actions/userauthorization.php:187 lib/userprofile.php:195 msgid "Note" msgstr "Mensagem" -#: actions/showgroup.php:293 lib/groupeditform.php:184 +#. TRANS: Label for group aliases (dt). Text hidden by default. +#: actions/showgroup.php:298 lib/groupeditform.php:184 msgid "Aliases" msgstr "Apelidos" -#: actions/showgroup.php:302 +#. TRANS: Group actions header (h2). Text hidden by default. +#: actions/showgroup.php:309 msgid "Group actions" msgstr "Ações do grupo" -#: actions/showgroup.php:344 +#. TRANS: Tooltip for feed link. %s is a group nickname. +#: actions/showgroup.php:350 #, php-format msgid "Notice feed for %s group (RSS 1.0)" msgstr "Fonte de mensagens do grupo %s (RSS 1.0)" -#: actions/showgroup.php:350 +#. TRANS: Tooltip for feed link. %s is a group nickname. +#: actions/showgroup.php:357 #, php-format msgid "Notice feed for %s group (RSS 2.0)" msgstr "Fonte de mensagens do grupo %s (RSS 2.0)" -#: actions/showgroup.php:356 +#. TRANS: Tooltip for feed link. %s is a group nickname. +#: actions/showgroup.php:364 #, php-format msgid "Notice feed for %s group (Atom)" msgstr "Fonte de mensagens do grupo %s (Atom)" -#: actions/showgroup.php:361 +#. TRANS: Tooltip for feed link. %s is a group nickname. +#: actions/showgroup.php:370 #, php-format msgid "FOAF for %s group" msgstr "FOAF para o grupo %s" -#: actions/showgroup.php:399 actions/showgroup.php:451 +#. TRANS: Header for mini list of group members on a group page (h2). +#: actions/showgroup.php:407 msgid "Members" msgstr "Membros" -#: actions/showgroup.php:404 lib/profileaction.php:117 +#. TRANS: Description for mini list of group members on a group page when the group has no members. +#: actions/showgroup.php:413 lib/profileaction.php:117 #: lib/profileaction.php:152 lib/profileaction.php:255 lib/section.php:95 #: lib/subscriptionlist.php:127 lib/tagcloudsection.php:71 msgid "(None)" msgstr "(Nenhum)" -#: actions/showgroup.php:410 +#. TRANS: Link to all group members from mini list of group members if group has more than n members. +#: actions/showgroup.php:422 msgid "All members" msgstr "Todos os membros" -#: actions/showgroup.php:445 +#. TRANS: Label for creation date in statistics on group page. +#: actions/showgroup.php:458 +#, fuzzy +msgctxt "LABEL" msgid "Created" msgstr "Criado" -#: actions/showgroup.php:461 +#. TRANS: Label for member count in statistics on group page. +#: actions/showgroup.php:466 +#, fuzzy +msgctxt "LABEL" +msgid "Members" +msgstr "Membros" + +#. TRANS: Notice on group pages for anonymous users for StatusNet sites that accept new registrations. +#. TRANS: **%s** is the group alias, %%%%site.name%%%% is the site name, +#. TRANS: %%%%action.register%%%% is the URL for registration, %%%%doc.help%%%% is a URL to help. +#. TRANS: This message contains Markdown links. Ensure they are formatted correctly: [Description](link). +#: actions/showgroup.php:481 #, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -4682,7 +4830,10 @@ msgstr "" "para se tornar parte deste grupo e muito mais! ([Saiba mais](%%%%doc.help%%%" "%))" -#: actions/showgroup.php:467 +#. TRANS: Notice on group pages for anonymous users for StatusNet sites that accept no new registrations. +#. TRANS: **%s** is the group alias, %%%%site.name%%%% is the site name, +#. TRANS: This message contains Markdown links. Ensure they are formatted correctly: [Description](link). +#: actions/showgroup.php:491 #, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -4695,24 +4846,31 @@ msgstr "" "[StatusNet](http://status.net/). Seus membros compartilham mensagens curtas " "sobre suas vidas e interesses. " -#: actions/showgroup.php:495 +#. TRANS: Header for list of group administrators on a group page (h2). +#: actions/showgroup.php:520 msgid "Admins" msgstr "Administradores" -#: actions/showmessage.php:81 +#. TRANS: Client error displayed requesting a single message that does not exist. +#: actions/showmessage.php:79 msgid "No such message." msgstr "Essa mensagem não existe." -#: actions/showmessage.php:98 +#. TRANS: Client error displayed requesting a single direct message the requesting user was not a party in. +#: actions/showmessage.php:97 msgid "Only the sender and recipient may read this message." msgstr "Apenas o remetente e o destinatário podem ler esta mensagem." -#: actions/showmessage.php:108 +#. TRANS: Page title for single direct message display when viewing user is the sender. +#. TRANS: %1$s is the addressed user's nickname, $2$s is a timestamp. +#: actions/showmessage.php:110 #, php-format msgid "Message to %1$s on %2$s" msgstr "Mensagem para %1$s no %2$s" -#: actions/showmessage.php:113 +#. TRANS: Page title for single message display. +#. TRANS: %1$s is the sending user's nickname, $2$s is a timestamp. +#: actions/showmessage.php:118 #, php-format msgid "Message from %1$s on %2$s" msgstr "Mensagem de %1$s no %2$s" @@ -5158,12 +5316,14 @@ msgstr "As estatísticas serão enviadas para esta URL" msgid "Save snapshot settings" msgstr "Salvar as configurações de estatísticas" -#: actions/subedit.php:70 +#. TRANS: Client error displayed trying a change a subscription for a non-subscribed profile. +#: actions/subedit.php:75 msgid "You are not subscribed to that profile." msgstr "Você não está assinando esse perfil." +#. TRANS: Server error displayed when updating a subscription fails with a database error. #. TRANS: Exception thrown when a subscription could not be stored on the server. -#: actions/subedit.php:83 classes/Subscription.php:136 +#: actions/subedit.php:89 classes/Subscription.php:136 msgid "Could not save subscription." msgstr "Não foi possível salvar a assinatura." @@ -5977,12 +6137,12 @@ msgid "Welcome to %1$s, @%2$s!" msgstr "Bem vindo(a) a %1$s, @%2$s!" #. TRANS: Server exception. -#: classes/User.php:902 +#: classes/User.php:912 msgid "No single user defined for single-user mode." msgstr "Nenhum usuário definido para o modo de usuário único." #. TRANS: Server exception. -#: classes/User.php:906 +#: classes/User.php:916 msgid "Single-user mode code called when not enabled." msgstr "" @@ -7156,7 +7316,8 @@ msgstr "Atom" msgid "FOAF" msgstr "FOAF" -#: lib/feedlist.php:65 +#. TRANS: Header for feed links (h2). +#: lib/feedlist.php:66 msgid "Feeds" msgstr "" @@ -7317,39 +7478,57 @@ msgstr "Esta página não está disponível em um tipo de mídia que você aceit msgid "Unsupported image file format." msgstr "Formato de imagem não suportado." -#: lib/imagefile.php:88 +#. TRANS: Exception thrown when too large a file is uploaded. +#. TRANS: %s is the maximum file size, for example "500b", "10kB" or "2MB". +#: lib/imagefile.php:90 #, php-format msgid "That file is too big. The maximum file size is %s." msgstr "O arquivo é muito grande. O tamanho máximo é de %s." -#: lib/imagefile.php:93 +#: lib/imagefile.php:95 msgid "Partial upload." msgstr "Envio parcial." #. TRANS: Client exception thrown when a file upload operation has failed with an unknown reason. -#: lib/imagefile.php:101 lib/mediafile.php:179 +#: lib/imagefile.php:103 lib/mediafile.php:179 msgid "System error uploading file." msgstr "Erro no sistema durante o envio do arquivo." -#: lib/imagefile.php:109 +#: lib/imagefile.php:111 msgid "Not an image or corrupt file." msgstr "Imagem inválida ou arquivo corrompido." -#: lib/imagefile.php:122 +#: lib/imagefile.php:124 msgid "Lost our file." msgstr "Nosso arquivo foi perdido." -#: lib/imagefile.php:163 lib/imagefile.php:224 +#: lib/imagefile.php:165 lib/imagefile.php:226 msgid "Unknown file type" msgstr "Tipo de arquivo desconhecido" -#: lib/imagefile.php:244 -msgid "MB" -msgstr "Mb" +#. TRANS: Number of megabytes. %d is the number. +#: lib/imagefile.php:248 +#, fuzzy, php-format +msgid "%dMB" +msgid_plural "%dMB" +msgstr[0] "Mb" +msgstr[1] "Mb" -#: lib/imagefile.php:246 -msgid "kB" -msgstr "Kb" +#. TRANS: Number of kilobytes. %d is the number. +#: lib/imagefile.php:252 +#, fuzzy, php-format +msgid "%dkB" +msgid_plural "%dkB" +msgstr[0] "Kb" +msgstr[1] "Kb" + +#. TRANS: Number of bytes. %d is the number. +#: lib/imagefile.php:255 +#, php-format +msgid "%dB" +msgid_plural "%dB" +msgstr[0] "" +msgstr[1] "" #: lib/jabber.php:387 #, php-format @@ -8251,6 +8430,13 @@ msgstr "Ocorreu um erro ao abrir o arquivo do tema." msgid "Top posters" msgstr "Quem mais publica" +#. TRANS: Title for the form to unblock a user. +#: lib/unblockform.php:67 +#, fuzzy +msgctxt "TITLE" +msgid "Unblock" +msgstr "Desbloquear" + #: lib/unsandboxform.php:69 msgid "Unsandbox" msgstr "Tirar do isolamento" @@ -8433,3 +8619,9 @@ msgstr "Não foi especificado nenhum ID de usuário." #, php-format msgid "%d entries in backup." msgstr "" + +#~ msgid "Description is too long (max %d chars)." +#~ msgstr "Descrição muito extensa (máximo %d caracteres)." + +#~ msgid "Too many aliases! Maximum %d." +#~ msgstr "Muitos apelidos! O máximo são %d." diff --git a/locale/ru/LC_MESSAGES/statusnet.po b/locale/ru/LC_MESSAGES/statusnet.po index bab3e27b71..a6f3602335 100644 --- a/locale/ru/LC_MESSAGES/statusnet.po +++ b/locale/ru/LC_MESSAGES/statusnet.po @@ -14,18 +14,18 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet - Core\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-10-27 23:43+0000\n" -"PO-Revision-Date: 2010-10-28 23:09:35+0000\n" +"POT-Creation-Date: 2010-10-30 23:18+0000\n" +"PO-Revision-Date: 2010-10-30 23:20: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 (r75629); Translate extension (2010-09-17)\n" +"X-Generator: MediaWiki 1.17alpha (r75708); Translate extension (2010-09-17)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: ru\n" "X-Message-Group: #out-statusnet-core\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" -"X-POT-Import-Date: 2010-10-28 00:13:15+0000\n" +"X-POT-Import-Date: 2010-10-30 09:48:40+0000\n" #. TRANS: Page title for Access admin panel that allows configuring site access. #. TRANS: Menu item for site administration @@ -122,6 +122,7 @@ msgstr "Нет такой страницы." #. TRANS: Client error displayed when requesting most recent dents by user and friends for a non-existing user. #. TRANS: Client error displayed when requesting most recent mentions for a non-existing user. #. TRANS: Client error displayed requesting most recent notices for a non-existing user. +#. TRANS: Client error displayed trying to get an avatar for a non-existing user. #. TRANS: Error text shown when trying to send a direct message to a user that does not exist. #: actions/all.php:80 actions/apiaccountupdatedeliverydevice.php:110 #: actions/apiaccountupdateprofile.php:103 @@ -134,7 +135,7 @@ msgstr "Нет такой страницы." #: actions/apistatusesupdate.php:230 actions/apisubscriptions.php:85 #: actions/apitimelinefavorites.php:70 actions/apitimelinefriends.php:173 #: actions/apitimelinehome.php:78 actions/apitimelinementions.php:77 -#: actions/apitimelineuser.php:79 actions/avatarbynickname.php:75 +#: actions/apitimelineuser.php:79 actions/avatarbynickname.php:79 #: 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 @@ -312,11 +313,12 @@ msgstr "Не удаётся обновить пользователя." #. TRANS: Client error displayed a user has no profile updating profile colours. #. TRANS: Client error displayed if a user profile could not be found updating a profile image. #. TRANS: Client error displayed when requesting user information for a user without a profile. +#. TRANS: Client error displayed trying to get an avatar for a user without a profile. #: actions/apiaccountupdateprofile.php:111 #: actions/apiaccountupdateprofilebackgroundimage.php:199 #: actions/apiaccountupdateprofilecolors.php:183 #: actions/apiaccountupdateprofileimage.php:130 actions/apiusershow.php:108 -#: actions/avatarbynickname.php:80 actions/foaf.php:65 actions/hcard.php:74 +#: actions/avatarbynickname.php:85 actions/foaf.php:65 actions/hcard.php:74 #: actions/replies.php:80 actions/usergroups.php:100 lib/galleryaction.php:66 #: lib/profileaction.php:84 msgid "User has no profile." @@ -331,7 +333,7 @@ msgstr "Не удаётся сохранить профиль." #. TRANS: %s is the number of bytes of the CONTENT_LENGTH. #: actions/apiaccountupdateprofilebackgroundimage.php:108 #: actions/apiaccountupdateprofileimage.php:95 actions/apimediaupload.php:81 -#: actions/apistatusesupdate.php:210 actions/avatarsettings.php:259 +#: actions/apistatusesupdate.php:210 actions/avatarsettings.php:269 #: actions/designadminpanel.php:125 actions/editapplication.php:121 #: actions/newapplication.php:104 actions/newnotice.php:95 #, fuzzy, php-format @@ -515,44 +517,54 @@ msgstr "Не удаётся определить исходного пользо msgid "Could not find target user." msgstr "Не удаётся найти целевого пользователя." +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. #. TRANS: Validation error in form for profile settings. -#: actions/apigroupcreate.php:165 actions/editgroup.php:186 -#: actions/newgroup.php:126 actions/profilesettings.php:243 +#: actions/apigroupcreate.php:165 actions/editgroup.php:191 +#: actions/newgroup.php:127 actions/profilesettings.php:243 #: actions/register.php:212 msgid "Nickname must have only lowercase letters and numbers and no spaces." msgstr "" "Имя должно состоять только из прописных букв и цифр и не иметь пробелов." #. TRANS: Client error trying to create a group with a nickname this is already in use. +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. #. TRANS: Validation error in form for profile settings. -#: actions/apigroupcreate.php:175 actions/editgroup.php:190 -#: actions/newgroup.php:130 actions/profilesettings.php:277 +#: actions/apigroupcreate.php:175 actions/editgroup.php:196 +#: actions/newgroup.php:132 actions/profilesettings.php:277 #: actions/register.php:215 msgid "Nickname already in use. Try another one." msgstr "Такое имя уже используется. Попробуйте какое-нибудь другое." #. TRANS: Client error in form for group creation. +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. #. TRANS: Validation error in form for profile settings. -#: actions/apigroupcreate.php:183 actions/editgroup.php:193 -#: actions/newgroup.php:133 actions/profilesettings.php:247 +#: actions/apigroupcreate.php:183 actions/editgroup.php:200 +#: actions/newgroup.php:136 actions/profilesettings.php:247 #: actions/register.php:217 msgid "Not a valid nickname." msgstr "Неверное имя." #. TRANS: Client error in form for group creation. #. TRANS: Validation error shown when providing an invalid homepage URL in the "Edit application" form. +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. #. TRANS: Validation error in form for profile settings. #: actions/apigroupcreate.php:200 actions/editapplication.php:233 -#: actions/editgroup.php:199 actions/newapplication.php:211 -#: actions/newgroup.php:139 actions/profilesettings.php:252 +#: actions/editgroup.php:207 actions/newapplication.php:211 +#: actions/newgroup.php:143 actions/profilesettings.php:252 #: actions/register.php:224 msgid "Homepage is not a valid URL." msgstr "URL Главной страницы неверен." #. TRANS: Client error in form for group creation. +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. #. TRANS: Validation error in form for profile settings. -#: actions/apigroupcreate.php:210 actions/editgroup.php:202 -#: actions/newgroup.php:142 actions/profilesettings.php:256 +#: actions/apigroupcreate.php:210 actions/editgroup.php:211 +#: actions/newgroup.php:147 actions/profilesettings.php:256 #: actions/register.php:227 #, fuzzy msgid "Full name is too long (maximum 255 characters)." @@ -561,10 +573,11 @@ msgstr "Полное имя слишком длинное (не больше 255 #. TRANS: Client error shown when providing too long a description during group creation. #. TRANS: %d is the maximum number of allowed characters. #. TRANS: Validation error shown when providing too long a description in the "Edit application" form. +#. TRANS: Group edit form validation error. #. TRANS: Form validation error in New application form. #. TRANS: %d is the maximum number of characters for the description. #: actions/apigroupcreate.php:220 actions/editapplication.php:201 -#: actions/newapplication.php:178 +#: actions/editgroup.php:216 actions/newapplication.php:178 #, fuzzy, php-format msgid "Description is too long (maximum %d character)." msgid_plural "Description is too long (maximum %d characters)." @@ -573,9 +586,11 @@ msgstr[1] "Слишком длинное описание (максимум %d msgstr[2] "Слишком длинное описание (максимум %d символов)" #. TRANS: Client error shown when providing too long a location during group creation. +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. #. TRANS: Validation error in form for profile settings. -#: actions/apigroupcreate.php:234 actions/editgroup.php:208 -#: actions/newgroup.php:153 actions/profilesettings.php:269 +#: actions/apigroupcreate.php:234 actions/editgroup.php:223 +#: actions/newgroup.php:159 actions/profilesettings.php:269 #: actions/register.php:236 #, fuzzy msgid "Location is too long (maximum 255 characters)." @@ -583,7 +598,12 @@ msgstr "Слишком длинное месторасположение (мак #. TRANS: Client error shown when providing too many aliases during group creation. #. TRANS: %d is the maximum number of allowed aliases. -#: actions/apigroupcreate.php:255 actions/newgroup.php:166 +#. TRANS: Group edit form validation error. +#. TRANS: %d is the maximum number of allowed aliases. +#. TRANS: Group create form validation error. +#. TRANS: %d is the maximum number of allowed aliases. +#: actions/apigroupcreate.php:255 actions/editgroup.php:236 +#: actions/newgroup.php:172 #, fuzzy, php-format msgid "Too many aliases! Maximum %d allowed." msgid_plural "Too many aliases! Maximum %d allowed." @@ -600,15 +620,19 @@ msgstr "Ошибочный псевдоним: «%s»." #. TRANS: Client error displayed when trying to use an alias during group creation that is already in use. #. TRANS: %s is the alias that is already in use. -#: actions/apigroupcreate.php:291 actions/editgroup.php:232 -#: actions/newgroup.php:181 +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. +#: actions/apigroupcreate.php:291 actions/editgroup.php:253 +#: actions/newgroup.php:189 #, php-format msgid "Alias \"%s\" already in use. Try another one." msgstr "Алиас «%s» уже используется. Попробуйте какой-нибудь другой." #. TRANS: Client error displayed when trying to use an alias during group creation that is the same as the group's nickname. -#: actions/apigroupcreate.php:305 actions/editgroup.php:238 -#: actions/newgroup.php:187 +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. +#: actions/apigroupcreate.php:305 actions/editgroup.php:260 +#: actions/newgroup.php:196 msgid "Alias can't be the same as nickname." msgstr "Алиас не может совпадать с именем." @@ -713,18 +737,18 @@ msgid "Request token already authorized." msgstr "Вы не авторизованы." #. TRANS: Form validation error in API OAuth authorisation because of an invalid session token. -#: actions/apioauthauthorize.php:147 actions/avatarsettings.php:270 +#: actions/apioauthauthorize.php:147 actions/avatarsettings.php:280 #: actions/deletenotice.php:172 actions/disfavor.php:74 #: actions/emailsettings.php:271 actions/favor.php:75 actions/geocode.php:55 #: actions/groupblock.php:66 actions/grouplogo.php:312 -#: actions/groupunblock.php:66 actions/imsettings.php:230 +#: actions/groupunblock.php:65 actions/imsettings.php:230 #: actions/invite.php:59 actions/login.php:137 actions/makeadmin.php:66 #: actions/newmessage.php:135 actions/newnotice.php:105 actions/nudge.php:80 #: actions/oauthappssettings.php:165 actions/oauthconnectionssettings.php:138 #: actions/othersettings.php:145 actions/passwordsettings.php:138 #: actions/profilesettings.php:221 actions/recoverpassword.php:350 #: actions/register.php:172 actions/remotesubscribe.php:77 -#: actions/repeat.php:83 actions/smssettings.php:256 actions/subedit.php:38 +#: actions/repeat.php:83 actions/smssettings.php:256 actions/subedit.php:40 #: actions/subscribe.php:86 actions/tagother.php:166 #: actions/unsubscribe.php:69 actions/userauthorization.php:52 #: lib/designsettings.php:294 @@ -743,12 +767,13 @@ msgid "Database error inserting oauth_token_association." msgstr "Ошибка базы данных при добавлении пользователя приложения OAuth." #. TRANS: Client error given on when invalid data was passed through a form in the OAuth API. +#. TRANS: Unexpected validation error on avatar upload form. #. TRANS: Client error displayed submitting invalid form data for edit application. #. TRANS: Message given submitting a form with an unknown action in e-mail settings. #. TRANS: Message given submitting a form with an unknown action in IM settings. #. TRANS: Client error when submitting a form with unexpected information. #. TRANS: Message given submitting a form with an unknown action in SMS settings. -#: actions/apioauthauthorize.php:294 actions/avatarsettings.php:283 +#: actions/apioauthauthorize.php:294 actions/avatarsettings.php:294 #: actions/designadminpanel.php:104 actions/editapplication.php:144 #: actions/emailsettings.php:290 actions/grouplogo.php:322 #: actions/imsettings.php:245 actions/newapplication.php:125 @@ -804,6 +829,7 @@ msgstr "Аккаунт" #. TRANS: Field label on OAuth API authorisation form. #. TRANS: Field label in form for profile settings. +#. TRANS: Label for group nickname (dt). Text hidden by default. #: actions/apioauthauthorize.php:459 actions/login.php:252 #: actions/profilesettings.php:110 actions/register.php:433 #: actions/showgroup.php:245 actions/tagother.php:94 @@ -1054,105 +1080,139 @@ msgstr "Метод API реконструируется." msgid "User not found." msgstr "Метод API не найден." +#. TRANS: Client error displayed trying to get a non-existing attachment. #: actions/attachment.php:73 msgid "No such attachment." msgstr "Нет такого вложения." -#: actions/avatarbynickname.php:59 actions/blockedfromgroup.php:73 -#: actions/editgroup.php:84 actions/groupdesignsettings.php:84 +#. TRANS: Client error displayed trying to get an avatar without providing a nickname. +#. TRANS: Client error displayed when requesting a list of blocked users for a group without providing a group nickname. +#. TRANS: Client error displayed trying to edit a group while not proving a nickname for the group to edit. +#. TRANS: Client error displayed if no nickname argument was given requesting a group page. +#: actions/avatarbynickname.php:60 actions/blockedfromgroup.php:73 +#: actions/editgroup.php:85 actions/groupdesignsettings.php:84 #: actions/grouplogo.php:86 actions/groupmembers.php:76 #: actions/grouprss.php:91 actions/showgroup.php:121 msgid "No nickname." msgstr "Нет имени." -#: actions/avatarbynickname.php:64 +#. TRANS: Client error displayed trying to get an avatar without providing an avatar size. +#: actions/avatarbynickname.php:66 msgid "No size." msgstr "Нет размера." -#: actions/avatarbynickname.php:69 +#. TRANS: Client error displayed trying to get an avatar providing an invalid avatar size. +#: actions/avatarbynickname.php:72 msgid "Invalid size." msgstr "Неверный размер." +#. TRANS: Title for avatar upload page. +#. TRANS: Label for group avatar (dt). Text hidden by default. #. TRANS: Link description in user account settings menu. -#: actions/avatarsettings.php:67 actions/showgroup.php:230 +#: actions/avatarsettings.php:66 actions/showgroup.php:229 #: lib/accountsettingsaction.php:113 msgid "Avatar" msgstr "Аватара" +#. TRANS: Instruction for avatar upload page. +#. TRANS: %s is the maximum file size, for example "500b", "10kB" or "2MB". #: actions/avatarsettings.php:78 #, php-format msgid "You can upload your personal avatar. The maximum file size is %s." msgstr "" "Вы можете загрузить свою аватару. Максимальный размер файла составляет %s." -#: actions/avatarsettings.php:106 actions/avatarsettings.php:185 +#. TRANS: Server error displayed in avatar upload page when no matching profile can be found for a user. +#: actions/avatarsettings.php:108 actions/avatarsettings.php:192 #: actions/grouplogo.php:181 actions/remotesubscribe.php:191 #: actions/userauthorization.php:72 actions/userrss.php:108 msgid "User without matching profile." msgstr "Пользователь без соответствующего профиля." -#: actions/avatarsettings.php:119 actions/avatarsettings.php:197 +#. TRANS: Avatar upload page form legend. +#. TRANS: Avatar upload page crop form legend. +#: actions/avatarsettings.php:122 actions/avatarsettings.php:205 #: actions/grouplogo.php:254 msgid "Avatar settings" msgstr "Настройки аватары" -#: actions/avatarsettings.php:127 actions/avatarsettings.php:205 +#. TRANS: Header on avatar upload page for thumbnail of originally uploaded avatar (h2). +#. TRANS: Header on avatar upload crop form for thumbnail of originally uploaded avatar (h2). +#: actions/avatarsettings.php:131 actions/avatarsettings.php:214 #: actions/grouplogo.php:202 actions/grouplogo.php:262 msgid "Original" msgstr "Оригинал" -#: actions/avatarsettings.php:142 actions/avatarsettings.php:217 +#. TRANS: Header on avatar upload page for thumbnail of to be used rendition of uploaded avatar (h2). +#. TRANS: Header on avatar upload crop form for thumbnail of to be used rendition of uploaded avatar (h2). +#: actions/avatarsettings.php:147 actions/avatarsettings.php:227 #: actions/grouplogo.php:213 actions/grouplogo.php:274 msgid "Preview" msgstr "Просмотр" -#: actions/avatarsettings.php:149 actions/showapplication.php:252 -#: lib/deletegroupform.php:121 lib/deleteuserform.php:66 -#: lib/noticelist.php:667 +#. TRANS: Button on avatar upload page to delete current avatar. +#: actions/avatarsettings.php:155 +#, fuzzy +msgctxt "BUTTON" msgid "Delete" msgstr "Удалить" -#: actions/avatarsettings.php:166 actions/grouplogo.php:236 +#. TRANS: Button on avatar upload page to upload an avatar. +#: actions/avatarsettings.php:173 +#, fuzzy +msgctxt "BUTTON" msgid "Upload" msgstr "Загрузить" -#: actions/avatarsettings.php:231 actions/grouplogo.php:289 +#. TRANS: Button on avatar upload crop form to confirm a selected crop as avatar. +#: actions/avatarsettings.php:243 +#, fuzzy +msgctxt "BUTTON" msgid "Crop" msgstr "Обрезать" -#: actions/avatarsettings.php:307 +#. TRANS: Validation error on avatar upload form when no file was uploaded. +#: actions/avatarsettings.php:318 msgid "No file uploaded." msgstr "Файл не загружен." -#: actions/avatarsettings.php:334 +#. TRANS: Avatar upload form unstruction after uploading a file. +#: actions/avatarsettings.php:346 msgid "Pick a square area of the image to be your avatar" msgstr "Подберите нужный квадратный участок для вашей аватары" -#: actions/avatarsettings.php:349 actions/grouplogo.php:380 +#. TRANS: Server error displayed if an avatar upload went wrong somehow server side. +#: actions/avatarsettings.php:361 actions/grouplogo.php:380 msgid "Lost our file data." msgstr "Потеряна информация о файле." -#: actions/avatarsettings.php:372 +#: actions/avatarsettings.php:384 msgid "Avatar updated." msgstr "Аватара обновлена." -#: actions/avatarsettings.php:375 +#. TRANS: Error displayed on the avatar upload page if the avatar could not be updated for an unknown reason. +#: actions/avatarsettings.php:388 msgid "Failed updating avatar." msgstr "Неудача при обновлении аватары." -#: actions/avatarsettings.php:399 +#. TRANS: Success message for deleting a user avatar. +#: actions/avatarsettings.php:412 msgid "Avatar deleted." msgstr "Аватара удалена." -#: actions/block.php:69 +#. TRANS: Client error displayed when blocking a user that has already been blocked. +#: actions/block.php:68 msgid "You already blocked that user." msgstr "Вы уже заблокировали этого пользователя." -#: actions/block.php:107 actions/block.php:136 actions/groupblock.php:158 +#. TRANS: Title for block user page. +#. TRANS: Legend for block user form. +#: actions/block.php:106 actions/block.php:136 actions/groupblock.php:158 msgid "Block user" msgstr "Заблокировать пользователя." -#: actions/block.php:138 +#. TRANS: Explanation of consequences when blocking a user on the block user page. +#: actions/block.php:139 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 " @@ -1168,7 +1228,7 @@ msgstr "" #. TRANS: Button label on the delete notice form. #. TRANS: Button label on the delete user form. #. TRANS: Button label on the form to block a user from a group. -#: actions/block.php:153 actions/deleteapplication.php:154 +#: actions/block.php:154 actions/deleteapplication.php:154 #: actions/deletegroup.php:220 actions/deletenotice.php:150 #: actions/deleteuser.php:152 actions/groupblock.php:178 msgctxt "BUTTON" @@ -1177,7 +1237,7 @@ msgstr "Нет" #. TRANS: Submit button title for 'No' when blocking a user. #. TRANS: Submit button title for 'No' when deleting a user. -#: actions/block.php:157 actions/deleteuser.php:156 +#: actions/block.php:158 actions/deleteuser.php:156 msgid "Do not block this user" msgstr "Не блокировать этого пользователя" @@ -1187,7 +1247,7 @@ msgstr "Не блокировать этого пользователя" #. TRANS: Button label on the delete notice form. #. TRANS: Button label on the delete user form. #. TRANS: Button label on the form to block a user from a group. -#: actions/block.php:160 actions/deleteapplication.php:161 +#: actions/block.php:161 actions/deleteapplication.php:161 #: actions/deletegroup.php:227 actions/deletenotice.php:157 #: actions/deleteuser.php:159 actions/groupblock.php:185 msgctxt "BUTTON" @@ -1196,90 +1256,111 @@ msgstr "Да" #. TRANS: Submit button title for 'Yes' when blocking a user. #. TRANS: Description of the form to block a user. -#: actions/block.php:164 lib/blockform.php:79 +#: actions/block.php:165 lib/blockform.php:79 msgid "Block this user" msgstr "Заблокировать пользователя." -#: actions/block.php:187 +#. TRANS: Server error displayed when blocking a user fails. +#: actions/block.php:189 msgid "Failed to save block information." msgstr "Не удаётся сохранить информацию о блокировании." +#. TRANS: Client error displayed when requesting a list of blocked users for a non-local group. +#. TRANS: Client error displayed when requesting a list of blocked users for a non-existing group. #. TRANS: Client error when trying to delete a non-local group. #. TRANS: Client error when trying to delete a non-existing group. +#. TRANS: Client error displayed trying to edit a non-existing group. +#. TRANS: Client error displayed when trying to unblock a user from a non-existing group. +#. TRANS: Client error displayed if no remote group with a given name was found requesting group page. +#. TRANS: Client error displayed if no local group with a given name was found requesting group page. #. TRANS: Command exception text shown when a group is requested that does not exist. #. TRANS: Error text shown when trying to leave a group that does not exist. -#: actions/blockedfromgroup.php:80 actions/blockedfromgroup.php:87 +#: actions/blockedfromgroup.php:81 actions/blockedfromgroup.php:89 #: actions/deletegroup.php:87 actions/deletegroup.php:100 -#: actions/editgroup.php:100 actions/foafgroup.php:44 actions/foafgroup.php:62 +#: actions/editgroup.php:102 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/groupunblock.php:88 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:168 +#: actions/showgroup.php:139 actions/showgroup.php:148 lib/command.php:168 #: lib/command.php:380 msgid "No such group." msgstr "Нет такой группы." -#: actions/blockedfromgroup.php:97 +#. TRANS: Title for first page with list of users blocked from a group. +#. TRANS: %s is a group nickname. +#: actions/blockedfromgroup.php:101 #, php-format msgid "%s blocked profiles" msgstr "Заблокированные профили %s" -#: actions/blockedfromgroup.php:100 +#. TRANS: Title for any but the first page with list of users blocked from a group. +#. TRANS: %1$s is a group nickname, %2$d is a page number. +#: actions/blockedfromgroup.php:106 #, php-format msgid "%1$s blocked profiles, page %2$d" msgstr "Заблокированные профили %1$s, страница %2$d" -#: actions/blockedfromgroup.php:115 +#. TRANS: Instructions for list of users blocked from a group. +#: actions/blockedfromgroup.php:122 msgid "A list of the users blocked from joining this group." msgstr "Список пользователей, заблокированных от присоединения к этой группе." -#: actions/blockedfromgroup.php:288 +#. TRANS: Form legend for unblocking a user from a group. +#: actions/blockedfromgroup.php:291 msgid "Unblock user from group" msgstr "Разблокировать пользователя в группе." -#. TRANS: Title for the form to unblock a user. -#: actions/blockedfromgroup.php:320 lib/unblockform.php:70 +#. TRANS: Button text for unblocking a user from a group. +#: actions/blockedfromgroup.php:323 +#, fuzzy +msgctxt "BUTTON" msgid "Unblock" msgstr "Разблокировать" +#. TRANS: Tooltip for button for unblocking a user from a group. #. TRANS: Description of the form to unblock a user. -#: actions/blockedfromgroup.php:320 lib/unblockform.php:82 +#: actions/blockedfromgroup.php:327 lib/unblockform.php:78 msgid "Unblock this user" msgstr "Разблокировать пользователя." #. TRANS: Title for mini-posting window loaded from bookmarklet. +#. TRANS: %s is the StatusNet site name. #: actions/bookmarklet.php:51 #, php-format msgid "Post to %s" msgstr "Отправить в %s" -#: actions/confirmaddress.php:75 +#. TRANS: Client error displayed when not providing a confirmation code in the contact address confirmation action. +#: actions/confirmaddress.php:74 msgid "No confirmation code." msgstr "Нет кода подтверждения." +#. TRANS: Client error displayed when providing a non-existing confirmation code in the contact address confirmation action. #: actions/confirmaddress.php:80 msgid "Confirmation code not found." msgstr "Код подтверждения не найден." -#: actions/confirmaddress.php:85 +#. TRANS: Client error displayed when not providing a confirmation code for another user in the contact address confirmation action. +#: actions/confirmaddress.php:86 msgid "That confirmation code is not for you!" msgstr "Это не Ваш код подтверждения!" -#. TRANS: Server error for an unknow address type, which can be 'email', 'jabber', or 'sms'. -#: actions/confirmaddress.php:91 +#. TRANS: Server error for a unknow address type %s, which can be 'email', 'jabber', or 'sms'. +#: actions/confirmaddress.php:92 #, php-format msgid "Unrecognized address type %s." msgstr "Нераспознанный тип адреса %s." -#. TRANS: Client error for an already confirmed email/jabbel/sms address. -#: actions/confirmaddress.php:96 +#. TRANS: Client error for an already confirmed email/jabber/sms address. +#: actions/confirmaddress.php:97 msgid "That address has already been confirmed." msgstr "Этот адрес уже подтверждён." +#. TRANS: Server error displayed when a user update to the database fails in the contact address confirmation action. #. TRANS: Server error thrown on database error updating e-mail preferences. #. TRANS: Server error thrown on database error removing a registered e-mail address. #. TRANS: Server error thrown on database error updating IM preferences. @@ -1287,7 +1368,7 @@ msgstr "Этот адрес уже подтверждён." #. TRANS: Server error thrown when user profile settings could not be updated. #. TRANS: Server error thrown on database error updating SMS preferences. #. TRANS: Server error thrown on database error removing a registered SMS phone number. -#: actions/confirmaddress.php:116 actions/emailsettings.php:331 +#: actions/confirmaddress.php:118 actions/emailsettings.php:331 #: actions/emailsettings.php:477 actions/imsettings.php:283 #: actions/imsettings.php:442 actions/othersettings.php:174 #: actions/profilesettings.php:326 actions/smssettings.php:308 @@ -1295,27 +1376,32 @@ msgstr "Этот адрес уже подтверждён." msgid "Couldn't update user." msgstr "Не удаётся обновить пользователя." -#. TRANS: Server error thrown on database error canceling e-mail address confirmation. -#. TRANS: Server error thrown on database error canceling SMS phone number confirmation. -#: actions/confirmaddress.php:128 actions/emailsettings.php:437 -#: actions/smssettings.php:422 -msgid "Couldn't delete email confirmation." -msgstr "Не удаётся удалить подверждение по электронному адресу." +#. TRANS: Server error displayed when an address confirmation code deletion from the +#. TRANS: database fails in the contact address confirmation action. +#: actions/confirmaddress.php:132 +#, fuzzy +msgid "Could not delete address confirmation." +msgstr "Не удаётся удалить подверждение IM." -#: actions/confirmaddress.php:146 +#. TRANS: Title for the contact address confirmation action. +#: actions/confirmaddress.php:150 msgid "Confirm address" msgstr "Подтвердить адрес" -#: actions/confirmaddress.php:161 +#. TRANS: Success message for the contact address confirmation action. +#. TRANS: %s can be 'email', 'jabber', or 'sms'. +#: actions/confirmaddress.php:166 #, php-format msgid "The address \"%s\" has been confirmed for your account." msgstr "Адрес «%s» подтверждён для вашего аккаунта." -#: actions/conversation.php:99 +#. TRANS: Title for page with a conversion (multiple notices in context). +#: actions/conversation.php:96 msgid "Conversation" msgstr "Дискуссия" -#: actions/conversation.php:154 lib/mailbox.php:116 lib/noticelist.php:87 +#. TRANS: Header on conversation page. Hidden by default (h2). +#: actions/conversation.php:149 lib/mailbox.php:116 lib/noticelist.php:87 #: lib/profileaction.php:229 lib/searchgroupnav.php:82 msgid "Notices" msgstr "Записи" @@ -1424,11 +1510,13 @@ msgstr "Не удаляйте эту группу" msgid "Delete this group" msgstr "Удалить эту группу" +#. TRANS: Client error displayed when trying to unblock a user from a group while not logged in. +#. TRANS: Client error displayed trying a change a subscription while not logged in. #. TRANS: Client error message thrown when trying to access the admin panel while not logged in. #: actions/deletenotice.php:50 actions/disfavor.php:61 actions/favor.php:62 -#: actions/groupblock.php:61 actions/groupunblock.php:61 actions/logout.php:69 +#: actions/groupblock.php:61 actions/groupunblock.php:60 actions/logout.php:69 #: actions/makeadmin.php:61 actions/newmessage.php:87 actions/newnotice.php:88 -#: actions/nudge.php:63 actions/subedit.php:31 actions/subscribe.php:96 +#: actions/nudge.php:63 actions/subedit.php:33 actions/subscribe.php:96 #: actions/tagother.php:33 actions/unsubscribe.php:52 #: lib/adminpanelaction.php:71 lib/profileformaction.php:64 #: lib/settingsaction.php:72 @@ -1732,49 +1820,49 @@ msgstr "URL-адрес обратного вызова недействител msgid "Could not update application." msgstr "Не удаётся обновить приложение." -#: actions/editgroup.php:56 +#. TRANS: Title for form to edit a group. %s is a group nickname. +#: actions/editgroup.php:55 #, php-format msgid "Edit %s group" msgstr "Изменить информацию о группе %s" +#. TRANS: Client error displayed trying to edit a group while not logged in. +#. TRANS: Client error displayed trying to create a group while not logged in. #: actions/editgroup.php:68 actions/grouplogo.php:70 actions/newgroup.php:65 msgid "You must be logged in to create a group." msgstr "Вы должны авторизоваться, чтобы создать новую группу." -#: actions/editgroup.php:107 actions/editgroup.php:172 +#. TRANS: Client error displayed trying to edit a group while not being a group admin. +#: actions/editgroup.php:110 actions/editgroup.php:176 #: actions/groupdesignsettings.php:107 actions/grouplogo.php:109 msgid "You must be an admin to edit the group." msgstr "Вы должны быть администратором, чтобы изменять информацию о группе." -#: actions/editgroup.php:158 +#. TRANS: Form instructions for group edit form. +#: actions/editgroup.php:161 msgid "Use this form to edit the group." msgstr "Заполните информацию о группе в следующие поля" -#: actions/editgroup.php:205 -#, php-format -msgid "Description is too long (max %d chars)." -msgstr "Слишком длинное описание (максимум %d символов)" - -#: actions/editgroup.php:219 -#, php-format -msgid "Too many aliases! Maximum %d." -msgstr "Слишком много алиасов! Максимальное число — %d." - -#: actions/editgroup.php:228 actions/newgroup.php:177 +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. +#: actions/editgroup.php:248 actions/newgroup.php:184 #, php-format msgid "Invalid alias: \"%s\"" msgstr "Неверный алиас: «%s»" -#: actions/editgroup.php:258 +#. TRANS: Server error displayed when editing a group fails. +#: actions/editgroup.php:281 msgid "Could not update group." msgstr "Не удаётся обновить информацию о группе." +#. TRANS: Server error displayed when group aliases could not be added. #. TRANS: Server exception thrown when creating group aliases failed. -#: actions/editgroup.php:264 classes/User_group.php:513 +#: actions/editgroup.php:288 classes/User_group.php:513 msgid "Could not create aliases." msgstr "Не удаётся создать алиасы." -#: actions/editgroup.php:280 +#. TRANS: Group edit form success message. +#: actions/editgroup.php:305 msgid "Options saved." msgstr "Настройки сохранены." @@ -1976,6 +2064,12 @@ msgstr "Нет подтверждения отказа." msgid "That is the wrong email address." msgstr "Это неверный адрес эл. почты." +#. TRANS: Server error thrown on database error canceling e-mail address confirmation. +#. TRANS: Server error thrown on database error canceling SMS phone number confirmation. +#: actions/emailsettings.php:437 actions/smssettings.php:422 +msgid "Couldn't delete email confirmation." +msgstr "Не удаётся удалить подверждение по электронному адресу." + #. TRANS: Message given after successfully canceling e-mail address confirmation. #: actions/emailsettings.php:442 msgid "Email confirmation cancelled." @@ -2156,19 +2250,23 @@ msgstr "Вы не можете назначать пользователю ро msgid "User already has this role." msgstr "Пользователь уже имеет эту роль." +#. TRANS: Client error displayed when trying to unblock a user from a group without providing a profile. +#. TRANS: Client error displayed trying a change a subscription without providing a profile. #: actions/groupblock.php:71 actions/groupunblock.php:71 -#: actions/makeadmin.php:71 actions/subedit.php:46 +#: actions/makeadmin.php:71 actions/subedit.php:49 #: lib/profileformaction.php:79 msgid "No profile specified." msgstr "Профиль не определен." -#: actions/groupblock.php:76 actions/groupunblock.php:76 -#: actions/makeadmin.php:76 actions/subedit.php:53 actions/tagother.php:46 +#. TRANS: Client error displayed when trying to unblock a user from a group without providing an existing profile. +#. TRANS: Client error displayed trying a change a subscription for a non-existant profile ID. +#: actions/groupblock.php:76 actions/groupunblock.php:77 +#: actions/makeadmin.php:76 actions/subedit.php:57 actions/tagother.php:46 #: actions/unsubscribe.php:84 lib/profileformaction.php:86 msgid "No profile with that ID." msgstr "Нет профиля с таким ID." -#: actions/groupblock.php:81 actions/groupunblock.php:81 +#: actions/groupblock.php:81 actions/groupunblock.php:82 #: actions/makeadmin.php:81 msgid "No group specified." msgstr "Группа не определена." @@ -2255,6 +2353,14 @@ msgstr "" "Здесь вы можете загрузить логотип для группы. Максимальный размер файла " "составляет %s." +#: actions/grouplogo.php:236 +msgid "Upload" +msgstr "Загрузить" + +#: actions/grouplogo.php:289 +msgid "Crop" +msgstr "Обрезать" + #: actions/grouplogo.php:365 msgid "Pick a square area of the image to be the logo." msgstr "Подберите нужный квадратный участок для вашего логотипа." @@ -2397,15 +2503,18 @@ msgstr "" "Почему бы не [зарегистрироваться](%%action.register%%), чтобы [создать " "группу](%%action.newgroup%%) самому?" -#: actions/groupunblock.php:91 +#. TRANS: Client error displayed when trying to unblock a user from a group without being an administrator for the group. +#: actions/groupunblock.php:94 msgid "Only an admin can unblock group members." msgstr "Только администратор может разблокировать участников группы." -#: actions/groupunblock.php:95 +#. TRANS: Client error displayed when trying to unblock a non-blocked user from a group. +#: actions/groupunblock.php:99 msgid "User is not blocked from group." msgstr "Пользователь не заблокировал вас из группы." -#: actions/groupunblock.php:128 actions/unblock.php:86 +#. TRANS: Server error displayed when unblocking a user from a group fails because of an unknown error. +#: actions/groupunblock.php:131 actions/unblock.php:86 msgid "Error removing the block." msgstr "Ошибка при удалении данного блока." @@ -3006,10 +3115,12 @@ msgstr "Слишком длинное название организации ( msgid "Could not create application." msgstr "Не удаётся создать приложение." +#. TRANS: Title for form to create a group. #: actions/newgroup.php:53 msgid "New group" msgstr "Новая группа" +#. TRANS: Form instructions for group create form. #: actions/newgroup.php:110 msgid "Use this form to create a new group." msgstr "Используйте эту форму для создания новой группы." @@ -3708,8 +3819,9 @@ msgid "1-64 lowercase letters or numbers, no punctuation or spaces." msgstr "1-64 латинских строчных буквы или цифры, без пробелов" #. TRANS: Field label in form for profile settings. +#. TRANS: Label for full group name (dt). Text hidden by default. #: actions/profilesettings.php:117 actions/register.php:457 -#: actions/showgroup.php:256 actions/tagother.php:104 +#: actions/showgroup.php:257 actions/tagother.php:104 #: lib/groupeditform.php:157 lib/userprofile.php:150 msgid "Full name" msgstr "Полное имя" @@ -3750,8 +3862,9 @@ msgid "Bio" msgstr "Биография" #. TRANS: Field label in form for profile settings. +#. TRANS: Label for group location (dt). Text hidden by default. #: actions/profilesettings.php:149 actions/register.php:485 -#: actions/showgroup.php:265 actions/tagother.php:112 +#: actions/showgroup.php:267 actions/tagother.php:112 #: actions/userauthorization.php:166 lib/groupeditform.php:177 #: lib/userprofile.php:165 msgid "Location" @@ -4473,7 +4586,8 @@ msgstr "Организация" msgid "Description" msgstr "Описание" -#: actions/showapplication.php:192 actions/showgroup.php:442 +#. TRANS: Header for group statistics on a group page (h2). +#: actions/showapplication.php:192 actions/showgroup.php:453 #: lib/profileaction.php:187 msgid "Statistics" msgstr "Статистика" @@ -4491,6 +4605,11 @@ msgstr "Действия приложения" msgid "Reset key & secret" msgstr "Сбросить ключ и секретную фразу" +#: actions/showapplication.php:252 lib/deletegroupform.php:121 +#: lib/deleteuserform.php:66 lib/noticelist.php:667 +msgid "Delete" +msgstr "Удалить" + #: actions/showapplication.php:261 msgid "Application info" msgstr "Информация о приложении" @@ -4584,77 +4703,106 @@ msgstr "" msgid "This is a way to share what you like." msgstr "Это способ поделиться тем, что вам нравится." -#: actions/showgroup.php:82 +#. TRANS: Page title for first group page. %s is a group name. +#: actions/showgroup.php:80 #, php-format msgid "%s group" msgstr "Группа %s" +#. TRANS: Page title for any but first group page. +#. TRANS: %1$s is a group name, $2$s is a page number. #: actions/showgroup.php:84 #, php-format msgid "%1$s group, page %2$d" msgstr "Группа %1$s, страница %2$d" -#: actions/showgroup.php:227 +#. TRANS: Group profile header (h2). Text hidden by default. +#: actions/showgroup.php:225 msgid "Group profile" msgstr "Профиль группы" -#: actions/showgroup.php:272 actions/tagother.php:118 +#. TRANS: Label for group URL (dt). Text hidden by default. +#: actions/showgroup.php:275 actions/tagother.php:118 #: actions/userauthorization.php:175 lib/userprofile.php:178 msgid "URL" msgstr "URL" -#: actions/showgroup.php:283 actions/tagother.php:128 +#. TRANS: Label for group description or group note (dt). Text hidden by default. +#: actions/showgroup.php:287 actions/tagother.php:128 #: actions/userauthorization.php:187 lib/userprofile.php:195 msgid "Note" msgstr "Запись" -#: actions/showgroup.php:293 lib/groupeditform.php:184 +#. TRANS: Label for group aliases (dt). Text hidden by default. +#: actions/showgroup.php:298 lib/groupeditform.php:184 msgid "Aliases" msgstr "Алиасы" -#: actions/showgroup.php:302 +#. TRANS: Group actions header (h2). Text hidden by default. +#: actions/showgroup.php:309 msgid "Group actions" msgstr "Действия группы" -#: actions/showgroup.php:344 +#. TRANS: Tooltip for feed link. %s is a group nickname. +#: actions/showgroup.php:350 #, php-format msgid "Notice feed for %s group (RSS 1.0)" msgstr "Лента записей группы %s (RSS 1.0)" -#: actions/showgroup.php:350 +#. TRANS: Tooltip for feed link. %s is a group nickname. +#: actions/showgroup.php:357 #, php-format msgid "Notice feed for %s group (RSS 2.0)" msgstr "Лента записей группы %s (RSS 2.0)" -#: actions/showgroup.php:356 +#. TRANS: Tooltip for feed link. %s is a group nickname. +#: actions/showgroup.php:364 #, php-format msgid "Notice feed for %s group (Atom)" msgstr "Лента записей группы %s (Atom)" -#: actions/showgroup.php:361 +#. TRANS: Tooltip for feed link. %s is a group nickname. +#: actions/showgroup.php:370 #, php-format msgid "FOAF for %s group" msgstr "FOAF для группы %s" -#: actions/showgroup.php:399 actions/showgroup.php:451 +#. TRANS: Header for mini list of group members on a group page (h2). +#: actions/showgroup.php:407 msgid "Members" msgstr "Участники" -#: actions/showgroup.php:404 lib/profileaction.php:117 +#. TRANS: Description for mini list of group members on a group page when the group has no members. +#: actions/showgroup.php:413 lib/profileaction.php:117 #: lib/profileaction.php:152 lib/profileaction.php:255 lib/section.php:95 #: lib/subscriptionlist.php:127 lib/tagcloudsection.php:71 msgid "(None)" msgstr "(пока ничего нет)" -#: actions/showgroup.php:410 +#. TRANS: Link to all group members from mini list of group members if group has more than n members. +#: actions/showgroup.php:422 msgid "All members" msgstr "Все участники" -#: actions/showgroup.php:445 +#. TRANS: Label for creation date in statistics on group page. +#: actions/showgroup.php:458 +#, fuzzy +msgctxt "LABEL" msgid "Created" msgstr "Создано" -#: actions/showgroup.php:461 +#. TRANS: Label for member count in statistics on group page. +#: actions/showgroup.php:466 +#, fuzzy +msgctxt "LABEL" +msgid "Members" +msgstr "Участники" + +#. TRANS: Notice on group pages for anonymous users for StatusNet sites that accept new registrations. +#. TRANS: **%s** is the group alias, %%%%site.name%%%% is the site name, +#. TRANS: %%%%action.register%%%% is the URL for registration, %%%%doc.help%%%% is a URL to help. +#. TRANS: This message contains Markdown links. Ensure they are formatted correctly: [Description](link). +#: actions/showgroup.php:481 #, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -4670,7 +4818,10 @@ msgstr "" "action.register%%%%), чтобы стать участником группы и получить множество " "других возможностей! ([Читать далее](%%%%doc.help%%%%))" -#: actions/showgroup.php:467 +#. TRANS: Notice on group pages for anonymous users for StatusNet sites that accept no new registrations. +#. TRANS: **%s** is the group alias, %%%%site.name%%%% is the site name, +#. TRANS: This message contains Markdown links. Ensure they are formatted correctly: [Description](link). +#: actions/showgroup.php:491 #, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -4683,24 +4834,31 @@ msgstr "" "обеспечении [StatusNet](http://status.net/). Участники обмениваются " "короткими сообщениями о своей жизни и интересах. " -#: actions/showgroup.php:495 +#. TRANS: Header for list of group administrators on a group page (h2). +#: actions/showgroup.php:520 msgid "Admins" msgstr "Администраторы" -#: actions/showmessage.php:81 +#. TRANS: Client error displayed requesting a single message that does not exist. +#: actions/showmessage.php:79 msgid "No such message." msgstr "Нет такого сообщения." -#: actions/showmessage.php:98 +#. TRANS: Client error displayed requesting a single direct message the requesting user was not a party in. +#: actions/showmessage.php:97 msgid "Only the sender and recipient may read this message." msgstr "Только отправитель и получатель могут читать это сообщение." -#: actions/showmessage.php:108 +#. TRANS: Page title for single direct message display when viewing user is the sender. +#. TRANS: %1$s is the addressed user's nickname, $2$s is a timestamp. +#: actions/showmessage.php:110 #, php-format msgid "Message to %1$s on %2$s" msgstr "Сообщение для %1$s на %2$s" -#: actions/showmessage.php:113 +#. TRANS: Page title for single message display. +#. TRANS: %1$s is the sending user's nickname, $2$s is a timestamp. +#: actions/showmessage.php:118 #, php-format msgid "Message from %1$s on %2$s" msgstr "Сообщение от %1$s на %2$s" @@ -5149,12 +5307,14 @@ msgstr "Снимки будут отправляться по этому URL-а msgid "Save snapshot settings" msgstr "Сохранить настройки снимка" -#: actions/subedit.php:70 +#. TRANS: Client error displayed trying a change a subscription for a non-subscribed profile. +#: actions/subedit.php:75 msgid "You are not subscribed to that profile." msgstr "Вы не подписаны на этот профиль." +#. TRANS: Server error displayed when updating a subscription fails with a database error. #. TRANS: Exception thrown when a subscription could not be stored on the server. -#: actions/subedit.php:83 classes/Subscription.php:136 +#: actions/subedit.php:89 classes/Subscription.php:136 msgid "Could not save subscription." msgstr "Не удаётся сохранить подписку." @@ -5968,12 +6128,12 @@ msgid "Welcome to %1$s, @%2$s!" msgstr "Добро пожаловать на %1$s, @%2$s!" #. TRANS: Server exception. -#: classes/User.php:902 +#: classes/User.php:912 msgid "No single user defined for single-user mode." msgstr "Ни задан пользователь для однопользовательского режима." #. TRANS: Server exception. -#: classes/User.php:906 +#: classes/User.php:916 msgid "Single-user mode code called when not enabled." msgstr "" @@ -7148,7 +7308,8 @@ msgstr "Atom" msgid "FOAF" msgstr "FOAF" -#: lib/feedlist.php:65 +#. TRANS: Header for feed links (h2). +#: lib/feedlist.php:66 msgid "Feeds" msgstr "" @@ -7308,39 +7469,60 @@ msgstr "Страница недоступна для того типа, кото msgid "Unsupported image file format." msgstr "Неподдерживаемый формат файла изображения." -#: lib/imagefile.php:88 +#. TRANS: Exception thrown when too large a file is uploaded. +#. TRANS: %s is the maximum file size, for example "500b", "10kB" or "2MB". +#: lib/imagefile.php:90 #, php-format msgid "That file is too big. The maximum file size is %s." msgstr "Этот файл слишком большой. Максимальный размер файла составляет %s." -#: lib/imagefile.php:93 +#: lib/imagefile.php:95 msgid "Partial upload." msgstr "Частичная загрузка." #. TRANS: Client exception thrown when a file upload operation has failed with an unknown reason. -#: lib/imagefile.php:101 lib/mediafile.php:179 +#: lib/imagefile.php:103 lib/mediafile.php:179 msgid "System error uploading file." msgstr "Системная ошибка при загрузке файла." -#: lib/imagefile.php:109 +#: lib/imagefile.php:111 msgid "Not an image or corrupt file." msgstr "Не является изображением или повреждённый файл." -#: lib/imagefile.php:122 +#: lib/imagefile.php:124 msgid "Lost our file." msgstr "Потерян файл." -#: lib/imagefile.php:163 lib/imagefile.php:224 +#: lib/imagefile.php:165 lib/imagefile.php:226 msgid "Unknown file type" msgstr "Неподдерживаемый тип файла" -#: lib/imagefile.php:244 -msgid "MB" -msgstr "МБ" +#. TRANS: Number of megabytes. %d is the number. +#: lib/imagefile.php:248 +#, fuzzy, php-format +msgid "%dMB" +msgid_plural "%dMB" +msgstr[0] "МБ" +msgstr[1] "МБ" +msgstr[2] "МБ" -#: lib/imagefile.php:246 -msgid "kB" -msgstr "КБ" +#. TRANS: Number of kilobytes. %d is the number. +#: lib/imagefile.php:252 +#, fuzzy, php-format +msgid "%dkB" +msgid_plural "%dkB" +msgstr[0] "КБ" +msgstr[1] "КБ" +msgstr[2] "КБ" + +#. TRANS: Number of bytes. %d is the number. +#: lib/imagefile.php:255 +#, php-format +msgid "%dB" +msgid_plural "%dB" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" #: lib/jabber.php:387 #, php-format @@ -8235,6 +8417,13 @@ msgstr "Ошибка открытия архива темы." msgid "Top posters" msgstr "Самые активные" +#. TRANS: Title for the form to unblock a user. +#: lib/unblockform.php:67 +#, fuzzy +msgctxt "TITLE" +msgid "Unblock" +msgstr "Разблокировать" + #: lib/unsandboxform.php:69 msgid "Unsandbox" msgstr "Снять режим песочницы" @@ -8425,3 +8614,9 @@ msgstr "Не указан идентификатор пользователя." #, php-format msgid "%d entries in backup." msgstr "" + +#~ msgid "Description is too long (max %d chars)." +#~ msgstr "Слишком длинное описание (максимум %d символов)" + +#~ msgid "Too many aliases! Maximum %d." +#~ msgstr "Слишком много алиасов! Максимальное число — %d." diff --git a/locale/statusnet.pot b/locale/statusnet.pot index aafae13c14..375c6bc743 100644 --- a/locale/statusnet.pot +++ b/locale/statusnet.pot @@ -8,7 +8,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-10-27 23:43+0000\n" +"POT-Creation-Date: 2010-10-30 23:18+0000\n" "PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" "Last-Translator: FULL NAME \n" "Language-Team: LANGUAGE \n" @@ -111,6 +111,7 @@ msgstr "" #. TRANS: Client error displayed when requesting most recent dents by user and friends for a non-existing user. #. TRANS: Client error displayed when requesting most recent mentions for a non-existing user. #. TRANS: Client error displayed requesting most recent notices for a non-existing user. +#. TRANS: Client error displayed trying to get an avatar for a non-existing user. #. TRANS: Error text shown when trying to send a direct message to a user that does not exist. #: actions/all.php:80 actions/apiaccountupdatedeliverydevice.php:110 #: actions/apiaccountupdateprofile.php:103 @@ -123,7 +124,7 @@ msgstr "" #: actions/apistatusesupdate.php:230 actions/apisubscriptions.php:85 #: actions/apitimelinefavorites.php:70 actions/apitimelinefriends.php:173 #: actions/apitimelinehome.php:78 actions/apitimelinementions.php:77 -#: actions/apitimelineuser.php:79 actions/avatarbynickname.php:75 +#: actions/apitimelineuser.php:79 actions/avatarbynickname.php:79 #: 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 @@ -293,11 +294,12 @@ msgstr "" #. TRANS: Client error displayed a user has no profile updating profile colours. #. TRANS: Client error displayed if a user profile could not be found updating a profile image. #. TRANS: Client error displayed when requesting user information for a user without a profile. +#. TRANS: Client error displayed trying to get an avatar for a user without a profile. #: actions/apiaccountupdateprofile.php:111 #: actions/apiaccountupdateprofilebackgroundimage.php:199 #: actions/apiaccountupdateprofilecolors.php:183 #: actions/apiaccountupdateprofileimage.php:130 actions/apiusershow.php:108 -#: actions/avatarbynickname.php:80 actions/foaf.php:65 actions/hcard.php:74 +#: actions/avatarbynickname.php:85 actions/foaf.php:65 actions/hcard.php:74 #: actions/replies.php:80 actions/usergroups.php:100 lib/galleryaction.php:66 #: lib/profileaction.php:84 msgid "User has no profile." @@ -312,7 +314,7 @@ msgstr "" #. TRANS: %s is the number of bytes of the CONTENT_LENGTH. #: actions/apiaccountupdateprofilebackgroundimage.php:108 #: actions/apiaccountupdateprofileimage.php:95 actions/apimediaupload.php:81 -#: actions/apistatusesupdate.php:210 actions/avatarsettings.php:259 +#: actions/apistatusesupdate.php:210 actions/avatarsettings.php:269 #: actions/designadminpanel.php:125 actions/editapplication.php:121 #: actions/newapplication.php:104 actions/newnotice.php:95 #, php-format @@ -483,43 +485,53 @@ msgstr "" msgid "Could not find target user." msgstr "" +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. #. TRANS: Validation error in form for profile settings. -#: actions/apigroupcreate.php:165 actions/editgroup.php:186 -#: actions/newgroup.php:126 actions/profilesettings.php:243 +#: actions/apigroupcreate.php:165 actions/editgroup.php:191 +#: actions/newgroup.php:127 actions/profilesettings.php:243 #: actions/register.php:212 msgid "Nickname must have only lowercase letters and numbers and no spaces." msgstr "" #. TRANS: Client error trying to create a group with a nickname this is already in use. +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. #. TRANS: Validation error in form for profile settings. -#: actions/apigroupcreate.php:175 actions/editgroup.php:190 -#: actions/newgroup.php:130 actions/profilesettings.php:277 +#: actions/apigroupcreate.php:175 actions/editgroup.php:196 +#: actions/newgroup.php:132 actions/profilesettings.php:277 #: actions/register.php:215 msgid "Nickname already in use. Try another one." msgstr "" #. TRANS: Client error in form for group creation. +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. #. TRANS: Validation error in form for profile settings. -#: actions/apigroupcreate.php:183 actions/editgroup.php:193 -#: actions/newgroup.php:133 actions/profilesettings.php:247 +#: actions/apigroupcreate.php:183 actions/editgroup.php:200 +#: actions/newgroup.php:136 actions/profilesettings.php:247 #: actions/register.php:217 msgid "Not a valid nickname." msgstr "" #. TRANS: Client error in form for group creation. #. TRANS: Validation error shown when providing an invalid homepage URL in the "Edit application" form. +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. #. TRANS: Validation error in form for profile settings. #: actions/apigroupcreate.php:200 actions/editapplication.php:233 -#: actions/editgroup.php:199 actions/newapplication.php:211 -#: actions/newgroup.php:139 actions/profilesettings.php:252 +#: actions/editgroup.php:207 actions/newapplication.php:211 +#: actions/newgroup.php:143 actions/profilesettings.php:252 #: actions/register.php:224 msgid "Homepage is not a valid URL." msgstr "" #. TRANS: Client error in form for group creation. +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. #. TRANS: Validation error in form for profile settings. -#: actions/apigroupcreate.php:210 actions/editgroup.php:202 -#: actions/newgroup.php:142 actions/profilesettings.php:256 +#: actions/apigroupcreate.php:210 actions/editgroup.php:211 +#: actions/newgroup.php:147 actions/profilesettings.php:256 #: actions/register.php:227 msgid "Full name is too long (maximum 255 characters)." msgstr "" @@ -527,10 +539,11 @@ msgstr "" #. TRANS: Client error shown when providing too long a description during group creation. #. TRANS: %d is the maximum number of allowed characters. #. TRANS: Validation error shown when providing too long a description in the "Edit application" form. +#. TRANS: Group edit form validation error. #. TRANS: Form validation error in New application form. #. TRANS: %d is the maximum number of characters for the description. #: actions/apigroupcreate.php:220 actions/editapplication.php:201 -#: actions/newapplication.php:178 +#: actions/editgroup.php:216 actions/newapplication.php:178 #, php-format msgid "Description is too long (maximum %d character)." msgid_plural "Description is too long (maximum %d characters)." @@ -538,16 +551,23 @@ msgstr[0] "" msgstr[1] "" #. TRANS: Client error shown when providing too long a location during group creation. +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. #. TRANS: Validation error in form for profile settings. -#: actions/apigroupcreate.php:234 actions/editgroup.php:208 -#: actions/newgroup.php:153 actions/profilesettings.php:269 +#: actions/apigroupcreate.php:234 actions/editgroup.php:223 +#: actions/newgroup.php:159 actions/profilesettings.php:269 #: actions/register.php:236 msgid "Location is too long (maximum 255 characters)." msgstr "" #. TRANS: Client error shown when providing too many aliases during group creation. #. TRANS: %d is the maximum number of allowed aliases. -#: actions/apigroupcreate.php:255 actions/newgroup.php:166 +#. TRANS: Group edit form validation error. +#. TRANS: %d is the maximum number of allowed aliases. +#. TRANS: Group create form validation error. +#. TRANS: %d is the maximum number of allowed aliases. +#: actions/apigroupcreate.php:255 actions/editgroup.php:236 +#: actions/newgroup.php:172 #, php-format msgid "Too many aliases! Maximum %d allowed." msgid_plural "Too many aliases! Maximum %d allowed." @@ -563,15 +583,19 @@ msgstr "" #. TRANS: Client error displayed when trying to use an alias during group creation that is already in use. #. TRANS: %s is the alias that is already in use. -#: actions/apigroupcreate.php:291 actions/editgroup.php:232 -#: actions/newgroup.php:181 +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. +#: actions/apigroupcreate.php:291 actions/editgroup.php:253 +#: actions/newgroup.php:189 #, php-format msgid "Alias \"%s\" already in use. Try another one." msgstr "" #. TRANS: Client error displayed when trying to use an alias during group creation that is the same as the group's nickname. -#: actions/apigroupcreate.php:305 actions/editgroup.php:238 -#: actions/newgroup.php:187 +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. +#: actions/apigroupcreate.php:305 actions/editgroup.php:260 +#: actions/newgroup.php:196 msgid "Alias can't be the same as nickname." msgstr "" @@ -674,18 +698,18 @@ msgid "Request token already authorized." msgstr "" #. TRANS: Form validation error in API OAuth authorisation because of an invalid session token. -#: actions/apioauthauthorize.php:147 actions/avatarsettings.php:270 +#: actions/apioauthauthorize.php:147 actions/avatarsettings.php:280 #: actions/deletenotice.php:172 actions/disfavor.php:74 #: actions/emailsettings.php:271 actions/favor.php:75 actions/geocode.php:55 #: actions/groupblock.php:66 actions/grouplogo.php:312 -#: actions/groupunblock.php:66 actions/imsettings.php:230 +#: actions/groupunblock.php:65 actions/imsettings.php:230 #: actions/invite.php:59 actions/login.php:137 actions/makeadmin.php:66 #: actions/newmessage.php:135 actions/newnotice.php:105 actions/nudge.php:80 #: actions/oauthappssettings.php:165 actions/oauthconnectionssettings.php:138 #: actions/othersettings.php:145 actions/passwordsettings.php:138 #: actions/profilesettings.php:221 actions/recoverpassword.php:350 #: actions/register.php:172 actions/remotesubscribe.php:77 -#: actions/repeat.php:83 actions/smssettings.php:256 actions/subedit.php:38 +#: actions/repeat.php:83 actions/smssettings.php:256 actions/subedit.php:40 #: actions/subscribe.php:86 actions/tagother.php:166 #: actions/unsubscribe.php:69 actions/userauthorization.php:52 #: lib/designsettings.php:294 @@ -703,12 +727,13 @@ msgid "Database error inserting oauth_token_association." msgstr "" #. TRANS: Client error given on when invalid data was passed through a form in the OAuth API. +#. TRANS: Unexpected validation error on avatar upload form. #. TRANS: Client error displayed submitting invalid form data for edit application. #. TRANS: Message given submitting a form with an unknown action in e-mail settings. #. TRANS: Message given submitting a form with an unknown action in IM settings. #. TRANS: Client error when submitting a form with unexpected information. #. TRANS: Message given submitting a form with an unknown action in SMS settings. -#: actions/apioauthauthorize.php:294 actions/avatarsettings.php:283 +#: actions/apioauthauthorize.php:294 actions/avatarsettings.php:294 #: actions/designadminpanel.php:104 actions/editapplication.php:144 #: actions/emailsettings.php:290 actions/grouplogo.php:322 #: actions/imsettings.php:245 actions/newapplication.php:125 @@ -756,6 +781,7 @@ msgstr "" #. TRANS: Field label on OAuth API authorisation form. #. TRANS: Field label in form for profile settings. +#. TRANS: Label for group nickname (dt). Text hidden by default. #: actions/apioauthauthorize.php:459 actions/login.php:252 #: actions/profilesettings.php:110 actions/register.php:433 #: actions/showgroup.php:245 actions/tagother.php:94 @@ -1000,104 +1026,135 @@ msgstr "" msgid "User not found." msgstr "" +#. TRANS: Client error displayed trying to get a non-existing attachment. #: actions/attachment.php:73 msgid "No such attachment." msgstr "" -#: actions/avatarbynickname.php:59 actions/blockedfromgroup.php:73 -#: actions/editgroup.php:84 actions/groupdesignsettings.php:84 +#. TRANS: Client error displayed trying to get an avatar without providing a nickname. +#. TRANS: Client error displayed when requesting a list of blocked users for a group without providing a group nickname. +#. TRANS: Client error displayed trying to edit a group while not proving a nickname for the group to edit. +#. TRANS: Client error displayed if no nickname argument was given requesting a group page. +#: actions/avatarbynickname.php:60 actions/blockedfromgroup.php:73 +#: actions/editgroup.php:85 actions/groupdesignsettings.php:84 #: actions/grouplogo.php:86 actions/groupmembers.php:76 #: actions/grouprss.php:91 actions/showgroup.php:121 msgid "No nickname." msgstr "" -#: actions/avatarbynickname.php:64 +#. TRANS: Client error displayed trying to get an avatar without providing an avatar size. +#: actions/avatarbynickname.php:66 msgid "No size." msgstr "" -#: actions/avatarbynickname.php:69 +#. TRANS: Client error displayed trying to get an avatar providing an invalid avatar size. +#: actions/avatarbynickname.php:72 msgid "Invalid size." msgstr "" +#. TRANS: Title for avatar upload page. +#. TRANS: Label for group avatar (dt). Text hidden by default. #. TRANS: Link description in user account settings menu. -#: actions/avatarsettings.php:67 actions/showgroup.php:230 +#: actions/avatarsettings.php:66 actions/showgroup.php:229 #: lib/accountsettingsaction.php:113 msgid "Avatar" msgstr "" +#. TRANS: Instruction for avatar upload page. +#. TRANS: %s is the maximum file size, for example "500b", "10kB" or "2MB". #: 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 +#. TRANS: Server error displayed in avatar upload page when no matching profile can be found for a user. +#: actions/avatarsettings.php:108 actions/avatarsettings.php:192 #: actions/grouplogo.php:181 actions/remotesubscribe.php:191 #: actions/userauthorization.php:72 actions/userrss.php:108 msgid "User without matching profile." msgstr "" -#: actions/avatarsettings.php:119 actions/avatarsettings.php:197 +#. TRANS: Avatar upload page form legend. +#. TRANS: Avatar upload page crop form legend. +#: actions/avatarsettings.php:122 actions/avatarsettings.php:205 #: actions/grouplogo.php:254 msgid "Avatar settings" msgstr "" -#: actions/avatarsettings.php:127 actions/avatarsettings.php:205 +#. TRANS: Header on avatar upload page for thumbnail of originally uploaded avatar (h2). +#. TRANS: Header on avatar upload crop form for thumbnail of originally uploaded avatar (h2). +#: actions/avatarsettings.php:131 actions/avatarsettings.php:214 #: actions/grouplogo.php:202 actions/grouplogo.php:262 msgid "Original" msgstr "" -#: actions/avatarsettings.php:142 actions/avatarsettings.php:217 +#. TRANS: Header on avatar upload page for thumbnail of to be used rendition of uploaded avatar (h2). +#. TRANS: Header on avatar upload crop form for thumbnail of to be used rendition of uploaded avatar (h2). +#: actions/avatarsettings.php:147 actions/avatarsettings.php:227 #: actions/grouplogo.php:213 actions/grouplogo.php:274 msgid "Preview" msgstr "" -#: actions/avatarsettings.php:149 actions/showapplication.php:252 -#: lib/deletegroupform.php:121 lib/deleteuserform.php:66 -#: lib/noticelist.php:667 +#. TRANS: Button on avatar upload page to delete current avatar. +#: actions/avatarsettings.php:155 +msgctxt "BUTTON" msgid "Delete" msgstr "" -#: actions/avatarsettings.php:166 actions/grouplogo.php:236 +#. TRANS: Button on avatar upload page to upload an avatar. +#: actions/avatarsettings.php:173 +msgctxt "BUTTON" msgid "Upload" msgstr "" -#: actions/avatarsettings.php:231 actions/grouplogo.php:289 +#. TRANS: Button on avatar upload crop form to confirm a selected crop as avatar. +#: actions/avatarsettings.php:243 +msgctxt "BUTTON" msgid "Crop" msgstr "" -#: actions/avatarsettings.php:307 +#. TRANS: Validation error on avatar upload form when no file was uploaded. +#: actions/avatarsettings.php:318 msgid "No file uploaded." msgstr "" -#: actions/avatarsettings.php:334 +#. TRANS: Avatar upload form unstruction after uploading a file. +#: actions/avatarsettings.php:346 msgid "Pick a square area of the image to be your avatar" msgstr "" -#: actions/avatarsettings.php:349 actions/grouplogo.php:380 +#. TRANS: Server error displayed if an avatar upload went wrong somehow server side. +#: actions/avatarsettings.php:361 actions/grouplogo.php:380 msgid "Lost our file data." msgstr "" -#: actions/avatarsettings.php:372 +#: actions/avatarsettings.php:384 msgid "Avatar updated." msgstr "" -#: actions/avatarsettings.php:375 +#. TRANS: Error displayed on the avatar upload page if the avatar could not be updated for an unknown reason. +#: actions/avatarsettings.php:388 msgid "Failed updating avatar." msgstr "" -#: actions/avatarsettings.php:399 +#. TRANS: Success message for deleting a user avatar. +#: actions/avatarsettings.php:412 msgid "Avatar deleted." msgstr "" -#: actions/block.php:69 +#. TRANS: Client error displayed when blocking a user that has already been blocked. +#: actions/block.php:68 msgid "You already blocked that user." msgstr "" -#: actions/block.php:107 actions/block.php:136 actions/groupblock.php:158 +#. TRANS: Title for block user page. +#. TRANS: Legend for block user form. +#: actions/block.php:106 actions/block.php:136 actions/groupblock.php:158 msgid "Block user" msgstr "" -#: actions/block.php:138 +#. TRANS: Explanation of consequences when blocking a user on the block user page. +#: actions/block.php:139 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 " @@ -1110,7 +1167,7 @@ msgstr "" #. TRANS: Button label on the delete notice form. #. TRANS: Button label on the delete user form. #. TRANS: Button label on the form to block a user from a group. -#: actions/block.php:153 actions/deleteapplication.php:154 +#: actions/block.php:154 actions/deleteapplication.php:154 #: actions/deletegroup.php:220 actions/deletenotice.php:150 #: actions/deleteuser.php:152 actions/groupblock.php:178 msgctxt "BUTTON" @@ -1119,7 +1176,7 @@ msgstr "" #. TRANS: Submit button title for 'No' when blocking a user. #. TRANS: Submit button title for 'No' when deleting a user. -#: actions/block.php:157 actions/deleteuser.php:156 +#: actions/block.php:158 actions/deleteuser.php:156 msgid "Do not block this user" msgstr "" @@ -1129,7 +1186,7 @@ msgstr "" #. TRANS: Button label on the delete notice form. #. TRANS: Button label on the delete user form. #. TRANS: Button label on the form to block a user from a group. -#: actions/block.php:160 actions/deleteapplication.php:161 +#: actions/block.php:161 actions/deleteapplication.php:161 #: actions/deletegroup.php:227 actions/deletenotice.php:157 #: actions/deleteuser.php:159 actions/groupblock.php:185 msgctxt "BUTTON" @@ -1138,90 +1195,110 @@ msgstr "" #. TRANS: Submit button title for 'Yes' when blocking a user. #. TRANS: Description of the form to block a user. -#: actions/block.php:164 lib/blockform.php:79 +#: actions/block.php:165 lib/blockform.php:79 msgid "Block this user" msgstr "" -#: actions/block.php:187 +#. TRANS: Server error displayed when blocking a user fails. +#: actions/block.php:189 msgid "Failed to save block information." msgstr "" +#. TRANS: Client error displayed when requesting a list of blocked users for a non-local group. +#. TRANS: Client error displayed when requesting a list of blocked users for a non-existing group. #. TRANS: Client error when trying to delete a non-local group. #. TRANS: Client error when trying to delete a non-existing group. +#. TRANS: Client error displayed trying to edit a non-existing group. +#. TRANS: Client error displayed when trying to unblock a user from a non-existing group. +#. TRANS: Client error displayed if no remote group with a given name was found requesting group page. +#. TRANS: Client error displayed if no local group with a given name was found requesting group page. #. TRANS: Command exception text shown when a group is requested that does not exist. #. TRANS: Error text shown when trying to leave a group that does not exist. -#: actions/blockedfromgroup.php:80 actions/blockedfromgroup.php:87 +#: actions/blockedfromgroup.php:81 actions/blockedfromgroup.php:89 #: actions/deletegroup.php:87 actions/deletegroup.php:100 -#: actions/editgroup.php:100 actions/foafgroup.php:44 actions/foafgroup.php:62 +#: actions/editgroup.php:102 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/groupunblock.php:88 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:168 +#: actions/showgroup.php:139 actions/showgroup.php:148 lib/command.php:168 #: lib/command.php:380 msgid "No such group." msgstr "" -#: actions/blockedfromgroup.php:97 +#. TRANS: Title for first page with list of users blocked from a group. +#. TRANS: %s is a group nickname. +#: actions/blockedfromgroup.php:101 #, php-format msgid "%s blocked profiles" msgstr "" -#: actions/blockedfromgroup.php:100 +#. TRANS: Title for any but the first page with list of users blocked from a group. +#. TRANS: %1$s is a group nickname, %2$d is a page number. +#: actions/blockedfromgroup.php:106 #, php-format msgid "%1$s blocked profiles, page %2$d" msgstr "" -#: actions/blockedfromgroup.php:115 +#. TRANS: Instructions for list of users blocked from a group. +#: actions/blockedfromgroup.php:122 msgid "A list of the users blocked from joining this group." msgstr "" -#: actions/blockedfromgroup.php:288 +#. TRANS: Form legend for unblocking a user from a group. +#: actions/blockedfromgroup.php:291 msgid "Unblock user from group" msgstr "" -#. TRANS: Title for the form to unblock a user. -#: actions/blockedfromgroup.php:320 lib/unblockform.php:70 +#. TRANS: Button text for unblocking a user from a group. +#: actions/blockedfromgroup.php:323 +msgctxt "BUTTON" msgid "Unblock" msgstr "" +#. TRANS: Tooltip for button for unblocking a user from a group. #. TRANS: Description of the form to unblock a user. -#: actions/blockedfromgroup.php:320 lib/unblockform.php:82 +#: actions/blockedfromgroup.php:327 lib/unblockform.php:78 msgid "Unblock this user" msgstr "" #. TRANS: Title for mini-posting window loaded from bookmarklet. +#. TRANS: %s is the StatusNet site name. #: actions/bookmarklet.php:51 #, php-format msgid "Post to %s" msgstr "" -#: actions/confirmaddress.php:75 +#. TRANS: Client error displayed when not providing a confirmation code in the contact address confirmation action. +#: actions/confirmaddress.php:74 msgid "No confirmation code." msgstr "" +#. TRANS: Client error displayed when providing a non-existing confirmation code in the contact address confirmation action. #: actions/confirmaddress.php:80 msgid "Confirmation code not found." msgstr "" -#: actions/confirmaddress.php:85 +#. TRANS: Client error displayed when not providing a confirmation code for another user in the contact address confirmation action. +#: actions/confirmaddress.php:86 msgid "That confirmation code is not for you!" msgstr "" -#. TRANS: Server error for an unknow address type, which can be 'email', 'jabber', or 'sms'. -#: actions/confirmaddress.php:91 +#. TRANS: Server error for a unknow address type %s, which can be 'email', 'jabber', or 'sms'. +#: actions/confirmaddress.php:92 #, php-format msgid "Unrecognized address type %s." msgstr "" -#. TRANS: Client error for an already confirmed email/jabbel/sms address. -#: actions/confirmaddress.php:96 +#. TRANS: Client error for an already confirmed email/jabber/sms address. +#: actions/confirmaddress.php:97 msgid "That address has already been confirmed." msgstr "" +#. TRANS: Server error displayed when a user update to the database fails in the contact address confirmation action. #. TRANS: Server error thrown on database error updating e-mail preferences. #. TRANS: Server error thrown on database error removing a registered e-mail address. #. TRANS: Server error thrown on database error updating IM preferences. @@ -1229,7 +1306,7 @@ msgstr "" #. TRANS: Server error thrown when user profile settings could not be updated. #. TRANS: Server error thrown on database error updating SMS preferences. #. TRANS: Server error thrown on database error removing a registered SMS phone number. -#: actions/confirmaddress.php:116 actions/emailsettings.php:331 +#: actions/confirmaddress.php:118 actions/emailsettings.php:331 #: actions/emailsettings.php:477 actions/imsettings.php:283 #: actions/imsettings.php:442 actions/othersettings.php:174 #: actions/profilesettings.php:326 actions/smssettings.php:308 @@ -1237,27 +1314,31 @@ msgstr "" msgid "Couldn't update user." msgstr "" -#. TRANS: Server error thrown on database error canceling e-mail address confirmation. -#. TRANS: Server error thrown on database error canceling SMS phone number confirmation. -#: actions/confirmaddress.php:128 actions/emailsettings.php:437 -#: actions/smssettings.php:422 -msgid "Couldn't delete email confirmation." +#. TRANS: Server error displayed when an address confirmation code deletion from the +#. TRANS: database fails in the contact address confirmation action. +#: actions/confirmaddress.php:132 +msgid "Could not delete address confirmation." msgstr "" -#: actions/confirmaddress.php:146 +#. TRANS: Title for the contact address confirmation action. +#: actions/confirmaddress.php:150 msgid "Confirm address" msgstr "" -#: actions/confirmaddress.php:161 +#. TRANS: Success message for the contact address confirmation action. +#. TRANS: %s can be 'email', 'jabber', or 'sms'. +#: actions/confirmaddress.php:166 #, php-format msgid "The address \"%s\" has been confirmed for your account." msgstr "" -#: actions/conversation.php:99 +#. TRANS: Title for page with a conversion (multiple notices in context). +#: actions/conversation.php:96 msgid "Conversation" msgstr "" -#: actions/conversation.php:154 lib/mailbox.php:116 lib/noticelist.php:87 +#. TRANS: Header on conversation page. Hidden by default (h2). +#: actions/conversation.php:149 lib/mailbox.php:116 lib/noticelist.php:87 #: lib/profileaction.php:229 lib/searchgroupnav.php:82 msgid "Notices" msgstr "" @@ -1357,11 +1438,13 @@ msgstr "" msgid "Delete this group" msgstr "" +#. TRANS: Client error displayed when trying to unblock a user from a group while not logged in. +#. TRANS: Client error displayed trying a change a subscription while not logged in. #. TRANS: Client error message thrown when trying to access the admin panel while not logged in. #: actions/deletenotice.php:50 actions/disfavor.php:61 actions/favor.php:62 -#: actions/groupblock.php:61 actions/groupunblock.php:61 actions/logout.php:69 +#: actions/groupblock.php:61 actions/groupunblock.php:60 actions/logout.php:69 #: actions/makeadmin.php:61 actions/newmessage.php:87 actions/newnotice.php:88 -#: actions/nudge.php:63 actions/subedit.php:31 actions/subscribe.php:96 +#: actions/nudge.php:63 actions/subedit.php:33 actions/subscribe.php:96 #: actions/tagother.php:33 actions/unsubscribe.php:52 #: lib/adminpanelaction.php:71 lib/profileformaction.php:64 #: lib/settingsaction.php:72 @@ -1655,49 +1738,49 @@ msgstr "" msgid "Could not update application." msgstr "" -#: actions/editgroup.php:56 +#. TRANS: Title for form to edit a group. %s is a group nickname. +#: actions/editgroup.php:55 #, php-format msgid "Edit %s group" msgstr "" +#. TRANS: Client error displayed trying to edit a group while not logged in. +#. TRANS: Client error displayed trying to create a group while not logged in. #: actions/editgroup.php:68 actions/grouplogo.php:70 actions/newgroup.php:65 msgid "You must be logged in to create a group." msgstr "" -#: actions/editgroup.php:107 actions/editgroup.php:172 +#. TRANS: Client error displayed trying to edit a group while not being a group admin. +#: actions/editgroup.php:110 actions/editgroup.php:176 #: actions/groupdesignsettings.php:107 actions/grouplogo.php:109 msgid "You must be an admin to edit the group." msgstr "" -#: actions/editgroup.php:158 +#. TRANS: Form instructions for group edit form. +#: actions/editgroup.php:161 msgid "Use this form to edit the group." msgstr "" -#: actions/editgroup.php:205 -#, php-format -msgid "Description is too long (max %d chars)." -msgstr "" - -#: actions/editgroup.php:219 -#, php-format -msgid "Too many aliases! Maximum %d." -msgstr "" - -#: actions/editgroup.php:228 actions/newgroup.php:177 +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. +#: actions/editgroup.php:248 actions/newgroup.php:184 #, php-format msgid "Invalid alias: \"%s\"" msgstr "" -#: actions/editgroup.php:258 +#. TRANS: Server error displayed when editing a group fails. +#: actions/editgroup.php:281 msgid "Could not update group." msgstr "" +#. TRANS: Server error displayed when group aliases could not be added. #. TRANS: Server exception thrown when creating group aliases failed. -#: actions/editgroup.php:264 classes/User_group.php:513 +#: actions/editgroup.php:288 classes/User_group.php:513 msgid "Could not create aliases." msgstr "" -#: actions/editgroup.php:280 +#. TRANS: Group edit form success message. +#: actions/editgroup.php:305 msgid "Options saved." msgstr "" @@ -1884,6 +1967,12 @@ msgstr "" msgid "That is the wrong email address." msgstr "" +#. TRANS: Server error thrown on database error canceling e-mail address confirmation. +#. TRANS: Server error thrown on database error canceling SMS phone number confirmation. +#: actions/emailsettings.php:437 actions/smssettings.php:422 +msgid "Couldn't delete email confirmation." +msgstr "" + #. TRANS: Message given after successfully canceling e-mail address confirmation. #: actions/emailsettings.php:442 msgid "Email confirmation cancelled." @@ -2058,19 +2147,23 @@ msgstr "" msgid "User already has this role." msgstr "" +#. TRANS: Client error displayed when trying to unblock a user from a group without providing a profile. +#. TRANS: Client error displayed trying a change a subscription without providing a profile. #: actions/groupblock.php:71 actions/groupunblock.php:71 -#: actions/makeadmin.php:71 actions/subedit.php:46 +#: actions/makeadmin.php:71 actions/subedit.php:49 #: lib/profileformaction.php:79 msgid "No profile specified." msgstr "" -#: actions/groupblock.php:76 actions/groupunblock.php:76 -#: actions/makeadmin.php:76 actions/subedit.php:53 actions/tagother.php:46 +#. TRANS: Client error displayed when trying to unblock a user from a group without providing an existing profile. +#. TRANS: Client error displayed trying a change a subscription for a non-existant profile ID. +#: actions/groupblock.php:76 actions/groupunblock.php:77 +#: actions/makeadmin.php:76 actions/subedit.php:57 actions/tagother.php:46 #: actions/unsubscribe.php:84 lib/profileformaction.php:86 msgid "No profile with that ID." msgstr "" -#: actions/groupblock.php:81 actions/groupunblock.php:81 +#: actions/groupblock.php:81 actions/groupunblock.php:82 #: actions/makeadmin.php:81 msgid "No group specified." msgstr "" @@ -2150,6 +2243,14 @@ msgid "" "You can upload a logo image for your group. The maximum file size is %s." msgstr "" +#: actions/grouplogo.php:236 +msgid "Upload" +msgstr "" + +#: actions/grouplogo.php:289 +msgid "Crop" +msgstr "" + #: actions/grouplogo.php:365 msgid "Pick a square area of the image to be the logo." msgstr "" @@ -2281,15 +2382,18 @@ msgid "" "action.newgroup%%) yourself!" msgstr "" -#: actions/groupunblock.php:91 +#. TRANS: Client error displayed when trying to unblock a user from a group without being an administrator for the group. +#: actions/groupunblock.php:94 msgid "Only an admin can unblock group members." msgstr "" -#: actions/groupunblock.php:95 +#. TRANS: Client error displayed when trying to unblock a non-blocked user from a group. +#: actions/groupunblock.php:99 msgid "User is not blocked from group." msgstr "" -#: actions/groupunblock.php:128 actions/unblock.php:86 +#. TRANS: Server error displayed when unblocking a user from a group fails because of an unknown error. +#: actions/groupunblock.php:131 actions/unblock.php:86 msgid "Error removing the block." msgstr "" @@ -2827,10 +2931,12 @@ msgstr "" msgid "Could not create application." msgstr "" +#. TRANS: Title for form to create a group. #: actions/newgroup.php:53 msgid "New group" msgstr "" +#. TRANS: Form instructions for group create form. #: actions/newgroup.php:110 msgid "Use this form to create a new group." msgstr "" @@ -3499,8 +3605,9 @@ msgid "1-64 lowercase letters or numbers, no punctuation or spaces." msgstr "" #. TRANS: Field label in form for profile settings. +#. TRANS: Label for full group name (dt). Text hidden by default. #: actions/profilesettings.php:117 actions/register.php:457 -#: actions/showgroup.php:256 actions/tagother.php:104 +#: actions/showgroup.php:257 actions/tagother.php:104 #: lib/groupeditform.php:157 lib/userprofile.php:150 msgid "Full name" msgstr "" @@ -3539,8 +3646,9 @@ msgid "Bio" msgstr "" #. TRANS: Field label in form for profile settings. +#. TRANS: Label for group location (dt). Text hidden by default. #: actions/profilesettings.php:149 actions/register.php:485 -#: actions/showgroup.php:265 actions/tagother.php:112 +#: actions/showgroup.php:267 actions/tagother.php:112 #: actions/userauthorization.php:166 lib/groupeditform.php:177 #: lib/userprofile.php:165 msgid "Location" @@ -4206,7 +4314,8 @@ msgstr "" msgid "Description" msgstr "" -#: actions/showapplication.php:192 actions/showgroup.php:442 +#. TRANS: Header for group statistics on a group page (h2). +#: actions/showapplication.php:192 actions/showgroup.php:453 #: lib/profileaction.php:187 msgid "Statistics" msgstr "" @@ -4224,6 +4333,11 @@ msgstr "" msgid "Reset key & secret" msgstr "" +#: actions/showapplication.php:252 lib/deletegroupform.php:121 +#: lib/deleteuserform.php:66 lib/noticelist.php:667 +msgid "Delete" +msgstr "" + #: actions/showapplication.php:261 msgid "Application info" msgstr "" @@ -4307,77 +4421,104 @@ msgstr "" msgid "This is a way to share what you like." msgstr "" -#: actions/showgroup.php:82 +#. TRANS: Page title for first group page. %s is a group name. +#: actions/showgroup.php:80 #, php-format msgid "%s group" msgstr "" +#. TRANS: Page title for any but first group page. +#. TRANS: %1$s is a group name, $2$s is a page number. #: actions/showgroup.php:84 #, php-format msgid "%1$s group, page %2$d" msgstr "" -#: actions/showgroup.php:227 +#. TRANS: Group profile header (h2). Text hidden by default. +#: actions/showgroup.php:225 msgid "Group profile" msgstr "" -#: actions/showgroup.php:272 actions/tagother.php:118 +#. TRANS: Label for group URL (dt). Text hidden by default. +#: actions/showgroup.php:275 actions/tagother.php:118 #: actions/userauthorization.php:175 lib/userprofile.php:178 msgid "URL" msgstr "" -#: actions/showgroup.php:283 actions/tagother.php:128 +#. TRANS: Label for group description or group note (dt). Text hidden by default. +#: actions/showgroup.php:287 actions/tagother.php:128 #: actions/userauthorization.php:187 lib/userprofile.php:195 msgid "Note" msgstr "" -#: actions/showgroup.php:293 lib/groupeditform.php:184 +#. TRANS: Label for group aliases (dt). Text hidden by default. +#: actions/showgroup.php:298 lib/groupeditform.php:184 msgid "Aliases" msgstr "" -#: actions/showgroup.php:302 +#. TRANS: Group actions header (h2). Text hidden by default. +#: actions/showgroup.php:309 msgid "Group actions" msgstr "" -#: actions/showgroup.php:344 +#. TRANS: Tooltip for feed link. %s is a group nickname. +#: actions/showgroup.php:350 #, php-format msgid "Notice feed for %s group (RSS 1.0)" msgstr "" -#: actions/showgroup.php:350 +#. TRANS: Tooltip for feed link. %s is a group nickname. +#: actions/showgroup.php:357 #, php-format msgid "Notice feed for %s group (RSS 2.0)" msgstr "" -#: actions/showgroup.php:356 +#. TRANS: Tooltip for feed link. %s is a group nickname. +#: actions/showgroup.php:364 #, php-format msgid "Notice feed for %s group (Atom)" msgstr "" -#: actions/showgroup.php:361 +#. TRANS: Tooltip for feed link. %s is a group nickname. +#: actions/showgroup.php:370 #, php-format msgid "FOAF for %s group" msgstr "" -#: actions/showgroup.php:399 actions/showgroup.php:451 +#. TRANS: Header for mini list of group members on a group page (h2). +#: actions/showgroup.php:407 msgid "Members" msgstr "" -#: actions/showgroup.php:404 lib/profileaction.php:117 +#. TRANS: Description for mini list of group members on a group page when the group has no members. +#: actions/showgroup.php:413 lib/profileaction.php:117 #: lib/profileaction.php:152 lib/profileaction.php:255 lib/section.php:95 #: lib/subscriptionlist.php:127 lib/tagcloudsection.php:71 msgid "(None)" msgstr "" -#: actions/showgroup.php:410 +#. TRANS: Link to all group members from mini list of group members if group has more than n members. +#: actions/showgroup.php:422 msgid "All members" msgstr "" -#: actions/showgroup.php:445 +#. TRANS: Label for creation date in statistics on group page. +#: actions/showgroup.php:458 +msgctxt "LABEL" msgid "Created" msgstr "" -#: actions/showgroup.php:461 +#. TRANS: Label for member count in statistics on group page. +#: actions/showgroup.php:466 +msgctxt "LABEL" +msgid "Members" +msgstr "" + +#. TRANS: Notice on group pages for anonymous users for StatusNet sites that accept new registrations. +#. TRANS: **%s** is the group alias, %%%%site.name%%%% is the site name, +#. TRANS: %%%%action.register%%%% is the URL for registration, %%%%doc.help%%%% is a URL to help. +#. TRANS: This message contains Markdown links. Ensure they are formatted correctly: [Description](link). +#: actions/showgroup.php:481 #, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -4387,7 +4528,10 @@ msgid "" "of this group and many more! ([Read more](%%%%doc.help%%%%))" msgstr "" -#: actions/showgroup.php:467 +#. TRANS: Notice on group pages for anonymous users for StatusNet sites that accept no new registrations. +#. TRANS: **%s** is the group alias, %%%%site.name%%%% is the site name, +#. TRANS: This message contains Markdown links. Ensure they are formatted correctly: [Description](link). +#: actions/showgroup.php:491 #, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -4396,24 +4540,31 @@ msgid "" "their life and interests. " msgstr "" -#: actions/showgroup.php:495 +#. TRANS: Header for list of group administrators on a group page (h2). +#: actions/showgroup.php:520 msgid "Admins" msgstr "" -#: actions/showmessage.php:81 +#. TRANS: Client error displayed requesting a single message that does not exist. +#: actions/showmessage.php:79 msgid "No such message." msgstr "" -#: actions/showmessage.php:98 +#. TRANS: Client error displayed requesting a single direct message the requesting user was not a party in. +#: actions/showmessage.php:97 msgid "Only the sender and recipient may read this message." msgstr "" -#: actions/showmessage.php:108 +#. TRANS: Page title for single direct message display when viewing user is the sender. +#. TRANS: %1$s is the addressed user's nickname, $2$s is a timestamp. +#: actions/showmessage.php:110 #, php-format msgid "Message to %1$s on %2$s" msgstr "" -#: actions/showmessage.php:113 +#. TRANS: Page title for single message display. +#. TRANS: %1$s is the sending user's nickname, $2$s is a timestamp. +#: actions/showmessage.php:118 #, php-format msgid "Message from %1$s on %2$s" msgstr "" @@ -4835,12 +4986,14 @@ msgstr "" msgid "Save snapshot settings" msgstr "" -#: actions/subedit.php:70 +#. TRANS: Client error displayed trying a change a subscription for a non-subscribed profile. +#: actions/subedit.php:75 msgid "You are not subscribed to that profile." msgstr "" +#. TRANS: Server error displayed when updating a subscription fails with a database error. #. TRANS: Exception thrown when a subscription could not be stored on the server. -#: actions/subedit.php:83 classes/Subscription.php:136 +#: actions/subedit.php:89 classes/Subscription.php:136 msgid "Could not save subscription." msgstr "" @@ -5603,12 +5756,12 @@ msgid "Welcome to %1$s, @%2$s!" msgstr "" #. TRANS: Server exception. -#: classes/User.php:902 +#: classes/User.php:912 msgid "No single user defined for single-user mode." msgstr "" #. TRANS: Server exception. -#: classes/User.php:906 +#: classes/User.php:916 msgid "Single-user mode code called when not enabled." msgstr "" @@ -6706,7 +6859,8 @@ msgstr "" msgid "FOAF" msgstr "" -#: lib/feedlist.php:65 +#. TRANS: Header for feed links (h2). +#: lib/feedlist.php:66 msgid "Feeds" msgstr "" @@ -6864,39 +7018,57 @@ msgstr "" msgid "Unsupported image file format." msgstr "" -#: lib/imagefile.php:88 +#. TRANS: Exception thrown when too large a file is uploaded. +#. TRANS: %s is the maximum file size, for example "500b", "10kB" or "2MB". +#: lib/imagefile.php:90 #, php-format msgid "That file is too big. The maximum file size is %s." msgstr "" -#: lib/imagefile.php:93 +#: lib/imagefile.php:95 msgid "Partial upload." msgstr "" #. TRANS: Client exception thrown when a file upload operation has failed with an unknown reason. -#: lib/imagefile.php:101 lib/mediafile.php:179 +#: lib/imagefile.php:103 lib/mediafile.php:179 msgid "System error uploading file." msgstr "" -#: lib/imagefile.php:109 +#: lib/imagefile.php:111 msgid "Not an image or corrupt file." msgstr "" -#: lib/imagefile.php:122 +#: lib/imagefile.php:124 msgid "Lost our file." msgstr "" -#: lib/imagefile.php:163 lib/imagefile.php:224 +#: lib/imagefile.php:165 lib/imagefile.php:226 msgid "Unknown file type" msgstr "" -#: lib/imagefile.php:244 -msgid "MB" -msgstr "" +#. TRANS: Number of megabytes. %d is the number. +#: lib/imagefile.php:248 +#, php-format +msgid "%dMB" +msgid_plural "%dMB" +msgstr[0] "" +msgstr[1] "" -#: lib/imagefile.php:246 -msgid "kB" -msgstr "" +#. TRANS: Number of kilobytes. %d is the number. +#: lib/imagefile.php:252 +#, php-format +msgid "%dkB" +msgid_plural "%dkB" +msgstr[0] "" +msgstr[1] "" + +#. TRANS: Number of bytes. %d is the number. +#: lib/imagefile.php:255 +#, php-format +msgid "%dB" +msgid_plural "%dB" +msgstr[0] "" +msgstr[1] "" #: lib/jabber.php:387 #, php-format @@ -7678,6 +7850,12 @@ msgstr "" msgid "Top posters" msgstr "" +#. TRANS: Title for the form to unblock a user. +#: lib/unblockform.php:67 +msgctxt "TITLE" +msgid "Unblock" +msgstr "" + #: lib/unsandboxform.php:69 msgid "Unsandbox" msgstr "" diff --git a/locale/sv/LC_MESSAGES/statusnet.po b/locale/sv/LC_MESSAGES/statusnet.po index 48da6d8d0f..902a554baa 100644 --- a/locale/sv/LC_MESSAGES/statusnet.po +++ b/locale/sv/LC_MESSAGES/statusnet.po @@ -11,17 +11,17 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet - Core\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-10-27 23:43+0000\n" -"PO-Revision-Date: 2010-10-28 23:09:37+0000\n" +"POT-Creation-Date: 2010-10-30 23:18+0000\n" +"PO-Revision-Date: 2010-10-30 23:20:46+0000\n" "Language-Team: Swedish \n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r75629); Translate extension (2010-09-17)\n" +"X-Generator: MediaWiki 1.17alpha (r75708); Translate extension (2010-09-17)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: sv\n" "X-Message-Group: #out-statusnet-core\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-POT-Import-Date: 2010-10-28 00:13:15+0000\n" +"X-POT-Import-Date: 2010-10-30 09:48:40+0000\n" #. TRANS: Page title for Access admin panel that allows configuring site access. #. TRANS: Menu item for site administration @@ -118,6 +118,7 @@ msgstr "Ingen sådan sida" #. TRANS: Client error displayed when requesting most recent dents by user and friends for a non-existing user. #. TRANS: Client error displayed when requesting most recent mentions for a non-existing user. #. TRANS: Client error displayed requesting most recent notices for a non-existing user. +#. TRANS: Client error displayed trying to get an avatar for a non-existing user. #. TRANS: Error text shown when trying to send a direct message to a user that does not exist. #: actions/all.php:80 actions/apiaccountupdatedeliverydevice.php:110 #: actions/apiaccountupdateprofile.php:103 @@ -130,7 +131,7 @@ msgstr "Ingen sådan sida" #: actions/apistatusesupdate.php:230 actions/apisubscriptions.php:85 #: actions/apitimelinefavorites.php:70 actions/apitimelinefriends.php:173 #: actions/apitimelinehome.php:78 actions/apitimelinementions.php:77 -#: actions/apitimelineuser.php:79 actions/avatarbynickname.php:75 +#: actions/apitimelineuser.php:79 actions/avatarbynickname.php:79 #: 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 @@ -306,11 +307,12 @@ msgstr "Kunde inte uppdatera användare." #. TRANS: Client error displayed a user has no profile updating profile colours. #. TRANS: Client error displayed if a user profile could not be found updating a profile image. #. TRANS: Client error displayed when requesting user information for a user without a profile. +#. TRANS: Client error displayed trying to get an avatar for a user without a profile. #: actions/apiaccountupdateprofile.php:111 #: actions/apiaccountupdateprofilebackgroundimage.php:199 #: actions/apiaccountupdateprofilecolors.php:183 #: actions/apiaccountupdateprofileimage.php:130 actions/apiusershow.php:108 -#: actions/avatarbynickname.php:80 actions/foaf.php:65 actions/hcard.php:74 +#: actions/avatarbynickname.php:85 actions/foaf.php:65 actions/hcard.php:74 #: actions/replies.php:80 actions/usergroups.php:100 lib/galleryaction.php:66 #: lib/profileaction.php:84 msgid "User has no profile." @@ -325,7 +327,7 @@ msgstr "Kunde inte spara profil." #. TRANS: %s is the number of bytes of the CONTENT_LENGTH. #: actions/apiaccountupdateprofilebackgroundimage.php:108 #: actions/apiaccountupdateprofileimage.php:95 actions/apimediaupload.php:81 -#: actions/apistatusesupdate.php:210 actions/avatarsettings.php:259 +#: actions/apistatusesupdate.php:210 actions/avatarsettings.php:269 #: actions/designadminpanel.php:125 actions/editapplication.php:121 #: actions/newapplication.php:104 actions/newnotice.php:95 #, fuzzy, php-format @@ -503,44 +505,54 @@ msgstr "Kunde inte fastställa användare hos källan." msgid "Could not find target user." msgstr "Kunde inte hitta målanvändare." +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. #. TRANS: Validation error in form for profile settings. -#: actions/apigroupcreate.php:165 actions/editgroup.php:186 -#: actions/newgroup.php:126 actions/profilesettings.php:243 +#: actions/apigroupcreate.php:165 actions/editgroup.php:191 +#: actions/newgroup.php:127 actions/profilesettings.php:243 #: actions/register.php:212 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." #. TRANS: Client error trying to create a group with a nickname this is already in use. +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. #. TRANS: Validation error in form for profile settings. -#: actions/apigroupcreate.php:175 actions/editgroup.php:190 -#: actions/newgroup.php:130 actions/profilesettings.php:277 +#: actions/apigroupcreate.php:175 actions/editgroup.php:196 +#: actions/newgroup.php:132 actions/profilesettings.php:277 #: actions/register.php:215 msgid "Nickname already in use. Try another one." msgstr "Smeknamnet används redan. Försök med ett annat." #. TRANS: Client error in form for group creation. +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. #. TRANS: Validation error in form for profile settings. -#: actions/apigroupcreate.php:183 actions/editgroup.php:193 -#: actions/newgroup.php:133 actions/profilesettings.php:247 +#: actions/apigroupcreate.php:183 actions/editgroup.php:200 +#: actions/newgroup.php:136 actions/profilesettings.php:247 #: actions/register.php:217 msgid "Not a valid nickname." msgstr "Inte ett giltigt smeknamn." #. TRANS: Client error in form for group creation. #. TRANS: Validation error shown when providing an invalid homepage URL in the "Edit application" form. +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. #. TRANS: Validation error in form for profile settings. #: actions/apigroupcreate.php:200 actions/editapplication.php:233 -#: actions/editgroup.php:199 actions/newapplication.php:211 -#: actions/newgroup.php:139 actions/profilesettings.php:252 +#: actions/editgroup.php:207 actions/newapplication.php:211 +#: actions/newgroup.php:143 actions/profilesettings.php:252 #: actions/register.php:224 msgid "Homepage is not a valid URL." msgstr "Hemsida är inte en giltig webbadress." #. TRANS: Client error in form for group creation. +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. #. TRANS: Validation error in form for profile settings. -#: actions/apigroupcreate.php:210 actions/editgroup.php:202 -#: actions/newgroup.php:142 actions/profilesettings.php:256 +#: actions/apigroupcreate.php:210 actions/editgroup.php:211 +#: actions/newgroup.php:147 actions/profilesettings.php:256 #: actions/register.php:227 #, fuzzy msgid "Full name is too long (maximum 255 characters)." @@ -549,10 +561,11 @@ msgstr "Fullständigt namn är för långt (max 255 tecken)." #. TRANS: Client error shown when providing too long a description during group creation. #. TRANS: %d is the maximum number of allowed characters. #. TRANS: Validation error shown when providing too long a description in the "Edit application" form. +#. TRANS: Group edit form validation error. #. TRANS: Form validation error in New application form. #. TRANS: %d is the maximum number of characters for the description. #: actions/apigroupcreate.php:220 actions/editapplication.php:201 -#: actions/newapplication.php:178 +#: actions/editgroup.php:216 actions/newapplication.php:178 #, fuzzy, php-format msgid "Description is too long (maximum %d character)." msgid_plural "Description is too long (maximum %d characters)." @@ -560,9 +573,11 @@ msgstr[0] "Beskrivning är för lång (max %d tecken)." msgstr[1] "Beskrivning är för lång (max %d tecken)." #. TRANS: Client error shown when providing too long a location during group creation. +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. #. TRANS: Validation error in form for profile settings. -#: actions/apigroupcreate.php:234 actions/editgroup.php:208 -#: actions/newgroup.php:153 actions/profilesettings.php:269 +#: actions/apigroupcreate.php:234 actions/editgroup.php:223 +#: actions/newgroup.php:159 actions/profilesettings.php:269 #: actions/register.php:236 #, fuzzy msgid "Location is too long (maximum 255 characters)." @@ -570,7 +585,12 @@ msgstr "Beskrivning av plats är för lång (max 255 tecken)." #. TRANS: Client error shown when providing too many aliases during group creation. #. TRANS: %d is the maximum number of allowed aliases. -#: actions/apigroupcreate.php:255 actions/newgroup.php:166 +#. TRANS: Group edit form validation error. +#. TRANS: %d is the maximum number of allowed aliases. +#. TRANS: Group create form validation error. +#. TRANS: %d is the maximum number of allowed aliases. +#: actions/apigroupcreate.php:255 actions/editgroup.php:236 +#: actions/newgroup.php:172 #, fuzzy, php-format msgid "Too many aliases! Maximum %d allowed." msgid_plural "Too many aliases! Maximum %d allowed." @@ -586,15 +606,19 @@ msgstr "Ogiltigt alias: \"%s\"." #. TRANS: Client error displayed when trying to use an alias during group creation that is already in use. #. TRANS: %s is the alias that is already in use. -#: actions/apigroupcreate.php:291 actions/editgroup.php:232 -#: actions/newgroup.php:181 +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. +#: actions/apigroupcreate.php:291 actions/editgroup.php:253 +#: actions/newgroup.php:189 #, php-format msgid "Alias \"%s\" already in use. Try another one." msgstr "Alias \"%s\" används redan. Försök med ett annat." #. TRANS: Client error displayed when trying to use an alias during group creation that is the same as the group's nickname. -#: actions/apigroupcreate.php:305 actions/editgroup.php:238 -#: actions/newgroup.php:187 +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. +#: actions/apigroupcreate.php:305 actions/editgroup.php:260 +#: actions/newgroup.php:196 msgid "Alias can't be the same as nickname." msgstr "Alias kan inte vara samma som smeknamn." @@ -700,18 +724,18 @@ msgid "Request token already authorized." msgstr "Du har inte tillstånd." #. TRANS: Form validation error in API OAuth authorisation because of an invalid session token. -#: actions/apioauthauthorize.php:147 actions/avatarsettings.php:270 +#: actions/apioauthauthorize.php:147 actions/avatarsettings.php:280 #: actions/deletenotice.php:172 actions/disfavor.php:74 #: actions/emailsettings.php:271 actions/favor.php:75 actions/geocode.php:55 #: actions/groupblock.php:66 actions/grouplogo.php:312 -#: actions/groupunblock.php:66 actions/imsettings.php:230 +#: actions/groupunblock.php:65 actions/imsettings.php:230 #: actions/invite.php:59 actions/login.php:137 actions/makeadmin.php:66 #: actions/newmessage.php:135 actions/newnotice.php:105 actions/nudge.php:80 #: actions/oauthappssettings.php:165 actions/oauthconnectionssettings.php:138 #: actions/othersettings.php:145 actions/passwordsettings.php:138 #: actions/profilesettings.php:221 actions/recoverpassword.php:350 #: actions/register.php:172 actions/remotesubscribe.php:77 -#: actions/repeat.php:83 actions/smssettings.php:256 actions/subedit.php:38 +#: actions/repeat.php:83 actions/smssettings.php:256 actions/subedit.php:40 #: actions/subscribe.php:86 actions/tagother.php:166 #: actions/unsubscribe.php:69 actions/userauthorization.php:52 #: lib/designsettings.php:294 @@ -730,12 +754,13 @@ msgid "Database error inserting oauth_token_association." msgstr "Databasfel vid infogning av OAuth-applikationsanvändare." #. TRANS: Client error given on when invalid data was passed through a form in the OAuth API. +#. TRANS: Unexpected validation error on avatar upload form. #. TRANS: Client error displayed submitting invalid form data for edit application. #. TRANS: Message given submitting a form with an unknown action in e-mail settings. #. TRANS: Message given submitting a form with an unknown action in IM settings. #. TRANS: Client error when submitting a form with unexpected information. #. TRANS: Message given submitting a form with an unknown action in SMS settings. -#: actions/apioauthauthorize.php:294 actions/avatarsettings.php:283 +#: actions/apioauthauthorize.php:294 actions/avatarsettings.php:294 #: actions/designadminpanel.php:104 actions/editapplication.php:144 #: actions/emailsettings.php:290 actions/grouplogo.php:322 #: actions/imsettings.php:245 actions/newapplication.php:125 @@ -790,6 +815,7 @@ msgstr "Konto" #. TRANS: Field label on OAuth API authorisation form. #. TRANS: Field label in form for profile settings. +#. TRANS: Label for group nickname (dt). Text hidden by default. #: actions/apioauthauthorize.php:459 actions/login.php:252 #: actions/profilesettings.php:110 actions/register.php:433 #: actions/showgroup.php:245 actions/tagother.php:94 @@ -1040,105 +1066,139 @@ msgstr "API-metoden är under uppbyggnad." msgid "User not found." msgstr "API-metod hittades inte." +#. TRANS: Client error displayed trying to get a non-existing attachment. #: actions/attachment.php:73 msgid "No such attachment." msgstr "Ingen sådan bilaga." -#: actions/avatarbynickname.php:59 actions/blockedfromgroup.php:73 -#: actions/editgroup.php:84 actions/groupdesignsettings.php:84 +#. TRANS: Client error displayed trying to get an avatar without providing a nickname. +#. TRANS: Client error displayed when requesting a list of blocked users for a group without providing a group nickname. +#. TRANS: Client error displayed trying to edit a group while not proving a nickname for the group to edit. +#. TRANS: Client error displayed if no nickname argument was given requesting a group page. +#: actions/avatarbynickname.php:60 actions/blockedfromgroup.php:73 +#: actions/editgroup.php:85 actions/groupdesignsettings.php:84 #: actions/grouplogo.php:86 actions/groupmembers.php:76 #: actions/grouprss.php:91 actions/showgroup.php:121 msgid "No nickname." msgstr "Inget smeknamn." -#: actions/avatarbynickname.php:64 +#. TRANS: Client error displayed trying to get an avatar without providing an avatar size. +#: actions/avatarbynickname.php:66 msgid "No size." msgstr "Ingen storlek." -#: actions/avatarbynickname.php:69 +#. TRANS: Client error displayed trying to get an avatar providing an invalid avatar size. +#: actions/avatarbynickname.php:72 msgid "Invalid size." msgstr "Ogiltig storlek." +#. TRANS: Title for avatar upload page. +#. TRANS: Label for group avatar (dt). Text hidden by default. #. TRANS: Link description in user account settings menu. -#: actions/avatarsettings.php:67 actions/showgroup.php:230 +#: actions/avatarsettings.php:66 actions/showgroup.php:229 #: lib/accountsettingsaction.php:113 msgid "Avatar" msgstr "Avatar" +#. TRANS: Instruction for avatar upload page. +#. TRANS: %s is the maximum file size, for example "500b", "10kB" or "2MB". #: actions/avatarsettings.php:78 #, php-format msgid "You can upload your personal avatar. The maximum file size is %s." msgstr "" "Du kan ladda upp din personliga avatar. Den maximala filstorleken är %s." -#: actions/avatarsettings.php:106 actions/avatarsettings.php:185 +#. TRANS: Server error displayed in avatar upload page when no matching profile can be found for a user. +#: actions/avatarsettings.php:108 actions/avatarsettings.php:192 #: actions/grouplogo.php:181 actions/remotesubscribe.php:191 #: actions/userauthorization.php:72 actions/userrss.php:108 msgid "User without matching profile." msgstr "Användare utan matchande profil." -#: actions/avatarsettings.php:119 actions/avatarsettings.php:197 +#. TRANS: Avatar upload page form legend. +#. TRANS: Avatar upload page crop form legend. +#: actions/avatarsettings.php:122 actions/avatarsettings.php:205 #: actions/grouplogo.php:254 msgid "Avatar settings" msgstr "Avatarinställningar" -#: actions/avatarsettings.php:127 actions/avatarsettings.php:205 +#. TRANS: Header on avatar upload page for thumbnail of originally uploaded avatar (h2). +#. TRANS: Header on avatar upload crop form for thumbnail of originally uploaded avatar (h2). +#: actions/avatarsettings.php:131 actions/avatarsettings.php:214 #: actions/grouplogo.php:202 actions/grouplogo.php:262 msgid "Original" msgstr "Orginal" -#: actions/avatarsettings.php:142 actions/avatarsettings.php:217 +#. TRANS: Header on avatar upload page for thumbnail of to be used rendition of uploaded avatar (h2). +#. TRANS: Header on avatar upload crop form for thumbnail of to be used rendition of uploaded avatar (h2). +#: actions/avatarsettings.php:147 actions/avatarsettings.php:227 #: actions/grouplogo.php:213 actions/grouplogo.php:274 msgid "Preview" msgstr "Förhandsgranska" -#: actions/avatarsettings.php:149 actions/showapplication.php:252 -#: lib/deletegroupform.php:121 lib/deleteuserform.php:66 -#: lib/noticelist.php:667 +#. TRANS: Button on avatar upload page to delete current avatar. +#: actions/avatarsettings.php:155 +#, fuzzy +msgctxt "BUTTON" msgid "Delete" msgstr "Ta bort" -#: actions/avatarsettings.php:166 actions/grouplogo.php:236 +#. TRANS: Button on avatar upload page to upload an avatar. +#: actions/avatarsettings.php:173 +#, fuzzy +msgctxt "BUTTON" msgid "Upload" msgstr "Ladda upp" -#: actions/avatarsettings.php:231 actions/grouplogo.php:289 +#. TRANS: Button on avatar upload crop form to confirm a selected crop as avatar. +#: actions/avatarsettings.php:243 +#, fuzzy +msgctxt "BUTTON" msgid "Crop" msgstr "Beskär" -#: actions/avatarsettings.php:307 +#. TRANS: Validation error on avatar upload form when no file was uploaded. +#: actions/avatarsettings.php:318 msgid "No file uploaded." msgstr "Ingen fil laddades upp." -#: actions/avatarsettings.php:334 +#. TRANS: Avatar upload form unstruction after uploading a file. +#: actions/avatarsettings.php:346 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:349 actions/grouplogo.php:380 +#. TRANS: Server error displayed if an avatar upload went wrong somehow server side. +#: actions/avatarsettings.php:361 actions/grouplogo.php:380 msgid "Lost our file data." msgstr "Förlorade vår fildata." -#: actions/avatarsettings.php:372 +#: actions/avatarsettings.php:384 msgid "Avatar updated." msgstr "Avatar uppdaterad." -#: actions/avatarsettings.php:375 +#. TRANS: Error displayed on the avatar upload page if the avatar could not be updated for an unknown reason. +#: actions/avatarsettings.php:388 msgid "Failed updating avatar." msgstr "Misslyckades uppdatera avatar." -#: actions/avatarsettings.php:399 +#. TRANS: Success message for deleting a user avatar. +#: actions/avatarsettings.php:412 msgid "Avatar deleted." msgstr "Avatar borttagen." -#: actions/block.php:69 +#. TRANS: Client error displayed when blocking a user that has already been blocked. +#: actions/block.php:68 msgid "You already blocked that user." msgstr "Du har redan blockerat denna användare." -#: actions/block.php:107 actions/block.php:136 actions/groupblock.php:158 +#. TRANS: Title for block user page. +#. TRANS: Legend for block user form. +#: actions/block.php:106 actions/block.php:136 actions/groupblock.php:158 msgid "Block user" msgstr "Blockera användare" -#: actions/block.php:138 +#. TRANS: Explanation of consequences when blocking a user on the block user page. +#: actions/block.php:139 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 " @@ -1154,7 +1214,7 @@ msgstr "" #. TRANS: Button label on the delete notice form. #. TRANS: Button label on the delete user form. #. TRANS: Button label on the form to block a user from a group. -#: actions/block.php:153 actions/deleteapplication.php:154 +#: actions/block.php:154 actions/deleteapplication.php:154 #: actions/deletegroup.php:220 actions/deletenotice.php:150 #: actions/deleteuser.php:152 actions/groupblock.php:178 msgctxt "BUTTON" @@ -1163,7 +1223,7 @@ msgstr "Nej" #. TRANS: Submit button title for 'No' when blocking a user. #. TRANS: Submit button title for 'No' when deleting a user. -#: actions/block.php:157 actions/deleteuser.php:156 +#: actions/block.php:158 actions/deleteuser.php:156 msgid "Do not block this user" msgstr "Blockera inte denna användare" @@ -1173,7 +1233,7 @@ msgstr "Blockera inte denna användare" #. TRANS: Button label on the delete notice form. #. TRANS: Button label on the delete user form. #. TRANS: Button label on the form to block a user from a group. -#: actions/block.php:160 actions/deleteapplication.php:161 +#: actions/block.php:161 actions/deleteapplication.php:161 #: actions/deletegroup.php:227 actions/deletenotice.php:157 #: actions/deleteuser.php:159 actions/groupblock.php:185 msgctxt "BUTTON" @@ -1182,91 +1242,112 @@ msgstr "Ja" #. TRANS: Submit button title for 'Yes' when blocking a user. #. TRANS: Description of the form to block a user. -#: actions/block.php:164 lib/blockform.php:79 +#: actions/block.php:165 lib/blockform.php:79 msgid "Block this user" msgstr "Blockera denna användare" -#: actions/block.php:187 +#. TRANS: Server error displayed when blocking a user fails. +#: actions/block.php:189 msgid "Failed to save block information." msgstr "Misslyckades att spara blockeringsinformation." +#. TRANS: Client error displayed when requesting a list of blocked users for a non-local group. +#. TRANS: Client error displayed when requesting a list of blocked users for a non-existing group. #. TRANS: Client error when trying to delete a non-local group. #. TRANS: Client error when trying to delete a non-existing group. +#. TRANS: Client error displayed trying to edit a non-existing group. +#. TRANS: Client error displayed when trying to unblock a user from a non-existing group. +#. TRANS: Client error displayed if no remote group with a given name was found requesting group page. +#. TRANS: Client error displayed if no local group with a given name was found requesting group page. #. TRANS: Command exception text shown when a group is requested that does not exist. #. TRANS: Error text shown when trying to leave a group that does not exist. -#: actions/blockedfromgroup.php:80 actions/blockedfromgroup.php:87 +#: actions/blockedfromgroup.php:81 actions/blockedfromgroup.php:89 #: actions/deletegroup.php:87 actions/deletegroup.php:100 -#: actions/editgroup.php:100 actions/foafgroup.php:44 actions/foafgroup.php:62 +#: actions/editgroup.php:102 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/groupunblock.php:88 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:168 +#: actions/showgroup.php:139 actions/showgroup.php:148 lib/command.php:168 #: lib/command.php:380 msgid "No such group." msgstr "Ingen sådan grupp." -#: actions/blockedfromgroup.php:97 +#. TRANS: Title for first page with list of users blocked from a group. +#. TRANS: %s is a group nickname. +#: actions/blockedfromgroup.php:101 #, php-format msgid "%s blocked profiles" msgstr "%s blockerade profiler" -#: actions/blockedfromgroup.php:100 +#. TRANS: Title for any but the first page with list of users blocked from a group. +#. TRANS: %1$s is a group nickname, %2$d is a page number. +#: actions/blockedfromgroup.php:106 #, php-format msgid "%1$s blocked profiles, page %2$d" msgstr "%1$s blockerade profiler, sida %2$d" -#: actions/blockedfromgroup.php:115 +#. TRANS: Instructions for list of users blocked from a group. +#: actions/blockedfromgroup.php:122 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:288 +#. TRANS: Form legend for unblocking a user from a group. +#: actions/blockedfromgroup.php:291 msgid "Unblock user from group" msgstr "Häv blockering av användare från grupp" -#. TRANS: Title for the form to unblock a user. -#: actions/blockedfromgroup.php:320 lib/unblockform.php:70 +#. TRANS: Button text for unblocking a user from a group. +#: actions/blockedfromgroup.php:323 +#, fuzzy +msgctxt "BUTTON" msgid "Unblock" msgstr "Häv blockering" +#. TRANS: Tooltip for button for unblocking a user from a group. #. TRANS: Description of the form to unblock a user. -#: actions/blockedfromgroup.php:320 lib/unblockform.php:82 +#: actions/blockedfromgroup.php:327 lib/unblockform.php:78 msgid "Unblock this user" msgstr "Häv blockering av denna användare" #. TRANS: Title for mini-posting window loaded from bookmarklet. +#. TRANS: %s is the StatusNet site name. #: actions/bookmarklet.php:51 #, php-format msgid "Post to %s" msgstr "Posta till %s" -#: actions/confirmaddress.php:75 +#. TRANS: Client error displayed when not providing a confirmation code in the contact address confirmation action. +#: actions/confirmaddress.php:74 msgid "No confirmation code." msgstr "Ingen bekräftelsekod." +#. TRANS: Client error displayed when providing a non-existing confirmation code in the contact address confirmation action. #: actions/confirmaddress.php:80 msgid "Confirmation code not found." msgstr "Bekräftelsekod kunde inte hittas." -#: actions/confirmaddress.php:85 +#. TRANS: Client error displayed when not providing a confirmation code for another user in the contact address confirmation action. +#: actions/confirmaddress.php:86 msgid "That confirmation code is not for you!" msgstr "Denna bekräftelsekod är inte för dig!" -#. TRANS: Server error for an unknow address type, which can be 'email', 'jabber', or 'sms'. -#: actions/confirmaddress.php:91 +#. TRANS: Server error for a unknow address type %s, which can be 'email', 'jabber', or 'sms'. +#: actions/confirmaddress.php:92 #, php-format msgid "Unrecognized address type %s." msgstr "Adresstypen %s känns inte igen." -#. TRANS: Client error for an already confirmed email/jabbel/sms address. -#: actions/confirmaddress.php:96 +#. TRANS: Client error for an already confirmed email/jabber/sms address. +#: actions/confirmaddress.php:97 msgid "That address has already been confirmed." msgstr "Denna adress har redan blivit bekräftad." +#. TRANS: Server error displayed when a user update to the database fails in the contact address confirmation action. #. TRANS: Server error thrown on database error updating e-mail preferences. #. TRANS: Server error thrown on database error removing a registered e-mail address. #. TRANS: Server error thrown on database error updating IM preferences. @@ -1274,7 +1355,7 @@ msgstr "Denna adress har redan blivit bekräftad." #. TRANS: Server error thrown when user profile settings could not be updated. #. TRANS: Server error thrown on database error updating SMS preferences. #. TRANS: Server error thrown on database error removing a registered SMS phone number. -#: actions/confirmaddress.php:116 actions/emailsettings.php:331 +#: actions/confirmaddress.php:118 actions/emailsettings.php:331 #: actions/emailsettings.php:477 actions/imsettings.php:283 #: actions/imsettings.php:442 actions/othersettings.php:174 #: actions/profilesettings.php:326 actions/smssettings.php:308 @@ -1282,27 +1363,32 @@ msgstr "Denna adress har redan blivit bekräftad." msgid "Couldn't update user." msgstr "Kunde inte uppdatera användare." -#. TRANS: Server error thrown on database error canceling e-mail address confirmation. -#. TRANS: Server error thrown on database error canceling SMS phone number confirmation. -#: actions/confirmaddress.php:128 actions/emailsettings.php:437 -#: actions/smssettings.php:422 -msgid "Couldn't delete email confirmation." -msgstr "Kunde inte ta bort e-postbekräftelse." +#. TRANS: Server error displayed when an address confirmation code deletion from the +#. TRANS: database fails in the contact address confirmation action. +#: actions/confirmaddress.php:132 +#, fuzzy +msgid "Could not delete address confirmation." +msgstr "Kunde inte ta bort bekräftelse för snabbmeddelanden." -#: actions/confirmaddress.php:146 +#. TRANS: Title for the contact address confirmation action. +#: actions/confirmaddress.php:150 msgid "Confirm address" msgstr "Bekräfta adress" -#: actions/confirmaddress.php:161 +#. TRANS: Success message for the contact address confirmation action. +#. TRANS: %s can be 'email', 'jabber', or 'sms'. +#: actions/confirmaddress.php:166 #, php-format msgid "The address \"%s\" has been confirmed for your account." msgstr "Adressen \"%s\" har blivit bekräftad för ditt konto." -#: actions/conversation.php:99 +#. TRANS: Title for page with a conversion (multiple notices in context). +#: actions/conversation.php:96 msgid "Conversation" msgstr "Konversationer" -#: actions/conversation.php:154 lib/mailbox.php:116 lib/noticelist.php:87 +#. TRANS: Header on conversation page. Hidden by default (h2). +#: actions/conversation.php:149 lib/mailbox.php:116 lib/noticelist.php:87 #: lib/profileaction.php:229 lib/searchgroupnav.php:82 msgid "Notices" msgstr "Notiser" @@ -1413,11 +1499,13 @@ msgstr "Ta inte bort denna notis" msgid "Delete this group" msgstr "Ta bort denna användare" +#. TRANS: Client error displayed when trying to unblock a user from a group while not logged in. +#. TRANS: Client error displayed trying a change a subscription while not logged in. #. TRANS: Client error message thrown when trying to access the admin panel while not logged in. #: actions/deletenotice.php:50 actions/disfavor.php:61 actions/favor.php:62 -#: actions/groupblock.php:61 actions/groupunblock.php:61 actions/logout.php:69 +#: actions/groupblock.php:61 actions/groupunblock.php:60 actions/logout.php:69 #: actions/makeadmin.php:61 actions/newmessage.php:87 actions/newnotice.php:88 -#: actions/nudge.php:63 actions/subedit.php:31 actions/subscribe.php:96 +#: actions/nudge.php:63 actions/subedit.php:33 actions/subscribe.php:96 #: actions/tagother.php:33 actions/unsubscribe.php:52 #: lib/adminpanelaction.php:71 lib/profileformaction.php:64 #: lib/settingsaction.php:72 @@ -1721,49 +1809,49 @@ msgstr "Webbadress för anrop är inte giltig." msgid "Could not update application." msgstr "Kunde inte uppdatera applikation." -#: actions/editgroup.php:56 +#. TRANS: Title for form to edit a group. %s is a group nickname. +#: actions/editgroup.php:55 #, php-format msgid "Edit %s group" msgstr "Redigera %s grupp" +#. TRANS: Client error displayed trying to edit a group while not logged in. +#. TRANS: Client error displayed trying to create a group while not logged in. #: actions/editgroup.php:68 actions/grouplogo.php:70 actions/newgroup.php:65 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:107 actions/editgroup.php:172 +#. TRANS: Client error displayed trying to edit a group while not being a group admin. +#: actions/editgroup.php:110 actions/editgroup.php:176 #: 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:158 +#. TRANS: Form instructions for group edit form. +#: actions/editgroup.php:161 msgid "Use this form to edit the group." msgstr "Använd detta formulär för att redigera gruppen." -#: actions/editgroup.php:205 -#, php-format -msgid "Description is too long (max %d chars)." -msgstr "Beskrivning är för lång (max %d tecken)." - -#: actions/editgroup.php:219 -#, php-format -msgid "Too many aliases! Maximum %d." -msgstr "För många alias! Maximum %d." - -#: actions/editgroup.php:228 actions/newgroup.php:177 +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. +#: actions/editgroup.php:248 actions/newgroup.php:184 #, php-format msgid "Invalid alias: \"%s\"" msgstr "Ogiltigt alias: \"%s\"" -#: actions/editgroup.php:258 +#. TRANS: Server error displayed when editing a group fails. +#: actions/editgroup.php:281 msgid "Could not update group." msgstr "Kunde inte uppdatera grupp." +#. TRANS: Server error displayed when group aliases could not be added. #. TRANS: Server exception thrown when creating group aliases failed. -#: actions/editgroup.php:264 classes/User_group.php:513 +#: actions/editgroup.php:288 classes/User_group.php:513 msgid "Could not create aliases." msgstr "Kunde inte skapa alias." -#: actions/editgroup.php:280 +#. TRANS: Group edit form success message. +#: actions/editgroup.php:305 msgid "Options saved." msgstr "Alternativ sparade." @@ -1956,6 +2044,12 @@ msgstr "Ingen väntande bekräftelse att avbryta." msgid "That is the wrong email address." msgstr "Detta är fel e-postadress." +#. TRANS: Server error thrown on database error canceling e-mail address confirmation. +#. TRANS: Server error thrown on database error canceling SMS phone number confirmation. +#: actions/emailsettings.php:437 actions/smssettings.php:422 +msgid "Couldn't delete email confirmation." +msgstr "Kunde inte ta bort e-postbekräftelse." + #. TRANS: Message given after successfully canceling e-mail address confirmation. #: actions/emailsettings.php:442 msgid "Email confirmation cancelled." @@ -2136,19 +2230,23 @@ msgstr "Du kan inte bevilja användare roller på denna webbplats." msgid "User already has this role." msgstr "Användaren har redan denna roll." +#. TRANS: Client error displayed when trying to unblock a user from a group without providing a profile. +#. TRANS: Client error displayed trying a change a subscription without providing a profile. #: actions/groupblock.php:71 actions/groupunblock.php:71 -#: actions/makeadmin.php:71 actions/subedit.php:46 +#: actions/makeadmin.php:71 actions/subedit.php:49 #: lib/profileformaction.php:79 msgid "No profile specified." msgstr "Ingen profil angiven." -#: actions/groupblock.php:76 actions/groupunblock.php:76 -#: actions/makeadmin.php:76 actions/subedit.php:53 actions/tagother.php:46 +#. TRANS: Client error displayed when trying to unblock a user from a group without providing an existing profile. +#. TRANS: Client error displayed trying a change a subscription for a non-existant profile ID. +#: actions/groupblock.php:76 actions/groupunblock.php:77 +#: actions/makeadmin.php:76 actions/subedit.php:57 actions/tagother.php:46 #: actions/unsubscribe.php:84 lib/profileformaction.php:86 msgid "No profile with that ID." msgstr "Ingen profil med det ID:t." -#: actions/groupblock.php:81 actions/groupunblock.php:81 +#: actions/groupblock.php:81 actions/groupunblock.php:82 #: actions/makeadmin.php:81 msgid "No group specified." msgstr "Ingen grupp angiven." @@ -2234,6 +2332,14 @@ msgstr "" "Du kan ladda upp en logotypbild för din grupp. Den maximala filstorleken är %" "s." +#: actions/grouplogo.php:236 +msgid "Upload" +msgstr "Ladda upp" + +#: actions/grouplogo.php:289 +msgid "Crop" +msgstr "Beskär" + #: 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" @@ -2377,15 +2483,18 @@ msgstr "" "Varför inte [registrera ett konto](%%action.register%%) och [skapa gruppen](%" "%action.newgroup%%) själv!" -#: actions/groupunblock.php:91 +#. TRANS: Client error displayed when trying to unblock a user from a group without being an administrator for the group. +#: actions/groupunblock.php:94 msgid "Only an admin can unblock group members." msgstr "Bara en administratör kan häva blockering av gruppmedlemmar." -#: actions/groupunblock.php:95 +#. TRANS: Client error displayed when trying to unblock a non-blocked user from a group. +#: actions/groupunblock.php:99 msgid "User is not blocked from group." msgstr "Användare är inte blockerad från grupp." -#: actions/groupunblock.php:128 actions/unblock.php:86 +#. TRANS: Server error displayed when unblocking a user from a group fails because of an unknown error. +#: actions/groupunblock.php:131 actions/unblock.php:86 msgid "Error removing the block." msgstr "Fel vid hävning av blockering." @@ -2978,10 +3087,12 @@ msgstr "Organisation är för lång (max 255 tecken)." msgid "Could not create application." msgstr "Kunde inte skapa applikation." +#. TRANS: Title for form to create a group. #: actions/newgroup.php:53 msgid "New group" msgstr "Ny grupp" +#. TRANS: Form instructions for group create form. #: actions/newgroup.php:110 msgid "Use this form to create a new group." msgstr "Använd detta formulär för att skapa en ny grupp." @@ -3685,8 +3796,9 @@ msgid "1-64 lowercase letters or numbers, no punctuation or spaces." msgstr "1-64 små bokstäver eller nummer, inga punkter eller mellanslag" #. TRANS: Field label in form for profile settings. +#. TRANS: Label for full group name (dt). Text hidden by default. #: actions/profilesettings.php:117 actions/register.php:457 -#: actions/showgroup.php:256 actions/tagother.php:104 +#: actions/showgroup.php:257 actions/tagother.php:104 #: lib/groupeditform.php:157 lib/userprofile.php:150 msgid "Full name" msgstr "Fullständigt namn" @@ -3726,8 +3838,9 @@ msgid "Bio" msgstr "Biografi" #. TRANS: Field label in form for profile settings. +#. TRANS: Label for group location (dt). Text hidden by default. #: actions/profilesettings.php:149 actions/register.php:485 -#: actions/showgroup.php:265 actions/tagother.php:112 +#: actions/showgroup.php:267 actions/tagother.php:112 #: actions/userauthorization.php:166 lib/groupeditform.php:177 #: lib/userprofile.php:165 msgid "Location" @@ -4451,7 +4564,8 @@ msgstr "Organisation" msgid "Description" msgstr "Beskrivning" -#: actions/showapplication.php:192 actions/showgroup.php:442 +#. TRANS: Header for group statistics on a group page (h2). +#: actions/showapplication.php:192 actions/showgroup.php:453 #: lib/profileaction.php:187 msgid "Statistics" msgstr "Statistik" @@ -4469,6 +4583,11 @@ msgstr "Åtgärder för applikation" msgid "Reset key & secret" msgstr "Återställ nyckel & hemlighet" +#: actions/showapplication.php:252 lib/deletegroupform.php:121 +#: lib/deleteuserform.php:66 lib/noticelist.php:667 +msgid "Delete" +msgstr "Ta bort" + #: actions/showapplication.php:261 msgid "Application info" msgstr "Information om applikation" @@ -4562,77 +4681,106 @@ msgstr "" msgid "This is a way to share what you like." msgstr "Detta är ett sätt att dela med av det du gillar." -#: actions/showgroup.php:82 +#. TRANS: Page title for first group page. %s is a group name. +#: actions/showgroup.php:80 #, php-format msgid "%s group" msgstr "%s grupp" +#. TRANS: Page title for any but first group page. +#. TRANS: %1$s is a group name, $2$s is a page number. #: actions/showgroup.php:84 #, php-format msgid "%1$s group, page %2$d" msgstr "%1$s grupp, sida %2$d" -#: actions/showgroup.php:227 +#. TRANS: Group profile header (h2). Text hidden by default. +#: actions/showgroup.php:225 msgid "Group profile" msgstr "Grupprofil" -#: actions/showgroup.php:272 actions/tagother.php:118 +#. TRANS: Label for group URL (dt). Text hidden by default. +#: actions/showgroup.php:275 actions/tagother.php:118 #: actions/userauthorization.php:175 lib/userprofile.php:178 msgid "URL" msgstr "URL" -#: actions/showgroup.php:283 actions/tagother.php:128 +#. TRANS: Label for group description or group note (dt). Text hidden by default. +#: actions/showgroup.php:287 actions/tagother.php:128 #: actions/userauthorization.php:187 lib/userprofile.php:195 msgid "Note" msgstr "Notis" -#: actions/showgroup.php:293 lib/groupeditform.php:184 +#. TRANS: Label for group aliases (dt). Text hidden by default. +#: actions/showgroup.php:298 lib/groupeditform.php:184 msgid "Aliases" msgstr "Alias" -#: actions/showgroup.php:302 +#. TRANS: Group actions header (h2). Text hidden by default. +#: actions/showgroup.php:309 msgid "Group actions" msgstr "Åtgärder för grupp" -#: actions/showgroup.php:344 +#. TRANS: Tooltip for feed link. %s is a group nickname. +#: actions/showgroup.php:350 #, 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:350 +#. TRANS: Tooltip for feed link. %s is a group nickname. +#: actions/showgroup.php:357 #, 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:356 +#. TRANS: Tooltip for feed link. %s is a group nickname. +#: actions/showgroup.php:364 #, php-format msgid "Notice feed for %s group (Atom)" msgstr "Flöde av notiser för %s grupp (Atom)" -#: actions/showgroup.php:361 +#. TRANS: Tooltip for feed link. %s is a group nickname. +#: actions/showgroup.php:370 #, php-format msgid "FOAF for %s group" msgstr "FOAF för %s grupp" -#: actions/showgroup.php:399 actions/showgroup.php:451 +#. TRANS: Header for mini list of group members on a group page (h2). +#: actions/showgroup.php:407 msgid "Members" msgstr "Medlemmar" -#: actions/showgroup.php:404 lib/profileaction.php:117 +#. TRANS: Description for mini list of group members on a group page when the group has no members. +#: actions/showgroup.php:413 lib/profileaction.php:117 #: lib/profileaction.php:152 lib/profileaction.php:255 lib/section.php:95 #: lib/subscriptionlist.php:127 lib/tagcloudsection.php:71 msgid "(None)" msgstr "(Ingen)" -#: actions/showgroup.php:410 +#. TRANS: Link to all group members from mini list of group members if group has more than n members. +#: actions/showgroup.php:422 msgid "All members" msgstr "Alla medlemmar" -#: actions/showgroup.php:445 +#. TRANS: Label for creation date in statistics on group page. +#: actions/showgroup.php:458 +#, fuzzy +msgctxt "LABEL" msgid "Created" msgstr "Skapad" -#: actions/showgroup.php:461 +#. TRANS: Label for member count in statistics on group page. +#: actions/showgroup.php:466 +#, fuzzy +msgctxt "LABEL" +msgid "Members" +msgstr "Medlemmar" + +#. TRANS: Notice on group pages for anonymous users for StatusNet sites that accept new registrations. +#. TRANS: **%s** is the group alias, %%%%site.name%%%% is the site name, +#. TRANS: %%%%action.register%%%% is the URL for registration, %%%%doc.help%%%% is a URL to help. +#. TRANS: This message contains Markdown links. Ensure they are formatted correctly: [Description](link). +#: actions/showgroup.php:481 #, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -4647,7 +4795,10 @@ 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:467 +#. TRANS: Notice on group pages for anonymous users for StatusNet sites that accept no new registrations. +#. TRANS: **%s** is the group alias, %%%%site.name%%%% is the site name, +#. TRANS: This message contains Markdown links. Ensure they are formatted correctly: [Description](link). +#: actions/showgroup.php:491 #, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -4660,24 +4811,31 @@ msgstr "" "[StatusNet](http://status.net/). Dess medlemmar delar korta meddelande om " "sina liv och intressen. " -#: actions/showgroup.php:495 +#. TRANS: Header for list of group administrators on a group page (h2). +#: actions/showgroup.php:520 msgid "Admins" msgstr "Administratörer" -#: actions/showmessage.php:81 +#. TRANS: Client error displayed requesting a single message that does not exist. +#: actions/showmessage.php:79 msgid "No such message." msgstr "Inget sådant meddelande." -#: actions/showmessage.php:98 +#. TRANS: Client error displayed requesting a single direct message the requesting user was not a party in. +#: actions/showmessage.php:97 msgid "Only the sender and recipient may read this message." msgstr "Endast avsändaren och mottagaren kan läsa detta meddelande." -#: actions/showmessage.php:108 +#. TRANS: Page title for single direct message display when viewing user is the sender. +#. TRANS: %1$s is the addressed user's nickname, $2$s is a timestamp. +#: actions/showmessage.php:110 #, php-format msgid "Message to %1$s on %2$s" msgstr "Meddelande till %1$s på %2$s" -#: actions/showmessage.php:113 +#. TRANS: Page title for single message display. +#. TRANS: %1$s is the sending user's nickname, $2$s is a timestamp. +#: actions/showmessage.php:118 #, php-format msgid "Message from %1$s on %2$s" msgstr "Meddelande från %1$s på %2$s" @@ -5120,12 +5278,14 @@ msgstr "Ögonblicksbild kommer skickat till denna URL" msgid "Save snapshot settings" msgstr "Spara inställningar för ögonblicksbild" -#: actions/subedit.php:70 +#. TRANS: Client error displayed trying a change a subscription for a non-subscribed profile. +#: actions/subedit.php:75 msgid "You are not subscribed to that profile." msgstr "Du är inte prenumerat hos den profilen." +#. TRANS: Server error displayed when updating a subscription fails with a database error. #. TRANS: Exception thrown when a subscription could not be stored on the server. -#: actions/subedit.php:83 classes/Subscription.php:136 +#: actions/subedit.php:89 classes/Subscription.php:136 msgid "Could not save subscription." msgstr "Kunde inte spara prenumeration." @@ -5937,12 +6097,12 @@ msgid "Welcome to %1$s, @%2$s!" msgstr "Välkommen till %1$s, @%2$s!" #. TRANS: Server exception. -#: classes/User.php:902 +#: classes/User.php:912 msgid "No single user defined for single-user mode." msgstr "Ingen enskild användare definierad för enanvändarläge." #. TRANS: Server exception. -#: classes/User.php:906 +#: classes/User.php:916 msgid "Single-user mode code called when not enabled." msgstr "" @@ -7107,7 +7267,8 @@ msgstr "Atom" msgid "FOAF" msgstr "FOAF" -#: lib/feedlist.php:65 +#. TRANS: Header for feed links (h2). +#: lib/feedlist.php:66 msgid "Feeds" msgstr "" @@ -7265,39 +7426,57 @@ msgstr "Denna sida är inte tillgänglig i den mediatyp du accepterat" msgid "Unsupported image file format." msgstr "Bildfilens format stödjs inte." -#: lib/imagefile.php:88 +#. TRANS: Exception thrown when too large a file is uploaded. +#. TRANS: %s is the maximum file size, for example "500b", "10kB" or "2MB". +#: lib/imagefile.php:90 #, php-format msgid "That file is too big. The maximum file size is %s." msgstr "Denna fil är för stor. Den maximala filstorleken är %s." -#: lib/imagefile.php:93 +#: lib/imagefile.php:95 msgid "Partial upload." msgstr "Bitvis uppladdad." #. TRANS: Client exception thrown when a file upload operation has failed with an unknown reason. -#: lib/imagefile.php:101 lib/mediafile.php:179 +#: lib/imagefile.php:103 lib/mediafile.php:179 msgid "System error uploading file." msgstr "Systemfel vid uppladdning av fil." -#: lib/imagefile.php:109 +#: lib/imagefile.php:111 msgid "Not an image or corrupt file." msgstr "Inte en bildfil eller så är filen korrupt." -#: lib/imagefile.php:122 +#: lib/imagefile.php:124 msgid "Lost our file." msgstr "Förlorade vår fil." -#: lib/imagefile.php:163 lib/imagefile.php:224 +#: lib/imagefile.php:165 lib/imagefile.php:226 msgid "Unknown file type" msgstr "Okänd filtyp" -#: lib/imagefile.php:244 -msgid "MB" -msgstr "MB" +#. TRANS: Number of megabytes. %d is the number. +#: lib/imagefile.php:248 +#, fuzzy, php-format +msgid "%dMB" +msgid_plural "%dMB" +msgstr[0] "MB" +msgstr[1] "MB" -#: lib/imagefile.php:246 -msgid "kB" -msgstr "kB" +#. TRANS: Number of kilobytes. %d is the number. +#: lib/imagefile.php:252 +#, fuzzy, php-format +msgid "%dkB" +msgid_plural "%dkB" +msgstr[0] "kB" +msgstr[1] "kB" + +#. TRANS: Number of bytes. %d is the number. +#: lib/imagefile.php:255 +#, php-format +msgid "%dB" +msgid_plural "%dB" +msgstr[0] "" +msgstr[1] "" #: lib/jabber.php:387 #, php-format @@ -8193,6 +8372,13 @@ msgstr "Fel vid öppning temaarkiv." msgid "Top posters" msgstr "Toppostare" +#. TRANS: Title for the form to unblock a user. +#: lib/unblockform.php:67 +#, fuzzy +msgctxt "TITLE" +msgid "Unblock" +msgstr "Häv blockering" + #: lib/unsandboxform.php:69 msgid "Unsandbox" msgstr "Flytta från sandlådan" @@ -8373,3 +8559,9 @@ msgstr "Ingen användar-ID angiven." #, php-format msgid "%d entries in backup." msgstr "" + +#~ msgid "Description is too long (max %d chars)." +#~ msgstr "Beskrivning är för lång (max %d tecken)." + +#~ msgid "Too many aliases! Maximum %d." +#~ msgstr "För många alias! Maximum %d." diff --git a/locale/te/LC_MESSAGES/statusnet.po b/locale/te/LC_MESSAGES/statusnet.po index 287168c08f..ac8fe24a27 100644 --- a/locale/te/LC_MESSAGES/statusnet.po +++ b/locale/te/LC_MESSAGES/statusnet.po @@ -10,17 +10,17 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet - Core\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-10-27 23:43+0000\n" -"PO-Revision-Date: 2010-10-28 23:09:39+0000\n" +"POT-Creation-Date: 2010-10-30 23:18+0000\n" +"PO-Revision-Date: 2010-10-30 23:20:47+0000\n" "Language-Team: Telugu \n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r75629); Translate extension (2010-09-17)\n" +"X-Generator: MediaWiki 1.17alpha (r75708); Translate extension (2010-09-17)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: te\n" "X-Message-Group: #out-statusnet-core\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-POT-Import-Date: 2010-10-28 00:13:15+0000\n" +"X-POT-Import-Date: 2010-10-30 09:48:40+0000\n" #. TRANS: Page title for Access admin panel that allows configuring site access. #. TRANS: Menu item for site administration @@ -116,6 +116,7 @@ msgstr "అటువంటి పేజీ లేదు." #. TRANS: Client error displayed when requesting most recent dents by user and friends for a non-existing user. #. TRANS: Client error displayed when requesting most recent mentions for a non-existing user. #. TRANS: Client error displayed requesting most recent notices for a non-existing user. +#. TRANS: Client error displayed trying to get an avatar for a non-existing user. #. TRANS: Error text shown when trying to send a direct message to a user that does not exist. #: actions/all.php:80 actions/apiaccountupdatedeliverydevice.php:110 #: actions/apiaccountupdateprofile.php:103 @@ -128,7 +129,7 @@ msgstr "అటువంటి పేజీ లేదు." #: actions/apistatusesupdate.php:230 actions/apisubscriptions.php:85 #: actions/apitimelinefavorites.php:70 actions/apitimelinefriends.php:173 #: actions/apitimelinehome.php:78 actions/apitimelinementions.php:77 -#: actions/apitimelineuser.php:79 actions/avatarbynickname.php:75 +#: actions/apitimelineuser.php:79 actions/avatarbynickname.php:79 #: 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 @@ -301,11 +302,12 @@ msgstr "వాడుకరిని తాజాకరించలేకున #. TRANS: Client error displayed a user has no profile updating profile colours. #. TRANS: Client error displayed if a user profile could not be found updating a profile image. #. TRANS: Client error displayed when requesting user information for a user without a profile. +#. TRANS: Client error displayed trying to get an avatar for a user without a profile. #: actions/apiaccountupdateprofile.php:111 #: actions/apiaccountupdateprofilebackgroundimage.php:199 #: actions/apiaccountupdateprofilecolors.php:183 #: actions/apiaccountupdateprofileimage.php:130 actions/apiusershow.php:108 -#: actions/avatarbynickname.php:80 actions/foaf.php:65 actions/hcard.php:74 +#: actions/avatarbynickname.php:85 actions/foaf.php:65 actions/hcard.php:74 #: actions/replies.php:80 actions/usergroups.php:100 lib/galleryaction.php:66 #: lib/profileaction.php:84 msgid "User has no profile." @@ -321,7 +323,7 @@ msgstr "ప్రొఫైలుని భద్రపరచలేకున్ #. TRANS: %s is the number of bytes of the CONTENT_LENGTH. #: actions/apiaccountupdateprofilebackgroundimage.php:108 #: actions/apiaccountupdateprofileimage.php:95 actions/apimediaupload.php:81 -#: actions/apistatusesupdate.php:210 actions/avatarsettings.php:259 +#: actions/apistatusesupdate.php:210 actions/avatarsettings.php:269 #: actions/designadminpanel.php:125 actions/editapplication.php:121 #: actions/newapplication.php:104 actions/newnotice.php:95 #, php-format @@ -495,43 +497,53 @@ msgstr "లక్ష్యిత వాడుకరిని కనుగొన msgid "Could not find target user." msgstr "లక్ష్యిత వాడుకరిని కనుగొనలేకపోయాం." +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. #. TRANS: Validation error in form for profile settings. -#: actions/apigroupcreate.php:165 actions/editgroup.php:186 -#: actions/newgroup.php:126 actions/profilesettings.php:243 +#: actions/apigroupcreate.php:165 actions/editgroup.php:191 +#: actions/newgroup.php:127 actions/profilesettings.php:243 #: actions/register.php:212 msgid "Nickname must have only lowercase letters and numbers and no spaces." msgstr "పేరులో చిన్నబడి అక్షరాలు మరియు అంకెలు మాత్రమే ఖాళీలు లేకుండా ఉండాలి." #. TRANS: Client error trying to create a group with a nickname this is already in use. +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. #. TRANS: Validation error in form for profile settings. -#: actions/apigroupcreate.php:175 actions/editgroup.php:190 -#: actions/newgroup.php:130 actions/profilesettings.php:277 +#: actions/apigroupcreate.php:175 actions/editgroup.php:196 +#: actions/newgroup.php:132 actions/profilesettings.php:277 #: actions/register.php:215 msgid "Nickname already in use. Try another one." msgstr "ఆ పేరుని ఇప్పటికే వాడుతున్నారు. మరోటి ప్రయత్నించండి." #. TRANS: Client error in form for group creation. +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. #. TRANS: Validation error in form for profile settings. -#: actions/apigroupcreate.php:183 actions/editgroup.php:193 -#: actions/newgroup.php:133 actions/profilesettings.php:247 +#: actions/apigroupcreate.php:183 actions/editgroup.php:200 +#: actions/newgroup.php:136 actions/profilesettings.php:247 #: actions/register.php:217 msgid "Not a valid nickname." msgstr "సరైన పేరు కాదు." #. TRANS: Client error in form for group creation. #. TRANS: Validation error shown when providing an invalid homepage URL in the "Edit application" form. +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. #. TRANS: Validation error in form for profile settings. #: actions/apigroupcreate.php:200 actions/editapplication.php:233 -#: actions/editgroup.php:199 actions/newapplication.php:211 -#: actions/newgroup.php:139 actions/profilesettings.php:252 +#: actions/editgroup.php:207 actions/newapplication.php:211 +#: actions/newgroup.php:143 actions/profilesettings.php:252 #: actions/register.php:224 msgid "Homepage is not a valid URL." msgstr "హోమ్ పేజీ URL సరైనది కాదు." #. TRANS: Client error in form for group creation. +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. #. TRANS: Validation error in form for profile settings. -#: actions/apigroupcreate.php:210 actions/editgroup.php:202 -#: actions/newgroup.php:142 actions/profilesettings.php:256 +#: actions/apigroupcreate.php:210 actions/editgroup.php:211 +#: actions/newgroup.php:147 actions/profilesettings.php:256 #: actions/register.php:227 #, fuzzy msgid "Full name is too long (maximum 255 characters)." @@ -540,10 +552,11 @@ msgstr "పూర్తి పేరు చాలా పెద్దగా ఉ #. TRANS: Client error shown when providing too long a description during group creation. #. TRANS: %d is the maximum number of allowed characters. #. TRANS: Validation error shown when providing too long a description in the "Edit application" form. +#. TRANS: Group edit form validation error. #. TRANS: Form validation error in New application form. #. TRANS: %d is the maximum number of characters for the description. #: actions/apigroupcreate.php:220 actions/editapplication.php:201 -#: actions/newapplication.php:178 +#: actions/editgroup.php:216 actions/newapplication.php:178 #, fuzzy, php-format msgid "Description is too long (maximum %d character)." msgid_plural "Description is too long (maximum %d characters)." @@ -551,9 +564,11 @@ msgstr[0] "వివరణ చాలా పెద్దగా ఉంది (%d msgstr[1] "వివరణ చాలా పెద్దగా ఉంది (%d అక్షరాలు గరిష్ఠం)." #. TRANS: Client error shown when providing too long a location during group creation. +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. #. TRANS: Validation error in form for profile settings. -#: actions/apigroupcreate.php:234 actions/editgroup.php:208 -#: actions/newgroup.php:153 actions/profilesettings.php:269 +#: actions/apigroupcreate.php:234 actions/editgroup.php:223 +#: actions/newgroup.php:159 actions/profilesettings.php:269 #: actions/register.php:236 #, fuzzy msgid "Location is too long (maximum 255 characters)." @@ -561,7 +576,12 @@ msgstr "ప్రాంతం పేరు మరీ పెద్దగా ఉ #. TRANS: Client error shown when providing too many aliases during group creation. #. TRANS: %d is the maximum number of allowed aliases. -#: actions/apigroupcreate.php:255 actions/newgroup.php:166 +#. TRANS: Group edit form validation error. +#. TRANS: %d is the maximum number of allowed aliases. +#. TRANS: Group create form validation error. +#. TRANS: %d is the maximum number of allowed aliases. +#: actions/apigroupcreate.php:255 actions/editgroup.php:236 +#: actions/newgroup.php:172 #, fuzzy, php-format msgid "Too many aliases! Maximum %d allowed." msgid_plural "Too many aliases! Maximum %d allowed." @@ -577,15 +597,19 @@ msgstr "తప్పుడు మారుపేరు: \"%s\"." #. TRANS: Client error displayed when trying to use an alias during group creation that is already in use. #. TRANS: %s is the alias that is already in use. -#: actions/apigroupcreate.php:291 actions/editgroup.php:232 -#: actions/newgroup.php:181 +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. +#: actions/apigroupcreate.php:291 actions/editgroup.php:253 +#: actions/newgroup.php:189 #, php-format msgid "Alias \"%s\" already in use. Try another one." msgstr "\"%s\" అన్న మారుపేరుని ఇప్పటికే వాడుతున్నారు. మరొకటి ప్రయత్నించండి." #. TRANS: Client error displayed when trying to use an alias during group creation that is the same as the group's nickname. -#: actions/apigroupcreate.php:305 actions/editgroup.php:238 -#: actions/newgroup.php:187 +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. +#: actions/apigroupcreate.php:305 actions/editgroup.php:260 +#: actions/newgroup.php:196 msgid "Alias can't be the same as nickname." msgstr "మారుపేరు పేరుతో సమానంగా ఉండకూడదు." @@ -691,18 +715,18 @@ msgid "Request token already authorized." msgstr "మీకు అధీకరణ లేదు." #. TRANS: Form validation error in API OAuth authorisation because of an invalid session token. -#: actions/apioauthauthorize.php:147 actions/avatarsettings.php:270 +#: actions/apioauthauthorize.php:147 actions/avatarsettings.php:280 #: actions/deletenotice.php:172 actions/disfavor.php:74 #: actions/emailsettings.php:271 actions/favor.php:75 actions/geocode.php:55 #: actions/groupblock.php:66 actions/grouplogo.php:312 -#: actions/groupunblock.php:66 actions/imsettings.php:230 +#: actions/groupunblock.php:65 actions/imsettings.php:230 #: actions/invite.php:59 actions/login.php:137 actions/makeadmin.php:66 #: actions/newmessage.php:135 actions/newnotice.php:105 actions/nudge.php:80 #: actions/oauthappssettings.php:165 actions/oauthconnectionssettings.php:138 #: actions/othersettings.php:145 actions/passwordsettings.php:138 #: actions/profilesettings.php:221 actions/recoverpassword.php:350 #: actions/register.php:172 actions/remotesubscribe.php:77 -#: actions/repeat.php:83 actions/smssettings.php:256 actions/subedit.php:38 +#: actions/repeat.php:83 actions/smssettings.php:256 actions/subedit.php:40 #: actions/subscribe.php:86 actions/tagother.php:166 #: actions/unsubscribe.php:69 actions/userauthorization.php:52 #: lib/designsettings.php:294 @@ -721,12 +745,13 @@ msgid "Database error inserting oauth_token_association." msgstr "అవతారాన్ని పెట్టడంలో పొరపాటు" #. TRANS: Client error given on when invalid data was passed through a form in the OAuth API. +#. TRANS: Unexpected validation error on avatar upload form. #. TRANS: Client error displayed submitting invalid form data for edit application. #. TRANS: Message given submitting a form with an unknown action in e-mail settings. #. TRANS: Message given submitting a form with an unknown action in IM settings. #. TRANS: Client error when submitting a form with unexpected information. #. TRANS: Message given submitting a form with an unknown action in SMS settings. -#: actions/apioauthauthorize.php:294 actions/avatarsettings.php:283 +#: actions/apioauthauthorize.php:294 actions/avatarsettings.php:294 #: actions/designadminpanel.php:104 actions/editapplication.php:144 #: actions/emailsettings.php:290 actions/grouplogo.php:322 #: actions/imsettings.php:245 actions/newapplication.php:125 @@ -774,6 +799,7 @@ msgstr "ఖాతా" #. TRANS: Field label on OAuth API authorisation form. #. TRANS: Field label in form for profile settings. +#. TRANS: Label for group nickname (dt). Text hidden by default. #: actions/apioauthauthorize.php:459 actions/login.php:252 #: actions/profilesettings.php:110 actions/register.php:433 #: actions/showgroup.php:245 actions/tagother.php:94 @@ -1023,105 +1049,139 @@ msgstr "నిర్ధారణ సంకేతం కనబడలేదు." msgid "User not found." msgstr "వాడుకరి దొరకలేదు." +#. TRANS: Client error displayed trying to get a non-existing attachment. #: actions/attachment.php:73 msgid "No such attachment." msgstr "అటువంటి జోడింపు లేదు." -#: actions/avatarbynickname.php:59 actions/blockedfromgroup.php:73 -#: actions/editgroup.php:84 actions/groupdesignsettings.php:84 +#. TRANS: Client error displayed trying to get an avatar without providing a nickname. +#. TRANS: Client error displayed when requesting a list of blocked users for a group without providing a group nickname. +#. TRANS: Client error displayed trying to edit a group while not proving a nickname for the group to edit. +#. TRANS: Client error displayed if no nickname argument was given requesting a group page. +#: actions/avatarbynickname.php:60 actions/blockedfromgroup.php:73 +#: actions/editgroup.php:85 actions/groupdesignsettings.php:84 #: actions/grouplogo.php:86 actions/groupmembers.php:76 #: actions/grouprss.php:91 actions/showgroup.php:121 msgid "No nickname." msgstr "పేరు" -#: actions/avatarbynickname.php:64 +#. TRANS: Client error displayed trying to get an avatar without providing an avatar size. +#: actions/avatarbynickname.php:66 msgid "No size." msgstr "పరిమాణం లేదు." -#: actions/avatarbynickname.php:69 +#. TRANS: Client error displayed trying to get an avatar providing an invalid avatar size. +#: actions/avatarbynickname.php:72 msgid "Invalid size." msgstr "తప్పుడు పరిమాణం." +#. TRANS: Title for avatar upload page. +#. TRANS: Label for group avatar (dt). Text hidden by default. #. TRANS: Link description in user account settings menu. -#: actions/avatarsettings.php:67 actions/showgroup.php:230 +#: actions/avatarsettings.php:66 actions/showgroup.php:229 #: lib/accountsettingsaction.php:113 msgid "Avatar" msgstr "అవతారం" +#. TRANS: Instruction for avatar upload page. +#. TRANS: %s is the maximum file size, for example "500b", "10kB" or "2MB". #: actions/avatarsettings.php:78 #, php-format msgid "You can upload your personal avatar. The maximum file size is %s." msgstr "మీ వ్యక్తిగత అవతారాన్ని మీరు ఎక్కించవచ్చు. గరిష్ఠ ఫైలు పరిమాణం %s." -#: actions/avatarsettings.php:106 actions/avatarsettings.php:185 +#. TRANS: Server error displayed in avatar upload page when no matching profile can be found for a user. +#: actions/avatarsettings.php:108 actions/avatarsettings.php:192 #: actions/grouplogo.php:181 actions/remotesubscribe.php:191 #: actions/userauthorization.php:72 actions/userrss.php:108 #, fuzzy msgid "User without matching profile." msgstr "వాడుకరికి ప్రొఫైలు లేదు." -#: actions/avatarsettings.php:119 actions/avatarsettings.php:197 +#. TRANS: Avatar upload page form legend. +#. TRANS: Avatar upload page crop form legend. +#: actions/avatarsettings.php:122 actions/avatarsettings.php:205 #: actions/grouplogo.php:254 msgid "Avatar settings" msgstr "అవతారపు అమరికలు" -#: actions/avatarsettings.php:127 actions/avatarsettings.php:205 +#. TRANS: Header on avatar upload page for thumbnail of originally uploaded avatar (h2). +#. TRANS: Header on avatar upload crop form for thumbnail of originally uploaded avatar (h2). +#: actions/avatarsettings.php:131 actions/avatarsettings.php:214 #: actions/grouplogo.php:202 actions/grouplogo.php:262 msgid "Original" msgstr "అసలు" -#: actions/avatarsettings.php:142 actions/avatarsettings.php:217 +#. TRANS: Header on avatar upload page for thumbnail of to be used rendition of uploaded avatar (h2). +#. TRANS: Header on avatar upload crop form for thumbnail of to be used rendition of uploaded avatar (h2). +#: actions/avatarsettings.php:147 actions/avatarsettings.php:227 #: actions/grouplogo.php:213 actions/grouplogo.php:274 msgid "Preview" msgstr "మునుజూపు" -#: actions/avatarsettings.php:149 actions/showapplication.php:252 -#: lib/deletegroupform.php:121 lib/deleteuserform.php:66 -#: lib/noticelist.php:667 +#. TRANS: Button on avatar upload page to delete current avatar. +#: actions/avatarsettings.php:155 +#, fuzzy +msgctxt "BUTTON" msgid "Delete" msgstr "తొలగించు" -#: actions/avatarsettings.php:166 actions/grouplogo.php:236 +#. TRANS: Button on avatar upload page to upload an avatar. +#: actions/avatarsettings.php:173 +#, fuzzy +msgctxt "BUTTON" msgid "Upload" msgstr "ఎగుమతించు" -#: actions/avatarsettings.php:231 actions/grouplogo.php:289 +#. TRANS: Button on avatar upload crop form to confirm a selected crop as avatar. +#: actions/avatarsettings.php:243 +#, fuzzy +msgctxt "BUTTON" msgid "Crop" msgstr "కత్తిరించు" -#: actions/avatarsettings.php:307 +#. TRANS: Validation error on avatar upload form when no file was uploaded. +#: actions/avatarsettings.php:318 msgid "No file uploaded." msgstr "ఏ దస్త్రమూ ఎక్కింపబడలేదు." -#: actions/avatarsettings.php:334 +#. TRANS: Avatar upload form unstruction after uploading a file. +#: actions/avatarsettings.php:346 msgid "Pick a square area of the image to be your avatar" msgstr "మీ అవతారానికి గానూ ఈ చిత్రం నుండి ఒక చతురస్రపు ప్రదేశాన్ని ఎంచుకోండి" -#: actions/avatarsettings.php:349 actions/grouplogo.php:380 +#. TRANS: Server error displayed if an avatar upload went wrong somehow server side. +#: actions/avatarsettings.php:361 actions/grouplogo.php:380 msgid "Lost our file data." msgstr "" -#: actions/avatarsettings.php:372 +#: actions/avatarsettings.php:384 msgid "Avatar updated." msgstr "అవతారాన్ని తాజాకరించాం." -#: actions/avatarsettings.php:375 +#. TRANS: Error displayed on the avatar upload page if the avatar could not be updated for an unknown reason. +#: actions/avatarsettings.php:388 msgid "Failed updating avatar." msgstr "అవతారపు తాజాకరణ విఫలమైంది." -#: actions/avatarsettings.php:399 +#. TRANS: Success message for deleting a user avatar. +#: actions/avatarsettings.php:412 msgid "Avatar deleted." msgstr "అవతారాన్ని తొలగించాం." -#: actions/block.php:69 +#. TRANS: Client error displayed when blocking a user that has already been blocked. +#: actions/block.php:68 msgid "You already blocked that user." msgstr "మీరు ఇప్పటికే ఆ వాడుకరిని నిరోధించారు." -#: actions/block.php:107 actions/block.php:136 actions/groupblock.php:158 +#. TRANS: Title for block user page. +#. TRANS: Legend for block user form. +#: actions/block.php:106 actions/block.php:136 actions/groupblock.php:158 msgid "Block user" msgstr "వాడుకరిని నిరోధించు" -#: actions/block.php:138 +#. TRANS: Explanation of consequences when blocking a user on the block user page. +#: actions/block.php:139 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 " @@ -1136,7 +1196,7 @@ msgstr "" #. TRANS: Button label on the delete notice form. #. TRANS: Button label on the delete user form. #. TRANS: Button label on the form to block a user from a group. -#: actions/block.php:153 actions/deleteapplication.php:154 +#: actions/block.php:154 actions/deleteapplication.php:154 #: actions/deletegroup.php:220 actions/deletenotice.php:150 #: actions/deleteuser.php:152 actions/groupblock.php:178 msgctxt "BUTTON" @@ -1145,7 +1205,7 @@ msgstr "కాదు" #. TRANS: Submit button title for 'No' when blocking a user. #. TRANS: Submit button title for 'No' when deleting a user. -#: actions/block.php:157 actions/deleteuser.php:156 +#: actions/block.php:158 actions/deleteuser.php:156 msgid "Do not block this user" msgstr "ఈ వాడుకరిని నిరోధించకు" @@ -1155,7 +1215,7 @@ msgstr "ఈ వాడుకరిని నిరోధించకు" #. TRANS: Button label on the delete notice form. #. TRANS: Button label on the delete user form. #. TRANS: Button label on the form to block a user from a group. -#: actions/block.php:160 actions/deleteapplication.php:161 +#: actions/block.php:161 actions/deleteapplication.php:161 #: actions/deletegroup.php:227 actions/deletenotice.php:157 #: actions/deleteuser.php:159 actions/groupblock.php:185 msgctxt "BUTTON" @@ -1164,90 +1224,111 @@ msgstr "అవును" #. TRANS: Submit button title for 'Yes' when blocking a user. #. TRANS: Description of the form to block a user. -#: actions/block.php:164 lib/blockform.php:79 +#: actions/block.php:165 lib/blockform.php:79 msgid "Block this user" msgstr "ఈ వాడుకరిని నిరోధించు" -#: actions/block.php:187 +#. TRANS: Server error displayed when blocking a user fails. +#: actions/block.php:189 msgid "Failed to save block information." msgstr "నిరోధపు సమాచారాన్ని భద్రపరచడంలో విఫలమయ్యాం." +#. TRANS: Client error displayed when requesting a list of blocked users for a non-local group. +#. TRANS: Client error displayed when requesting a list of blocked users for a non-existing group. #. TRANS: Client error when trying to delete a non-local group. #. TRANS: Client error when trying to delete a non-existing group. +#. TRANS: Client error displayed trying to edit a non-existing group. +#. TRANS: Client error displayed when trying to unblock a user from a non-existing group. +#. TRANS: Client error displayed if no remote group with a given name was found requesting group page. +#. TRANS: Client error displayed if no local group with a given name was found requesting group page. #. TRANS: Command exception text shown when a group is requested that does not exist. #. TRANS: Error text shown when trying to leave a group that does not exist. -#: actions/blockedfromgroup.php:80 actions/blockedfromgroup.php:87 +#: actions/blockedfromgroup.php:81 actions/blockedfromgroup.php:89 #: actions/deletegroup.php:87 actions/deletegroup.php:100 -#: actions/editgroup.php:100 actions/foafgroup.php:44 actions/foafgroup.php:62 +#: actions/editgroup.php:102 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/groupunblock.php:88 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:168 +#: actions/showgroup.php:139 actions/showgroup.php:148 lib/command.php:168 #: lib/command.php:380 msgid "No such group." msgstr "అటువంటి గుంపు లేదు." -#: actions/blockedfromgroup.php:97 +#. TRANS: Title for first page with list of users blocked from a group. +#. TRANS: %s is a group nickname. +#: actions/blockedfromgroup.php:101 #, php-format msgid "%s blocked profiles" msgstr "%s నిరోధిత వాడుకరులు" -#: actions/blockedfromgroup.php:100 +#. TRANS: Title for any but the first page with list of users blocked from a group. +#. TRANS: %1$s is a group nickname, %2$d is a page number. +#: actions/blockedfromgroup.php:106 #, php-format msgid "%1$s blocked profiles, page %2$d" msgstr "%1$s మరియు మిత్రులు, పేజీ %2$d" -#: actions/blockedfromgroup.php:115 +#. TRANS: Instructions for list of users blocked from a group. +#: actions/blockedfromgroup.php:122 msgid "A list of the users blocked from joining this group." msgstr "ఈ గుంపు లోనికి చేరకుండా నిరోధించిన వాడుకరుల యొక్క జాబితా." -#: actions/blockedfromgroup.php:288 +#. TRANS: Form legend for unblocking a user from a group. +#: actions/blockedfromgroup.php:291 msgid "Unblock user from group" msgstr "వాడుకరిని గుంపు నుండి నిరోధించు" -#. TRANS: Title for the form to unblock a user. -#: actions/blockedfromgroup.php:320 lib/unblockform.php:70 +#. TRANS: Button text for unblocking a user from a group. +#: actions/blockedfromgroup.php:323 +#, fuzzy +msgctxt "BUTTON" msgid "Unblock" msgstr "నిరోధాన్ని ఎత్తివేయి" +#. TRANS: Tooltip for button for unblocking a user from a group. #. TRANS: Description of the form to unblock a user. -#: actions/blockedfromgroup.php:320 lib/unblockform.php:82 +#: actions/blockedfromgroup.php:327 lib/unblockform.php:78 msgid "Unblock this user" msgstr "ఈ వాడుకరిని నిరోధించు" #. TRANS: Title for mini-posting window loaded from bookmarklet. +#. TRANS: %s is the StatusNet site name. #: actions/bookmarklet.php:51 #, php-format msgid "Post to %s" msgstr "%sకి టపాచెయ్యి" -#: actions/confirmaddress.php:75 +#. TRANS: Client error displayed when not providing a confirmation code in the contact address confirmation action. +#: actions/confirmaddress.php:74 msgid "No confirmation code." msgstr "నిర్ధారణ సంకేతం లేదు." +#. TRANS: Client error displayed when providing a non-existing confirmation code in the contact address confirmation action. #: actions/confirmaddress.php:80 msgid "Confirmation code not found." msgstr "నిర్ధారణ సంకేతం కనబడలేదు." -#: actions/confirmaddress.php:85 +#. TRANS: Client error displayed when not providing a confirmation code for another user in the contact address confirmation action. +#: actions/confirmaddress.php:86 msgid "That confirmation code is not for you!" msgstr "ఆ నిర్ధారణా సంకేతం మీది కాదు!" -#. TRANS: Server error for an unknow address type, which can be 'email', 'jabber', or 'sms'. -#: actions/confirmaddress.php:91 +#. TRANS: Server error for a unknow address type %s, which can be 'email', 'jabber', or 'sms'. +#: actions/confirmaddress.php:92 #, php-format msgid "Unrecognized address type %s." msgstr "గుర్తుతెలియని చిరునామా రకం %s." -#. TRANS: Client error for an already confirmed email/jabbel/sms address. -#: actions/confirmaddress.php:96 +#. TRANS: Client error for an already confirmed email/jabber/sms address. +#: actions/confirmaddress.php:97 msgid "That address has already been confirmed." msgstr "ఆ చిరునామా ఇప్పటికే నిర్ధారితమైంది." +#. TRANS: Server error displayed when a user update to the database fails in the contact address confirmation action. #. TRANS: Server error thrown on database error updating e-mail preferences. #. TRANS: Server error thrown on database error removing a registered e-mail address. #. TRANS: Server error thrown on database error updating IM preferences. @@ -1255,7 +1336,7 @@ msgstr "ఆ చిరునామా ఇప్పటికే నిర్ధా #. TRANS: Server error thrown when user profile settings could not be updated. #. TRANS: Server error thrown on database error updating SMS preferences. #. TRANS: Server error thrown on database error removing a registered SMS phone number. -#: actions/confirmaddress.php:116 actions/emailsettings.php:331 +#: actions/confirmaddress.php:118 actions/emailsettings.php:331 #: actions/emailsettings.php:477 actions/imsettings.php:283 #: actions/imsettings.php:442 actions/othersettings.php:174 #: actions/profilesettings.php:326 actions/smssettings.php:308 @@ -1263,27 +1344,32 @@ msgstr "ఆ చిరునామా ఇప్పటికే నిర్ధా msgid "Couldn't update user." msgstr "వాడుకరిని తాజాకరించలేకున్నాం." -#. TRANS: Server error thrown on database error canceling e-mail address confirmation. -#. TRANS: Server error thrown on database error canceling SMS phone number confirmation. -#: actions/confirmaddress.php:128 actions/emailsettings.php:437 -#: actions/smssettings.php:422 -msgid "Couldn't delete email confirmation." +#. TRANS: Server error displayed when an address confirmation code deletion from the +#. TRANS: database fails in the contact address confirmation action. +#: actions/confirmaddress.php:132 +#, fuzzy +msgid "Could not delete address confirmation." msgstr "ఈమెయిల్ నిర్ధారణని తొలగించలేకున్నాం." -#: actions/confirmaddress.php:146 +#. TRANS: Title for the contact address confirmation action. +#: actions/confirmaddress.php:150 msgid "Confirm address" msgstr "చిరునామాని నిర్ధారించు" -#: actions/confirmaddress.php:161 +#. TRANS: Success message for the contact address confirmation action. +#. TRANS: %s can be 'email', 'jabber', or 'sms'. +#: actions/confirmaddress.php:166 #, php-format msgid "The address \"%s\" has been confirmed for your account." msgstr "\"%s\" అనే చిరునామా మీ ఖాతాకి నిర్ధారితమైంది." -#: actions/conversation.php:99 +#. TRANS: Title for page with a conversion (multiple notices in context). +#: actions/conversation.php:96 msgid "Conversation" msgstr "సంభాషణ" -#: actions/conversation.php:154 lib/mailbox.php:116 lib/noticelist.php:87 +#. TRANS: Header on conversation page. Hidden by default (h2). +#: actions/conversation.php:149 lib/mailbox.php:116 lib/noticelist.php:87 #: lib/profileaction.php:229 lib/searchgroupnav.php:82 msgid "Notices" msgstr "సందేశాలు" @@ -1390,11 +1476,13 @@ msgstr "ఈ గుంపును తొలగించకు" msgid "Delete this group" msgstr "ఈ గుంపుని తొలగించు" +#. TRANS: Client error displayed when trying to unblock a user from a group while not logged in. +#. TRANS: Client error displayed trying a change a subscription while not logged in. #. TRANS: Client error message thrown when trying to access the admin panel while not logged in. #: actions/deletenotice.php:50 actions/disfavor.php:61 actions/favor.php:62 -#: actions/groupblock.php:61 actions/groupunblock.php:61 actions/logout.php:69 +#: actions/groupblock.php:61 actions/groupunblock.php:60 actions/logout.php:69 #: actions/makeadmin.php:61 actions/newmessage.php:87 actions/newnotice.php:88 -#: actions/nudge.php:63 actions/subedit.php:31 actions/subscribe.php:96 +#: actions/nudge.php:63 actions/subedit.php:33 actions/subscribe.php:96 #: actions/tagother.php:33 actions/unsubscribe.php:52 #: lib/adminpanelaction.php:71 lib/profileformaction.php:64 #: lib/settingsaction.php:72 @@ -1701,49 +1789,49 @@ msgstr "" msgid "Could not update application." msgstr "ఉపకరణాన్ని తాజాకరించలేకున్నాం." -#: actions/editgroup.php:56 +#. TRANS: Title for form to edit a group. %s is a group nickname. +#: actions/editgroup.php:55 #, php-format msgid "Edit %s group" msgstr "%s గుంపుని మార్చు" +#. TRANS: Client error displayed trying to edit a group while not logged in. +#. TRANS: Client error displayed trying to create a group while not logged in. #: actions/editgroup.php:68 actions/grouplogo.php:70 actions/newgroup.php:65 msgid "You must be logged in to create a group." msgstr "గుంపుని సృష్టించడానికి మీరు లోనికి ప్రవేశించాలి." -#: actions/editgroup.php:107 actions/editgroup.php:172 +#. TRANS: Client error displayed trying to edit a group while not being a group admin. +#: actions/editgroup.php:110 actions/editgroup.php:176 #: actions/groupdesignsettings.php:107 actions/grouplogo.php:109 msgid "You must be an admin to edit the group." msgstr "గుంపుని మార్చడానికి మీరు నిర్వాహకులయి ఉండాలి." -#: actions/editgroup.php:158 +#. TRANS: Form instructions for group edit form. +#: actions/editgroup.php:161 msgid "Use this form to edit the group." msgstr "గుంపుని మార్చడానికి ఈ ఫారాన్ని ఉపయోగించండి." -#: actions/editgroup.php:205 -#, php-format -msgid "Description is too long (max %d chars)." -msgstr "వివరణ చాలా పెద్దగా ఉంది (%d అక్షరాలు గరిష్ఠం)." - -#: actions/editgroup.php:219 -#, php-format -msgid "Too many aliases! Maximum %d." -msgstr "చాలా మారుపేర్లు! %d గరిష్ఠం." - -#: actions/editgroup.php:228 actions/newgroup.php:177 +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. +#: actions/editgroup.php:248 actions/newgroup.php:184 #, php-format msgid "Invalid alias: \"%s\"" msgstr "తప్పుడు మారుపేరు: \"%s\"" -#: actions/editgroup.php:258 +#. TRANS: Server error displayed when editing a group fails. +#: actions/editgroup.php:281 msgid "Could not update group." msgstr "గుంపుని తాజాకరించలేకున్నాం." +#. TRANS: Server error displayed when group aliases could not be added. #. TRANS: Server exception thrown when creating group aliases failed. -#: actions/editgroup.php:264 classes/User_group.php:513 +#: actions/editgroup.php:288 classes/User_group.php:513 msgid "Could not create aliases." msgstr "మారుపేర్లని సృష్టించలేకపోయాం." -#: actions/editgroup.php:280 +#. TRANS: Group edit form success message. +#: actions/editgroup.php:305 msgid "Options saved." msgstr "ఎంపికలు భద్రమయ్యాయి." @@ -1940,6 +2028,12 @@ msgstr "రద్దుచేయడానికి వేచివున్న msgid "That is the wrong email address." msgstr "ఆ ఈమెయిలు చిరునామా సరైనది కాదు." +#. TRANS: Server error thrown on database error canceling e-mail address confirmation. +#. TRANS: Server error thrown on database error canceling SMS phone number confirmation. +#: actions/emailsettings.php:437 actions/smssettings.php:422 +msgid "Couldn't delete email confirmation." +msgstr "ఈమెయిల్ నిర్ధారణని తొలగించలేకున్నాం." + #. TRANS: Message given after successfully canceling e-mail address confirmation. #: actions/emailsettings.php:442 msgid "Email confirmation cancelled." @@ -2120,21 +2214,25 @@ msgstr "ఈ సైటులో మీరు వాడుకరలకి పా msgid "User already has this role." msgstr "వాడుకరికి ఇప్పటికే ఈ పాత్ర ఉంది." +#. TRANS: Client error displayed when trying to unblock a user from a group without providing a profile. +#. TRANS: Client error displayed trying a change a subscription without providing a profile. #: actions/groupblock.php:71 actions/groupunblock.php:71 -#: actions/makeadmin.php:71 actions/subedit.php:46 +#: actions/makeadmin.php:71 actions/subedit.php:49 #: lib/profileformaction.php:79 #, fuzzy msgid "No profile specified." msgstr "గుంపు ఏమీ పేర్కొనలేదు." -#: actions/groupblock.php:76 actions/groupunblock.php:76 -#: actions/makeadmin.php:76 actions/subedit.php:53 actions/tagother.php:46 +#. TRANS: Client error displayed when trying to unblock a user from a group without providing an existing profile. +#. TRANS: Client error displayed trying a change a subscription for a non-existant profile ID. +#: actions/groupblock.php:76 actions/groupunblock.php:77 +#: actions/makeadmin.php:76 actions/subedit.php:57 actions/tagother.php:46 #: actions/unsubscribe.php:84 lib/profileformaction.php:86 #, fuzzy msgid "No profile with that ID." msgstr "ఆ IDతో ఏ నోటీసూ కనబడలేదు." -#: actions/groupblock.php:81 actions/groupunblock.php:81 +#: actions/groupblock.php:81 actions/groupunblock.php:82 #: actions/makeadmin.php:81 msgid "No group specified." msgstr "గుంపు ఏమీ పేర్కొనలేదు." @@ -2217,6 +2315,14 @@ msgid "" "You can upload a logo image for your group. The maximum file size is %s." msgstr "మీ గుంపుకి మీరు ఒక చిహ్నాన్ని ఎక్కించవచ్చు. ఆ ఫైలు యొక్క గరిష్ఠ పరిమాణం %s." +#: actions/grouplogo.php:236 +msgid "Upload" +msgstr "ఎగుమతించు" + +#: actions/grouplogo.php:289 +msgid "Crop" +msgstr "కత్తిరించు" + #: actions/grouplogo.php:365 msgid "Pick a square area of the image to be the logo." msgstr "చిహ్నంగా ఉండాల్సిన చతురస్త్ర ప్రదేశాన్ని బొమ్మ నుండి ఎంచుకోండి." @@ -2357,15 +2463,18 @@ msgstr "" "[ఒక ఖాతాని నమోదుచేసుకుని](%%action.register%%) మీరే ఎందుకు [ఆ గుంపుని సృష్టించ](%%" "action.newgroup%%)కూడదు!" -#: actions/groupunblock.php:91 +#. TRANS: Client error displayed when trying to unblock a user from a group without being an administrator for the group. +#: actions/groupunblock.php:94 msgid "Only an admin can unblock group members." msgstr "నిర్వాహకులు మాత్రమే గుంపు సభ్యులపై నిరోధాన్ని ఎత్తివేయగలరు." -#: actions/groupunblock.php:95 +#. TRANS: Client error displayed when trying to unblock a non-blocked user from a group. +#: actions/groupunblock.php:99 msgid "User is not blocked from group." msgstr "వాడుకరిని గుంపు నుండి నిరోధించలేదు." -#: actions/groupunblock.php:128 actions/unblock.php:86 +#. TRANS: Server error displayed when unblocking a user from a group fails because of an unknown error. +#: actions/groupunblock.php:131 actions/unblock.php:86 msgid "Error removing the block." msgstr "నిరోధాన్ని తొలగించడంలో పొరపాటు." @@ -2938,10 +3047,12 @@ msgstr "సంస్థ పేరు మరీ పెద్దగా ఉంద msgid "Could not create application." msgstr "ఉపకరణాన్ని సృష్టించలేకపోయాం." +#. TRANS: Title for form to create a group. #: actions/newgroup.php:53 msgid "New group" msgstr "కొత్త గుంపు" +#. TRANS: Form instructions for group create form. #: actions/newgroup.php:110 msgid "Use this form to create a new group." msgstr "కొత్త గుంపుని సృష్టిండానికి ఈ ఫారాన్ని ఉపయోగించండి." @@ -3642,8 +3753,9 @@ msgid "1-64 lowercase letters or numbers, no punctuation or spaces." msgstr "1-64 చిన్నబడి అక్షరాలు లేదా అంకెలు, విరామచిహ్నాలు మరియు ఖాళీలు తప్ప" #. TRANS: Field label in form for profile settings. +#. TRANS: Label for full group name (dt). Text hidden by default. #: actions/profilesettings.php:117 actions/register.php:457 -#: actions/showgroup.php:256 actions/tagother.php:104 +#: actions/showgroup.php:257 actions/tagother.php:104 #: lib/groupeditform.php:157 lib/userprofile.php:150 msgid "Full name" msgstr "పూర్తి పేరు" @@ -3683,8 +3795,9 @@ msgid "Bio" msgstr "స్వపరిచయం" #. TRANS: Field label in form for profile settings. +#. TRANS: Label for group location (dt). Text hidden by default. #: actions/profilesettings.php:149 actions/register.php:485 -#: actions/showgroup.php:265 actions/tagother.php:112 +#: actions/showgroup.php:267 actions/tagother.php:112 #: actions/userauthorization.php:166 lib/groupeditform.php:177 #: lib/userprofile.php:165 msgid "Location" @@ -4396,7 +4509,8 @@ msgstr "సంస్ధ" msgid "Description" msgstr "వివరణ" -#: actions/showapplication.php:192 actions/showgroup.php:442 +#. TRANS: Header for group statistics on a group page (h2). +#: actions/showapplication.php:192 actions/showgroup.php:453 #: lib/profileaction.php:187 msgid "Statistics" msgstr "గణాంకాలు" @@ -4414,6 +4528,11 @@ msgstr "ఉపకరణ చర్యలు" msgid "Reset key & secret" msgstr "" +#: actions/showapplication.php:252 lib/deletegroupform.php:121 +#: lib/deleteuserform.php:66 lib/noticelist.php:667 +msgid "Delete" +msgstr "తొలగించు" + #: actions/showapplication.php:261 msgid "Application info" msgstr "ఉపకరణ సమాచారం" @@ -4502,77 +4621,106 @@ msgstr "" msgid "This is a way to share what you like." msgstr "మీకు నచ్చినవి పంచుకోడానికి ఇదొక మార్గం." -#: actions/showgroup.php:82 +#. TRANS: Page title for first group page. %s is a group name. +#: actions/showgroup.php:80 #, php-format msgid "%s group" msgstr "%s గుంపు" +#. TRANS: Page title for any but first group page. +#. TRANS: %1$s is a group name, $2$s is a page number. #: actions/showgroup.php:84 #, php-format msgid "%1$s group, page %2$d" msgstr "%1$s గుంపు , %2$dవ పేజీ" -#: actions/showgroup.php:227 +#. TRANS: Group profile header (h2). Text hidden by default. +#: actions/showgroup.php:225 msgid "Group profile" msgstr "గుంపు ప్రొఫైలు" -#: actions/showgroup.php:272 actions/tagother.php:118 +#. TRANS: Label for group URL (dt). Text hidden by default. +#: actions/showgroup.php:275 actions/tagother.php:118 #: actions/userauthorization.php:175 lib/userprofile.php:178 msgid "URL" msgstr "" -#: actions/showgroup.php:283 actions/tagother.php:128 +#. TRANS: Label for group description or group note (dt). Text hidden by default. +#: actions/showgroup.php:287 actions/tagother.php:128 #: actions/userauthorization.php:187 lib/userprofile.php:195 msgid "Note" msgstr "గమనిక" -#: actions/showgroup.php:293 lib/groupeditform.php:184 +#. TRANS: Label for group aliases (dt). Text hidden by default. +#: actions/showgroup.php:298 lib/groupeditform.php:184 msgid "Aliases" msgstr "మారుపేర్లు" -#: actions/showgroup.php:302 +#. TRANS: Group actions header (h2). Text hidden by default. +#: actions/showgroup.php:309 msgid "Group actions" msgstr "గుంపు చర్యలు" -#: actions/showgroup.php:344 +#. TRANS: Tooltip for feed link. %s is a group nickname. +#: actions/showgroup.php:350 #, php-format msgid "Notice feed for %s group (RSS 1.0)" msgstr "%s కొరకు స్పందనల ఫీడు (RSS 1.0)" -#: actions/showgroup.php:350 +#. TRANS: Tooltip for feed link. %s is a group nickname. +#: actions/showgroup.php:357 #, php-format msgid "Notice feed for %s group (RSS 2.0)" msgstr "%s కొరకు స్పందనల ఫీడు (RSS 2.0)" -#: actions/showgroup.php:356 +#. TRANS: Tooltip for feed link. %s is a group nickname. +#: actions/showgroup.php:364 #, php-format msgid "Notice feed for %s group (Atom)" msgstr "%s కొరకు స్పందనల ఫీడు (ఆటమ్)" -#: actions/showgroup.php:361 +#. TRANS: Tooltip for feed link. %s is a group nickname. +#: actions/showgroup.php:370 #, php-format msgid "FOAF for %s group" msgstr "%s గుంపు" -#: actions/showgroup.php:399 actions/showgroup.php:451 +#. TRANS: Header for mini list of group members on a group page (h2). +#: actions/showgroup.php:407 msgid "Members" msgstr "సభ్యులు" -#: actions/showgroup.php:404 lib/profileaction.php:117 +#. TRANS: Description for mini list of group members on a group page when the group has no members. +#: actions/showgroup.php:413 lib/profileaction.php:117 #: lib/profileaction.php:152 lib/profileaction.php:255 lib/section.php:95 #: lib/subscriptionlist.php:127 lib/tagcloudsection.php:71 msgid "(None)" msgstr "(ఏమీలేదు)" -#: actions/showgroup.php:410 +#. TRANS: Link to all group members from mini list of group members if group has more than n members. +#: actions/showgroup.php:422 msgid "All members" msgstr "అందరు సభ్యులూ" -#: actions/showgroup.php:445 +#. TRANS: Label for creation date in statistics on group page. +#: actions/showgroup.php:458 +#, fuzzy +msgctxt "LABEL" msgid "Created" msgstr "సృష్టితం" -#: actions/showgroup.php:461 +#. TRANS: Label for member count in statistics on group page. +#: actions/showgroup.php:466 +#, fuzzy +msgctxt "LABEL" +msgid "Members" +msgstr "సభ్యులు" + +#. TRANS: Notice on group pages for anonymous users for StatusNet sites that accept new registrations. +#. TRANS: **%s** is the group alias, %%%%site.name%%%% is the site name, +#. TRANS: %%%%action.register%%%% is the URL for registration, %%%%doc.help%%%% is a URL to help. +#. TRANS: This message contains Markdown links. Ensure they are formatted correctly: [Description](link). +#: actions/showgroup.php:481 #, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -4588,7 +4736,10 @@ msgstr "" "చాల వాటిలో భాగస్తులవ్వడానికి [ఇప్పుడే చేరండి](%%%%action.register%%%%)! ([మరింత చదవండి](%%%%" "doc.help%%%%))" -#: actions/showgroup.php:467 +#. TRANS: Notice on group pages for anonymous users for StatusNet sites that accept no new registrations. +#. TRANS: **%s** is the group alias, %%%%site.name%%%% is the site name, +#. TRANS: This message contains Markdown links. Ensure they are formatted correctly: [Description](link). +#: actions/showgroup.php:491 #, fuzzy, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -4603,24 +4754,31 @@ msgstr "" "చాల వాటిలో భాగస్తులవ్వడానికి [ఇప్పుడే చేరండి](%%%%action.register%%%%)! ([మరింత చదవండి](%%%%" "doc.help%%%%))" -#: actions/showgroup.php:495 +#. TRANS: Header for list of group administrators on a group page (h2). +#: actions/showgroup.php:520 msgid "Admins" msgstr "నిర్వాహకులు" -#: actions/showmessage.php:81 +#. TRANS: Client error displayed requesting a single message that does not exist. +#: actions/showmessage.php:79 msgid "No such message." msgstr "అటువంటి సందేశం లేదు." -#: actions/showmessage.php:98 +#. TRANS: Client error displayed requesting a single direct message the requesting user was not a party in. +#: actions/showmessage.php:97 msgid "Only the sender and recipient may read this message." msgstr "పంపినవారు మరియు అందుకున్నవారు మాత్రమే ఈ సందేశాన్ని చదవవచ్చు." -#: actions/showmessage.php:108 +#. TRANS: Page title for single direct message display when viewing user is the sender. +#. TRANS: %1$s is the addressed user's nickname, $2$s is a timestamp. +#: actions/showmessage.php:110 #, fuzzy, php-format msgid "Message to %1$s on %2$s" msgstr "%2$sలో %1$sకి స్పందనలు!" -#: actions/showmessage.php:113 +#. TRANS: Page title for single message display. +#. TRANS: %1$s is the sending user's nickname, $2$s is a timestamp. +#: actions/showmessage.php:118 #, fuzzy, php-format msgid "Message from %1$s on %2$s" msgstr "%2$sలో %1$sకి స్పందనలు!" @@ -5066,13 +5224,15 @@ msgstr "" msgid "Save snapshot settings" msgstr "సైటు అమరికలను భద్రపరచు" -#: actions/subedit.php:70 +#. TRANS: Client error displayed trying a change a subscription for a non-subscribed profile. +#: actions/subedit.php:75 #, fuzzy msgid "You are not subscribed to that profile." msgstr "మీరు ఎవరికీ చందాచేరలేదు." +#. TRANS: Server error displayed when updating a subscription fails with a database error. #. TRANS: Exception thrown when a subscription could not be stored on the server. -#: actions/subedit.php:83 classes/Subscription.php:136 +#: actions/subedit.php:89 classes/Subscription.php:136 msgid "Could not save subscription." msgstr "కొత్త చందాని చేర్చలేకపోయాం." @@ -5853,12 +6013,12 @@ msgid "Welcome to %1$s, @%2$s!" msgstr "@%2$s, %1$sకి స్వాగతం!" #. TRANS: Server exception. -#: classes/User.php:902 +#: classes/User.php:912 msgid "No single user defined for single-user mode." msgstr "" #. TRANS: Server exception. -#: classes/User.php:906 +#: classes/User.php:916 msgid "Single-user mode code called when not enabled." msgstr "" @@ -6992,7 +7152,8 @@ msgstr "ఆటమ్" msgid "FOAF" msgstr "" -#: lib/feedlist.php:65 +#. TRANS: Header for feed links (h2). +#: lib/feedlist.php:66 msgid "Feeds" msgstr "ఫీడులు" @@ -7151,39 +7312,57 @@ msgstr "" msgid "Unsupported image file format." msgstr "" -#: lib/imagefile.php:88 +#. TRANS: Exception thrown when too large a file is uploaded. +#. TRANS: %s is the maximum file size, for example "500b", "10kB" or "2MB". +#: lib/imagefile.php:90 #, fuzzy, php-format msgid "That file is too big. The maximum file size is %s." msgstr "ఇది చాలా పొడవుంది. గరిష్ఠ సందేశ పరిమాణం 140 అక్షరాలు." -#: lib/imagefile.php:93 +#: lib/imagefile.php:95 msgid "Partial upload." msgstr "పాక్షిక ఎగుమతి." #. TRANS: Client exception thrown when a file upload operation has failed with an unknown reason. -#: lib/imagefile.php:101 lib/mediafile.php:179 +#: lib/imagefile.php:103 lib/mediafile.php:179 msgid "System error uploading file." msgstr "" -#: lib/imagefile.php:109 +#: lib/imagefile.php:111 msgid "Not an image or corrupt file." msgstr "బొమ్మ కాదు లేదా పాడైపోయిన ఫైలు." -#: lib/imagefile.php:122 +#: lib/imagefile.php:124 msgid "Lost our file." msgstr "అటువంటి ఫైలు లేదు." -#: lib/imagefile.php:163 lib/imagefile.php:224 +#: lib/imagefile.php:165 lib/imagefile.php:226 msgid "Unknown file type" msgstr "తెలియని ఫైలు రకం" -#: lib/imagefile.php:244 -msgid "MB" -msgstr "మెబై" +#. TRANS: Number of megabytes. %d is the number. +#: lib/imagefile.php:248 +#, fuzzy, php-format +msgid "%dMB" +msgid_plural "%dMB" +msgstr[0] "మెబై" +msgstr[1] "మెబై" -#: lib/imagefile.php:246 -msgid "kB" -msgstr "కిబై" +#. TRANS: Number of kilobytes. %d is the number. +#: lib/imagefile.php:252 +#, fuzzy, php-format +msgid "%dkB" +msgid_plural "%dkB" +msgstr[0] "కిబై" +msgstr[1] "కిబై" + +#. TRANS: Number of bytes. %d is the number. +#: lib/imagefile.php:255 +#, php-format +msgid "%dB" +msgid_plural "%dB" +msgstr[0] "" +msgstr[1] "" #: lib/jabber.php:387 #, php-format @@ -8067,6 +8246,13 @@ msgstr "నిరోధాన్ని తొలగించడంలో పొ msgid "Top posters" msgstr "" +#. TRANS: Title for the form to unblock a user. +#: lib/unblockform.php:67 +#, fuzzy +msgctxt "TITLE" +msgid "Unblock" +msgstr "నిరోధాన్ని ఎత్తివేయి" + #: lib/unsandboxform.php:69 msgid "Unsandbox" msgstr "" @@ -8248,3 +8434,9 @@ msgstr "గుంపు ఏమీ పేర్కొనలేదు." #, php-format msgid "%d entries in backup." msgstr "" + +#~ msgid "Description is too long (max %d chars)." +#~ msgstr "వివరణ చాలా పెద్దగా ఉంది (%d అక్షరాలు గరిష్ఠం)." + +#~ msgid "Too many aliases! Maximum %d." +#~ msgstr "చాలా మారుపేర్లు! %d గరిష్ఠం." diff --git a/locale/tr/LC_MESSAGES/statusnet.po b/locale/tr/LC_MESSAGES/statusnet.po index b96a6da1bc..61def584b9 100644 --- a/locale/tr/LC_MESSAGES/statusnet.po +++ b/locale/tr/LC_MESSAGES/statusnet.po @@ -11,17 +11,17 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet - Core\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-10-27 23:43+0000\n" -"PO-Revision-Date: 2010-10-28 23:09:40+0000\n" +"POT-Creation-Date: 2010-10-30 23:18+0000\n" +"PO-Revision-Date: 2010-10-30 23:20:49+0000\n" "Language-Team: Turkish \n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r75629); Translate extension (2010-09-17)\n" +"X-Generator: MediaWiki 1.17alpha (r75708); Translate extension (2010-09-17)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: tr\n" "X-Message-Group: #out-statusnet-core\n" "Plural-Forms: nplurals=1; plural=0;\n" -"X-POT-Import-Date: 2010-10-28 00:13:15+0000\n" +"X-POT-Import-Date: 2010-10-30 09:48:40+0000\n" #. TRANS: Page title for Access admin panel that allows configuring site access. #. TRANS: Menu item for site administration @@ -118,6 +118,7 @@ msgstr "Böyle bir kullanıcı yok." #. TRANS: Client error displayed when requesting most recent dents by user and friends for a non-existing user. #. TRANS: Client error displayed when requesting most recent mentions for a non-existing user. #. TRANS: Client error displayed requesting most recent notices for a non-existing user. +#. TRANS: Client error displayed trying to get an avatar for a non-existing user. #. TRANS: Error text shown when trying to send a direct message to a user that does not exist. #: actions/all.php:80 actions/apiaccountupdatedeliverydevice.php:110 #: actions/apiaccountupdateprofile.php:103 @@ -130,7 +131,7 @@ msgstr "Böyle bir kullanıcı yok." #: actions/apistatusesupdate.php:230 actions/apisubscriptions.php:85 #: actions/apitimelinefavorites.php:70 actions/apitimelinefriends.php:173 #: actions/apitimelinehome.php:78 actions/apitimelinementions.php:77 -#: actions/apitimelineuser.php:79 actions/avatarbynickname.php:75 +#: actions/apitimelineuser.php:79 actions/avatarbynickname.php:79 #: 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 @@ -313,11 +314,12 @@ msgstr "Kullanıcı güncellenemedi." #. TRANS: Client error displayed a user has no profile updating profile colours. #. TRANS: Client error displayed if a user profile could not be found updating a profile image. #. TRANS: Client error displayed when requesting user information for a user without a profile. +#. TRANS: Client error displayed trying to get an avatar for a user without a profile. #: actions/apiaccountupdateprofile.php:111 #: actions/apiaccountupdateprofilebackgroundimage.php:199 #: actions/apiaccountupdateprofilecolors.php:183 #: actions/apiaccountupdateprofileimage.php:130 actions/apiusershow.php:108 -#: actions/avatarbynickname.php:80 actions/foaf.php:65 actions/hcard.php:74 +#: actions/avatarbynickname.php:85 actions/foaf.php:65 actions/hcard.php:74 #: actions/replies.php:80 actions/usergroups.php:100 lib/galleryaction.php:66 #: lib/profileaction.php:84 msgid "User has no profile." @@ -333,7 +335,7 @@ msgstr "Profil kaydedilemedi." #. TRANS: %s is the number of bytes of the CONTENT_LENGTH. #: actions/apiaccountupdateprofilebackgroundimage.php:108 #: actions/apiaccountupdateprofileimage.php:95 actions/apimediaupload.php:81 -#: actions/apistatusesupdate.php:210 actions/avatarsettings.php:259 +#: actions/apistatusesupdate.php:210 actions/avatarsettings.php:269 #: actions/designadminpanel.php:125 actions/editapplication.php:121 #: actions/newapplication.php:104 actions/newnotice.php:95 #, fuzzy, php-format @@ -505,9 +507,11 @@ msgstr "Kaynak kullanıcı belirlenemedi." msgid "Could not find target user." msgstr "Hedef kullanıcı bulunamadı." +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. #. TRANS: Validation error in form for profile settings. -#: actions/apigroupcreate.php:165 actions/editgroup.php:186 -#: actions/newgroup.php:126 actions/profilesettings.php:243 +#: actions/apigroupcreate.php:165 actions/editgroup.php:191 +#: actions/newgroup.php:127 actions/profilesettings.php:243 #: actions/register.php:212 msgid "Nickname must have only lowercase letters and numbers and no spaces." msgstr "" @@ -515,35 +519,43 @@ msgstr "" "kullanılamaz. " #. TRANS: Client error trying to create a group with a nickname this is already in use. +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. #. TRANS: Validation error in form for profile settings. -#: actions/apigroupcreate.php:175 actions/editgroup.php:190 -#: actions/newgroup.php:130 actions/profilesettings.php:277 +#: actions/apigroupcreate.php:175 actions/editgroup.php:196 +#: actions/newgroup.php:132 actions/profilesettings.php:277 #: actions/register.php:215 msgid "Nickname already in use. Try another one." msgstr "Takma ad kullanımda. Başka bir tane deneyin." #. TRANS: Client error in form for group creation. +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. #. TRANS: Validation error in form for profile settings. -#: actions/apigroupcreate.php:183 actions/editgroup.php:193 -#: actions/newgroup.php:133 actions/profilesettings.php:247 +#: actions/apigroupcreate.php:183 actions/editgroup.php:200 +#: actions/newgroup.php:136 actions/profilesettings.php:247 #: actions/register.php:217 msgid "Not a valid nickname." msgstr "Geçersiz bir takma ad." #. TRANS: Client error in form for group creation. #. TRANS: Validation error shown when providing an invalid homepage URL in the "Edit application" form. +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. #. TRANS: Validation error in form for profile settings. #: actions/apigroupcreate.php:200 actions/editapplication.php:233 -#: actions/editgroup.php:199 actions/newapplication.php:211 -#: actions/newgroup.php:139 actions/profilesettings.php:252 +#: actions/editgroup.php:207 actions/newapplication.php:211 +#: actions/newgroup.php:143 actions/profilesettings.php:252 #: actions/register.php:224 msgid "Homepage is not a valid URL." msgstr "Başlangıç sayfası adresi geçerli bir URL değil." #. TRANS: Client error in form for group creation. +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. #. TRANS: Validation error in form for profile settings. -#: actions/apigroupcreate.php:210 actions/editgroup.php:202 -#: actions/newgroup.php:142 actions/profilesettings.php:256 +#: actions/apigroupcreate.php:210 actions/editgroup.php:211 +#: actions/newgroup.php:147 actions/profilesettings.php:256 #: actions/register.php:227 #, fuzzy msgid "Full name is too long (maximum 255 characters)." @@ -552,19 +564,22 @@ msgstr "Tam isim çok uzun (azm: 255 karakter)." #. TRANS: Client error shown when providing too long a description during group creation. #. TRANS: %d is the maximum number of allowed characters. #. TRANS: Validation error shown when providing too long a description in the "Edit application" form. +#. TRANS: Group edit form validation error. #. TRANS: Form validation error in New application form. #. TRANS: %d is the maximum number of characters for the description. #: actions/apigroupcreate.php:220 actions/editapplication.php:201 -#: actions/newapplication.php:178 +#: actions/editgroup.php:216 actions/newapplication.php:178 #, fuzzy, php-format msgid "Description is too long (maximum %d character)." msgid_plural "Description is too long (maximum %d characters)." msgstr[0] "Yer bilgisi çok uzun (azm: %d karakter)." #. TRANS: Client error shown when providing too long a location during group creation. +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. #. TRANS: Validation error in form for profile settings. -#: actions/apigroupcreate.php:234 actions/editgroup.php:208 -#: actions/newgroup.php:153 actions/profilesettings.php:269 +#: actions/apigroupcreate.php:234 actions/editgroup.php:223 +#: actions/newgroup.php:159 actions/profilesettings.php:269 #: actions/register.php:236 #, fuzzy msgid "Location is too long (maximum 255 characters)." @@ -572,7 +587,12 @@ msgstr "Yer bilgisi çok uzun (azm: 255 karakter)." #. TRANS: Client error shown when providing too many aliases during group creation. #. TRANS: %d is the maximum number of allowed aliases. -#: actions/apigroupcreate.php:255 actions/newgroup.php:166 +#. TRANS: Group edit form validation error. +#. TRANS: %d is the maximum number of allowed aliases. +#. TRANS: Group create form validation error. +#. TRANS: %d is the maximum number of allowed aliases. +#: actions/apigroupcreate.php:255 actions/editgroup.php:236 +#: actions/newgroup.php:172 #, fuzzy, php-format msgid "Too many aliases! Maximum %d allowed." msgid_plural "Too many aliases! Maximum %d allowed." @@ -587,15 +607,19 @@ msgstr "Geçersiz büyüklük." #. TRANS: Client error displayed when trying to use an alias during group creation that is already in use. #. TRANS: %s is the alias that is already in use. -#: actions/apigroupcreate.php:291 actions/editgroup.php:232 -#: actions/newgroup.php:181 +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. +#: actions/apigroupcreate.php:291 actions/editgroup.php:253 +#: actions/newgroup.php:189 #, php-format msgid "Alias \"%s\" already in use. Try another one." msgstr "Diğerisim \"%s\" kullanımda. Başka bir tane deneyin." #. TRANS: Client error displayed when trying to use an alias during group creation that is the same as the group's nickname. -#: actions/apigroupcreate.php:305 actions/editgroup.php:238 -#: actions/newgroup.php:187 +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. +#: actions/apigroupcreate.php:305 actions/editgroup.php:260 +#: actions/newgroup.php:196 msgid "Alias can't be the same as nickname." msgstr "Diğerisim, kullanıcı adı ile aynı olamaz." @@ -701,18 +725,18 @@ msgid "Request token already authorized." msgstr "Takip talebine izin verildi" #. TRANS: Form validation error in API OAuth authorisation because of an invalid session token. -#: actions/apioauthauthorize.php:147 actions/avatarsettings.php:270 +#: actions/apioauthauthorize.php:147 actions/avatarsettings.php:280 #: actions/deletenotice.php:172 actions/disfavor.php:74 #: actions/emailsettings.php:271 actions/favor.php:75 actions/geocode.php:55 #: actions/groupblock.php:66 actions/grouplogo.php:312 -#: actions/groupunblock.php:66 actions/imsettings.php:230 +#: actions/groupunblock.php:65 actions/imsettings.php:230 #: actions/invite.php:59 actions/login.php:137 actions/makeadmin.php:66 #: actions/newmessage.php:135 actions/newnotice.php:105 actions/nudge.php:80 #: actions/oauthappssettings.php:165 actions/oauthconnectionssettings.php:138 #: actions/othersettings.php:145 actions/passwordsettings.php:138 #: actions/profilesettings.php:221 actions/recoverpassword.php:350 #: actions/register.php:172 actions/remotesubscribe.php:77 -#: actions/repeat.php:83 actions/smssettings.php:256 actions/subedit.php:38 +#: actions/repeat.php:83 actions/smssettings.php:256 actions/subedit.php:40 #: actions/subscribe.php:86 actions/tagother.php:166 #: actions/unsubscribe.php:69 actions/userauthorization.php:52 #: lib/designsettings.php:294 @@ -731,12 +755,13 @@ msgid "Database error inserting oauth_token_association." msgstr "OAuth uygulama kullanıcısı eklerken veritabanı hatası." #. TRANS: Client error given on when invalid data was passed through a form in the OAuth API. +#. TRANS: Unexpected validation error on avatar upload form. #. TRANS: Client error displayed submitting invalid form data for edit application. #. TRANS: Message given submitting a form with an unknown action in e-mail settings. #. TRANS: Message given submitting a form with an unknown action in IM settings. #. TRANS: Client error when submitting a form with unexpected information. #. TRANS: Message given submitting a form with an unknown action in SMS settings. -#: actions/apioauthauthorize.php:294 actions/avatarsettings.php:283 +#: actions/apioauthauthorize.php:294 actions/avatarsettings.php:294 #: actions/designadminpanel.php:104 actions/editapplication.php:144 #: actions/emailsettings.php:290 actions/grouplogo.php:322 #: actions/imsettings.php:245 actions/newapplication.php:125 @@ -793,6 +818,7 @@ msgstr "Hesap" #. TRANS: Field label on OAuth API authorisation form. #. TRANS: Field label in form for profile settings. +#. TRANS: Label for group nickname (dt). Text hidden by default. #: actions/apioauthauthorize.php:459 actions/login.php:252 #: actions/profilesettings.php:110 actions/register.php:433 #: actions/showgroup.php:245 actions/tagother.php:94 @@ -1043,106 +1069,140 @@ msgstr "UPA metodu yapım aşamasında." msgid "User not found." msgstr "Onay kodu bulunamadı." +#. TRANS: Client error displayed trying to get a non-existing attachment. #: actions/attachment.php:73 msgid "No such attachment." msgstr "Böyle bir durum mesajı yok." -#: actions/avatarbynickname.php:59 actions/blockedfromgroup.php:73 -#: actions/editgroup.php:84 actions/groupdesignsettings.php:84 +#. TRANS: Client error displayed trying to get an avatar without providing a nickname. +#. TRANS: Client error displayed when requesting a list of blocked users for a group without providing a group nickname. +#. TRANS: Client error displayed trying to edit a group while not proving a nickname for the group to edit. +#. TRANS: Client error displayed if no nickname argument was given requesting a group page. +#: actions/avatarbynickname.php:60 actions/blockedfromgroup.php:73 +#: actions/editgroup.php:85 actions/groupdesignsettings.php:84 #: actions/grouplogo.php:86 actions/groupmembers.php:76 #: actions/grouprss.php:91 actions/showgroup.php:121 msgid "No nickname." msgstr "Takma ad yok" -#: actions/avatarbynickname.php:64 +#. TRANS: Client error displayed trying to get an avatar without providing an avatar size. +#: actions/avatarbynickname.php:66 msgid "No size." msgstr "Boyut yok." -#: actions/avatarbynickname.php:69 +#. TRANS: Client error displayed trying to get an avatar providing an invalid avatar size. +#: actions/avatarbynickname.php:72 msgid "Invalid size." msgstr "Geçersiz büyüklük." +#. TRANS: Title for avatar upload page. +#. TRANS: Label for group avatar (dt). Text hidden by default. #. TRANS: Link description in user account settings menu. -#: actions/avatarsettings.php:67 actions/showgroup.php:230 +#: actions/avatarsettings.php:66 actions/showgroup.php:229 #: lib/accountsettingsaction.php:113 msgid "Avatar" msgstr "Avatar" +#. TRANS: Instruction for avatar upload page. +#. TRANS: %s is the maximum file size, for example "500b", "10kB" or "2MB". #: actions/avatarsettings.php:78 #, php-format msgid "You can upload your personal avatar. The maximum file size is %s." msgstr "" "Kişisel kullanıcı resminizi yükleyebilirsiniz. Maksimum dosya boyutu %s'dir." -#: actions/avatarsettings.php:106 actions/avatarsettings.php:185 +#. TRANS: Server error displayed in avatar upload page when no matching profile can be found for a user. +#: actions/avatarsettings.php:108 actions/avatarsettings.php:192 #: actions/grouplogo.php:181 actions/remotesubscribe.php:191 #: actions/userauthorization.php:72 actions/userrss.php:108 #, fuzzy msgid "User without matching profile." msgstr "Kullanıcının profili yok." -#: actions/avatarsettings.php:119 actions/avatarsettings.php:197 +#. TRANS: Avatar upload page form legend. +#. TRANS: Avatar upload page crop form legend. +#: actions/avatarsettings.php:122 actions/avatarsettings.php:205 #: actions/grouplogo.php:254 msgid "Avatar settings" msgstr "Profil ayarları" -#: actions/avatarsettings.php:127 actions/avatarsettings.php:205 +#. TRANS: Header on avatar upload page for thumbnail of originally uploaded avatar (h2). +#. TRANS: Header on avatar upload crop form for thumbnail of originally uploaded avatar (h2). +#: actions/avatarsettings.php:131 actions/avatarsettings.php:214 #: actions/grouplogo.php:202 actions/grouplogo.php:262 msgid "Original" msgstr "Orijinal" -#: actions/avatarsettings.php:142 actions/avatarsettings.php:217 +#. TRANS: Header on avatar upload page for thumbnail of to be used rendition of uploaded avatar (h2). +#. TRANS: Header on avatar upload crop form for thumbnail of to be used rendition of uploaded avatar (h2). +#: actions/avatarsettings.php:147 actions/avatarsettings.php:227 #: actions/grouplogo.php:213 actions/grouplogo.php:274 msgid "Preview" msgstr "Önizleme" -#: actions/avatarsettings.php:149 actions/showapplication.php:252 -#: lib/deletegroupform.php:121 lib/deleteuserform.php:66 -#: lib/noticelist.php:667 +#. TRANS: Button on avatar upload page to delete current avatar. +#: actions/avatarsettings.php:155 +#, fuzzy +msgctxt "BUTTON" msgid "Delete" msgstr "Sil" -#: actions/avatarsettings.php:166 actions/grouplogo.php:236 +#. TRANS: Button on avatar upload page to upload an avatar. +#: actions/avatarsettings.php:173 +#, fuzzy +msgctxt "BUTTON" msgid "Upload" msgstr "Yükle" -#: actions/avatarsettings.php:231 actions/grouplogo.php:289 +#. TRANS: Button on avatar upload crop form to confirm a selected crop as avatar. +#: actions/avatarsettings.php:243 +#, fuzzy +msgctxt "BUTTON" msgid "Crop" msgstr "Kırp" -#: actions/avatarsettings.php:307 +#. TRANS: Validation error on avatar upload form when no file was uploaded. +#: actions/avatarsettings.php:318 msgid "No file uploaded." msgstr "Hiçbir dosya yüklenmedi." -#: actions/avatarsettings.php:334 +#. TRANS: Avatar upload form unstruction after uploading a file. +#: actions/avatarsettings.php:346 msgid "Pick a square area of the image to be your avatar" msgstr "Resimden kullanıcı resminiz olacak bir kare alanı seçin" -#: actions/avatarsettings.php:349 actions/grouplogo.php:380 +#. TRANS: Server error displayed if an avatar upload went wrong somehow server side. +#: actions/avatarsettings.php:361 actions/grouplogo.php:380 msgid "Lost our file data." msgstr "" -#: actions/avatarsettings.php:372 +#: actions/avatarsettings.php:384 msgid "Avatar updated." msgstr "Avatar güncellendi." -#: actions/avatarsettings.php:375 +#. TRANS: Error displayed on the avatar upload page if the avatar could not be updated for an unknown reason. +#: actions/avatarsettings.php:388 msgid "Failed updating avatar." msgstr "Avatar güncellemede hata." -#: actions/avatarsettings.php:399 +#. TRANS: Success message for deleting a user avatar. +#: actions/avatarsettings.php:412 msgid "Avatar deleted." msgstr "Kullanıcı resmi silindi." -#: actions/block.php:69 +#. TRANS: Client error displayed when blocking a user that has already been blocked. +#: actions/block.php:68 msgid "You already blocked that user." msgstr "Jabber ID başka bir kullanıcıya ait." -#: actions/block.php:107 actions/block.php:136 actions/groupblock.php:158 +#. TRANS: Title for block user page. +#. TRANS: Legend for block user form. +#: actions/block.php:106 actions/block.php:136 actions/groupblock.php:158 msgid "Block user" msgstr "Kullanıcıyı engelle" -#: actions/block.php:138 +#. TRANS: Explanation of consequences when blocking a user on the block user page. +#: actions/block.php:139 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 " @@ -1159,7 +1219,7 @@ msgstr "" #. TRANS: Button label on the delete notice form. #. TRANS: Button label on the delete user form. #. TRANS: Button label on the form to block a user from a group. -#: actions/block.php:153 actions/deleteapplication.php:154 +#: actions/block.php:154 actions/deleteapplication.php:154 #: actions/deletegroup.php:220 actions/deletenotice.php:150 #: actions/deleteuser.php:152 actions/groupblock.php:178 msgctxt "BUTTON" @@ -1168,7 +1228,7 @@ msgstr "Hayır" #. TRANS: Submit button title for 'No' when blocking a user. #. TRANS: Submit button title for 'No' when deleting a user. -#: actions/block.php:157 actions/deleteuser.php:156 +#: actions/block.php:158 actions/deleteuser.php:156 msgid "Do not block this user" msgstr "Bu kullanıcıyı engelleme" @@ -1178,7 +1238,7 @@ msgstr "Bu kullanıcıyı engelleme" #. TRANS: Button label on the delete notice form. #. TRANS: Button label on the delete user form. #. TRANS: Button label on the form to block a user from a group. -#: actions/block.php:160 actions/deleteapplication.php:161 +#: actions/block.php:161 actions/deleteapplication.php:161 #: actions/deletegroup.php:227 actions/deletenotice.php:157 #: actions/deleteuser.php:159 actions/groupblock.php:185 msgctxt "BUTTON" @@ -1187,90 +1247,111 @@ msgstr "Evet" #. TRANS: Submit button title for 'Yes' when blocking a user. #. TRANS: Description of the form to block a user. -#: actions/block.php:164 lib/blockform.php:79 +#: actions/block.php:165 lib/blockform.php:79 msgid "Block this user" msgstr "Bu kullanıcıyı engelle" -#: actions/block.php:187 +#. TRANS: Server error displayed when blocking a user fails. +#: actions/block.php:189 msgid "Failed to save block information." msgstr "Engelleme bilgisinin kaydedilmesi başarısızlığa uğradı." +#. TRANS: Client error displayed when requesting a list of blocked users for a non-local group. +#. TRANS: Client error displayed when requesting a list of blocked users for a non-existing group. #. TRANS: Client error when trying to delete a non-local group. #. TRANS: Client error when trying to delete a non-existing group. +#. TRANS: Client error displayed trying to edit a non-existing group. +#. TRANS: Client error displayed when trying to unblock a user from a non-existing group. +#. TRANS: Client error displayed if no remote group with a given name was found requesting group page. +#. TRANS: Client error displayed if no local group with a given name was found requesting group page. #. TRANS: Command exception text shown when a group is requested that does not exist. #. TRANS: Error text shown when trying to leave a group that does not exist. -#: actions/blockedfromgroup.php:80 actions/blockedfromgroup.php:87 +#: actions/blockedfromgroup.php:81 actions/blockedfromgroup.php:89 #: actions/deletegroup.php:87 actions/deletegroup.php:100 -#: actions/editgroup.php:100 actions/foafgroup.php:44 actions/foafgroup.php:62 +#: actions/editgroup.php:102 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/groupunblock.php:88 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:168 +#: actions/showgroup.php:139 actions/showgroup.php:148 lib/command.php:168 #: lib/command.php:380 msgid "No such group." msgstr "Böyle bir kullanıcı yok." -#: actions/blockedfromgroup.php:97 +#. TRANS: Title for first page with list of users blocked from a group. +#. TRANS: %s is a group nickname. +#: actions/blockedfromgroup.php:101 #, php-format msgid "%s blocked profiles" msgstr "%s engellenmiş profil" -#: actions/blockedfromgroup.php:100 +#. TRANS: Title for any but the first page with list of users blocked from a group. +#. TRANS: %1$s is a group nickname, %2$d is a page number. +#: actions/blockedfromgroup.php:106 #, fuzzy, php-format msgid "%1$s blocked profiles, page %2$d" msgstr "%s ve arkadaşları" -#: actions/blockedfromgroup.php:115 +#. TRANS: Instructions for list of users blocked from a group. +#: actions/blockedfromgroup.php:122 msgid "A list of the users blocked from joining this group." msgstr "Bu gruba katılması engellenmiş kullanıcıların bir listesi." -#: actions/blockedfromgroup.php:288 +#. TRANS: Form legend for unblocking a user from a group. +#: actions/blockedfromgroup.php:291 msgid "Unblock user from group" msgstr "Kullanıcının gruba üye olma engellemesini kaldır" -#. TRANS: Title for the form to unblock a user. -#: actions/blockedfromgroup.php:320 lib/unblockform.php:70 +#. TRANS: Button text for unblocking a user from a group. +#: actions/blockedfromgroup.php:323 +#, fuzzy +msgctxt "BUTTON" msgid "Unblock" msgstr "Engellemeyi Kaldır" +#. TRANS: Tooltip for button for unblocking a user from a group. #. TRANS: Description of the form to unblock a user. -#: actions/blockedfromgroup.php:320 lib/unblockform.php:82 +#: actions/blockedfromgroup.php:327 lib/unblockform.php:78 msgid "Unblock this user" msgstr "Bu kullanıcının engellemesini kaldır" #. TRANS: Title for mini-posting window loaded from bookmarklet. +#. TRANS: %s is the StatusNet site name. #: actions/bookmarklet.php:51 #, fuzzy, php-format msgid "Post to %s" msgstr "%s için cevaplar" -#: actions/confirmaddress.php:75 +#. TRANS: Client error displayed when not providing a confirmation code in the contact address confirmation action. +#: actions/confirmaddress.php:74 msgid "No confirmation code." msgstr "Onay kodu yok." +#. TRANS: Client error displayed when providing a non-existing confirmation code in the contact address confirmation action. #: actions/confirmaddress.php:80 msgid "Confirmation code not found." msgstr "Onay kodu bulunamadı." -#: actions/confirmaddress.php:85 +#. TRANS: Client error displayed when not providing a confirmation code for another user in the contact address confirmation action. +#: actions/confirmaddress.php:86 msgid "That confirmation code is not for you!" msgstr "O onay kodu sizin için değil!" -#. TRANS: Server error for an unknow address type, which can be 'email', 'jabber', or 'sms'. -#: actions/confirmaddress.php:91 +#. TRANS: Server error for a unknow address type %s, which can be 'email', 'jabber', or 'sms'. +#: actions/confirmaddress.php:92 #, php-format msgid "Unrecognized address type %s." msgstr "Tanınmayan adres türü %s." -#. TRANS: Client error for an already confirmed email/jabbel/sms address. -#: actions/confirmaddress.php:96 +#. TRANS: Client error for an already confirmed email/jabber/sms address. +#: actions/confirmaddress.php:97 msgid "That address has already been confirmed." msgstr "O adres daha önce onaylanmış." +#. TRANS: Server error displayed when a user update to the database fails in the contact address confirmation action. #. TRANS: Server error thrown on database error updating e-mail preferences. #. TRANS: Server error thrown on database error removing a registered e-mail address. #. TRANS: Server error thrown on database error updating IM preferences. @@ -1278,7 +1359,7 @@ msgstr "O adres daha önce onaylanmış." #. TRANS: Server error thrown when user profile settings could not be updated. #. TRANS: Server error thrown on database error updating SMS preferences. #. TRANS: Server error thrown on database error removing a registered SMS phone number. -#: actions/confirmaddress.php:116 actions/emailsettings.php:331 +#: actions/confirmaddress.php:118 actions/emailsettings.php:331 #: actions/emailsettings.php:477 actions/imsettings.php:283 #: actions/imsettings.php:442 actions/othersettings.php:174 #: actions/profilesettings.php:326 actions/smssettings.php:308 @@ -1286,27 +1367,32 @@ msgstr "O adres daha önce onaylanmış." msgid "Couldn't update user." msgstr "Kullanıcı güncellenemedi." -#. TRANS: Server error thrown on database error canceling e-mail address confirmation. -#. TRANS: Server error thrown on database error canceling SMS phone number confirmation. -#: actions/confirmaddress.php:128 actions/emailsettings.php:437 -#: actions/smssettings.php:422 -msgid "Couldn't delete email confirmation." +#. TRANS: Server error displayed when an address confirmation code deletion from the +#. TRANS: database fails in the contact address confirmation action. +#: actions/confirmaddress.php:132 +#, fuzzy +msgid "Could not delete address confirmation." msgstr "Eposta onayı silinemedi." -#: actions/confirmaddress.php:146 +#. TRANS: Title for the contact address confirmation action. +#: actions/confirmaddress.php:150 msgid "Confirm address" msgstr "Onayla" -#: actions/confirmaddress.php:161 +#. TRANS: Success message for the contact address confirmation action. +#. TRANS: %s can be 'email', 'jabber', or 'sms'. +#: actions/confirmaddress.php:166 #, php-format msgid "The address \"%s\" has been confirmed for your account." msgstr "\"%s\" adresi hesabınız için onaylandı." -#: actions/conversation.php:99 +#. TRANS: Title for page with a conversion (multiple notices in context). +#: actions/conversation.php:96 msgid "Conversation" msgstr "Konuşma" -#: actions/conversation.php:154 lib/mailbox.php:116 lib/noticelist.php:87 +#. TRANS: Header on conversation page. Hidden by default (h2). +#: actions/conversation.php:149 lib/mailbox.php:116 lib/noticelist.php:87 #: lib/profileaction.php:229 lib/searchgroupnav.php:82 msgid "Notices" msgstr "Durum mesajları" @@ -1418,11 +1504,13 @@ msgstr "Bu durum mesajını silme" msgid "Delete this group" msgstr "Bu kullanıcıyı sil" +#. TRANS: Client error displayed when trying to unblock a user from a group while not logged in. +#. TRANS: Client error displayed trying a change a subscription while not logged in. #. TRANS: Client error message thrown when trying to access the admin panel while not logged in. #: actions/deletenotice.php:50 actions/disfavor.php:61 actions/favor.php:62 -#: actions/groupblock.php:61 actions/groupunblock.php:61 actions/logout.php:69 +#: actions/groupblock.php:61 actions/groupunblock.php:60 actions/logout.php:69 #: actions/makeadmin.php:61 actions/newmessage.php:87 actions/newnotice.php:88 -#: actions/nudge.php:63 actions/subedit.php:31 actions/subscribe.php:96 +#: actions/nudge.php:63 actions/subedit.php:33 actions/subscribe.php:96 #: actions/tagother.php:33 actions/unsubscribe.php:52 #: lib/adminpanelaction.php:71 lib/profileformaction.php:64 #: lib/settingsaction.php:72 @@ -1726,49 +1814,49 @@ msgstr "" msgid "Could not update application." msgstr "Uygulama güncellenemedi." -#: actions/editgroup.php:56 +#. TRANS: Title for form to edit a group. %s is a group nickname. +#: actions/editgroup.php:55 #, php-format msgid "Edit %s group" msgstr "%s grubunu düzenle" +#. TRANS: Client error displayed trying to edit a group while not logged in. +#. TRANS: Client error displayed trying to create a group while not logged in. #: actions/editgroup.php:68 actions/grouplogo.php:70 actions/newgroup.php:65 msgid "You must be logged in to create a group." msgstr "Bir grup oluşturmak için giriş yapmış olmanız gerekir." -#: actions/editgroup.php:107 actions/editgroup.php:172 +#. TRANS: Client error displayed trying to edit a group while not being a group admin. +#: actions/editgroup.php:110 actions/editgroup.php:176 #: actions/groupdesignsettings.php:107 actions/grouplogo.php:109 msgid "You must be an admin to edit the group." msgstr "Bir grubu düzenlemek için bir yönetici olmalısınız." -#: actions/editgroup.php:158 +#. TRANS: Form instructions for group edit form. +#: actions/editgroup.php:161 msgid "Use this form to edit the group." msgstr "Grubu düzenlemek için bu biçimi kullan." -#: actions/editgroup.php:205 -#, php-format -msgid "Description is too long (max %d chars)." -msgstr "Yer bilgisi çok uzun (azm: %d karakter)." - -#: actions/editgroup.php:219 -#, php-format -msgid "Too many aliases! Maximum %d." -msgstr "Çok fazla diğerisim! En fazla %d." - -#: actions/editgroup.php:228 actions/newgroup.php:177 +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. +#: actions/editgroup.php:248 actions/newgroup.php:184 #, fuzzy, php-format msgid "Invalid alias: \"%s\"" msgstr "%s Geçersiz başlangıç sayfası" -#: actions/editgroup.php:258 +#. TRANS: Server error displayed when editing a group fails. +#: actions/editgroup.php:281 msgid "Could not update group." msgstr "Grup güncellenemedi." +#. TRANS: Server error displayed when group aliases could not be added. #. TRANS: Server exception thrown when creating group aliases failed. -#: actions/editgroup.php:264 classes/User_group.php:513 +#: actions/editgroup.php:288 classes/User_group.php:513 msgid "Could not create aliases." msgstr "Kullanıcı güncellenemedi." -#: actions/editgroup.php:280 +#. TRANS: Group edit form success message. +#: actions/editgroup.php:305 msgid "Options saved." msgstr "Seçenekler kaydedildi." @@ -1968,6 +2056,12 @@ msgstr "İptal etmek için beklenen onay yok." msgid "That is the wrong email address." msgstr "Bu yanlış e-posta adresi." +#. TRANS: Server error thrown on database error canceling e-mail address confirmation. +#. TRANS: Server error thrown on database error canceling SMS phone number confirmation. +#: actions/emailsettings.php:437 actions/smssettings.php:422 +msgid "Couldn't delete email confirmation." +msgstr "Eposta onayı silinemedi." + #. TRANS: Message given after successfully canceling e-mail address confirmation. #: actions/emailsettings.php:442 msgid "Email confirmation cancelled." @@ -2150,19 +2244,23 @@ msgstr "Bize o profili yollamadınız" msgid "User already has this role." msgstr "Kullanıcının profili yok." +#. TRANS: Client error displayed when trying to unblock a user from a group without providing a profile. +#. TRANS: Client error displayed trying a change a subscription without providing a profile. #: actions/groupblock.php:71 actions/groupunblock.php:71 -#: actions/makeadmin.php:71 actions/subedit.php:46 +#: actions/makeadmin.php:71 actions/subedit.php:49 #: lib/profileformaction.php:79 msgid "No profile specified." msgstr "Hiçbir profil belirtilmedi." -#: actions/groupblock.php:76 actions/groupunblock.php:76 -#: actions/makeadmin.php:76 actions/subedit.php:53 actions/tagother.php:46 +#. TRANS: Client error displayed when trying to unblock a user from a group without providing an existing profile. +#. TRANS: Client error displayed trying a change a subscription for a non-existant profile ID. +#: actions/groupblock.php:76 actions/groupunblock.php:77 +#: actions/makeadmin.php:76 actions/subedit.php:57 actions/tagother.php:46 #: actions/unsubscribe.php:84 lib/profileformaction.php:86 msgid "No profile with that ID." msgstr "" -#: actions/groupblock.php:81 actions/groupunblock.php:81 +#: actions/groupblock.php:81 actions/groupunblock.php:82 #: actions/makeadmin.php:81 msgid "No group specified." msgstr "Hiçbir grup belirtilmedi." @@ -2245,6 +2343,14 @@ msgid "" msgstr "" "Ah, durumunuz biraz uzun kaçtı. Azami 180 karaktere sığdırmaya ne dersiniz?" +#: actions/grouplogo.php:236 +msgid "Upload" +msgstr "Yükle" + +#: actions/grouplogo.php:289 +msgid "Crop" +msgstr "Kırp" + #: actions/grouplogo.php:365 msgid "Pick a square area of the image to be the logo." msgstr "Resimden logo olacak bir kare alanı seçin." @@ -2381,15 +2487,18 @@ msgid "" "action.newgroup%%) yourself!" msgstr "" -#: actions/groupunblock.php:91 +#. TRANS: Client error displayed when trying to unblock a user from a group without being an administrator for the group. +#: actions/groupunblock.php:94 msgid "Only an admin can unblock group members." msgstr "" -#: actions/groupunblock.php:95 +#. TRANS: Client error displayed when trying to unblock a non-blocked user from a group. +#: actions/groupunblock.php:99 msgid "User is not blocked from group." msgstr "Kullanıcı gruptan engellenmedi." -#: actions/groupunblock.php:128 actions/unblock.php:86 +#. TRANS: Server error displayed when unblocking a user from a group fails because of an unknown error. +#: actions/groupunblock.php:131 actions/unblock.php:86 msgid "Error removing the block." msgstr "Engellemeyi kaldırırken hata." @@ -2952,10 +3061,12 @@ msgstr "Organizasyon çok uzun (maksimum 255 karakter)." msgid "Could not create application." msgstr "Eposta onayı silinemedi." +#. TRANS: Title for form to create a group. #: actions/newgroup.php:53 msgid "New group" msgstr "Yeni grup" +#. TRANS: Form instructions for group create form. #: actions/newgroup.php:110 msgid "Use this form to create a new group." msgstr "" @@ -3657,8 +3768,9 @@ msgstr "" "verilmez" #. TRANS: Field label in form for profile settings. +#. TRANS: Label for full group name (dt). Text hidden by default. #: actions/profilesettings.php:117 actions/register.php:457 -#: actions/showgroup.php:256 actions/tagother.php:104 +#: actions/showgroup.php:257 actions/tagother.php:104 #: lib/groupeditform.php:157 lib/userprofile.php:150 msgid "Full name" msgstr "Tam İsim" @@ -3699,8 +3811,9 @@ msgid "Bio" msgstr "Hakkında" #. TRANS: Field label in form for profile settings. +#. TRANS: Label for group location (dt). Text hidden by default. #: actions/profilesettings.php:149 actions/register.php:485 -#: actions/showgroup.php:265 actions/tagother.php:112 +#: actions/showgroup.php:267 actions/tagother.php:112 #: actions/userauthorization.php:166 lib/groupeditform.php:177 #: lib/userprofile.php:165 msgid "Location" @@ -4407,7 +4520,8 @@ msgstr "Organizasyon" msgid "Description" msgstr "Tanım" -#: actions/showapplication.php:192 actions/showgroup.php:442 +#. TRANS: Header for group statistics on a group page (h2). +#: actions/showapplication.php:192 actions/showgroup.php:453 #: lib/profileaction.php:187 msgid "Statistics" msgstr "İstatistikler" @@ -4425,6 +4539,11 @@ msgstr "" msgid "Reset key & secret" msgstr "" +#: actions/showapplication.php:252 lib/deletegroupform.php:121 +#: lib/deleteuserform.php:66 lib/noticelist.php:667 +msgid "Delete" +msgstr "Sil" + #: actions/showapplication.php:261 msgid "Application info" msgstr "" @@ -4509,77 +4628,106 @@ msgstr "" msgid "This is a way to share what you like." msgstr "" -#: actions/showgroup.php:82 +#. TRANS: Page title for first group page. %s is a group name. +#: actions/showgroup.php:80 #, php-format msgid "%s group" msgstr "" +#. TRANS: Page title for any but first group page. +#. TRANS: %1$s is a group name, $2$s is a page number. #: actions/showgroup.php:84 #, fuzzy, php-format msgid "%1$s group, page %2$d" msgstr "Bütün abonelikler" -#: actions/showgroup.php:227 +#. TRANS: Group profile header (h2). Text hidden by default. +#: actions/showgroup.php:225 msgid "Group profile" msgstr "Kullanıcının profili yok." -#: actions/showgroup.php:272 actions/tagother.php:118 +#. TRANS: Label for group URL (dt). Text hidden by default. +#: actions/showgroup.php:275 actions/tagother.php:118 #: actions/userauthorization.php:175 lib/userprofile.php:178 msgid "URL" msgstr "Bağlantı" -#: actions/showgroup.php:283 actions/tagother.php:128 +#. TRANS: Label for group description or group note (dt). Text hidden by default. +#: actions/showgroup.php:287 actions/tagother.php:128 #: actions/userauthorization.php:187 lib/userprofile.php:195 msgid "Note" msgstr "Not" -#: actions/showgroup.php:293 lib/groupeditform.php:184 +#. TRANS: Label for group aliases (dt). Text hidden by default. +#: actions/showgroup.php:298 lib/groupeditform.php:184 msgid "Aliases" msgstr "Diğerisimler" -#: actions/showgroup.php:302 +#. TRANS: Group actions header (h2). Text hidden by default. +#: actions/showgroup.php:309 msgid "Group actions" msgstr "" -#: actions/showgroup.php:344 +#. TRANS: Tooltip for feed link. %s is a group nickname. +#: actions/showgroup.php:350 #, fuzzy, php-format msgid "Notice feed for %s group (RSS 1.0)" msgstr "%s için durum RSS beslemesi" -#: actions/showgroup.php:350 +#. TRANS: Tooltip for feed link. %s is a group nickname. +#: actions/showgroup.php:357 #, fuzzy, php-format msgid "Notice feed for %s group (RSS 2.0)" msgstr "%s için durum RSS beslemesi" -#: actions/showgroup.php:356 +#. TRANS: Tooltip for feed link. %s is a group nickname. +#: actions/showgroup.php:364 #, fuzzy, php-format msgid "Notice feed for %s group (Atom)" msgstr "%s için durum RSS beslemesi" -#: actions/showgroup.php:361 +#. TRANS: Tooltip for feed link. %s is a group nickname. +#: actions/showgroup.php:370 #, fuzzy, php-format msgid "FOAF for %s group" msgstr "%s için durum RSS beslemesi" -#: actions/showgroup.php:399 actions/showgroup.php:451 +#. TRANS: Header for mini list of group members on a group page (h2). +#: actions/showgroup.php:407 msgid "Members" msgstr "Üyeler" -#: actions/showgroup.php:404 lib/profileaction.php:117 +#. TRANS: Description for mini list of group members on a group page when the group has no members. +#: actions/showgroup.php:413 lib/profileaction.php:117 #: lib/profileaction.php:152 lib/profileaction.php:255 lib/section.php:95 #: lib/subscriptionlist.php:127 lib/tagcloudsection.php:71 msgid "(None)" msgstr "(Yok)" -#: actions/showgroup.php:410 +#. TRANS: Link to all group members from mini list of group members if group has more than n members. +#: actions/showgroup.php:422 msgid "All members" msgstr "Tüm üyeler" -#: actions/showgroup.php:445 +#. TRANS: Label for creation date in statistics on group page. +#: actions/showgroup.php:458 +#, fuzzy +msgctxt "LABEL" msgid "Created" msgstr "Oluşturuldu" -#: actions/showgroup.php:461 +#. TRANS: Label for member count in statistics on group page. +#: actions/showgroup.php:466 +#, fuzzy +msgctxt "LABEL" +msgid "Members" +msgstr "Üyeler" + +#. TRANS: Notice on group pages for anonymous users for StatusNet sites that accept new registrations. +#. TRANS: **%s** is the group alias, %%%%site.name%%%% is the site name, +#. TRANS: %%%%action.register%%%% is the URL for registration, %%%%doc.help%%%% is a URL to help. +#. TRANS: This message contains Markdown links. Ensure they are formatted correctly: [Description](link). +#: actions/showgroup.php:481 #, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -4589,7 +4737,10 @@ msgid "" "of this group and many more! ([Read more](%%%%doc.help%%%%))" msgstr "" -#: actions/showgroup.php:467 +#. TRANS: Notice on group pages for anonymous users for StatusNet sites that accept no new registrations. +#. TRANS: **%s** is the group alias, %%%%site.name%%%% is the site name, +#. TRANS: This message contains Markdown links. Ensure they are formatted correctly: [Description](link). +#: actions/showgroup.php:491 #, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -4598,24 +4749,31 @@ msgid "" "their life and interests. " msgstr "" -#: actions/showgroup.php:495 +#. TRANS: Header for list of group administrators on a group page (h2). +#: actions/showgroup.php:520 msgid "Admins" msgstr "Yöneticiler" -#: actions/showmessage.php:81 +#. TRANS: Client error displayed requesting a single message that does not exist. +#: actions/showmessage.php:79 msgid "No such message." msgstr "Böyle bir mesaj yok." -#: actions/showmessage.php:98 +#. TRANS: Client error displayed requesting a single direct message the requesting user was not a party in. +#: actions/showmessage.php:97 msgid "Only the sender and recipient may read this message." msgstr "" -#: actions/showmessage.php:108 +#. TRANS: Page title for single direct message display when viewing user is the sender. +#. TRANS: %1$s is the addressed user's nickname, $2$s is a timestamp. +#: actions/showmessage.php:110 #, php-format msgid "Message to %1$s on %2$s" msgstr "" -#: actions/showmessage.php:113 +#. TRANS: Page title for single message display. +#. TRANS: %1$s is the sending user's nickname, $2$s is a timestamp. +#: actions/showmessage.php:118 #, php-format msgid "Message from %1$s on %2$s" msgstr "" @@ -5061,13 +5219,15 @@ msgstr "" msgid "Save snapshot settings" msgstr "Ayarlar" -#: actions/subedit.php:70 +#. TRANS: Client error displayed trying a change a subscription for a non-subscribed profile. +#: actions/subedit.php:75 #, fuzzy msgid "You are not subscribed to that profile." msgstr "Bize o profili yollamadınız" +#. TRANS: Server error displayed when updating a subscription fails with a database error. #. TRANS: Exception thrown when a subscription could not be stored on the server. -#: actions/subedit.php:83 classes/Subscription.php:136 +#: actions/subedit.php:89 classes/Subscription.php:136 msgid "Could not save subscription." msgstr "Yeni abonelik eklenemedi." @@ -5858,12 +6018,12 @@ msgid "Welcome to %1$s, @%2$s!" msgstr "" #. TRANS: Server exception. -#: classes/User.php:902 +#: classes/User.php:912 msgid "No single user defined for single-user mode." msgstr "" #. TRANS: Server exception. -#: classes/User.php:906 +#: classes/User.php:916 msgid "Single-user mode code called when not enabled." msgstr "" @@ -6998,7 +7158,8 @@ msgstr "Atom" msgid "FOAF" msgstr "FOAF" -#: lib/feedlist.php:65 +#. TRANS: Header for feed links (h2). +#: lib/feedlist.php:66 msgid "Feeds" msgstr "" @@ -7162,41 +7323,56 @@ msgstr "Bu sayfa kabul ettiğiniz ortam türünde kullanılabilir değil" msgid "Unsupported image file format." msgstr "Desteklenmeyen görüntü dosyası biçemi." -#: lib/imagefile.php:88 +#. TRANS: Exception thrown when too large a file is uploaded. +#. TRANS: %s is the maximum file size, for example "500b", "10kB" or "2MB". +#: lib/imagefile.php:90 #, fuzzy, php-format msgid "That file is too big. The maximum file size is %s." msgstr "" "Ah, durumunuz biraz uzun kaçtı. Azami 180 karaktere sığdırmaya ne dersiniz?" -#: lib/imagefile.php:93 +#: lib/imagefile.php:95 msgid "Partial upload." msgstr "Kısmi yükleme." #. TRANS: Client exception thrown when a file upload operation has failed with an unknown reason. -#: lib/imagefile.php:101 lib/mediafile.php:179 +#: lib/imagefile.php:103 lib/mediafile.php:179 msgid "System error uploading file." msgstr "Dosya yüklemede sistem hatası." -#: lib/imagefile.php:109 +#: lib/imagefile.php:111 msgid "Not an image or corrupt file." msgstr "Bu bir resim dosyası değil ya da dosyada hata var" -#: lib/imagefile.php:122 +#: lib/imagefile.php:124 #, fuzzy msgid "Lost our file." msgstr "Böyle bir durum mesajı yok." -#: lib/imagefile.php:163 lib/imagefile.php:224 +#: lib/imagefile.php:165 lib/imagefile.php:226 msgid "Unknown file type" msgstr "" -#: lib/imagefile.php:244 -msgid "MB" -msgstr "MB" +#. TRANS: Number of megabytes. %d is the number. +#: lib/imagefile.php:248 +#, fuzzy, php-format +msgid "%dMB" +msgid_plural "%dMB" +msgstr[0] "MB" -#: lib/imagefile.php:246 -msgid "kB" -msgstr "kB" +#. TRANS: Number of kilobytes. %d is the number. +#: lib/imagefile.php:252 +#, fuzzy, php-format +msgid "%dkB" +msgid_plural "%dkB" +msgstr[0] "kB" + +#. TRANS: Number of bytes. %d is the number. +#: lib/imagefile.php:255 +#, php-format +msgid "%dB" +msgid_plural "%dB" +msgstr[0] "" #: lib/jabber.php:387 #, php-format @@ -8014,6 +8190,13 @@ msgstr "Uzaktaki profili güncellemede hata oluştu" msgid "Top posters" msgstr "" +#. TRANS: Title for the form to unblock a user. +#: lib/unblockform.php:67 +#, fuzzy +msgctxt "TITLE" +msgid "Unblock" +msgstr "Engellemeyi Kaldır" + #: lib/unsandboxform.php:69 msgid "Unsandbox" msgstr "" @@ -8195,3 +8378,9 @@ msgstr "Yeni durum mesajı" #, php-format msgid "%d entries in backup." msgstr "" + +#~ msgid "Description is too long (max %d chars)." +#~ msgstr "Yer bilgisi çok uzun (azm: %d karakter)." + +#~ msgid "Too many aliases! Maximum %d." +#~ msgstr "Çok fazla diğerisim! En fazla %d." diff --git a/locale/uk/LC_MESSAGES/statusnet.po b/locale/uk/LC_MESSAGES/statusnet.po index d707e13ac1..4bd646cf35 100644 --- a/locale/uk/LC_MESSAGES/statusnet.po +++ b/locale/uk/LC_MESSAGES/statusnet.po @@ -12,18 +12,18 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet - Core\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-10-27 23:43+0000\n" -"PO-Revision-Date: 2010-10-28 23:09:42+0000\n" +"POT-Creation-Date: 2010-10-30 23:18+0000\n" +"PO-Revision-Date: 2010-10-30 23:20:50+0000\n" "Language-Team: Ukrainian \n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r75629); Translate extension (2010-09-17)\n" +"X-Generator: MediaWiki 1.17alpha (r75708); Translate extension (2010-09-17)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: uk\n" "X-Message-Group: #out-statusnet-core\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" -"X-POT-Import-Date: 2010-10-28 00:13:15+0000\n" +"X-POT-Import-Date: 2010-10-30 09:48:40+0000\n" #. TRANS: Page title for Access admin panel that allows configuring site access. #. TRANS: Menu item for site administration @@ -121,6 +121,7 @@ msgstr "Немає такої сторінки." #. TRANS: Client error displayed when requesting most recent dents by user and friends for a non-existing user. #. TRANS: Client error displayed when requesting most recent mentions for a non-existing user. #. TRANS: Client error displayed requesting most recent notices for a non-existing user. +#. TRANS: Client error displayed trying to get an avatar for a non-existing user. #. TRANS: Error text shown when trying to send a direct message to a user that does not exist. #: actions/all.php:80 actions/apiaccountupdatedeliverydevice.php:110 #: actions/apiaccountupdateprofile.php:103 @@ -133,7 +134,7 @@ msgstr "Немає такої сторінки." #: actions/apistatusesupdate.php:230 actions/apisubscriptions.php:85 #: actions/apitimelinefavorites.php:70 actions/apitimelinefriends.php:173 #: actions/apitimelinehome.php:78 actions/apitimelinementions.php:77 -#: actions/apitimelineuser.php:79 actions/avatarbynickname.php:75 +#: actions/apitimelineuser.php:79 actions/avatarbynickname.php:79 #: 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 @@ -310,11 +311,12 @@ msgstr "Не вдалося оновити користувача." #. TRANS: Client error displayed a user has no profile updating profile colours. #. TRANS: Client error displayed if a user profile could not be found updating a profile image. #. TRANS: Client error displayed when requesting user information for a user without a profile. +#. TRANS: Client error displayed trying to get an avatar for a user without a profile. #: actions/apiaccountupdateprofile.php:111 #: actions/apiaccountupdateprofilebackgroundimage.php:199 #: actions/apiaccountupdateprofilecolors.php:183 #: actions/apiaccountupdateprofileimage.php:130 actions/apiusershow.php:108 -#: actions/avatarbynickname.php:80 actions/foaf.php:65 actions/hcard.php:74 +#: actions/avatarbynickname.php:85 actions/foaf.php:65 actions/hcard.php:74 #: actions/replies.php:80 actions/usergroups.php:100 lib/galleryaction.php:66 #: lib/profileaction.php:84 msgid "User has no profile." @@ -329,7 +331,7 @@ msgstr "Не вдалося зберегти профіль." #. TRANS: %s is the number of bytes of the CONTENT_LENGTH. #: actions/apiaccountupdateprofilebackgroundimage.php:108 #: actions/apiaccountupdateprofileimage.php:95 actions/apimediaupload.php:81 -#: actions/apistatusesupdate.php:210 actions/avatarsettings.php:259 +#: actions/apistatusesupdate.php:210 actions/avatarsettings.php:269 #: actions/designadminpanel.php:125 actions/editapplication.php:121 #: actions/newapplication.php:104 actions/newnotice.php:95 #, php-format @@ -511,9 +513,11 @@ msgstr "Не вдалось встановити джерело користув msgid "Could not find target user." msgstr "Не вдалося знайти цільового користувача." +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. #. TRANS: Validation error in form for profile settings. -#: actions/apigroupcreate.php:165 actions/editgroup.php:186 -#: actions/newgroup.php:126 actions/profilesettings.php:243 +#: actions/apigroupcreate.php:165 actions/editgroup.php:191 +#: actions/newgroup.php:127 actions/profilesettings.php:243 #: actions/register.php:212 msgid "Nickname must have only lowercase letters and numbers and no spaces." msgstr "" @@ -521,35 +525,43 @@ msgstr "" "інтервалів." #. TRANS: Client error trying to create a group with a nickname this is already in use. +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. #. TRANS: Validation error in form for profile settings. -#: actions/apigroupcreate.php:175 actions/editgroup.php:190 -#: actions/newgroup.php:130 actions/profilesettings.php:277 +#: actions/apigroupcreate.php:175 actions/editgroup.php:196 +#: actions/newgroup.php:132 actions/profilesettings.php:277 #: actions/register.php:215 msgid "Nickname already in use. Try another one." msgstr "Це ім’я вже використовується. Спробуйте інше." #. TRANS: Client error in form for group creation. +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. #. TRANS: Validation error in form for profile settings. -#: actions/apigroupcreate.php:183 actions/editgroup.php:193 -#: actions/newgroup.php:133 actions/profilesettings.php:247 +#: actions/apigroupcreate.php:183 actions/editgroup.php:200 +#: actions/newgroup.php:136 actions/profilesettings.php:247 #: actions/register.php:217 msgid "Not a valid nickname." msgstr "Це недійсне ім’я користувача." #. TRANS: Client error in form for group creation. #. TRANS: Validation error shown when providing an invalid homepage URL in the "Edit application" form. +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. #. TRANS: Validation error in form for profile settings. #: actions/apigroupcreate.php:200 actions/editapplication.php:233 -#: actions/editgroup.php:199 actions/newapplication.php:211 -#: actions/newgroup.php:139 actions/profilesettings.php:252 +#: actions/editgroup.php:207 actions/newapplication.php:211 +#: actions/newgroup.php:143 actions/profilesettings.php:252 #: actions/register.php:224 msgid "Homepage is not a valid URL." msgstr "Веб-сторінка має недійсну URL-адресу." #. TRANS: Client error in form for group creation. +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. #. TRANS: Validation error in form for profile settings. -#: actions/apigroupcreate.php:210 actions/editgroup.php:202 -#: actions/newgroup.php:142 actions/profilesettings.php:256 +#: actions/apigroupcreate.php:210 actions/editgroup.php:211 +#: actions/newgroup.php:147 actions/profilesettings.php:256 #: actions/register.php:227 msgid "Full name is too long (maximum 255 characters)." msgstr "Повне ім’я надто довге (не більше 255 символів)." @@ -557,10 +569,11 @@ msgstr "Повне ім’я надто довге (не більше 255 сим #. TRANS: Client error shown when providing too long a description during group creation. #. TRANS: %d is the maximum number of allowed characters. #. TRANS: Validation error shown when providing too long a description in the "Edit application" form. +#. TRANS: Group edit form validation error. #. TRANS: Form validation error in New application form. #. TRANS: %d is the maximum number of characters for the description. #: actions/apigroupcreate.php:220 actions/editapplication.php:201 -#: actions/newapplication.php:178 +#: actions/editgroup.php:216 actions/newapplication.php:178 #, php-format msgid "Description is too long (maximum %d character)." msgid_plural "Description is too long (maximum %d characters)." @@ -569,16 +582,23 @@ msgstr[1] "Опис надто довгий (максимум — %d знакі msgstr[2] "Опис надто довгий (максимум — %d знаків)." #. TRANS: Client error shown when providing too long a location during group creation. +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. #. TRANS: Validation error in form for profile settings. -#: actions/apigroupcreate.php:234 actions/editgroup.php:208 -#: actions/newgroup.php:153 actions/profilesettings.php:269 +#: actions/apigroupcreate.php:234 actions/editgroup.php:223 +#: actions/newgroup.php:159 actions/profilesettings.php:269 #: actions/register.php:236 msgid "Location is too long (maximum 255 characters)." msgstr "Розташування надто довге (не більше 255 символів)." #. TRANS: Client error shown when providing too many aliases during group creation. #. TRANS: %d is the maximum number of allowed aliases. -#: actions/apigroupcreate.php:255 actions/newgroup.php:166 +#. TRANS: Group edit form validation error. +#. TRANS: %d is the maximum number of allowed aliases. +#. TRANS: Group create form validation error. +#. TRANS: %d is the maximum number of allowed aliases. +#: actions/apigroupcreate.php:255 actions/editgroup.php:236 +#: actions/newgroup.php:172 #, php-format msgid "Too many aliases! Maximum %d allowed." msgid_plural "Too many aliases! Maximum %d allowed." @@ -595,15 +615,19 @@ msgstr "Помилкове додаткове ім’я: «%s»." #. TRANS: Client error displayed when trying to use an alias during group creation that is already in use. #. TRANS: %s is the alias that is already in use. -#: actions/apigroupcreate.php:291 actions/editgroup.php:232 -#: actions/newgroup.php:181 +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. +#: actions/apigroupcreate.php:291 actions/editgroup.php:253 +#: actions/newgroup.php:189 #, php-format msgid "Alias \"%s\" already in use. Try another one." msgstr "Додаткове ім’я «%s» вже використовується. Спробуйте інше." #. TRANS: Client error displayed when trying to use an alias during group creation that is the same as the group's nickname. -#: actions/apigroupcreate.php:305 actions/editgroup.php:238 -#: actions/newgroup.php:187 +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. +#: actions/apigroupcreate.php:305 actions/editgroup.php:260 +#: actions/newgroup.php:196 msgid "Alias can't be the same as nickname." msgstr "Додаткове ім’я не може бути таким самим що й основне." @@ -706,18 +730,18 @@ msgid "Request token already authorized." msgstr "Токен запиту вже авторизовано." #. TRANS: Form validation error in API OAuth authorisation because of an invalid session token. -#: actions/apioauthauthorize.php:147 actions/avatarsettings.php:270 +#: actions/apioauthauthorize.php:147 actions/avatarsettings.php:280 #: actions/deletenotice.php:172 actions/disfavor.php:74 #: actions/emailsettings.php:271 actions/favor.php:75 actions/geocode.php:55 #: actions/groupblock.php:66 actions/grouplogo.php:312 -#: actions/groupunblock.php:66 actions/imsettings.php:230 +#: actions/groupunblock.php:65 actions/imsettings.php:230 #: actions/invite.php:59 actions/login.php:137 actions/makeadmin.php:66 #: actions/newmessage.php:135 actions/newnotice.php:105 actions/nudge.php:80 #: actions/oauthappssettings.php:165 actions/oauthconnectionssettings.php:138 #: actions/othersettings.php:145 actions/passwordsettings.php:138 #: actions/profilesettings.php:221 actions/recoverpassword.php:350 #: actions/register.php:172 actions/remotesubscribe.php:77 -#: actions/repeat.php:83 actions/smssettings.php:256 actions/subedit.php:38 +#: actions/repeat.php:83 actions/smssettings.php:256 actions/subedit.php:40 #: actions/subscribe.php:86 actions/tagother.php:166 #: actions/unsubscribe.php:69 actions/userauthorization.php:52 #: lib/designsettings.php:294 @@ -736,12 +760,13 @@ msgid "Database error inserting oauth_token_association." msgstr "Помилка бази даних при додаванні параметру oauth_token_association." #. TRANS: Client error given on when invalid data was passed through a form in the OAuth API. +#. TRANS: Unexpected validation error on avatar upload form. #. TRANS: Client error displayed submitting invalid form data for edit application. #. TRANS: Message given submitting a form with an unknown action in e-mail settings. #. TRANS: Message given submitting a form with an unknown action in IM settings. #. TRANS: Client error when submitting a form with unexpected information. #. TRANS: Message given submitting a form with an unknown action in SMS settings. -#: actions/apioauthauthorize.php:294 actions/avatarsettings.php:283 +#: actions/apioauthauthorize.php:294 actions/avatarsettings.php:294 #: actions/designadminpanel.php:104 actions/editapplication.php:144 #: actions/emailsettings.php:290 actions/grouplogo.php:322 #: actions/imsettings.php:245 actions/newapplication.php:125 @@ -796,6 +821,7 @@ msgstr "Акаунт" #. TRANS: Field label on OAuth API authorisation form. #. TRANS: Field label in form for profile settings. +#. TRANS: Label for group nickname (dt). Text hidden by default. #: actions/apioauthauthorize.php:459 actions/login.php:252 #: actions/profilesettings.php:110 actions/register.php:433 #: actions/showgroup.php:245 actions/tagother.php:94 @@ -1052,104 +1078,138 @@ msgstr "API метод наразі знаходиться у розробці." msgid "User not found." msgstr "Сторінку не знайдено." +#. TRANS: Client error displayed trying to get a non-existing attachment. #: actions/attachment.php:73 msgid "No such attachment." msgstr "Такого вкладення немає." -#: actions/avatarbynickname.php:59 actions/blockedfromgroup.php:73 -#: actions/editgroup.php:84 actions/groupdesignsettings.php:84 +#. TRANS: Client error displayed trying to get an avatar without providing a nickname. +#. TRANS: Client error displayed when requesting a list of blocked users for a group without providing a group nickname. +#. TRANS: Client error displayed trying to edit a group while not proving a nickname for the group to edit. +#. TRANS: Client error displayed if no nickname argument was given requesting a group page. +#: actions/avatarbynickname.php:60 actions/blockedfromgroup.php:73 +#: actions/editgroup.php:85 actions/groupdesignsettings.php:84 #: actions/grouplogo.php:86 actions/groupmembers.php:76 #: actions/grouprss.php:91 actions/showgroup.php:121 msgid "No nickname." msgstr "Немає імені." -#: actions/avatarbynickname.php:64 +#. TRANS: Client error displayed trying to get an avatar without providing an avatar size. +#: actions/avatarbynickname.php:66 msgid "No size." msgstr "Немає розміру." -#: actions/avatarbynickname.php:69 +#. TRANS: Client error displayed trying to get an avatar providing an invalid avatar size. +#: actions/avatarbynickname.php:72 msgid "Invalid size." msgstr "Недійсний розмір." +#. TRANS: Title for avatar upload page. +#. TRANS: Label for group avatar (dt). Text hidden by default. #. TRANS: Link description in user account settings menu. -#: actions/avatarsettings.php:67 actions/showgroup.php:230 +#: actions/avatarsettings.php:66 actions/showgroup.php:229 #: lib/accountsettingsaction.php:113 msgid "Avatar" msgstr "Аватара" +#. TRANS: Instruction for avatar upload page. +#. TRANS: %s is the maximum file size, for example "500b", "10kB" or "2MB". #: actions/avatarsettings.php:78 #, php-format msgid "You can upload your personal avatar. The maximum file size is %s." msgstr "Ви можете завантажити аватару. Максимальний розмір %s." -#: actions/avatarsettings.php:106 actions/avatarsettings.php:185 +#. TRANS: Server error displayed in avatar upload page when no matching profile can be found for a user. +#: actions/avatarsettings.php:108 actions/avatarsettings.php:192 #: actions/grouplogo.php:181 actions/remotesubscribe.php:191 #: actions/userauthorization.php:72 actions/userrss.php:108 msgid "User without matching profile." msgstr "Користувач без відповідного профілю." -#: actions/avatarsettings.php:119 actions/avatarsettings.php:197 +#. TRANS: Avatar upload page form legend. +#. TRANS: Avatar upload page crop form legend. +#: actions/avatarsettings.php:122 actions/avatarsettings.php:205 #: actions/grouplogo.php:254 msgid "Avatar settings" msgstr "Налаштування аватари" -#: actions/avatarsettings.php:127 actions/avatarsettings.php:205 +#. TRANS: Header on avatar upload page for thumbnail of originally uploaded avatar (h2). +#. TRANS: Header on avatar upload crop form for thumbnail of originally uploaded avatar (h2). +#: actions/avatarsettings.php:131 actions/avatarsettings.php:214 #: actions/grouplogo.php:202 actions/grouplogo.php:262 msgid "Original" msgstr "Оригінал" -#: actions/avatarsettings.php:142 actions/avatarsettings.php:217 +#. TRANS: Header on avatar upload page for thumbnail of to be used rendition of uploaded avatar (h2). +#. TRANS: Header on avatar upload crop form for thumbnail of to be used rendition of uploaded avatar (h2). +#: actions/avatarsettings.php:147 actions/avatarsettings.php:227 #: actions/grouplogo.php:213 actions/grouplogo.php:274 msgid "Preview" msgstr "Перегляд" -#: actions/avatarsettings.php:149 actions/showapplication.php:252 -#: lib/deletegroupform.php:121 lib/deleteuserform.php:66 -#: lib/noticelist.php:667 +#. TRANS: Button on avatar upload page to delete current avatar. +#: actions/avatarsettings.php:155 +#, fuzzy +msgctxt "BUTTON" msgid "Delete" msgstr "Видалити" -#: actions/avatarsettings.php:166 actions/grouplogo.php:236 +#. TRANS: Button on avatar upload page to upload an avatar. +#: actions/avatarsettings.php:173 +#, fuzzy +msgctxt "BUTTON" msgid "Upload" msgstr "Завантажити" -#: actions/avatarsettings.php:231 actions/grouplogo.php:289 +#. TRANS: Button on avatar upload crop form to confirm a selected crop as avatar. +#: actions/avatarsettings.php:243 +#, fuzzy +msgctxt "BUTTON" msgid "Crop" msgstr "Втяти" -#: actions/avatarsettings.php:307 +#. TRANS: Validation error on avatar upload form when no file was uploaded. +#: actions/avatarsettings.php:318 msgid "No file uploaded." msgstr "Жодного файлу не завантажено." -#: actions/avatarsettings.php:334 +#. TRANS: Avatar upload form unstruction after uploading a file. +#: actions/avatarsettings.php:346 msgid "Pick a square area of the image to be your avatar" msgstr "Оберіть квадратну ділянку зображення, яка й буде вашою автарою." -#: actions/avatarsettings.php:349 actions/grouplogo.php:380 +#. TRANS: Server error displayed if an avatar upload went wrong somehow server side. +#: actions/avatarsettings.php:361 actions/grouplogo.php:380 msgid "Lost our file data." msgstr "Дані вашого файлу загублено." -#: actions/avatarsettings.php:372 +#: actions/avatarsettings.php:384 msgid "Avatar updated." msgstr "Аватару оновлено." -#: actions/avatarsettings.php:375 +#. TRANS: Error displayed on the avatar upload page if the avatar could not be updated for an unknown reason. +#: actions/avatarsettings.php:388 msgid "Failed updating avatar." msgstr "Оновлення аватари невдале." -#: actions/avatarsettings.php:399 +#. TRANS: Success message for deleting a user avatar. +#: actions/avatarsettings.php:412 msgid "Avatar deleted." msgstr "Аватару видалено." -#: actions/block.php:69 +#. TRANS: Client error displayed when blocking a user that has already been blocked. +#: actions/block.php:68 msgid "You already blocked that user." msgstr "Цього користувача вже заблоковано." -#: actions/block.php:107 actions/block.php:136 actions/groupblock.php:158 +#. TRANS: Title for block user page. +#. TRANS: Legend for block user form. +#: actions/block.php:106 actions/block.php:136 actions/groupblock.php:158 msgid "Block user" msgstr "Блокувати користувача" -#: actions/block.php:138 +#. TRANS: Explanation of consequences when blocking a user on the block user page. +#: actions/block.php:139 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 " @@ -1165,7 +1225,7 @@ msgstr "" #. TRANS: Button label on the delete notice form. #. TRANS: Button label on the delete user form. #. TRANS: Button label on the form to block a user from a group. -#: actions/block.php:153 actions/deleteapplication.php:154 +#: actions/block.php:154 actions/deleteapplication.php:154 #: actions/deletegroup.php:220 actions/deletenotice.php:150 #: actions/deleteuser.php:152 actions/groupblock.php:178 msgctxt "BUTTON" @@ -1174,7 +1234,7 @@ msgstr "Ні" #. TRANS: Submit button title for 'No' when blocking a user. #. TRANS: Submit button title for 'No' when deleting a user. -#: actions/block.php:157 actions/deleteuser.php:156 +#: actions/block.php:158 actions/deleteuser.php:156 msgid "Do not block this user" msgstr "Не блокувати цього користувача" @@ -1184,7 +1244,7 @@ msgstr "Не блокувати цього користувача" #. TRANS: Button label on the delete notice form. #. TRANS: Button label on the delete user form. #. TRANS: Button label on the form to block a user from a group. -#: actions/block.php:160 actions/deleteapplication.php:161 +#: actions/block.php:161 actions/deleteapplication.php:161 #: actions/deletegroup.php:227 actions/deletenotice.php:157 #: actions/deleteuser.php:159 actions/groupblock.php:185 msgctxt "BUTTON" @@ -1193,90 +1253,111 @@ msgstr "Так" #. TRANS: Submit button title for 'Yes' when blocking a user. #. TRANS: Description of the form to block a user. -#: actions/block.php:164 lib/blockform.php:79 +#: actions/block.php:165 lib/blockform.php:79 msgid "Block this user" msgstr "Блокувати користувача" -#: actions/block.php:187 +#. TRANS: Server error displayed when blocking a user fails. +#: actions/block.php:189 msgid "Failed to save block information." msgstr "Збереження інформації про блокування завершилось невдачею." +#. TRANS: Client error displayed when requesting a list of blocked users for a non-local group. +#. TRANS: Client error displayed when requesting a list of blocked users for a non-existing group. #. TRANS: Client error when trying to delete a non-local group. #. TRANS: Client error when trying to delete a non-existing group. +#. TRANS: Client error displayed trying to edit a non-existing group. +#. TRANS: Client error displayed when trying to unblock a user from a non-existing group. +#. TRANS: Client error displayed if no remote group with a given name was found requesting group page. +#. TRANS: Client error displayed if no local group with a given name was found requesting group page. #. TRANS: Command exception text shown when a group is requested that does not exist. #. TRANS: Error text shown when trying to leave a group that does not exist. -#: actions/blockedfromgroup.php:80 actions/blockedfromgroup.php:87 +#: actions/blockedfromgroup.php:81 actions/blockedfromgroup.php:89 #: actions/deletegroup.php:87 actions/deletegroup.php:100 -#: actions/editgroup.php:100 actions/foafgroup.php:44 actions/foafgroup.php:62 +#: actions/editgroup.php:102 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/groupunblock.php:88 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:168 +#: actions/showgroup.php:139 actions/showgroup.php:148 lib/command.php:168 #: lib/command.php:380 msgid "No such group." msgstr "Такої спільноти не існує." -#: actions/blockedfromgroup.php:97 +#. TRANS: Title for first page with list of users blocked from a group. +#. TRANS: %s is a group nickname. +#: actions/blockedfromgroup.php:101 #, php-format msgid "%s blocked profiles" msgstr "Заблоковані профілі %s" -#: actions/blockedfromgroup.php:100 +#. TRANS: Title for any but the first page with list of users blocked from a group. +#. TRANS: %1$s is a group nickname, %2$d is a page number. +#: actions/blockedfromgroup.php:106 #, php-format msgid "%1$s blocked profiles, page %2$d" msgstr "Заблоковані профілі %1$s, сторінка %2$d" -#: actions/blockedfromgroup.php:115 +#. TRANS: Instructions for list of users blocked from a group. +#: actions/blockedfromgroup.php:122 msgid "A list of the users blocked from joining this group." msgstr "Список користувачів, котрих заблоковано в цій спільноті." -#: actions/blockedfromgroup.php:288 +#. TRANS: Form legend for unblocking a user from a group. +#: actions/blockedfromgroup.php:291 msgid "Unblock user from group" msgstr "Розблокувати користувача" -#. TRANS: Title for the form to unblock a user. -#: actions/blockedfromgroup.php:320 lib/unblockform.php:70 +#. TRANS: Button text for unblocking a user from a group. +#: actions/blockedfromgroup.php:323 +#, fuzzy +msgctxt "BUTTON" msgid "Unblock" msgstr "Розблокувати" +#. TRANS: Tooltip for button for unblocking a user from a group. #. TRANS: Description of the form to unblock a user. -#: actions/blockedfromgroup.php:320 lib/unblockform.php:82 +#: actions/blockedfromgroup.php:327 lib/unblockform.php:78 msgid "Unblock this user" msgstr "Розблокувати цього користувача" #. TRANS: Title for mini-posting window loaded from bookmarklet. +#. TRANS: %s is the StatusNet site name. #: actions/bookmarklet.php:51 #, php-format msgid "Post to %s" msgstr "Опублікувати в %s" -#: actions/confirmaddress.php:75 +#. TRANS: Client error displayed when not providing a confirmation code in the contact address confirmation action. +#: actions/confirmaddress.php:74 msgid "No confirmation code." msgstr "Немає коду підтвердження." +#. TRANS: Client error displayed when providing a non-existing confirmation code in the contact address confirmation action. #: actions/confirmaddress.php:80 msgid "Confirmation code not found." msgstr "Код підтвердження не знайдено." -#: actions/confirmaddress.php:85 +#. TRANS: Client error displayed when not providing a confirmation code for another user in the contact address confirmation action. +#: actions/confirmaddress.php:86 msgid "That confirmation code is not for you!" msgstr "Цей код підтвердження не для вас!" -#. TRANS: Server error for an unknow address type, which can be 'email', 'jabber', or 'sms'. -#: actions/confirmaddress.php:91 +#. TRANS: Server error for a unknow address type %s, which can be 'email', 'jabber', or 'sms'. +#: actions/confirmaddress.php:92 #, php-format msgid "Unrecognized address type %s." msgstr "Невизначений тип адреси %s." -#. TRANS: Client error for an already confirmed email/jabbel/sms address. -#: actions/confirmaddress.php:96 +#. TRANS: Client error for an already confirmed email/jabber/sms address. +#: actions/confirmaddress.php:97 msgid "That address has already been confirmed." msgstr "Цю адресу вже підтверджено." +#. TRANS: Server error displayed when a user update to the database fails in the contact address confirmation action. #. TRANS: Server error thrown on database error updating e-mail preferences. #. TRANS: Server error thrown on database error removing a registered e-mail address. #. TRANS: Server error thrown on database error updating IM preferences. @@ -1284,7 +1365,7 @@ msgstr "Цю адресу вже підтверджено." #. TRANS: Server error thrown when user profile settings could not be updated. #. TRANS: Server error thrown on database error updating SMS preferences. #. TRANS: Server error thrown on database error removing a registered SMS phone number. -#: actions/confirmaddress.php:116 actions/emailsettings.php:331 +#: actions/confirmaddress.php:118 actions/emailsettings.php:331 #: actions/emailsettings.php:477 actions/imsettings.php:283 #: actions/imsettings.php:442 actions/othersettings.php:174 #: actions/profilesettings.php:326 actions/smssettings.php:308 @@ -1292,27 +1373,32 @@ msgstr "Цю адресу вже підтверджено." msgid "Couldn't update user." msgstr "Не вдалося оновити користувача." -#. TRANS: Server error thrown on database error canceling e-mail address confirmation. -#. TRANS: Server error thrown on database error canceling SMS phone number confirmation. -#: actions/confirmaddress.php:128 actions/emailsettings.php:437 -#: actions/smssettings.php:422 -msgid "Couldn't delete email confirmation." -msgstr "Не вдалося видалити підтвердження поштової адреси." +#. TRANS: Server error displayed when an address confirmation code deletion from the +#. TRANS: database fails in the contact address confirmation action. +#: actions/confirmaddress.php:132 +#, fuzzy +msgid "Could not delete address confirmation." +msgstr "Не вдалося видалити підтвердження ІМ." -#: actions/confirmaddress.php:146 +#. TRANS: Title for the contact address confirmation action. +#: actions/confirmaddress.php:150 msgid "Confirm address" msgstr "Підтвердити адресу" -#: actions/confirmaddress.php:161 +#. TRANS: Success message for the contact address confirmation action. +#. TRANS: %s can be 'email', 'jabber', or 'sms'. +#: actions/confirmaddress.php:166 #, php-format msgid "The address \"%s\" has been confirmed for your account." msgstr "Адресу «%s» підтверджено для вашого акаунту." -#: actions/conversation.php:99 +#. TRANS: Title for page with a conversion (multiple notices in context). +#: actions/conversation.php:96 msgid "Conversation" msgstr "Розмова" -#: actions/conversation.php:154 lib/mailbox.php:116 lib/noticelist.php:87 +#. TRANS: Header on conversation page. Hidden by default (h2). +#: actions/conversation.php:149 lib/mailbox.php:116 lib/noticelist.php:87 #: lib/profileaction.php:229 lib/searchgroupnav.php:82 msgid "Notices" msgstr "Дописи" @@ -1418,11 +1504,13 @@ msgstr "Не видаляти цю спільноту" msgid "Delete this group" msgstr "Видалити спільноту" +#. TRANS: Client error displayed when trying to unblock a user from a group while not logged in. +#. TRANS: Client error displayed trying a change a subscription while not logged in. #. TRANS: Client error message thrown when trying to access the admin panel while not logged in. #: actions/deletenotice.php:50 actions/disfavor.php:61 actions/favor.php:62 -#: actions/groupblock.php:61 actions/groupunblock.php:61 actions/logout.php:69 +#: actions/groupblock.php:61 actions/groupunblock.php:60 actions/logout.php:69 #: actions/makeadmin.php:61 actions/newmessage.php:87 actions/newnotice.php:88 -#: actions/nudge.php:63 actions/subedit.php:31 actions/subscribe.php:96 +#: actions/nudge.php:63 actions/subedit.php:33 actions/subscribe.php:96 #: actions/tagother.php:33 actions/unsubscribe.php:52 #: lib/adminpanelaction.php:71 lib/profileformaction.php:64 #: lib/settingsaction.php:72 @@ -1720,51 +1808,51 @@ msgstr "URL-адреса для зворотнього дзвінка не є д msgid "Could not update application." msgstr "Не вдалося оновити додаток." -#: actions/editgroup.php:56 +#. TRANS: Title for form to edit a group. %s is a group nickname. +#: actions/editgroup.php:55 #, php-format msgid "Edit %s group" msgstr "Змінити властивості спільноти %s" +#. TRANS: Client error displayed trying to edit a group while not logged in. +#. TRANS: Client error displayed trying to create a group while not logged in. #: actions/editgroup.php:68 actions/grouplogo.php:70 actions/newgroup.php:65 msgid "You must be logged in to create a group." msgstr "Ви маєте спочатку увійти, аби мати змогу започаткувати спільноту." -#: actions/editgroup.php:107 actions/editgroup.php:172 +#. TRANS: Client error displayed trying to edit a group while not being a group admin. +#: actions/editgroup.php:110 actions/editgroup.php:176 #: actions/groupdesignsettings.php:107 actions/grouplogo.php:109 msgid "You must be an admin to edit the group." msgstr "" "Ви маєте бути наділені правами адміністратора, аби відредагувати властивості " "даної спільноти." -#: actions/editgroup.php:158 +#. TRANS: Form instructions for group edit form. +#: actions/editgroup.php:161 msgid "Use this form to edit the group." msgstr "Скористайтесь цією формою, щоб відредагувати властивості спільноти." -#: actions/editgroup.php:205 -#, php-format -msgid "Description is too long (max %d chars)." -msgstr "Опис надто довгий (%d знаків максимум)." - -#: actions/editgroup.php:219 -#, php-format -msgid "Too many aliases! Maximum %d." -msgstr "Забагато додаткових імен! Максимум становить %d." - -#: actions/editgroup.php:228 actions/newgroup.php:177 +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. +#: actions/editgroup.php:248 actions/newgroup.php:184 #, php-format msgid "Invalid alias: \"%s\"" msgstr "Помилкове додаткове ім’я: «%s»" -#: actions/editgroup.php:258 +#. TRANS: Server error displayed when editing a group fails. +#: actions/editgroup.php:281 msgid "Could not update group." msgstr "Не вдалося оновити спільноту." +#. TRANS: Server error displayed when group aliases could not be added. #. TRANS: Server exception thrown when creating group aliases failed. -#: actions/editgroup.php:264 classes/User_group.php:513 +#: actions/editgroup.php:288 classes/User_group.php:513 msgid "Could not create aliases." msgstr "Неможна призначити додаткові імена." -#: actions/editgroup.php:280 +#. TRANS: Group edit form success message. +#: actions/editgroup.php:305 msgid "Options saved." msgstr "Опції збережено." @@ -1956,6 +2044,12 @@ msgstr "Не очікується підтвердження для скасув msgid "That is the wrong email address." msgstr "Це помилкова адреса електронної пошти." +#. TRANS: Server error thrown on database error canceling e-mail address confirmation. +#. TRANS: Server error thrown on database error canceling SMS phone number confirmation. +#: actions/emailsettings.php:437 actions/smssettings.php:422 +msgid "Couldn't delete email confirmation." +msgstr "Не вдалося видалити підтвердження поштової адреси." + #. TRANS: Message given after successfully canceling e-mail address confirmation. #: actions/emailsettings.php:442 msgid "Email confirmation cancelled." @@ -2134,19 +2228,23 @@ msgstr "Ви не можете надавати користувачеві жо msgid "User already has this role." msgstr "Користувач вже має цю роль." +#. TRANS: Client error displayed when trying to unblock a user from a group without providing a profile. +#. TRANS: Client error displayed trying a change a subscription without providing a profile. #: actions/groupblock.php:71 actions/groupunblock.php:71 -#: actions/makeadmin.php:71 actions/subedit.php:46 +#: actions/makeadmin.php:71 actions/subedit.php:49 #: lib/profileformaction.php:79 msgid "No profile specified." msgstr "Не визначено жодного профілю." -#: actions/groupblock.php:76 actions/groupunblock.php:76 -#: actions/makeadmin.php:76 actions/subedit.php:53 actions/tagother.php:46 +#. TRANS: Client error displayed when trying to unblock a user from a group without providing an existing profile. +#. TRANS: Client error displayed trying a change a subscription for a non-existant profile ID. +#: actions/groupblock.php:76 actions/groupunblock.php:77 +#: actions/makeadmin.php:76 actions/subedit.php:57 actions/tagother.php:46 #: actions/unsubscribe.php:84 lib/profileformaction.php:86 msgid "No profile with that ID." msgstr "Не визначено профілю з таким ID." -#: actions/groupblock.php:81 actions/groupunblock.php:81 +#: actions/groupblock.php:81 actions/groupunblock.php:82 #: actions/makeadmin.php:81 msgid "No group specified." msgstr "Спільноту не визначено." @@ -2234,6 +2332,14 @@ msgstr "" "Ви маєте можливість завантажити логотип для вашої спільноти. Максимальний " "розмір файлу становить %s." +#: actions/grouplogo.php:236 +msgid "Upload" +msgstr "Завантажити" + +#: actions/grouplogo.php:289 +msgid "Crop" +msgstr "Втяти" + #: actions/grouplogo.php:365 msgid "Pick a square area of the image to be the logo." msgstr "Оберіть квадратну ділянку зображення, яка й буде логотипом спільноти." @@ -2377,15 +2483,18 @@ msgstr "" "Чому б не [зареєструватись](%%action.register%%) і не [започаткувати](%%" "action.newgroup%%) свою власну спільноту!" -#: actions/groupunblock.php:91 +#. TRANS: Client error displayed when trying to unblock a user from a group without being an administrator for the group. +#: actions/groupunblock.php:94 msgid "Only an admin can unblock group members." msgstr "Лише адміністратори можуть розблокувати учасників спільноти." -#: actions/groupunblock.php:95 +#. TRANS: Client error displayed when trying to unblock a non-blocked user from a group. +#: actions/groupunblock.php:99 msgid "User is not blocked from group." msgstr "Користувача не блоковано." -#: actions/groupunblock.php:128 actions/unblock.php:86 +#. TRANS: Server error displayed when unblocking a user from a group fails because of an unknown error. +#: actions/groupunblock.php:131 actions/unblock.php:86 msgid "Error removing the block." msgstr "Помилка при розблокуванні." @@ -2985,10 +3094,12 @@ msgstr "Назва організації надто довга (не більш msgid "Could not create application." msgstr "Не вдалося створити додаток." +#. TRANS: Title for form to create a group. #: actions/newgroup.php:53 msgid "New group" msgstr "Нова спільнота" +#. TRANS: Form instructions for group create form. #: actions/newgroup.php:110 msgid "Use this form to create a new group." msgstr "Скористайтесь цією формою для створення нової спільноти." @@ -3678,8 +3789,9 @@ msgid "1-64 lowercase letters or numbers, no punctuation or spaces." msgstr "1-64 рядкових літер і цифр, ніякої пунктуації або інтервалів." #. TRANS: Field label in form for profile settings. +#. TRANS: Label for full group name (dt). Text hidden by default. #: actions/profilesettings.php:117 actions/register.php:457 -#: actions/showgroup.php:256 actions/tagother.php:104 +#: actions/showgroup.php:257 actions/tagother.php:104 #: lib/groupeditform.php:157 lib/userprofile.php:150 msgid "Full name" msgstr "Повне ім’я" @@ -3719,8 +3831,9 @@ msgid "Bio" msgstr "Про себе" #. TRANS: Field label in form for profile settings. +#. TRANS: Label for group location (dt). Text hidden by default. #: actions/profilesettings.php:149 actions/register.php:485 -#: actions/showgroup.php:265 actions/tagother.php:112 +#: actions/showgroup.php:267 actions/tagother.php:112 #: actions/userauthorization.php:166 lib/groupeditform.php:177 #: lib/userprofile.php:165 msgid "Location" @@ -4441,7 +4554,8 @@ msgstr "Організація" msgid "Description" msgstr "Опис" -#: actions/showapplication.php:192 actions/showgroup.php:442 +#. TRANS: Header for group statistics on a group page (h2). +#: actions/showapplication.php:192 actions/showgroup.php:453 #: lib/profileaction.php:187 msgid "Statistics" msgstr "Статистика" @@ -4459,6 +4573,11 @@ msgstr "Можливості додатку" msgid "Reset key & secret" msgstr "Призначити новий ключ і таємне слово" +#: actions/showapplication.php:252 lib/deletegroupform.php:121 +#: lib/deleteuserform.php:66 lib/noticelist.php:667 +msgid "Delete" +msgstr "Видалити" + #: actions/showapplication.php:261 msgid "Application info" msgstr "Інфо додатку" @@ -4552,77 +4671,106 @@ msgstr "" msgid "This is a way to share what you like." msgstr "Це спосіб поділитись з усіма тим, що вам подобається." -#: actions/showgroup.php:82 +#. TRANS: Page title for first group page. %s is a group name. +#: actions/showgroup.php:80 #, php-format msgid "%s group" msgstr "Спільнота %s" +#. TRANS: Page title for any but first group page. +#. TRANS: %1$s is a group name, $2$s is a page number. #: actions/showgroup.php:84 #, php-format msgid "%1$s group, page %2$d" msgstr "Спільнота %1$s, сторінка %2$d" -#: actions/showgroup.php:227 +#. TRANS: Group profile header (h2). Text hidden by default. +#: actions/showgroup.php:225 msgid "Group profile" msgstr "Профіль спільноти" -#: actions/showgroup.php:272 actions/tagother.php:118 +#. TRANS: Label for group URL (dt). Text hidden by default. +#: actions/showgroup.php:275 actions/tagother.php:118 #: actions/userauthorization.php:175 lib/userprofile.php:178 msgid "URL" msgstr "URL" -#: actions/showgroup.php:283 actions/tagother.php:128 +#. TRANS: Label for group description or group note (dt). Text hidden by default. +#: actions/showgroup.php:287 actions/tagother.php:128 #: actions/userauthorization.php:187 lib/userprofile.php:195 msgid "Note" msgstr "Зауваження" -#: actions/showgroup.php:293 lib/groupeditform.php:184 +#. TRANS: Label for group aliases (dt). Text hidden by default. +#: actions/showgroup.php:298 lib/groupeditform.php:184 msgid "Aliases" msgstr "Додаткові імена" -#: actions/showgroup.php:302 +#. TRANS: Group actions header (h2). Text hidden by default. +#: actions/showgroup.php:309 msgid "Group actions" msgstr "Дії спільноти" -#: actions/showgroup.php:344 +#. TRANS: Tooltip for feed link. %s is a group nickname. +#: actions/showgroup.php:350 #, php-format msgid "Notice feed for %s group (RSS 1.0)" msgstr "Стрічка дописів спільноти %s (RSS 1.0)" -#: actions/showgroup.php:350 +#. TRANS: Tooltip for feed link. %s is a group nickname. +#: actions/showgroup.php:357 #, php-format msgid "Notice feed for %s group (RSS 2.0)" msgstr "Стрічка дописів спільноти %s (RSS 2.0)" -#: actions/showgroup.php:356 +#. TRANS: Tooltip for feed link. %s is a group nickname. +#: actions/showgroup.php:364 #, php-format msgid "Notice feed for %s group (Atom)" msgstr "Стрічка дописів спільноти %s (Atom)" -#: actions/showgroup.php:361 +#. TRANS: Tooltip for feed link. %s is a group nickname. +#: actions/showgroup.php:370 #, php-format msgid "FOAF for %s group" msgstr "FOAF спільноти %s" -#: actions/showgroup.php:399 actions/showgroup.php:451 +#. TRANS: Header for mini list of group members on a group page (h2). +#: actions/showgroup.php:407 msgid "Members" msgstr "Учасники" -#: actions/showgroup.php:404 lib/profileaction.php:117 +#. TRANS: Description for mini list of group members on a group page when the group has no members. +#: actions/showgroup.php:413 lib/profileaction.php:117 #: lib/profileaction.php:152 lib/profileaction.php:255 lib/section.php:95 #: lib/subscriptionlist.php:127 lib/tagcloudsection.php:71 msgid "(None)" msgstr "(Пусто)" -#: actions/showgroup.php:410 +#. TRANS: Link to all group members from mini list of group members if group has more than n members. +#: actions/showgroup.php:422 msgid "All members" msgstr "Всі учасники" -#: actions/showgroup.php:445 +#. TRANS: Label for creation date in statistics on group page. +#: actions/showgroup.php:458 +#, fuzzy +msgctxt "LABEL" msgid "Created" msgstr "Створено" -#: actions/showgroup.php:461 +#. TRANS: Label for member count in statistics on group page. +#: actions/showgroup.php:466 +#, fuzzy +msgctxt "LABEL" +msgid "Members" +msgstr "Учасники" + +#. TRANS: Notice on group pages for anonymous users for StatusNet sites that accept new registrations. +#. TRANS: **%s** is the group alias, %%%%site.name%%%% is the site name, +#. TRANS: %%%%action.register%%%% is the URL for registration, %%%%doc.help%%%% is a URL to help. +#. TRANS: This message contains Markdown links. Ensure they are formatted correctly: [Description](link). +#: actions/showgroup.php:481 #, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -4638,7 +4786,10 @@ msgstr "" "register%%%%) зараз і долучіться до спілкування! ([Дізнатися більше](%%%%doc." "help%%%%))" -#: actions/showgroup.php:467 +#. TRANS: Notice on group pages for anonymous users for StatusNet sites that accept no new registrations. +#. TRANS: **%s** is the group alias, %%%%site.name%%%% is the site name, +#. TRANS: This message contains Markdown links. Ensure they are formatted correctly: [Description](link). +#: actions/showgroup.php:491 #, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -4651,24 +4802,31 @@ msgstr "" "програмному забезпеченні [StatusNet](http://status.net/). Учасники цієї " "спільноти роблять короткі дописи про своє життя та інтереси. " -#: actions/showgroup.php:495 +#. TRANS: Header for list of group administrators on a group page (h2). +#: actions/showgroup.php:520 msgid "Admins" msgstr "Адміни" -#: actions/showmessage.php:81 +#. TRANS: Client error displayed requesting a single message that does not exist. +#: actions/showmessage.php:79 msgid "No such message." msgstr "Немає такого повідомлення." -#: actions/showmessage.php:98 +#. TRANS: Client error displayed requesting a single direct message the requesting user was not a party in. +#: actions/showmessage.php:97 msgid "Only the sender and recipient may read this message." msgstr "Лише відправник та отримувач мають можливість читати це повідомлення." -#: actions/showmessage.php:108 +#. TRANS: Page title for single direct message display when viewing user is the sender. +#. TRANS: %1$s is the addressed user's nickname, $2$s is a timestamp. +#: actions/showmessage.php:110 #, php-format msgid "Message to %1$s on %2$s" msgstr "Повідомлення до %1$s на %2$s" -#: actions/showmessage.php:113 +#. TRANS: Page title for single message display. +#. TRANS: %1$s is the sending user's nickname, $2$s is a timestamp. +#: actions/showmessage.php:118 #, php-format msgid "Message from %1$s on %2$s" msgstr "Повідомлення від %1$s на %2$s" @@ -5116,12 +5274,14 @@ msgstr "Снепшоти надсилатимуться на цю URL-адрес msgid "Save snapshot settings" msgstr "Зберегти налаштування знімку" -#: actions/subedit.php:70 +#. TRANS: Client error displayed trying a change a subscription for a non-subscribed profile. +#: actions/subedit.php:75 msgid "You are not subscribed to that profile." msgstr "Ви не підписані до цього профілю." +#. TRANS: Server error displayed when updating a subscription fails with a database error. #. TRANS: Exception thrown when a subscription could not be stored on the server. -#: actions/subedit.php:83 classes/Subscription.php:136 +#: actions/subedit.php:89 classes/Subscription.php:136 msgid "Could not save subscription." msgstr "Не вдалося зберегти підписку." @@ -5931,12 +6091,12 @@ msgid "Welcome to %1$s, @%2$s!" msgstr "Вітаємо на %1$s, @%2$s!" #. TRANS: Server exception. -#: classes/User.php:902 +#: classes/User.php:912 msgid "No single user defined for single-user mode." msgstr "Користувача для однокористувацького режиму не визначено." #. TRANS: Server exception. -#: classes/User.php:906 +#: classes/User.php:916 msgid "Single-user mode code called when not enabled." msgstr "Код для однокористувацького режиму називається, коли не ввімкнуто." @@ -7102,7 +7262,8 @@ msgstr "Atom" msgid "FOAF" msgstr "FOAF" -#: lib/feedlist.php:65 +#. TRANS: Header for feed links (h2). +#: lib/feedlist.php:66 msgid "Feeds" msgstr "Веб-стрічки" @@ -7263,39 +7424,60 @@ msgstr "Ця сторінка не доступна для того типу м msgid "Unsupported image file format." msgstr "Формат зображення не підтримується." -#: lib/imagefile.php:88 +#. TRANS: Exception thrown when too large a file is uploaded. +#. TRANS: %s is the maximum file size, for example "500b", "10kB" or "2MB". +#: lib/imagefile.php:90 #, php-format msgid "That file is too big. The maximum file size is %s." msgstr "Цей файл завеликий. Максимальний розмір %s." -#: lib/imagefile.php:93 +#: lib/imagefile.php:95 msgid "Partial upload." msgstr "Часткове завантаження." #. TRANS: Client exception thrown when a file upload operation has failed with an unknown reason. -#: lib/imagefile.php:101 lib/mediafile.php:179 +#: lib/imagefile.php:103 lib/mediafile.php:179 msgid "System error uploading file." msgstr "Система відповіла помилкою при завантаженні цього файла." -#: lib/imagefile.php:109 +#: lib/imagefile.php:111 msgid "Not an image or corrupt file." msgstr "Це не зображення, або файл зіпсовано." -#: lib/imagefile.php:122 +#: lib/imagefile.php:124 msgid "Lost our file." msgstr "Файл втрачено." -#: lib/imagefile.php:163 lib/imagefile.php:224 +#: lib/imagefile.php:165 lib/imagefile.php:226 msgid "Unknown file type" msgstr "Тип файлу не підтримується" -#: lib/imagefile.php:244 -msgid "MB" -msgstr "Мб" +#. TRANS: Number of megabytes. %d is the number. +#: lib/imagefile.php:248 +#, fuzzy, php-format +msgid "%dMB" +msgid_plural "%dMB" +msgstr[0] "Мб" +msgstr[1] "Мб" +msgstr[2] "Мб" -#: lib/imagefile.php:246 -msgid "kB" -msgstr "кб" +#. TRANS: Number of kilobytes. %d is the number. +#: lib/imagefile.php:252 +#, fuzzy, php-format +msgid "%dkB" +msgid_plural "%dkB" +msgstr[0] "кб" +msgstr[1] "кб" +msgstr[2] "кб" + +#. TRANS: Number of bytes. %d is the number. +#: lib/imagefile.php:255 +#, php-format +msgid "%dB" +msgid_plural "%dB" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" #: lib/jabber.php:387 #, php-format @@ -8195,6 +8377,13 @@ msgstr "Помилка при відкритті архіву з темою." msgid "Top posters" msgstr "Топ-дописувачі" +#. TRANS: Title for the form to unblock a user. +#: lib/unblockform.php:67 +#, fuzzy +msgctxt "TITLE" +msgid "Unblock" +msgstr "Розблокувати" + #: lib/unsandboxform.php:69 msgid "Unsandbox" msgstr "Витягти з пісочниці" @@ -8388,3 +8577,9 @@ msgstr "" #, php-format msgid "%d entries in backup." msgstr "У резервному файлі збережено %d дописів." + +#~ msgid "Description is too long (max %d chars)." +#~ msgstr "Опис надто довгий (%d знаків максимум)." + +#~ msgid "Too many aliases! Maximum %d." +#~ msgstr "Забагато додаткових імен! Максимум становить %d." diff --git a/locale/zh_CN/LC_MESSAGES/statusnet.po b/locale/zh_CN/LC_MESSAGES/statusnet.po index f95400972d..f20bc803d5 100644 --- a/locale/zh_CN/LC_MESSAGES/statusnet.po +++ b/locale/zh_CN/LC_MESSAGES/statusnet.po @@ -14,18 +14,18 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet - Core\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-10-27 23:43+0000\n" -"PO-Revision-Date: 2010-10-28 23:09:44+0000\n" +"POT-Creation-Date: 2010-10-30 23:18+0000\n" +"PO-Revision-Date: 2010-10-30 23:20:54+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 (r75629); Translate extension (2010-09-17)\n" +"X-Generator: MediaWiki 1.17alpha (r75708); Translate extension (2010-09-17)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: zh-hans\n" "X-Message-Group: #out-statusnet-core\n" "Plural-Forms: nplurals=1; plural=0;\n" -"X-POT-Import-Date: 2010-10-28 00:13:15+0000\n" +"X-POT-Import-Date: 2010-10-30 09:48:40+0000\n" #. TRANS: Page title for Access admin panel that allows configuring site access. #. TRANS: Menu item for site administration @@ -121,6 +121,7 @@ msgstr "没有这个页面。" #. TRANS: Client error displayed when requesting most recent dents by user and friends for a non-existing user. #. TRANS: Client error displayed when requesting most recent mentions for a non-existing user. #. TRANS: Client error displayed requesting most recent notices for a non-existing user. +#. TRANS: Client error displayed trying to get an avatar for a non-existing user. #. TRANS: Error text shown when trying to send a direct message to a user that does not exist. #: actions/all.php:80 actions/apiaccountupdatedeliverydevice.php:110 #: actions/apiaccountupdateprofile.php:103 @@ -133,7 +134,7 @@ msgstr "没有这个页面。" #: actions/apistatusesupdate.php:230 actions/apisubscriptions.php:85 #: actions/apitimelinefavorites.php:70 actions/apitimelinefriends.php:173 #: actions/apitimelinehome.php:78 actions/apitimelinementions.php:77 -#: actions/apitimelineuser.php:79 actions/avatarbynickname.php:75 +#: actions/apitimelineuser.php:79 actions/avatarbynickname.php:79 #: 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 @@ -308,11 +309,12 @@ msgstr "无法更新用户。" #. TRANS: Client error displayed a user has no profile updating profile colours. #. TRANS: Client error displayed if a user profile could not be found updating a profile image. #. TRANS: Client error displayed when requesting user information for a user without a profile. +#. TRANS: Client error displayed trying to get an avatar for a user without a profile. #: actions/apiaccountupdateprofile.php:111 #: actions/apiaccountupdateprofilebackgroundimage.php:199 #: actions/apiaccountupdateprofilecolors.php:183 #: actions/apiaccountupdateprofileimage.php:130 actions/apiusershow.php:108 -#: actions/avatarbynickname.php:80 actions/foaf.php:65 actions/hcard.php:74 +#: actions/avatarbynickname.php:85 actions/foaf.php:65 actions/hcard.php:74 #: actions/replies.php:80 actions/usergroups.php:100 lib/galleryaction.php:66 #: lib/profileaction.php:84 msgid "User has no profile." @@ -327,7 +329,7 @@ msgstr "无法保存个人信息。" #. TRANS: %s is the number of bytes of the CONTENT_LENGTH. #: actions/apiaccountupdateprofilebackgroundimage.php:108 #: actions/apiaccountupdateprofileimage.php:95 actions/apimediaupload.php:81 -#: actions/apistatusesupdate.php:210 actions/avatarsettings.php:259 +#: actions/apistatusesupdate.php:210 actions/avatarsettings.php:269 #: actions/designadminpanel.php:125 actions/editapplication.php:121 #: actions/newapplication.php:104 actions/newnotice.php:95 #, fuzzy, php-format @@ -497,43 +499,53 @@ msgstr "无法确定源用户。" msgid "Could not find target user." msgstr "无法找到目标用户。" +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. #. TRANS: Validation error in form for profile settings. -#: actions/apigroupcreate.php:165 actions/editgroup.php:186 -#: actions/newgroup.php:126 actions/profilesettings.php:243 +#: actions/apigroupcreate.php:165 actions/editgroup.php:191 +#: actions/newgroup.php:127 actions/profilesettings.php:243 #: actions/register.php:212 msgid "Nickname must have only lowercase letters and numbers and no spaces." msgstr "昵称只能使用小写字母和数字且不能使用空格。" #. TRANS: Client error trying to create a group with a nickname this is already in use. +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. #. TRANS: Validation error in form for profile settings. -#: actions/apigroupcreate.php:175 actions/editgroup.php:190 -#: actions/newgroup.php:130 actions/profilesettings.php:277 +#: actions/apigroupcreate.php:175 actions/editgroup.php:196 +#: actions/newgroup.php:132 actions/profilesettings.php:277 #: actions/register.php:215 msgid "Nickname already in use. Try another one." msgstr "昵称已被使用,换一个吧。" #. TRANS: Client error in form for group creation. +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. #. TRANS: Validation error in form for profile settings. -#: actions/apigroupcreate.php:183 actions/editgroup.php:193 -#: actions/newgroup.php:133 actions/profilesettings.php:247 +#: actions/apigroupcreate.php:183 actions/editgroup.php:200 +#: actions/newgroup.php:136 actions/profilesettings.php:247 #: actions/register.php:217 msgid "Not a valid nickname." msgstr "不是有效的昵称。" #. TRANS: Client error in form for group creation. #. TRANS: Validation error shown when providing an invalid homepage URL in the "Edit application" form. +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. #. TRANS: Validation error in form for profile settings. #: actions/apigroupcreate.php:200 actions/editapplication.php:233 -#: actions/editgroup.php:199 actions/newapplication.php:211 -#: actions/newgroup.php:139 actions/profilesettings.php:252 +#: actions/editgroup.php:207 actions/newapplication.php:211 +#: actions/newgroup.php:143 actions/profilesettings.php:252 #: actions/register.php:224 msgid "Homepage is not a valid URL." msgstr "主页的URL不正确。" #. TRANS: Client error in form for group creation. +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. #. TRANS: Validation error in form for profile settings. -#: actions/apigroupcreate.php:210 actions/editgroup.php:202 -#: actions/newgroup.php:142 actions/profilesettings.php:256 +#: actions/apigroupcreate.php:210 actions/editgroup.php:211 +#: actions/newgroup.php:147 actions/profilesettings.php:256 #: actions/register.php:227 #, fuzzy msgid "Full name is too long (maximum 255 characters)." @@ -542,19 +554,22 @@ msgstr "全名过长(不能超过 255 个字符)。" #. TRANS: Client error shown when providing too long a description during group creation. #. TRANS: %d is the maximum number of allowed characters. #. TRANS: Validation error shown when providing too long a description in the "Edit application" form. +#. TRANS: Group edit form validation error. #. TRANS: Form validation error in New application form. #. TRANS: %d is the maximum number of characters for the description. #: actions/apigroupcreate.php:220 actions/editapplication.php:201 -#: actions/newapplication.php:178 +#: actions/editgroup.php:216 actions/newapplication.php:178 #, fuzzy, php-format msgid "Description is too long (maximum %d character)." msgid_plural "Description is too long (maximum %d characters)." msgstr[0] "描述过长(不能超过%d 个字符)。" #. TRANS: Client error shown when providing too long a location during group creation. +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. #. TRANS: Validation error in form for profile settings. -#: actions/apigroupcreate.php:234 actions/editgroup.php:208 -#: actions/newgroup.php:153 actions/profilesettings.php:269 +#: actions/apigroupcreate.php:234 actions/editgroup.php:223 +#: actions/newgroup.php:159 actions/profilesettings.php:269 #: actions/register.php:236 #, fuzzy msgid "Location is too long (maximum 255 characters)." @@ -562,7 +577,12 @@ msgstr "位置过长(不能超过255个字符)。" #. TRANS: Client error shown when providing too many aliases during group creation. #. TRANS: %d is the maximum number of allowed aliases. -#: actions/apigroupcreate.php:255 actions/newgroup.php:166 +#. TRANS: Group edit form validation error. +#. TRANS: %d is the maximum number of allowed aliases. +#. TRANS: Group create form validation error. +#. TRANS: %d is the maximum number of allowed aliases. +#: actions/apigroupcreate.php:255 actions/editgroup.php:236 +#: actions/newgroup.php:172 #, fuzzy, php-format msgid "Too many aliases! Maximum %d allowed." msgid_plural "Too many aliases! Maximum %d allowed." @@ -577,15 +597,19 @@ msgstr "无效的别名:“%s”。" #. TRANS: Client error displayed when trying to use an alias during group creation that is already in use. #. TRANS: %s is the alias that is already in use. -#: actions/apigroupcreate.php:291 actions/editgroup.php:232 -#: actions/newgroup.php:181 +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. +#: actions/apigroupcreate.php:291 actions/editgroup.php:253 +#: actions/newgroup.php:189 #, php-format msgid "Alias \"%s\" already in use. Try another one." msgstr "%s这个别名已被使用,换一个吧。" #. TRANS: Client error displayed when trying to use an alias during group creation that is the same as the group's nickname. -#: actions/apigroupcreate.php:305 actions/editgroup.php:238 -#: actions/newgroup.php:187 +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. +#: actions/apigroupcreate.php:305 actions/editgroup.php:260 +#: actions/newgroup.php:196 msgid "Alias can't be the same as nickname." msgstr "别名不能和昵称相同。" @@ -691,18 +715,18 @@ msgid "Request token already authorized." msgstr "你没有被授权。" #. TRANS: Form validation error in API OAuth authorisation because of an invalid session token. -#: actions/apioauthauthorize.php:147 actions/avatarsettings.php:270 +#: actions/apioauthauthorize.php:147 actions/avatarsettings.php:280 #: actions/deletenotice.php:172 actions/disfavor.php:74 #: actions/emailsettings.php:271 actions/favor.php:75 actions/geocode.php:55 #: actions/groupblock.php:66 actions/grouplogo.php:312 -#: actions/groupunblock.php:66 actions/imsettings.php:230 +#: actions/groupunblock.php:65 actions/imsettings.php:230 #: actions/invite.php:59 actions/login.php:137 actions/makeadmin.php:66 #: actions/newmessage.php:135 actions/newnotice.php:105 actions/nudge.php:80 #: actions/oauthappssettings.php:165 actions/oauthconnectionssettings.php:138 #: actions/othersettings.php:145 actions/passwordsettings.php:138 #: actions/profilesettings.php:221 actions/recoverpassword.php:350 #: actions/register.php:172 actions/remotesubscribe.php:77 -#: actions/repeat.php:83 actions/smssettings.php:256 actions/subedit.php:38 +#: actions/repeat.php:83 actions/smssettings.php:256 actions/subedit.php:40 #: actions/subscribe.php:86 actions/tagother.php:166 #: actions/unsubscribe.php:69 actions/userauthorization.php:52 #: lib/designsettings.php:294 @@ -721,12 +745,13 @@ msgid "Database error inserting oauth_token_association." msgstr "插入 OAuth 应用用户时数据库出错。" #. TRANS: Client error given on when invalid data was passed through a form in the OAuth API. +#. TRANS: Unexpected validation error on avatar upload form. #. TRANS: Client error displayed submitting invalid form data for edit application. #. TRANS: Message given submitting a form with an unknown action in e-mail settings. #. TRANS: Message given submitting a form with an unknown action in IM settings. #. TRANS: Client error when submitting a form with unexpected information. #. TRANS: Message given submitting a form with an unknown action in SMS settings. -#: actions/apioauthauthorize.php:294 actions/avatarsettings.php:283 +#: actions/apioauthauthorize.php:294 actions/avatarsettings.php:294 #: actions/designadminpanel.php:104 actions/editapplication.php:144 #: actions/emailsettings.php:290 actions/grouplogo.php:322 #: actions/imsettings.php:245 actions/newapplication.php:125 @@ -779,6 +804,7 @@ msgstr "帐号" #. TRANS: Field label on OAuth API authorisation form. #. TRANS: Field label in form for profile settings. +#. TRANS: Label for group nickname (dt). Text hidden by default. #: actions/apioauthauthorize.php:459 actions/login.php:252 #: actions/profilesettings.php:110 actions/register.php:433 #: actions/showgroup.php:245 actions/tagother.php:94 @@ -1027,104 +1053,138 @@ msgstr "API 方法尚未实现。" msgid "User not found." msgstr "API方法没有找到。" +#. TRANS: Client error displayed trying to get a non-existing attachment. #: actions/attachment.php:73 msgid "No such attachment." msgstr "没有这个附件。" -#: actions/avatarbynickname.php:59 actions/blockedfromgroup.php:73 -#: actions/editgroup.php:84 actions/groupdesignsettings.php:84 +#. TRANS: Client error displayed trying to get an avatar without providing a nickname. +#. TRANS: Client error displayed when requesting a list of blocked users for a group without providing a group nickname. +#. TRANS: Client error displayed trying to edit a group while not proving a nickname for the group to edit. +#. TRANS: Client error displayed if no nickname argument was given requesting a group page. +#: actions/avatarbynickname.php:60 actions/blockedfromgroup.php:73 +#: actions/editgroup.php:85 actions/groupdesignsettings.php:84 #: actions/grouplogo.php:86 actions/groupmembers.php:76 #: actions/grouprss.php:91 actions/showgroup.php:121 msgid "No nickname." msgstr "没有昵称。" -#: actions/avatarbynickname.php:64 +#. TRANS: Client error displayed trying to get an avatar without providing an avatar size. +#: actions/avatarbynickname.php:66 msgid "No size." msgstr "没有大小。" -#: actions/avatarbynickname.php:69 +#. TRANS: Client error displayed trying to get an avatar providing an invalid avatar size. +#: actions/avatarbynickname.php:72 msgid "Invalid size." msgstr "大小不正确。" +#. TRANS: Title for avatar upload page. +#. TRANS: Label for group avatar (dt). Text hidden by default. #. TRANS: Link description in user account settings menu. -#: actions/avatarsettings.php:67 actions/showgroup.php:230 +#: actions/avatarsettings.php:66 actions/showgroup.php:229 #: lib/accountsettingsaction.php:113 msgid "Avatar" msgstr "头像" +#. TRANS: Instruction for avatar upload page. +#. TRANS: %s is the maximum file size, for example "500b", "10kB" or "2MB". #: actions/avatarsettings.php:78 #, php-format msgid "You can upload your personal avatar. The maximum file size is %s." msgstr "你可以上传你的个人头像。文件大小限制在%s以下。" -#: actions/avatarsettings.php:106 actions/avatarsettings.php:185 +#. TRANS: Server error displayed in avatar upload page when no matching profile can be found for a user. +#: actions/avatarsettings.php:108 actions/avatarsettings.php:192 #: actions/grouplogo.php:181 actions/remotesubscribe.php:191 #: actions/userauthorization.php:72 actions/userrss.php:108 msgid "User without matching profile." msgstr "用户没有相应个人信息。" -#: actions/avatarsettings.php:119 actions/avatarsettings.php:197 +#. TRANS: Avatar upload page form legend. +#. TRANS: Avatar upload page crop form legend. +#: actions/avatarsettings.php:122 actions/avatarsettings.php:205 #: actions/grouplogo.php:254 msgid "Avatar settings" msgstr "头像设置" -#: actions/avatarsettings.php:127 actions/avatarsettings.php:205 +#. TRANS: Header on avatar upload page for thumbnail of originally uploaded avatar (h2). +#. TRANS: Header on avatar upload crop form for thumbnail of originally uploaded avatar (h2). +#: actions/avatarsettings.php:131 actions/avatarsettings.php:214 #: actions/grouplogo.php:202 actions/grouplogo.php:262 msgid "Original" msgstr "原始" -#: actions/avatarsettings.php:142 actions/avatarsettings.php:217 +#. TRANS: Header on avatar upload page for thumbnail of to be used rendition of uploaded avatar (h2). +#. TRANS: Header on avatar upload crop form for thumbnail of to be used rendition of uploaded avatar (h2). +#: actions/avatarsettings.php:147 actions/avatarsettings.php:227 #: actions/grouplogo.php:213 actions/grouplogo.php:274 msgid "Preview" msgstr "预览" -#: actions/avatarsettings.php:149 actions/showapplication.php:252 -#: lib/deletegroupform.php:121 lib/deleteuserform.php:66 -#: lib/noticelist.php:667 +#. TRANS: Button on avatar upload page to delete current avatar. +#: actions/avatarsettings.php:155 +#, fuzzy +msgctxt "BUTTON" msgid "Delete" msgstr "删除" -#: actions/avatarsettings.php:166 actions/grouplogo.php:236 +#. TRANS: Button on avatar upload page to upload an avatar. +#: actions/avatarsettings.php:173 +#, fuzzy +msgctxt "BUTTON" msgid "Upload" msgstr "上传" -#: actions/avatarsettings.php:231 actions/grouplogo.php:289 +#. TRANS: Button on avatar upload crop form to confirm a selected crop as avatar. +#: actions/avatarsettings.php:243 +#, fuzzy +msgctxt "BUTTON" msgid "Crop" msgstr "剪裁" -#: actions/avatarsettings.php:307 +#. TRANS: Validation error on avatar upload form when no file was uploaded. +#: actions/avatarsettings.php:318 msgid "No file uploaded." msgstr "没有文件被上传。" -#: actions/avatarsettings.php:334 +#. TRANS: Avatar upload form unstruction after uploading a file. +#: actions/avatarsettings.php:346 msgid "Pick a square area of the image to be your avatar" msgstr "请选择一块方形区域作为你的头像" -#: actions/avatarsettings.php:349 actions/grouplogo.php:380 +#. TRANS: Server error displayed if an avatar upload went wrong somehow server side. +#: actions/avatarsettings.php:361 actions/grouplogo.php:380 msgid "Lost our file data." msgstr "文件数据丢失" -#: actions/avatarsettings.php:372 +#: actions/avatarsettings.php:384 msgid "Avatar updated." msgstr "头像已更新。" -#: actions/avatarsettings.php:375 +#. TRANS: Error displayed on the avatar upload page if the avatar could not be updated for an unknown reason. +#: actions/avatarsettings.php:388 msgid "Failed updating avatar." msgstr "更新头像失败。" -#: actions/avatarsettings.php:399 +#. TRANS: Success message for deleting a user avatar. +#: actions/avatarsettings.php:412 msgid "Avatar deleted." msgstr "头像已删除。" -#: actions/block.php:69 +#. TRANS: Client error displayed when blocking a user that has already been blocked. +#: actions/block.php:68 msgid "You already blocked that user." msgstr "你已经屏蔽该用户。" -#: actions/block.php:107 actions/block.php:136 actions/groupblock.php:158 +#. TRANS: Title for block user page. +#. TRANS: Legend for block user form. +#: actions/block.php:106 actions/block.php:136 actions/groupblock.php:158 msgid "Block user" msgstr "屏蔽用户。" -#: actions/block.php:138 +#. TRANS: Explanation of consequences when blocking a user on the block user page. +#: actions/block.php:139 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 " @@ -1139,7 +1199,7 @@ msgstr "" #. TRANS: Button label on the delete notice form. #. TRANS: Button label on the delete user form. #. TRANS: Button label on the form to block a user from a group. -#: actions/block.php:153 actions/deleteapplication.php:154 +#: actions/block.php:154 actions/deleteapplication.php:154 #: actions/deletegroup.php:220 actions/deletenotice.php:150 #: actions/deleteuser.php:152 actions/groupblock.php:178 msgctxt "BUTTON" @@ -1148,7 +1208,7 @@ msgstr "否" #. TRANS: Submit button title for 'No' when blocking a user. #. TRANS: Submit button title for 'No' when deleting a user. -#: actions/block.php:157 actions/deleteuser.php:156 +#: actions/block.php:158 actions/deleteuser.php:156 msgid "Do not block this user" msgstr "不要屏蔽这个用户" @@ -1158,7 +1218,7 @@ msgstr "不要屏蔽这个用户" #. TRANS: Button label on the delete notice form. #. TRANS: Button label on the delete user form. #. TRANS: Button label on the form to block a user from a group. -#: actions/block.php:160 actions/deleteapplication.php:161 +#: actions/block.php:161 actions/deleteapplication.php:161 #: actions/deletegroup.php:227 actions/deletenotice.php:157 #: actions/deleteuser.php:159 actions/groupblock.php:185 msgctxt "BUTTON" @@ -1167,90 +1227,111 @@ msgstr "是" #. TRANS: Submit button title for 'Yes' when blocking a user. #. TRANS: Description of the form to block a user. -#: actions/block.php:164 lib/blockform.php:79 +#: actions/block.php:165 lib/blockform.php:79 msgid "Block this user" msgstr "屏蔽这个用户" -#: actions/block.php:187 +#. TRANS: Server error displayed when blocking a user fails. +#: actions/block.php:189 msgid "Failed to save block information." msgstr "保存屏蔽信息失败。" +#. TRANS: Client error displayed when requesting a list of blocked users for a non-local group. +#. TRANS: Client error displayed when requesting a list of blocked users for a non-existing group. #. TRANS: Client error when trying to delete a non-local group. #. TRANS: Client error when trying to delete a non-existing group. +#. TRANS: Client error displayed trying to edit a non-existing group. +#. TRANS: Client error displayed when trying to unblock a user from a non-existing group. +#. TRANS: Client error displayed if no remote group with a given name was found requesting group page. +#. TRANS: Client error displayed if no local group with a given name was found requesting group page. #. TRANS: Command exception text shown when a group is requested that does not exist. #. TRANS: Error text shown when trying to leave a group that does not exist. -#: actions/blockedfromgroup.php:80 actions/blockedfromgroup.php:87 +#: actions/blockedfromgroup.php:81 actions/blockedfromgroup.php:89 #: actions/deletegroup.php:87 actions/deletegroup.php:100 -#: actions/editgroup.php:100 actions/foafgroup.php:44 actions/foafgroup.php:62 +#: actions/editgroup.php:102 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/groupunblock.php:88 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:168 +#: actions/showgroup.php:139 actions/showgroup.php:148 lib/command.php:168 #: lib/command.php:380 msgid "No such group." msgstr "没有这个组。" -#: actions/blockedfromgroup.php:97 +#. TRANS: Title for first page with list of users blocked from a group. +#. TRANS: %s is a group nickname. +#: actions/blockedfromgroup.php:101 #, php-format msgid "%s blocked profiles" msgstr "%s屏蔽的用户" -#: actions/blockedfromgroup.php:100 +#. TRANS: Title for any but the first page with list of users blocked from a group. +#. TRANS: %1$s is a group nickname, %2$d is a page number. +#: actions/blockedfromgroup.php:106 #, php-format msgid "%1$s blocked profiles, page %2$d" msgstr "%1$s屏蔽的用户,第%2$d页" -#: actions/blockedfromgroup.php:115 +#. TRANS: Instructions for list of users blocked from a group. +#: actions/blockedfromgroup.php:122 msgid "A list of the users blocked from joining this group." msgstr "被屏蔽加入此小组的用户列表。" -#: actions/blockedfromgroup.php:288 +#. TRANS: Form legend for unblocking a user from a group. +#: actions/blockedfromgroup.php:291 msgid "Unblock user from group" msgstr "取消小组对用户的屏蔽。" -#. TRANS: Title for the form to unblock a user. -#: actions/blockedfromgroup.php:320 lib/unblockform.php:70 +#. TRANS: Button text for unblocking a user from a group. +#: actions/blockedfromgroup.php:323 +#, fuzzy +msgctxt "BUTTON" msgid "Unblock" msgstr "取消屏蔽" +#. TRANS: Tooltip for button for unblocking a user from a group. #. TRANS: Description of the form to unblock a user. -#: actions/blockedfromgroup.php:320 lib/unblockform.php:82 +#: actions/blockedfromgroup.php:327 lib/unblockform.php:78 msgid "Unblock this user" msgstr "取消屏蔽这个用户。" #. TRANS: Title for mini-posting window loaded from bookmarklet. +#. TRANS: %s is the StatusNet site name. #: actions/bookmarklet.php:51 #, php-format msgid "Post to %s" msgstr "发布到 %s" -#: actions/confirmaddress.php:75 +#. TRANS: Client error displayed when not providing a confirmation code in the contact address confirmation action. +#: actions/confirmaddress.php:74 msgid "No confirmation code." msgstr "没有确认码" +#. TRANS: Client error displayed when providing a non-existing confirmation code in the contact address confirmation action. #: actions/confirmaddress.php:80 msgid "Confirmation code not found." msgstr "未找到确认码。" -#: actions/confirmaddress.php:85 +#. TRANS: Client error displayed when not providing a confirmation code for another user in the contact address confirmation action. +#: actions/confirmaddress.php:86 msgid "That confirmation code is not for you!" msgstr "此确认码不是你的!" -#. TRANS: Server error for an unknow address type, which can be 'email', 'jabber', or 'sms'. -#: actions/confirmaddress.php:91 +#. TRANS: Server error for a unknow address type %s, which can be 'email', 'jabber', or 'sms'. +#: actions/confirmaddress.php:92 #, php-format msgid "Unrecognized address type %s." msgstr "不可识别的地址类型%s。" -#. TRANS: Client error for an already confirmed email/jabbel/sms address. -#: actions/confirmaddress.php:96 +#. TRANS: Client error for an already confirmed email/jabber/sms address. +#: actions/confirmaddress.php:97 msgid "That address has already been confirmed." msgstr "此地址已被确认过了。" +#. TRANS: Server error displayed when a user update to the database fails in the contact address confirmation action. #. TRANS: Server error thrown on database error updating e-mail preferences. #. TRANS: Server error thrown on database error removing a registered e-mail address. #. TRANS: Server error thrown on database error updating IM preferences. @@ -1258,7 +1339,7 @@ msgstr "此地址已被确认过了。" #. TRANS: Server error thrown when user profile settings could not be updated. #. TRANS: Server error thrown on database error updating SMS preferences. #. TRANS: Server error thrown on database error removing a registered SMS phone number. -#: actions/confirmaddress.php:116 actions/emailsettings.php:331 +#: actions/confirmaddress.php:118 actions/emailsettings.php:331 #: actions/emailsettings.php:477 actions/imsettings.php:283 #: actions/imsettings.php:442 actions/othersettings.php:174 #: actions/profilesettings.php:326 actions/smssettings.php:308 @@ -1266,27 +1347,32 @@ msgstr "此地址已被确认过了。" msgid "Couldn't update user." msgstr "无法更新用户。" -#. TRANS: Server error thrown on database error canceling e-mail address confirmation. -#. TRANS: Server error thrown on database error canceling SMS phone number confirmation. -#: actions/confirmaddress.php:128 actions/emailsettings.php:437 -#: actions/smssettings.php:422 -msgid "Couldn't delete email confirmation." -msgstr "无法删除电子邮件确认。" +#. TRANS: Server error displayed when an address confirmation code deletion from the +#. TRANS: database fails in the contact address confirmation action. +#: actions/confirmaddress.php:132 +#, fuzzy +msgid "Could not delete address confirmation." +msgstr "无法删除 IM 确认。" -#: actions/confirmaddress.php:146 +#. TRANS: Title for the contact address confirmation action. +#: actions/confirmaddress.php:150 msgid "Confirm address" msgstr "确认地址" -#: actions/confirmaddress.php:161 +#. TRANS: Success message for the contact address confirmation action. +#. TRANS: %s can be 'email', 'jabber', or 'sms'. +#: actions/confirmaddress.php:166 #, php-format msgid "The address \"%s\" has been confirmed for your account." msgstr "你账户的地址 \"%s\" 已被确认。" -#: actions/conversation.php:99 +#. TRANS: Title for page with a conversion (multiple notices in context). +#: actions/conversation.php:96 msgid "Conversation" msgstr "对话" -#: actions/conversation.php:154 lib/mailbox.php:116 lib/noticelist.php:87 +#. TRANS: Header on conversation page. Hidden by default (h2). +#: actions/conversation.php:149 lib/mailbox.php:116 lib/noticelist.php:87 #: lib/profileaction.php:229 lib/searchgroupnav.php:82 msgid "Notices" msgstr "消息" @@ -1395,11 +1481,13 @@ msgstr "不要删除这个消息" msgid "Delete this group" msgstr "删除这个用户" +#. TRANS: Client error displayed when trying to unblock a user from a group while not logged in. +#. TRANS: Client error displayed trying a change a subscription while not logged in. #. TRANS: Client error message thrown when trying to access the admin panel while not logged in. #: actions/deletenotice.php:50 actions/disfavor.php:61 actions/favor.php:62 -#: actions/groupblock.php:61 actions/groupunblock.php:61 actions/logout.php:69 +#: actions/groupblock.php:61 actions/groupunblock.php:60 actions/logout.php:69 #: actions/makeadmin.php:61 actions/newmessage.php:87 actions/newnotice.php:88 -#: actions/nudge.php:63 actions/subedit.php:31 actions/subscribe.php:96 +#: actions/nudge.php:63 actions/subedit.php:33 actions/subscribe.php:96 #: actions/tagother.php:33 actions/unsubscribe.php:52 #: lib/adminpanelaction.php:71 lib/profileformaction.php:64 #: lib/settingsaction.php:72 @@ -1698,49 +1786,49 @@ msgstr "调回地址(Callback URL)无效。" msgid "Could not update application." msgstr "无法更新应用。" -#: actions/editgroup.php:56 +#. TRANS: Title for form to edit a group. %s is a group nickname. +#: actions/editgroup.php:55 #, php-format msgid "Edit %s group" msgstr "编辑 %s 小组" +#. TRANS: Client error displayed trying to edit a group while not logged in. +#. TRANS: Client error displayed trying to create a group while not logged in. #: actions/editgroup.php:68 actions/grouplogo.php:70 actions/newgroup.php:65 msgid "You must be logged in to create a group." msgstr "你必须登录才能创建小组。" -#: actions/editgroup.php:107 actions/editgroup.php:172 +#. TRANS: Client error displayed trying to edit a group while not being a group admin. +#: actions/editgroup.php:110 actions/editgroup.php:176 #: actions/groupdesignsettings.php:107 actions/grouplogo.php:109 msgid "You must be an admin to edit the group." msgstr "管理员才可以编辑小组。" -#: actions/editgroup.php:158 +#. TRANS: Form instructions for group edit form. +#: actions/editgroup.php:161 msgid "Use this form to edit the group." msgstr "通过这个表单来编辑小组" -#: actions/editgroup.php:205 -#, php-format -msgid "Description is too long (max %d chars)." -msgstr "描述过长(不能超过%d 个字符)。" - -#: actions/editgroup.php:219 -#, php-format -msgid "Too many aliases! Maximum %d." -msgstr "太多别名了!最多%d 个。" - -#: actions/editgroup.php:228 actions/newgroup.php:177 +#. TRANS: Group edit form validation error. +#. TRANS: Group create form validation error. +#: actions/editgroup.php:248 actions/newgroup.php:184 #, php-format msgid "Invalid alias: \"%s\"" msgstr "无效的别名:“%s”。" -#: actions/editgroup.php:258 +#. TRANS: Server error displayed when editing a group fails. +#: actions/editgroup.php:281 msgid "Could not update group." msgstr "无法更新小组" +#. TRANS: Server error displayed when group aliases could not be added. #. TRANS: Server exception thrown when creating group aliases failed. -#: actions/editgroup.php:264 classes/User_group.php:513 +#: actions/editgroup.php:288 classes/User_group.php:513 msgid "Could not create aliases." msgstr "无法创建别名。" -#: actions/editgroup.php:280 +#. TRANS: Group edit form success message. +#: actions/editgroup.php:305 msgid "Options saved." msgstr "选项已保存。" @@ -1931,6 +2019,12 @@ msgstr "没有可以取消的确认。" msgid "That is the wrong email address." msgstr "这是错误的电子邮件地址。" +#. TRANS: Server error thrown on database error canceling e-mail address confirmation. +#. TRANS: Server error thrown on database error canceling SMS phone number confirmation. +#: actions/emailsettings.php:437 actions/smssettings.php:422 +msgid "Couldn't delete email confirmation." +msgstr "无法删除电子邮件确认。" + #. TRANS: Message given after successfully canceling e-mail address confirmation. #: actions/emailsettings.php:442 msgid "Email confirmation cancelled." @@ -2105,19 +2199,23 @@ msgstr "你不能在这个网站授予用户权限。" msgid "User already has this role." msgstr "用户已有此权限。" +#. TRANS: Client error displayed when trying to unblock a user from a group without providing a profile. +#. TRANS: Client error displayed trying a change a subscription without providing a profile. #: actions/groupblock.php:71 actions/groupunblock.php:71 -#: actions/makeadmin.php:71 actions/subedit.php:46 +#: actions/makeadmin.php:71 actions/subedit.php:49 #: lib/profileformaction.php:79 msgid "No profile specified." msgstr "没有指定的用户。" -#: actions/groupblock.php:76 actions/groupunblock.php:76 -#: actions/makeadmin.php:76 actions/subedit.php:53 actions/tagother.php:46 +#. TRANS: Client error displayed when trying to unblock a user from a group without providing an existing profile. +#. TRANS: Client error displayed trying a change a subscription for a non-existant profile ID. +#: actions/groupblock.php:76 actions/groupunblock.php:77 +#: actions/makeadmin.php:76 actions/subedit.php:57 actions/tagother.php:46 #: actions/unsubscribe.php:84 lib/profileformaction.php:86 msgid "No profile with that ID." msgstr "此 ID 没有用户。" -#: actions/groupblock.php:81 actions/groupunblock.php:81 +#: actions/groupblock.php:81 actions/groupunblock.php:82 #: actions/makeadmin.php:81 msgid "No group specified." msgstr "没有指定小组。" @@ -2199,6 +2297,14 @@ msgid "" "You can upload a logo image for your group. The maximum file size is %s." msgstr "你可以给你的小组上传一个 logo。文件最大限制为%s。" +#: actions/grouplogo.php:236 +msgid "Upload" +msgstr "上传" + +#: actions/grouplogo.php:289 +msgid "Crop" +msgstr "剪裁" + #: actions/grouplogo.php:365 msgid "Pick a square area of the image to be the logo." msgstr "请选择一块方形区域作为 logo。" @@ -2338,15 +2444,18 @@ msgstr "" "现在就 [注册一个帐号](%%action.register%%) 并 [创建该小组](%%action.newgroup%" "%) !" -#: actions/groupunblock.php:91 +#. TRANS: Client error displayed when trying to unblock a user from a group without being an administrator for the group. +#: actions/groupunblock.php:94 msgid "Only an admin can unblock group members." msgstr "只有管理员可以取消屏蔽小组成员。" -#: actions/groupunblock.php:95 +#. TRANS: Client error displayed when trying to unblock a non-blocked user from a group. +#: actions/groupunblock.php:99 msgid "User is not blocked from group." msgstr "用户未被小组屏蔽。" -#: actions/groupunblock.php:128 actions/unblock.php:86 +#. TRANS: Server error displayed when unblocking a user from a group fails because of an unknown error. +#: actions/groupunblock.php:131 actions/unblock.php:86 msgid "Error removing the block." msgstr "取消屏蔽时出错。" @@ -2916,10 +3025,12 @@ msgstr "组织名称过长(不能超过255个字符)。" msgid "Could not create application." msgstr "无法创建应用。" +#. TRANS: Title for form to create a group. #: actions/newgroup.php:53 msgid "New group" msgstr "新小组" +#. TRANS: Form instructions for group create form. #: actions/newgroup.php:110 msgid "Use this form to create a new group." msgstr "通过此表单创建小组。" @@ -3617,8 +3728,9 @@ msgid "1-64 lowercase letters or numbers, no punctuation or spaces." msgstr "1 到 64 个小写字母或数字,不包含标点或空格" #. TRANS: Field label in form for profile settings. +#. TRANS: Label for full group name (dt). Text hidden by default. #: actions/profilesettings.php:117 actions/register.php:457 -#: actions/showgroup.php:256 actions/tagother.php:104 +#: actions/showgroup.php:257 actions/tagother.php:104 #: lib/groupeditform.php:157 lib/userprofile.php:150 msgid "Full name" msgstr "全名" @@ -3657,8 +3769,9 @@ msgid "Bio" msgstr "自述" #. TRANS: Field label in form for profile settings. +#. TRANS: Label for group location (dt). Text hidden by default. #: actions/profilesettings.php:149 actions/register.php:485 -#: actions/showgroup.php:265 actions/tagother.php:112 +#: actions/showgroup.php:267 actions/tagother.php:112 #: actions/userauthorization.php:166 lib/groupeditform.php:177 #: lib/userprofile.php:165 msgid "Location" @@ -4351,7 +4464,8 @@ msgstr "组织名称必填。" msgid "Description" msgstr "描述" -#: actions/showapplication.php:192 actions/showgroup.php:442 +#. TRANS: Header for group statistics on a group page (h2). +#: actions/showapplication.php:192 actions/showgroup.php:453 #: lib/profileaction.php:187 msgid "Statistics" msgstr "统计" @@ -4369,6 +4483,11 @@ msgstr "应用程序动作" msgid "Reset key & secret" msgstr "重置key和secret" +#: actions/showapplication.php:252 lib/deletegroupform.php:121 +#: lib/deleteuserform.php:66 lib/noticelist.php:667 +msgid "Delete" +msgstr "删除" + #: actions/showapplication.php:261 msgid "Application info" msgstr "应用程序信息" @@ -4456,77 +4575,106 @@ msgstr "" msgid "This is a way to share what you like." msgstr "这是一种分享你喜欢的内容的方式。" -#: actions/showgroup.php:82 +#. TRANS: Page title for first group page. %s is a group name. +#: actions/showgroup.php:80 #, php-format msgid "%s group" msgstr "%s 小组" +#. TRANS: Page title for any but first group page. +#. TRANS: %1$s is a group name, $2$s is a page number. #: actions/showgroup.php:84 #, php-format msgid "%1$s group, page %2$d" msgstr "%1$s小组,第%2$d页" -#: actions/showgroup.php:227 +#. TRANS: Group profile header (h2). Text hidden by default. +#: actions/showgroup.php:225 msgid "Group profile" msgstr "小组资料" -#: actions/showgroup.php:272 actions/tagother.php:118 +#. TRANS: Label for group URL (dt). Text hidden by default. +#: actions/showgroup.php:275 actions/tagother.php:118 #: actions/userauthorization.php:175 lib/userprofile.php:178 msgid "URL" msgstr "URL 互联网地址" -#: actions/showgroup.php:283 actions/tagother.php:128 +#. TRANS: Label for group description or group note (dt). Text hidden by default. +#: actions/showgroup.php:287 actions/tagother.php:128 #: actions/userauthorization.php:187 lib/userprofile.php:195 msgid "Note" msgstr "注释" -#: actions/showgroup.php:293 lib/groupeditform.php:184 +#. TRANS: Label for group aliases (dt). Text hidden by default. +#: actions/showgroup.php:298 lib/groupeditform.php:184 msgid "Aliases" msgstr "别名" -#: actions/showgroup.php:302 +#. TRANS: Group actions header (h2). Text hidden by default. +#: actions/showgroup.php:309 msgid "Group actions" msgstr "小组动作" -#: actions/showgroup.php:344 +#. TRANS: Tooltip for feed link. %s is a group nickname. +#: actions/showgroup.php:350 #, php-format msgid "Notice feed for %s group (RSS 1.0)" msgstr "%s小组的消息聚合 (RSS 1.0)" -#: actions/showgroup.php:350 +#. TRANS: Tooltip for feed link. %s is a group nickname. +#: actions/showgroup.php:357 #, php-format msgid "Notice feed for %s group (RSS 2.0)" msgstr "%s小组的消息聚合 (RSS 2.0)" -#: actions/showgroup.php:356 +#. TRANS: Tooltip for feed link. %s is a group nickname. +#: actions/showgroup.php:364 #, php-format msgid "Notice feed for %s group (Atom)" msgstr "%s小组的消息聚合 (Atom)" -#: actions/showgroup.php:361 +#. TRANS: Tooltip for feed link. %s is a group nickname. +#: actions/showgroup.php:370 #, php-format msgid "FOAF for %s group" msgstr "%s 的发件箱" -#: actions/showgroup.php:399 actions/showgroup.php:451 +#. TRANS: Header for mini list of group members on a group page (h2). +#: actions/showgroup.php:407 msgid "Members" msgstr "小组成员" -#: actions/showgroup.php:404 lib/profileaction.php:117 +#. TRANS: Description for mini list of group members on a group page when the group has no members. +#: actions/showgroup.php:413 lib/profileaction.php:117 #: lib/profileaction.php:152 lib/profileaction.php:255 lib/section.php:95 #: lib/subscriptionlist.php:127 lib/tagcloudsection.php:71 msgid "(None)" msgstr "(无)" -#: actions/showgroup.php:410 +#. TRANS: Link to all group members from mini list of group members if group has more than n members. +#: actions/showgroup.php:422 msgid "All members" msgstr "所有成员" -#: actions/showgroup.php:445 +#. TRANS: Label for creation date in statistics on group page. +#: actions/showgroup.php:458 +#, fuzzy +msgctxt "LABEL" msgid "Created" msgstr "建立" -#: actions/showgroup.php:461 +#. TRANS: Label for member count in statistics on group page. +#: actions/showgroup.php:466 +#, fuzzy +msgctxt "LABEL" +msgid "Members" +msgstr "小组成员" + +#. TRANS: Notice on group pages for anonymous users for StatusNet sites that accept new registrations. +#. TRANS: **%s** is the group alias, %%%%site.name%%%% is the site name, +#. TRANS: %%%%action.register%%%% is the URL for registration, %%%%doc.help%%%% is a URL to help. +#. TRANS: This message contains Markdown links. Ensure they are formatted correctly: [Description](link). +#: actions/showgroup.php:481 #, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -4541,7 +4689,10 @@ msgstr "" "入](%%%%action.register%%%%)成为该小组的一员并享受更多的欢乐!([阅读更多](%%" "%%doc.help%%%%))" -#: actions/showgroup.php:467 +#. TRANS: Notice on group pages for anonymous users for StatusNet sites that accept no new registrations. +#. TRANS: **%s** is the group alias, %%%%site.name%%%% is the site name, +#. TRANS: This message contains Markdown links. Ensure they are formatted correctly: [Description](link). +#: actions/showgroup.php:491 #, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -4554,24 +4705,31 @@ msgstr "" "E5%BE%AE%E5%8D%9A%E5%AE%A2)。%%%%site.name%%%%的用户分享关于他们生活和各种兴" "趣的消息。" -#: actions/showgroup.php:495 +#. TRANS: Header for list of group administrators on a group page (h2). +#: actions/showgroup.php:520 msgid "Admins" msgstr "管理员" -#: actions/showmessage.php:81 +#. TRANS: Client error displayed requesting a single message that does not exist. +#: actions/showmessage.php:79 msgid "No such message." msgstr "未找到此消息。" -#: actions/showmessage.php:98 +#. TRANS: Client error displayed requesting a single direct message the requesting user was not a party in. +#: actions/showmessage.php:97 msgid "Only the sender and recipient may read this message." msgstr "只有发送和接受双方可以阅读此消息。" -#: actions/showmessage.php:108 +#. TRANS: Page title for single direct message display when viewing user is the sender. +#. TRANS: %1$s is the addressed user's nickname, $2$s is a timestamp. +#: actions/showmessage.php:110 #, php-format msgid "Message to %1$s on %2$s" msgstr "发送给 %1$s 的 %2$s 消息" -#: actions/showmessage.php:113 +#. TRANS: Page title for single message display. +#. TRANS: %1$s is the sending user's nickname, $2$s is a timestamp. +#: actions/showmessage.php:118 #, php-format msgid "Message from %1$s on %2$s" msgstr "来自 %1$s 的 %2$s 消息" @@ -5005,12 +5163,14 @@ msgstr "快照将被发送到这个 URL" msgid "Save snapshot settings" msgstr "保存访问设置" -#: actions/subedit.php:70 +#. TRANS: Client error displayed trying a change a subscription for a non-subscribed profile. +#: actions/subedit.php:75 msgid "You are not subscribed to that profile." msgstr "你没有关注这个用户" +#. TRANS: Server error displayed when updating a subscription fails with a database error. #. TRANS: Exception thrown when a subscription could not be stored on the server. -#: actions/subedit.php:83 classes/Subscription.php:136 +#: actions/subedit.php:89 classes/Subscription.php:136 msgid "Could not save subscription." msgstr "无法保存关注。" @@ -5791,12 +5951,12 @@ msgid "Welcome to %1$s, @%2$s!" msgstr "欢迎来到 %1$s,@%2$s!" #. TRANS: Server exception. -#: classes/User.php:902 +#: classes/User.php:912 msgid "No single user defined for single-user mode." msgstr "没有单独的用户被定义为单用户模式。" #. TRANS: Server exception. -#: classes/User.php:906 +#: classes/User.php:916 msgid "Single-user mode code called when not enabled." msgstr "" @@ -6940,7 +7100,8 @@ msgstr "Atom" msgid "FOAF" msgstr "FOAF" -#: lib/feedlist.php:65 +#. TRANS: Header for feed links (h2). +#: lib/feedlist.php:66 msgid "Feeds" msgstr "Feeds" @@ -7098,39 +7259,54 @@ msgstr "这个页面不提供你想要的媒体类型" msgid "Unsupported image file format." msgstr "不支持这种图像格式。" -#: lib/imagefile.php:88 +#. TRANS: Exception thrown when too large a file is uploaded. +#. TRANS: %s is the maximum file size, for example "500b", "10kB" or "2MB". +#: lib/imagefile.php:90 #, php-format msgid "That file is too big. The maximum file size is %s." msgstr "文件太大。文件大小限制在%s以下。" -#: lib/imagefile.php:93 +#: lib/imagefile.php:95 msgid "Partial upload." msgstr "部分上传。" #. TRANS: Client exception thrown when a file upload operation has failed with an unknown reason. -#: lib/imagefile.php:101 lib/mediafile.php:179 +#: lib/imagefile.php:103 lib/mediafile.php:179 msgid "System error uploading file." msgstr "上传文件时出错。" -#: lib/imagefile.php:109 +#: lib/imagefile.php:111 msgid "Not an image or corrupt file." msgstr "不是图片文件或文件已损坏。" -#: lib/imagefile.php:122 +#: lib/imagefile.php:124 msgid "Lost our file." msgstr "文件数据丢失" -#: lib/imagefile.php:163 lib/imagefile.php:224 +#: lib/imagefile.php:165 lib/imagefile.php:226 msgid "Unknown file type" msgstr "未知文件类型" -#: lib/imagefile.php:244 -msgid "MB" -msgstr "MB" +#. TRANS: Number of megabytes. %d is the number. +#: lib/imagefile.php:248 +#, fuzzy, php-format +msgid "%dMB" +msgid_plural "%dMB" +msgstr[0] "MB" -#: lib/imagefile.php:246 -msgid "kB" -msgstr "kB" +#. TRANS: Number of kilobytes. %d is the number. +#: lib/imagefile.php:252 +#, fuzzy, php-format +msgid "%dkB" +msgid_plural "%dkB" +msgstr[0] "kB" + +#. TRANS: Number of bytes. %d is the number. +#: lib/imagefile.php:255 +#, php-format +msgid "%dB" +msgid_plural "%dB" +msgstr[0] "" #: lib/jabber.php:387 #, php-format @@ -8014,6 +8190,13 @@ msgstr "打开主题文件时出错。" msgid "Top posters" msgstr "灌水精英" +#. TRANS: Title for the form to unblock a user. +#: lib/unblockform.php:67 +#, fuzzy +msgctxt "TITLE" +msgid "Unblock" +msgstr "取消屏蔽" + #: lib/unsandboxform.php:69 msgid "Unsandbox" msgstr "移出沙盒" @@ -8188,3 +8371,9 @@ msgstr "没有用户被指定;使用备份用户。" #, php-format msgid "%d entries in backup." msgstr "备份中有 %d 个条目。" + +#~ msgid "Description is too long (max %d chars)." +#~ msgstr "描述过长(不能超过%d 个字符)。" + +#~ msgid "Too many aliases! Maximum %d." +#~ msgstr "太多别名了!最多%d 个。" diff --git a/plugins/Adsense/locale/pt_BR/LC_MESSAGES/Adsense.po b/plugins/Adsense/locale/pt_BR/LC_MESSAGES/Adsense.po index cbe5e05544..66ffa6b7ac 100644 --- a/plugins/Adsense/locale/pt_BR/LC_MESSAGES/Adsense.po +++ b/plugins/Adsense/locale/pt_BR/LC_MESSAGES/Adsense.po @@ -10,14 +10,14 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet - Adsense\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-10-27 23:43+0000\n" -"PO-Revision-Date: 2010-10-27 23:46:09+0000\n" +"POT-Creation-Date: 2010-10-30 23:18+0000\n" +"PO-Revision-Date: 2010-10-30 23:20:58+0000\n" "Language-Team: Brazilian Portuguese \n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-POT-Import-Date: 2010-10-20 17:58:21+0000\n" -"X-Generator: MediaWiki 1.17alpha (r75590); Translate extension (2010-09-17)\n" +"X-POT-Import-Date: 2010-10-29 16:11:50+0000\n" +"X-Generator: MediaWiki 1.17alpha (r75708); Translate extension (2010-09-17)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: pt-br\n" "X-Message-Group: #out-statusnet-plugin-adsense\n" @@ -80,7 +80,7 @@ msgstr "Código colocado dentro de um retângulo." #: adsenseadminpanel.php:188 msgid "Leaderboard" -msgstr "" +msgstr "Classificação" #: adsenseadminpanel.php:189 msgid "Leaderboard slot code" diff --git a/plugins/Facebook/locale/nl/LC_MESSAGES/Facebook.po b/plugins/Facebook/locale/nl/LC_MESSAGES/Facebook.po index 5b60c244d1..0680fec716 100644 --- a/plugins/Facebook/locale/nl/LC_MESSAGES/Facebook.po +++ b/plugins/Facebook/locale/nl/LC_MESSAGES/Facebook.po @@ -9,13 +9,13 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet - Facebook\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-10-27 23:43+0000\n" -"PO-Revision-Date: 2010-10-27 23:46:35+0000\n" +"POT-Creation-Date: 2010-10-30 23:18+0000\n" +"PO-Revision-Date: 2010-10-30 23:21:30+0000\n" "Language-Team: Dutch \n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-POT-Import-Date: 2010-10-23 18:57:01+0000\n" -"X-Generator: MediaWiki 1.17alpha (r75590); Translate extension (2010-09-17)\n" +"X-POT-Import-Date: 2010-10-29 16:12:45+0000\n" +"X-Generator: MediaWiki 1.17alpha (r75708); Translate extension (2010-09-17)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: nl\n" "X-Message-Group: #out-statusnet-plugin-facebook\n" @@ -37,7 +37,7 @@ msgid "" msgstr "" "Hallo %1$s.\n" "\n" -"Het spijt ons je te moeten meedelen dat het niet mogelijk is uw " +"Het spijt ons u te moeten meedelen dat het niet mogelijk is uw " "Facebookstatus bij te werken vanuit %2$s. De Facebookapplicatie is " "uitgeschakeld voor uw gebruiker. Dit kan komen doordat u de toegangsrechten " "voor de Facebookapplicatie hebt ingetrokken of omdat u uw Facebookgebruiker " diff --git a/plugins/XCache/locale/fi/LC_MESSAGES/XCache.po b/plugins/XCache/locale/fi/LC_MESSAGES/XCache.po new file mode 100644 index 0000000000..c0ce345eb2 --- /dev/null +++ b/plugins/XCache/locale/fi/LC_MESSAGES/XCache.po @@ -0,0 +1,30 @@ +# Translation of StatusNet - XCache to Finnish (Suomi) +# Expored from translatewiki.net +# +# Author: Centerlink +# -- +# This file is distributed under the same license as the StatusNet package. +# +msgid "" +msgstr "" +"Project-Id-Version: StatusNet - XCache\n" +"Report-Msgid-Bugs-To: \n" +"POT-Creation-Date: 2010-10-30 23:18+0000\n" +"PO-Revision-Date: 2010-10-30 23:23:06+0000\n" +"Language-Team: Finnish \n" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"X-POT-Import-Date: 2010-10-29 16:14:46+0000\n" +"X-Generator: MediaWiki 1.17alpha (r75708); Translate extension (2010-09-17)\n" +"X-Translation-Project: translatewiki.net at http://translatewiki.net\n" +"X-Language-Code: fi\n" +"X-Message-Group: #out-statusnet-plugin-xcache\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" + +#: XCachePlugin.php:120 +msgid "" +"Use the XCache variable cache to " +"cache query results." +msgstr "" +"Käytä XCache-muuttujavälimuistia " +"kyselyn tulosten tallentamiseksi välimuistiin." From b89dfa3a5b5d0febdbf1a45f2a8b855315204b69 Mon Sep 17 00:00:00 2001 From: Siebrand Mazeland Date: Mon, 1 Nov 2010 13:50:24 +0100 Subject: [PATCH 033/628] Fix i18n issues that are solved by using plural. --- lib/command.php | 12 ++++++++---- lib/groupeditform.php | 13 +++++++++---- lib/themeuploader.php | 7 ++++--- 3 files changed, 21 insertions(+), 11 deletions(-) diff --git a/lib/command.php b/lib/command.php index 658262a090..329617b3bc 100644 --- a/lib/command.php +++ b/lib/command.php @@ -483,9 +483,11 @@ class MessageCommand extends Command if (Message::contentTooLong($this->text)) { // XXX: i18n. Needs plural support. - // TRANS: Message given if content is too long. + // TRANS: Message given if content is too long. %1$sd is used for plural. // TRANS: %1$d is the maximum number of characters, %2$d is the number of submitted characters. - $channel->error($this->user, sprintf(_('Message too long - maximum is %1$d characters, you sent %2$d.'), + $channel->error($this->user, sprintf(_m('Message too long - maximum is %1$d character, you sent %2$d.', + 'Message too long - maximum is %1$d characters, you sent %2$d.', + Message::maxContent()), Message::maxContent(), mb_strlen($this->text))); return; } @@ -584,9 +586,11 @@ class ReplyCommand extends Command if (Notice::contentTooLong($this->text)) { // XXX: i18n. Needs plural support. - // TRANS: Message given if content of a notice for a reply is too long. + // TRANS: Message given if content of a notice for a reply is too long. %1$d is used for plural. // TRANS: %1$d is the maximum number of characters, %2$d is the number of submitted characters. - $channel->error($this->user, sprintf(_('Notice too long - maximum is %1$d characters, you sent %2$d.'), + $channel->error($this->user, sprintf(_m('Notice too long - maximum is %1$d character, you sent %2$d.', + 'Notice too long - maximum is %1$d characters, you sent %2$d.', + Notice::maxContent()), Notice::maxContent(), mb_strlen($this->text))); return; } diff --git a/lib/groupeditform.php b/lib/groupeditform.php index 433f6a1387..f939fc1b65 100644 --- a/lib/groupeditform.php +++ b/lib/groupeditform.php @@ -160,14 +160,17 @@ class GroupEditForm extends Form $this->out->elementStart('li'); $this->out->input('homepage', _('Homepage'), ($this->out->arg('homepage')) ? $this->out->arg('homepage') : $homepage, - _('URL of the homepage or blog of the group or topic')); + _('URL of the homepage or blog of the group or topic.')); $this->out->elementEnd('li'); $this->out->elementStart('li'); $desclimit = User_group::maxDescription(); if ($desclimit == 0) { $descinstr = _('Describe the group or topic'); } else { - $descinstr = sprintf(_('Describe the group or topic in %d characters'), $desclimit); + $descinstr = sprintf(_m('Describe the group or topic in %d character or less', + 'Describe the group or topic in %d characters or less', + $desclimit), + $desclimit); } $this->out->textarea('description', _('Description'), ($this->out->arg('description')) ? $this->out->arg('description') : $description, @@ -176,7 +179,7 @@ class GroupEditForm extends Form $this->out->elementStart('li'); $this->out->input('location', _('Location'), ($this->out->arg('location')) ? $this->out->arg('location') : $location, - _('Location for the group, if any, like "City, State (or Region), Country"')); + _('Location for the group, if any, like "City, State (or Region), Country".')); $this->out->elementEnd('li'); if (common_config('group', 'maxaliases') > 0) { $aliases = (empty($this->group)) ? array() : $this->group->getAliases(); @@ -184,7 +187,9 @@ class GroupEditForm extends Form $this->out->input('aliases', _('Aliases'), ($this->out->arg('aliases')) ? $this->out->arg('aliases') : (!empty($aliases)) ? implode(' ', $aliases) : '', - sprintf(_('Extra nicknames for the group, comma- or space- separated, max %d'), + sprintf(_m('Extra nicknames for the group, separated with commas or spaces. Maximum %d alias allowed.', + 'Extra nicknames for the group, separated with commas or spaces. Maximum %d aliases allowed.', + common_config('group', 'maxaliases')), common_config('group', 'maxaliases')));; $this->out->elementEnd('li'); } diff --git a/lib/themeuploader.php b/lib/themeuploader.php index 5a48e884ed..b7b14d7b9e 100644 --- a/lib/themeuploader.php +++ b/lib/themeuploader.php @@ -163,9 +163,10 @@ class ThemeUploader $estSize = $blockSize * max(1, intval(ceil($size / $blockSize))); $totalSize += $estSize; if ($totalSize > $sizeLimit) { - $msg = sprintf(_("Uploaded theme is too large; " . - "must be less than %d bytes uncompressed."), - $sizeLimit); + $msg = sprintf(_m('Uploaded theme is too large; must be less than %d byte uncompressed.', + 'Uploaded theme is too large; must be less than %d bytes uncompressed.', + $sizeLimit), + $sizeLimit); throw new ClientException($msg); } From 9b7ac27c69520aad00230aab7067e83642e38fe7 Mon Sep 17 00:00:00 2001 From: Siebrand Mazeland Date: Mon, 1 Nov 2010 13:55:24 +0100 Subject: [PATCH 034/628] * add translator documentation. * i18n FIXME tagging. --- lib/searchaction.php | 6 +++--- 1 file changed, 3 insertions(+), 3 deletions(-) diff --git a/lib/searchaction.php b/lib/searchaction.php index 14c3ed016d..6d7f46cd6e 100644 --- a/lib/searchaction.php +++ b/lib/searchaction.php @@ -70,7 +70,6 @@ class SearchAction extends Action * @return void * @see SearchGroupNav */ - function showLocalNav() { $nav = new SearchGroupNav($this, $this->trimmed('q')); @@ -127,6 +126,7 @@ class SearchAction extends Action // TRANS: Used as a field label for the field where one or more keywords // TRANS: for searching can be entered. $this->input('q', _('Keyword(s)'), $q); + // TRANS: Button text for searching site. $this->submit('search', _m('BUTTON','Search')); $this->elementEnd('li'); $this->elementEnd('ul'); @@ -138,7 +138,7 @@ class SearchAction extends Action } function searchSuggestions($q) { - // @todo FIXME: This formatting does not make this string get picked up by gettext. + // @todo FIXME: i18n issue: This formatting does not make this string get picked up by gettext. // TRANS: Standard search suggestions shown when a search does not give any results. $message = _(<< Date: Mon, 1 Nov 2010 14:19:37 +0100 Subject: [PATCH 035/628] Update translator documentation. --- actions/othersettings.php | 18 ++++++++++++++---- 1 file changed, 14 insertions(+), 4 deletions(-) diff --git a/actions/othersettings.php b/actions/othersettings.php index 10e9873b39..e2366b79ea 100644 --- a/actions/othersettings.php +++ b/actions/othersettings.php @@ -46,7 +46,6 @@ require_once INSTALLDIR.'/lib/accountsettingsaction.php'; * @license http://www.fsf.org/licensing/licenses/agpl-3.0.html GNU Affero General Public License version 3.0 * @link http://status.net/ */ - class OthersettingsAction extends AccountSettingsAction { /** @@ -54,9 +53,9 @@ class OthersettingsAction extends AccountSettingsAction * * @return string Title of the page */ - function title() { + // Page title for a tab in user profile settings. return _('Other settings'); } @@ -68,6 +67,7 @@ class OthersettingsAction extends AccountSettingsAction function getInstructions() { + // TRANS: Instructions for tab "Other" in user profile settings. return _('Manage various other options.'); } @@ -105,6 +105,9 @@ class OthersettingsAction extends AccountSettingsAction { $services[$name]=$name; if($value['freeService']){ + // TRANS: Used as a suffix for free URL shorteners in a dropdown list in the tab "Other" of a + // TRANS: user's profile settings. This message has one space at the beginning. Use your + // TRANS: language's word separator here if it has one (most likely a single space). $services[$name].=_(' (free service)'); } } @@ -113,17 +116,22 @@ class OthersettingsAction extends AccountSettingsAction asort($services); $this->elementStart('li'); + // TRANS: Label for dropdown with URL shortener services. $this->dropdown('urlshorteningservice', _('Shorten URLs with'), + // TRANS: Tooltip for for dropdown with URL shortener services. $services, _('Automatic shortening service to use.'), false, $user->urlshorteningservice); $this->elementEnd('li'); } $this->elementStart('li'); + // TRANS: Label for checkbox. $this->checkbox('viewdesigns', _('View profile designs'), + // TRANS: Tooltip for checkbox. $user->viewdesigns, _('Show or hide profile designs.')); $this->elementEnd('li'); $this->elementEnd('ul'); - $this->submit('save', _('Save')); + // TRANS: Button text for saving "Other settings" in profile. + $this->submit('save', _m('BUTTON','Save')); $this->elementEnd('fieldset'); $this->elementEnd('form'); } @@ -150,7 +158,8 @@ class OthersettingsAction extends AccountSettingsAction $urlshorteningservice = $this->trimmed('urlshorteningservice'); if (!is_null($urlshorteningservice) && strlen($urlshorteningservice) > 50) { - $this->showForm(_('URL shortening service is too long (max 50 chars).')); + // TRANS: Form validation error for form "Other settings" in user profile. + $this->showForm(_('URL shortening service is too long (maximum 50 chars).')); return; } @@ -171,6 +180,7 @@ class OthersettingsAction extends AccountSettingsAction if ($result === false) { common_log_db_error($user, 'UPDATE', __FILE__); + // TRANS: Server error displayed when "Other" settings in user profile could not be updated on the server. $this->serverError(_('Couldn\'t update user.')); return; } From 6ab34fd8e8632e265d9e329a59272203be5169f7 Mon Sep 17 00:00:00 2001 From: Siebrand Mazeland Date: Mon, 1 Nov 2010 14:44:37 +0100 Subject: [PATCH 036/628] * i18n/L10n updates. * translator documentation added. * superfluous whitespace removed. --- actions/editapplication.php | 2 +- actions/licenseadminpanel.php | 2 +- actions/newapplication.php | 4 +-- actions/newnotice.php | 17 ++++++------ actions/othersettings.php | 2 +- actions/recoverpassword.php | 2 +- actions/sitenoticeadminpanel.php | 19 ++++++++------ actions/useradminpanel.php | 45 ++++++++++++++++++-------------- lib/groupeditform.php | 2 +- lib/mailhandler.php | 5 ++-- 10 files changed, 56 insertions(+), 44 deletions(-) diff --git a/actions/editapplication.php b/actions/editapplication.php index d1c7a5c3d5..760b1d284e 100644 --- a/actions/editapplication.php +++ b/actions/editapplication.php @@ -185,7 +185,7 @@ class EditApplicationAction extends OwnerDesignAction return; } elseif (mb_strlen($name) > 255) { // TRANS: Validation error shown when providing too long a name in the "Edit application" form. - $this->showForm(_('Name is too long (max 255 characters).')); + $this->showForm(_('Name is too long (maximum 255 characters).')); return; } else if ($this->nameExists($name)) { // TRANS: Validation error shown when providing a name for an application that already exists in the "Edit application" form. diff --git a/actions/licenseadminpanel.php b/actions/licenseadminpanel.php index 9165ca19d9..95ac48cc8f 100644 --- a/actions/licenseadminpanel.php +++ b/actions/licenseadminpanel.php @@ -153,7 +153,7 @@ class LicenseadminpanelAction extends AdminPanelAction // Make sure the license title is not too long if (mb_strlen($values['license']['type']) > 255) { $this->clientError( - _("Invalid license title. Max length is 255 characters.") + _('Invalid license title. Maximum length is 255 characters.') ); } diff --git a/actions/newapplication.php b/actions/newapplication.php index 033c0852d9..ae17545589 100644 --- a/actions/newapplication.php +++ b/actions/newapplication.php @@ -166,7 +166,7 @@ class NewApplicationAction extends OwnerDesignAction $this->showForm(_('Name already in use. Try another one.')); return; } elseif (mb_strlen($name) > 255) { - $this->showForm(_('Name is too long (maximum 255 chars).')); + $this->showForm(_('Name is too long (maximum 255 characters).')); return; } elseif (empty($description)) { $this->showForm(_('Description is required.')); @@ -196,7 +196,7 @@ class NewApplicationAction extends OwnerDesignAction $this->showForm(_('Organization is required.')); return; } elseif (mb_strlen($organization) > 255) { - $this->showForm(_('Organization is too long (maximum 255 chars).')); + $this->showForm(_('Organization is too long (maximum 255 characters).')); return; } elseif (empty($homepage)) { $this->showForm(_('Organization homepage is required.')); diff --git a/actions/newnotice.php b/actions/newnotice.php index 57cd847c6e..0d4dcfccd5 100644 --- a/actions/newnotice.php +++ b/actions/newnotice.php @@ -156,8 +156,11 @@ class NewnoticeAction extends Action $content_shortened = common_shorten_links($content); if (Notice::contentTooLong($content_shortened)) { - $this->clientError(sprintf(_('That\'s too long. '. - 'Max notice size is %d chars.'), + // TRANS: Client error displayed when the parameter "status" is missing. + // TRANS: %d is the maximum number of character for a notice. + $this->clientError(sprintf(_m('That\'s too long. Maximum notice size is %d character.', + 'That\'s too long. Maximum notice size is %d characters.', + Notice::maxContent()), Notice::maxContent())); } @@ -178,12 +181,10 @@ class NewnoticeAction extends Action if (Notice::contentTooLong($content_shortened)) { $upload->delete(); - $this->clientError( - sprintf( - _('Max notice size is %d chars, including attachment URL.'), - Notice::maxContent() - ) - ); + $this->clientError(sprintf(_m('Maximum notice size is %d character, including attachment URL.', + 'Maximum notice size is %d characters, including attachment URL.', + Notice::maxContent()), + Notice::maxContent())); } } diff --git a/actions/othersettings.php b/actions/othersettings.php index e2366b79ea..13460a4bfb 100644 --- a/actions/othersettings.php +++ b/actions/othersettings.php @@ -159,7 +159,7 @@ class OthersettingsAction extends AccountSettingsAction if (!is_null($urlshorteningservice) && strlen($urlshorteningservice) > 50) { // TRANS: Form validation error for form "Other settings" in user profile. - $this->showForm(_('URL shortening service is too long (maximum 50 chars).')); + $this->showForm(_('URL shortening service is too long (maximum 50 characters).')); return; } diff --git a/actions/recoverpassword.php b/actions/recoverpassword.php index f9956897f6..33b0440e40 100644 --- a/actions/recoverpassword.php +++ b/actions/recoverpassword.php @@ -362,7 +362,7 @@ class RecoverpasswordAction extends Action $confirm = $this->trimmed('confirm'); if (!$newpassword || strlen($newpassword) < 6) { - $this->showPasswordForm(_('Password must be 6 chars or more.')); + $this->showPasswordForm(_('Password must be 6 characters or more.')); return; } if ($newpassword != $confirm) { diff --git a/actions/sitenoticeadminpanel.php b/actions/sitenoticeadminpanel.php index bdcaa23557..797a6c4f4c 100644 --- a/actions/sitenoticeadminpanel.php +++ b/actions/sitenoticeadminpanel.php @@ -42,7 +42,6 @@ require_once INSTALLDIR.'/extlib/htmLawed/htmLawed.php'; * @license http://www.fsf.org/licensing/licenses/agpl-3.0.html GNU Affero General Public License version 3.0 * @link http://status.net/ */ - class SitenoticeadminpanelAction extends AdminPanelAction { /** @@ -50,9 +49,9 @@ class SitenoticeadminpanelAction extends AdminPanelAction * * @return string page title */ - function title() { + // TRANS: Page title for site-wide notice tab in admin panel. return _('Site Notice'); } @@ -61,9 +60,9 @@ class SitenoticeadminpanelAction extends AdminPanelAction * * @return string instructions */ - function getInstructions() { + // TRANS: Instructions for site-wide notice tab in admin panel. return _('Edit site-wide message'); } @@ -72,7 +71,6 @@ class SitenoticeadminpanelAction extends AdminPanelAction * * @return void */ - function showForm() { $form = new SiteNoticeAdminPanelForm($this); @@ -85,7 +83,6 @@ class SitenoticeadminpanelAction extends AdminPanelAction * * @return void */ - function saveSettings() { $siteNotice = $this->trimmed('site-notice'); @@ -100,6 +97,7 @@ class SitenoticeadminpanelAction extends AdminPanelAction $result = Config::save('site', 'notice', $siteNotice); if (!$result) { + // TRANS: Server error displayed when saving a site-wide notice was impossible. $this->ServerError(_("Unable to save site notice.")); } } @@ -110,7 +108,8 @@ class SitenoticeadminpanelAction extends AdminPanelAction if (mb_strlen($siteNotice) > 255) { $this->clientError( - _('Max length for the site-wide notice is 255 chars.') + // TRANS: Client error displayed when a site-wide notice was longer than allowed. + _('Maximum length for the site-wide notice is 255 characters.') ); } @@ -173,9 +172,11 @@ class SiteNoticeAdminPanelForm extends AdminForm $this->out->elementStart('li'); $this->out->textarea( 'site-notice', + // TRANS: Label for site-wide notice text field in admin panel. _('Site notice text'), common_config('site', 'notice'), - _('Site-wide notice text (255 chars max; HTML okay)') + // TRANS: Tooltip for site-wide notice text field in admin panel. + _('Site-wide notice text (255 characters maximum; HTML allowed)') ); $this->out->elementEnd('li'); @@ -192,9 +193,11 @@ class SiteNoticeAdminPanelForm extends AdminForm { $this->out->submit( 'submit', - _('Save'), + // TRANS: Button text for saving site notice in admin panel. + _m('BUTTON','Save'), 'submit', null, + // TRANS: Title for button to save site notice in admin panel. _('Save site notice') ); } diff --git a/actions/useradminpanel.php b/actions/useradminpanel.php index 04e0ca3e75..fc75e83b2d 100644 --- a/actions/useradminpanel.php +++ b/actions/useradminpanel.php @@ -45,7 +45,6 @@ if (!defined('STATUSNET')) { * @license http://www.fsf.org/licensing/licenses/agpl-3.0.html GNU Affero General Public License version 3.0 * @link http://status.net/ */ - class UseradminpanelAction extends AdminPanelAction { /** @@ -53,7 +52,6 @@ class UseradminpanelAction extends AdminPanelAction * * @return string page title */ - function title() { // TRANS: User admin panel title @@ -65,9 +63,9 @@ class UseradminpanelAction extends AdminPanelAction * * @return string instructions */ - function getInstructions() { + // TRANS: Instruction for user admin panel. return _('User settings for this StatusNet site'); } @@ -76,7 +74,6 @@ class UseradminpanelAction extends AdminPanelAction * * @return void */ - function showForm() { $form = new UserAdminPanelForm($this); @@ -89,7 +86,6 @@ class UseradminpanelAction extends AdminPanelAction * * @return void */ - function saveSettings() { static $settings = array( @@ -147,13 +143,15 @@ class UseradminpanelAction extends AdminPanelAction // Validate biolimit if (!Validate::number($values['profile']['biolimit'])) { - $this->clientError(_("Invalid bio limit. Must be numeric.")); + // TRANS: Form validation error in user admin panel when a non-numeric character limit was set. + $this->clientError(_('Invalid bio limit. Must be numeric.')); } // Validate welcome text if (mb_strlen($values['newuser']['welcome']) > 255) { - $this->clientError(_("Invalid welcome text. Max length is 255 characters.")); + // TRANS: Form validation error in user admin panel when welcome text is too long. + $this->clientError(_('Invalid welcome text. Maximum length is 255 characters.')); } // Validate default subscription @@ -163,7 +161,9 @@ class UseradminpanelAction extends AdminPanelAction if (empty($defuser)) { $this->clientError( sprintf( - _('Invalid default subscripton: \'%1$s\' is not user.'), + // TRANS: Client error displayed when trying to set a non-existing user as default subscription for new + // TRANS: users in user admin panel. %1$s is the invalid nickname. + _('Invalid default subscripton: \'%1$s\' is not a user.'), $values['newuser']['default'] ) ); @@ -179,7 +179,6 @@ class UserAdminPanelForm extends AdminForm * * @return int ID of the form */ - function id() { return 'useradminpanel'; @@ -190,7 +189,6 @@ class UserAdminPanelForm extends AdminForm * * @return string class of the form */ - function formClass() { return 'form_settings'; @@ -201,7 +199,6 @@ class UserAdminPanelForm extends AdminForm * * @return string URL of the action */ - function action() { return common_local_url('useradminpanel'); @@ -212,7 +209,6 @@ class UserAdminPanelForm extends AdminForm * * @return void */ - function formData() { $this->out->elementStart('fieldset', array('id' => 'settings_user-profile')); @@ -220,7 +216,9 @@ class UserAdminPanelForm extends AdminForm $this->out->elementStart('ul', 'form_data'); $this->li(); + // TRANS: Field label in user admin panel for setting the character limit for the bio field. $this->input('biolimit', _('Bio Limit'), + // TRANS: Tooltip in user admin panel for setting the character limit for the bio field. _('Maximum length of a profile bio in characters.'), 'profile'); $this->unli(); @@ -229,17 +227,22 @@ class UserAdminPanelForm extends AdminForm $this->out->elementEnd('fieldset'); $this->out->elementStart('fieldset', array('id' => 'settings_user-newusers')); + // TRANS: Form legend in user admin panel. $this->out->element('legend', null, _('New users')); $this->out->elementStart('ul', 'form_data'); $this->li(); + // TRANS: Field label in user admin panel for setting new user welcome text. $this->input('welcome', _('New user welcome'), - _('Welcome text for new users (Max 255 chars).'), + // TRANS: Tooltip in user admin panel for setting new user welcome text. + _('Welcome text for new users (maximum 255 characters).'), 'newuser'); $this->unli(); $this->li(); + // TRANS: Field label in user admin panel for setting default subscription for new users. $this->input('default', _('Default subscription'), + // TRANS: Tooltip in user admin panel for setting default subscription for new users. _('Automatically subscribe new users to this user.'), 'newuser'); $this->unli(); @@ -249,21 +252,21 @@ class UserAdminPanelForm extends AdminForm $this->out->elementEnd('fieldset'); $this->out->elementStart('fieldset', array('id' => 'settings_user-invitations')); + // TRANS: Form legend in user admin panel. $this->out->element('legend', null, _('Invitations')); $this->out->elementStart('ul', 'form_data'); $this->li(); + // TRANS: Field label for checkbox in user admin panel for allowing users to invite friend using site e-mail. $this->out->checkbox('invite-enabled', _('Invitations enabled'), (bool) $this->value('enabled', 'invite'), + // TRANS: Tooltip for checkbox in user admin panel for allowing users to invite friend using site e-mail. _('Whether to allow users to invite new users.')); $this->unli(); $this->out->elementEnd('ul'); $this->out->elementEnd('fieldset'); - - - } /** @@ -278,7 +281,6 @@ class UserAdminPanelForm extends AdminForm * * @return void */ - function input($setting, $title, $instructions, $section='site') { $this->out->input("$section-$setting", $title, $this->value($setting, $section), $instructions); @@ -289,9 +291,14 @@ class UserAdminPanelForm extends AdminForm * * @return void */ - function formActions() { - $this->out->submit('submit', _('Save'), 'submit', null, _('Save user settings')); + $this->out->submit('submit', + // TRANS: Button text to save user settings in user admin panel. + _m('BUTTON','Save'), + 'submit', + null, + // TRANS: Title for button to save user settings in user admin panel. + _('Save user settings')); } } diff --git a/lib/groupeditform.php b/lib/groupeditform.php index f939fc1b65..cc25f06886 100644 --- a/lib/groupeditform.php +++ b/lib/groupeditform.php @@ -204,6 +204,6 @@ class GroupEditForm extends Form function formActions() { - $this->out->submit('submit', _('Save')); + $this->out->submit('submit', _m('BUTTON','Save')); } } diff --git a/lib/mailhandler.php b/lib/mailhandler.php index e9ba418399..69eb26bdd8 100644 --- a/lib/mailhandler.php +++ b/lib/mailhandler.php @@ -57,8 +57,9 @@ class MailHandler $msg = $this->cleanup_msg($msg); $msg = common_shorten_links($msg); if (Notice::contentTooLong($msg)) { - $this->error($from, sprintf(_('That\'s too long. '. - 'Max notice size is %d chars.'), + $this->error($from, sprintf(_('That\'s too long. Maximum notice size is %d character.', + 'That\'s too long. Maximum notice size is %d characters.', + Notice::maxContent()), Notice::maxContent())); } From 760a1c27bc37a20b70788e5e132c4cf9da1bb579 Mon Sep 17 00:00:00 2001 From: Siebrand Mazeland Date: Mon, 1 Nov 2010 16:26:23 +0100 Subject: [PATCH 037/628] Update translator documentation. --- actions/deleteapplication.php | 11 ++++++----- actions/deletegroup.php | 4 ++-- actions/deletenotice.php | 11 ++++++++--- 3 files changed, 16 insertions(+), 10 deletions(-) diff --git a/actions/deleteapplication.php b/actions/deleteapplication.php index 806de0be6e..272a91762c 100644 --- a/actions/deleteapplication.php +++ b/actions/deleteapplication.php @@ -40,7 +40,6 @@ if (!defined('STATUSNET') && !defined('LACONICA')) { * @license http://www.fsf.org/licensing/licenses/agpl.html AGPLv3 * @link http://status.net/ */ - class DeleteapplicationAction extends Action { var $app = null; @@ -52,7 +51,6 @@ class DeleteapplicationAction extends Action * * @return boolean success flag */ - function prepare($args) { if (!parent::prepare($args)) { @@ -60,6 +58,7 @@ class DeleteapplicationAction extends Action } if (!common_logged_in()) { + // TRANS: Client error displayed trying to delete an application while not logged in. $this->clientError(_('You must be logged in to delete an application.')); return false; } @@ -68,6 +67,7 @@ class DeleteapplicationAction extends Action $this->app = Oauth_application::staticGet('id', $id); if (empty($this->app)) { + // TRANS: Client error displayed trying to delete an application that does not exist. $this->clientError(_('Application not found.')); return false; } @@ -75,6 +75,7 @@ class DeleteapplicationAction extends Action $cur = common_current_user(); if ($cur->id != $this->app->owner) { + // TRANS: Client error displayed trying to delete an application the current user does not own. $this->clientError(_('You are not the owner of this application.'), 401); return false; } @@ -91,7 +92,6 @@ class DeleteapplicationAction extends Action * * @return void */ - function handle($args) { if ($_SERVER['REQUEST_METHOD'] == 'POST') { @@ -120,6 +120,7 @@ class DeleteapplicationAction extends Action } function title() { + // TRANS: Title for delete application page. return _('Delete application'); } @@ -144,8 +145,10 @@ class DeleteapplicationAction extends Action array('id' => $this->app->id)))); $this->elementStart('fieldset'); $this->hidden('token', common_session_token()); + // TRANS: Fieldset legend on delete application page. $this->element('legend', _('Delete application')); $this->element('p', null, + // TRANS: Confirmation text on delete application page. _('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.')); @@ -171,10 +174,8 @@ class DeleteapplicationAction extends Action * * @return void */ - function handlePost() { $this->app->delete(); } } - diff --git a/actions/deletegroup.php b/actions/deletegroup.php index 62fff00c48..4e9b9851f1 100644 --- a/actions/deletegroup.php +++ b/actions/deletegroup.php @@ -172,7 +172,7 @@ class DeletegroupAction extends RedirectingAction } function title() { - // TRANS: Title. + // TRANS: Title of delete group page. return _('Delete group'); } @@ -201,8 +201,8 @@ class DeletegroupAction extends RedirectingAction // TRANS: Form legend for deleting a group. $this->element('legend', _('Delete group')); if (Event::handle('StartDeleteGroupForm', array($this, $this->group))) { - // TRANS: Warning in form for deleleting a group. $this->element('p', null, + // TRANS: Warning in form for deleleting a group. _('Are you sure you want to delete this group? '. 'This will clear all data about the group from the '. 'database, without a backup. ' . diff --git a/actions/deletenotice.php b/actions/deletenotice.php index 2879faa5df..a7ac28e19c 100644 --- a/actions/deletenotice.php +++ b/actions/deletenotice.php @@ -32,6 +32,7 @@ if (!defined('STATUSNET') && !defined('LACONICA')) { exit(1); } +// @todo FIXME: documentation needed. class DeletenoticeAction extends Action { var $error = null; @@ -47,6 +48,7 @@ class DeletenoticeAction extends Action $this->user = common_current_user(); if (!$this->user) { + // TRANS: Error message displayed trying to delete a notice while not logged in. common_user_error(_('Not logged in.')); exit; } @@ -55,6 +57,7 @@ class DeletenoticeAction extends Action $this->notice = Notice::staticGet($notice_id); if (!$this->notice) { + // TRANS: Error message displayed trying to delete a non-existing notice. common_user_error(_('No such notice.')); exit; } @@ -71,6 +74,7 @@ class DeletenoticeAction extends Action if ($this->notice->profile_id != $this->user_profile->id && !$this->user->hasRight(Right::DELETEOTHERSNOTICE)) { + // TRANS: Error message displayed trying to delete a notice that was not made by the current user. common_user_error(_('Can\'t delete this notice.')); exit; } @@ -90,7 +94,6 @@ class DeletenoticeAction extends Action * * @return void */ - function showPageNotice() { $instr = $this->getInstructions(); @@ -103,12 +106,14 @@ class DeletenoticeAction extends Action function getInstructions() { + // TRANS: Instructions for deleting a notice. return _('You are about to permanently delete a notice. ' . 'Once this is done, it cannot be undone.'); } function title() { + // TRANS: Page title when deleting a notice. return _('Delete notice'); } @@ -121,7 +126,6 @@ class DeletenoticeAction extends Action * * @return void */ - function showForm($error = null) { $this->error = $error; @@ -133,7 +137,6 @@ class DeletenoticeAction extends Action * * @return void */ - function showContent() { $this->elementStart('form', array('id' => 'form_notice_delete', @@ -141,9 +144,11 @@ class DeletenoticeAction extends Action 'method' => 'post', 'action' => common_local_url('deletenotice'))); $this->elementStart('fieldset'); + // TRANS: Fieldset legend for the delete notice form. $this->element('legend', null, _('Delete notice')); $this->hidden('token', common_session_token()); $this->hidden('notice', $this->trimmed('notice')); + // TRANS: Message for the delete notice form. $this->element('p', null, _('Are you sure you want to delete this notice?')); $this->submit('form_action-no', // TRANS: Button label on the delete notice form. From b54afa0cbc305df4177bb4b081bbc00b002409fd Mon Sep 17 00:00:00 2001 From: Zach Copley Date: Mon, 1 Nov 2010 23:50:45 +0000 Subject: [PATCH 038/628] Facebook SSO - add ability to register a new user or connect to an existing local account --- plugins/FacebookSSO/facebookregister.php | 548 +++++++++++++++++++++++ 1 file changed, 548 insertions(+) create mode 100644 plugins/FacebookSSO/facebookregister.php diff --git a/plugins/FacebookSSO/facebookregister.php b/plugins/FacebookSSO/facebookregister.php new file mode 100644 index 0000000000..e21deff880 --- /dev/null +++ b/plugins/FacebookSSO/facebookregister.php @@ -0,0 +1,548 @@ +. + * + * @category Plugin + * @package StatusNet + * @author Zach Copley + * @copyright 2010 StatusNet, Inc. + * @license http://www.fsf.org/licensing/licenses/agpl-3.0.html GNU Affero General Public License version 3.0 + * @link http://status.net/ + */ + +if (!defined('STATUSNET')) { + exit(1); +} + +class FacebookregisterAction extends Action +{ + + private $facebook = null; // Facebook client + private $fbuid = null; // Facebook user ID + private $fbuser = null; // Facebook user object (JSON) + + function prepare($args) { + + parent::prepare($args); + + $this->facebook = new Facebook( + array( + 'appId' => common_config('facebook', 'appid'), + 'secret' => common_config('facebook', 'secret'), + 'cookie' => true, + ) + ); + + // Check for a Facebook user session + + $session = $this->facebook->getSession(); + $me = null; + + if ($session) { + try { + $this->fbuid = $this->facebook->getUser(); + $this->fbuser = $this->facebook->api('/me'); + } catch (FacebookApiException $e) { + common_log(LOG_ERROR, $e, __FILE__); + } + } + + if (!empty($this->fbuser)) { + + // OKAY, all is well... proceed to register + + common_debug("Found a valid Facebook user.", __FILE__); + } else { + + // This shouldn't happen in the regular course of things + + list($proxy, $ip) = common_client_ip(); + + common_log( + LOG_WARNING, + sprintf( + 'Failed Facebook authentication attempt, proxy = %s, ip = %s.', + $proxy, + $ip + ), + __FILE__ + ); + + $this->clientError( + _m('You must be logged into Facebook to register a local account using Facebook.') + ); + } + + return true; + } + + function handle($args) + { + parent::handle($args); + + if (common_is_real_login()) { + + // User is already logged in, are her accounts already linked? + + $flink = Foreign_link::getByForeignID($this->fbuid, FACEBOOK_SERVICE); + + if (!empty($flink)) { + + // User already has a linked Facebook account and shouldn't be here! + + common_debug( + sprintf( + 'There\'s already a local user %d linked with Facebook user %s.', + $flink->user_id, + $this->fbuid + ) + ); + + $this->clientError( + _m('There is already a local account linked with that Facebook account.') + ); + + } else { + + // Possibly reconnect an existing account + + $this->connectUser(); + } + + } else if ($_SERVER['REQUEST_METHOD'] == 'POST') { + + $token = $this->trimmed('token'); + + if (!$token || $token != common_session_token()) { + $this->showForm( + _m('There was a problem with your session token. Try again, please.')); + return; + } + + if ($this->arg('create')) { + + if (!$this->boolean('license')) { + $this->showForm( + _m('You can\'t register if you don\'t agree to the license.'), + $this->trimmed('newname') + ); + return; + } + + // We has a valid Facebook session and the Facebook user has + // agreed to the SN license, so create a new user + $this->createNewUser(); + + } else if ($this->arg('connect')) { + + $this->connectNewUser(); + + } else { + + $this->showForm( + _m('An unknown error has occured.'), + $this->trimmed('newname') + ); + } + } else { + + $this->tryLogin(); + } + } + + function showPageNotice() + { + if ($this->error) { + + $this->element('div', array('class' => 'error'), $this->error); + + } else { + + $this->element( + 'div', 'instructions', + // TRANS: %s is the site name. + sprintf( + _m('This is the first time you\'ve logged into %s so we must connect your Facebook to a local account. You can either create a new local account, or connect with an existing local account.'), + common_config('site', 'name') + ) + ); + } + } + + function title() + { + // TRANS: Page title. + return _m('Facebook Setup'); + } + + function showForm($error=null, $username=null) + { + $this->error = $error; + $this->username = $username; + + $this->showPage(); + } + + function showPage() + { + parent::showPage(); + } + + /** + * @fixme much of this duplicates core code, which is very fragile. + * Should probably be replaced with an extensible mini version of + * the core registration form. + */ + function showContent() + { + if (!empty($this->message_text)) { + $this->element('p', null, $this->message); + return; + } + + $this->elementStart('form', array('method' => 'post', + 'id' => 'form_settings_facebook_connect', + 'class' => 'form_settings', + 'action' => common_local_url('facebookregister'))); + $this->elementStart('fieldset', array('id' => 'settings_facebook_connect_options')); + // TRANS: Legend. + $this->element('legend', null, _m('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')); + // TRANS: %s is the name of the license used by the user for their status updates. + $message = _m('My text and files are available under %s ' . + 'except this private data: password, ' . + 'email address, IM address, and phone number.'); + $link = '' . + htmlspecialchars(common_config('license', 'title')) . + ''; + $this->raw(sprintf(htmlspecialchars($message), $link)); + $this->elementEnd('label'); + $this->elementEnd('li'); + $this->elementEnd('ul'); + + $this->elementStart('fieldset'); + $this->hidden('token', common_session_token()); + $this->element('legend', null, + // TRANS: Legend. + _m('Create new account')); + $this->element('p', null, + _m('Create a new user with this nickname.')); + $this->elementStart('ul', 'form_data'); + $this->elementStart('li'); + // TRANS: Field label. + $this->input('newname', _m('New nickname'), + ($this->username) ? $this->username : '', + _m('1-64 lowercase letters or numbers, no punctuation or spaces')); + $this->elementEnd('li'); + $this->elementEnd('ul'); + // TRANS: Submit button. + $this->submit('create', _m('BUTTON','Create')); + $this->elementEnd('fieldset'); + + $this->elementStart('fieldset'); + // TRANS: Legend. + $this->element('legend', null, + _m('Connect existing account')); + $this->element('p', null, + _m('If you already have an account, login with your username and password to connect it to your Facebook.')); + $this->elementStart('ul', 'form_data'); + $this->elementStart('li'); + // TRANS: Field label. + $this->input('nickname', _m('Existing nickname')); + $this->elementEnd('li'); + $this->elementStart('li'); + $this->password('password', _m('Password')); + $this->elementEnd('li'); + $this->elementEnd('ul'); + // TRANS: Submit button. + $this->submit('connect', _m('BUTTON','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')) { + // TRANS: Client error trying to register with registrations not allowed. + $this->clientError(_m('Registration not allowed.')); + return; + } + + $invite = null; + + if (common_config('site', 'inviteonly')) { + $code = $_SESSION['invitecode']; + if (empty($code)) { + // TRANS: Client error trying to register with registrations 'invite only'. + $this->clientError(_m('Registration not allowed.')); + return; + } + + $invite = Invitation::staticGet($code); + + if (empty($invite)) { + // TRANS: Client error trying to register with an invalid invitation code. + $this->clientError(_m('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(_m('Nickname must have only lowercase letters and numbers and no spaces.')); + return; + } + + if (!User::allowed_nickname($nickname)) { + $this->showForm(_m('Nickname not allowed.')); + return; + } + + if (User::staticGet('nickname', $nickname)) { + $this->showForm(_m('Nickname already in use. Try another one.')); + return; + } + + $args = array( + 'nickname' => $nickname, + 'fullname' => $this->fbuser['firstname'] . ' ' . $this->fbuser['lastname'], + // XXX: Figure out how to get email + 'homepage' => $this->fbuser['link'], + 'bio' => $this->fbuser['about'], + 'location' => $this->fbuser['location']['name'] + ); + + if (!empty($invite)) { + $args['code'] = $invite->code; + } + + $user = User::register($args); + + $result = $this->flinkUser($user->id, $this->fbuid); + + if (!$result) { + $this->serverError(_m('Error connecting user to Facebook.')); + return; + } + + common_set_user($user); + common_real_login(true); + + common_log( + LOG_INFO, + sprintf( + 'Registered new user %d from Facebook user %s', + $user->id, + $this->fbuid + ), + __FILE__ + ); + + 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(_m('Invalid username or password.')); + return; + } + + $user = User::staticGet('nickname', $nickname); + + if (!empty($user)) { + common_debug('Facebook Connect Plugin - ' . + "Legit user to connect to Facebook: $nickname"); + } + + $result = $this->flinkUser($user->id, $this->fbuid); + + if (!$result) { + $this->serverError(_m('Error connecting user to Facebook.')); + return; + } + + common_debug('Facebook Connnect Plugin - ' . + "Connected Facebook 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->fbuid); + + if (empty($result)) { + $this->serverError(_m('Error connecting user to Facebook.')); + return; + } + + common_debug('Facebook Connect Plugin - ' . + "Connected Facebook user $this->fbuid to local user $user->id"); + + // Return to Facebook connection settings tab + common_redirect(common_local_url('FBConnectSettings'), 303); + } + + function tryLogin() + { + common_debug('Facebook Connect Plugin - ' . + "Trying login for Facebook user $this->fbuid."); + + $flink = Foreign_link::getByForeignID($this->fbuid, FACEBOOK_CONNECT_SERVICE); + + if (!empty($flink)) { + $user = $flink->getUser(); + + if (!empty($user)) { + + common_debug('Facebook Connect Plugin - ' . + "Logged in Facebook 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('Facebook Connect Plugin - ' . + "No flink found for fbuid: $this->fbuid - 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, $fbuid) + { + $flink = new Foreign_link(); + $flink->user_id = $user_id; + $flink->foreign_id = $fbuid; + $flink->service = FACEBOOK_SERVICE; + + // Pull the access token from the Facebook cookies + $flink->credentials = $this->facebook->getAccessToken(); + + $flink->created = common_sql_now(); + + $flink_id = $flink->insert(); + + return $flink_id; + } + + function bestNewNickname() + { + if (!empty($this->fbuser['name'])) { + $nickname = $this->nicknamize($this->fbuser['name']); + if ($this->isNewNickname($nickname)) { + return $nickname; + } + } + + // Try the full name + + $fullname = trim($this->fbuser['firstname'] . + ' ' . $this->fbuser['lastname']); + + if (!empty($fullname)) { + $fullname = $this->nicknamize($fullname); + if ($this->isNewNickname($fullname)) { + return $fullname; + } + } + + return null; + } + + /** + * Given a string, try to make it work as a nickname + */ + function nicknamize($str) + { + $str = preg_replace('/\W/', '', $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; + } + +} From 5ccc548bbcdd62e1b6aba3cd79372b4ace12d16b Mon Sep 17 00:00:00 2001 From: Zach Copley Date: Tue, 2 Nov 2010 01:41:31 +0000 Subject: [PATCH 039/628] Facebook SSO - new settings page --- plugins/FacebookSSO/FacebookSSOPlugin.php | 44 +++- plugins/FacebookSSO/facebooklogin.php | 91 +++++++- plugins/FacebookSSO/facebooksettings.php | 264 ++++++++++++++++++++++ 3 files changed, 396 insertions(+), 3 deletions(-) create mode 100644 plugins/FacebookSSO/facebooksettings.php diff --git a/plugins/FacebookSSO/FacebookSSOPlugin.php b/plugins/FacebookSSO/FacebookSSOPlugin.php index f4790f7056..fca0275af0 100644 --- a/plugins/FacebookSSO/FacebookSSOPlugin.php +++ b/plugins/FacebookSSO/FacebookSSOPlugin.php @@ -32,6 +32,8 @@ if (!defined('STATUSNET')) { exit(1); } +define("FACEBOOK_SERVICE", 2); + /** * Main class for Facebook single-sign-on plugin * @@ -136,7 +138,9 @@ class FacebookSSOPlugin extends Plugin include_once $dir . '/extlib/facebook.php'; return false; case 'FacebookloginAction': + case 'FacebookregisterAction': case 'FacebookadminpanelAction': + case 'FacebooksettingsAction': include_once $dir . '/' . strtolower(mb_substr($cls, 0, -6)) . '.php'; return false; default: @@ -165,7 +169,21 @@ class FacebookSSOPlugin extends Plugin // Only add these routes if an application has been setup on // Facebook for the plugin to use. if ($this->hasApplication()) { - $m->connect('main/facebooklogin', array('action' => 'facebooklogin')); + + $m->connect( + 'main/facebooklogin', + array('action' => 'facebooklogin') + ); + $m->connect( + 'main/facebookregister', + array('action' => 'facebookregister') + ); + + $m->connect( + 'settings/facebook', + array('action' => 'facebooksettings') + ); + } return true; @@ -224,6 +242,30 @@ class FacebookSSOPlugin extends Plugin return true; } + /* + * Add a tab for managing Facebook Connect settings + * + * @param Action &action the current action + * + * @return void + */ + function onEndConnectSettingsNav(&$action) + { + if ($this->hasApplication()) { + $action_name = $action->trimmed('action'); + + $action->menuItem(common_local_url('facebooksettings'), + // @todo CHECKME: Should be 'Facebook Connect'? + // TRANS: Menu item tab. + _m('MENU','Facebook'), + // TRANS: Tooltip for menu item "Facebook". + _m('Facebook Connect Settings'), + $action_name === 'facebooksettings'); + } + + return true; + } + /* * Is there a Facebook application for the plugin to use? */ diff --git a/plugins/FacebookSSO/facebooklogin.php b/plugins/FacebookSSO/facebooklogin.php index 9ea687d5d9..fce481fc03 100644 --- a/plugins/FacebookSSO/facebooklogin.php +++ b/plugins/FacebookSSO/facebooklogin.php @@ -39,12 +39,91 @@ class FacebookloginAction extends Action parent::handle($args); if (common_is_real_login()) { + $this->clientError(_m('Already logged in.')); + + } else { + + $facebook = new Facebook( + array( + 'appId' => common_config('facebook', 'appid'), + 'secret' => common_config('facebook', 'secret'), + 'cookie' => true, + ) + ); + + $session = $facebook->getSession(); + $me = null; + + if ($session) { + try { + $fbuid = $facebook->getUser(); + $fbuser = $facebook->api('/me'); + } catch (FacebookApiException $e) { + common_log(LOG_ERROR, $e); + } + } + + if (!empty($fbuser)) { + common_debug("Found a valid Facebook user", __FILE__); + + // Check to see if we have a foreign link already + $flink = Foreign_link::getByForeignId($fbuid, FACEBOOK_SERVICE); + + if (empty($flink)) { + + // See if the user would like to register a new local + // account + common_redirect( + common_local_url('facebookregister'), + 303 + ); + + } else { + + // Log our user in! + $user = $flink->getUser(); + + if (!empty($user)) { + + common_debug( + sprintf( + 'Logged in Facebook user $s as user %d (%s)', + $this->fbuid, + $user->id, + $user->nickname + ), + __FILE__ + ); + + common_set_user($user); + common_real_login(true); + $this->goHome($user->nickname); + } + } + + } } - + $this->showPage(); } + 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 getInstructions() { // TRANS: Instructions. @@ -69,7 +148,15 @@ class FacebookloginAction extends Action function showContent() { $this->elementStart('fieldset'); - $this->element('fb:login-button'); + + $attrs = array( + 'show-faces' => 'true', + 'width' => '100', + 'max-rows' => '2', + 'perms' => 'user_location,user_website,offline_access,publish_stream' + ); + + $this->element('fb:login-button', $attrs); $this->elementEnd('fieldset'); } diff --git a/plugins/FacebookSSO/facebooksettings.php b/plugins/FacebookSSO/facebooksettings.php new file mode 100644 index 0000000000..e511810369 --- /dev/null +++ b/plugins/FacebookSSO/facebooksettings.php @@ -0,0 +1,264 @@ +. + * + * @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); +} + +/** + * Settings for Facebook + * + * @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 FacebooksettingsAction extends ConnectSettingsAction +{ + private $facebook; + private $flink; + private $user; + + function prepare($args) + { + parent::prepare($args); + + $this->facebook = new Facebook( + array( + 'appId' => common_config('facebook', 'appid'), + 'secret' => common_config('facebook', 'secret'), + 'cookie' => true, + ) + ); + + $this->user = common_current_user(); + $this->flink = Foreign_link::getByUserID($this->user->id, FACEBOOK_SERVICE); + + return true; + } + + function handlePost($args) + { + // CSRF protection + + $token = $this->trimmed('token'); + if (!$token || $token != common_session_token()) { + $this->showForm( + _m('There was a problem with your session token. Try again, please.') + ); + return; + } + + if ($this->arg('save')) { + $this->saveSettings(); + } else if ($this->arg('disconnect')) { + $this->disconnect(); + } + } + + function title() + { + // TRANS: Page title for Facebook settings. + return _m('Facebook settings'); + } + + /** + * Instructions for use + * + * @return instructions for use + */ + + function getInstructions() + { + return _('Facebook settings'); + } + + function showContent() + { + + if (empty($this->flink)) { + + $this->element( + 'p', + 'instructions', + _m('There is no Facebook user connected to this account.') + ); + + $attrs = array( + 'show-faces' => 'true', + 'perms' => 'user_location,user_website,offline_access,publish_stream' + ); + + $this->element('fb:login-button', $attrs); + + + } else { + + $this->elementStart( + 'form', + array( + 'method' => 'post', + 'id' => 'form_settings_facebook', + 'class' => 'form_settings', + 'action' => common_local_url('facebooksettings') + ) + ); + + $this->hidden('token', common_session_token()); + + $this->element('p', 'form_note', _m('Connected Facebook user')); + + $this->elementStart('p', array('class' => 'facebook-user-display')); + + $this->elementStart( + 'fb:profile-pic', + array('uid' => $this->flink->foreign_id, + 'size' => 'small', + 'linked' => 'true', + 'facebook-logo' => 'true') + ); + $this->elementEnd('fb:profile-pic'); + + $this->elementStart( + 'fb:name', + array('uid' => $this->flink->foreign_id, 'useyou' => 'false') + ); + + $this->elementEnd('fb:name'); + + $this->elementEnd('p'); + + $this->elementStart('ul', 'form_data'); + + $this->elementStart('li'); + + $this->checkbox( + 'noticesync', + _m('Publish my notices to Facebook.'), + ($this->flink) ? ($this->flink->noticesync & FOREIGN_NOTICE_SEND) : true + ); + + $this->elementEnd('li'); + + $this->elementStart('li'); + + $this->checkbox( + 'replysync', + _m('Send "@" replies to Facebook.'), + ($this->flink) ? ($this->flink->noticesync & FOREIGN_NOTICE_SEND_REPLY) : true + ); + + $this->elementEnd('li'); + + $this->elementStart('li'); + + // TRANS: Submit button to save synchronisation settings. + $this->submit('save', _m('BUTTON','Save')); + + $this->elementEnd('li'); + + $this->elementEnd('ul'); + + $this->elementStart('fieldset'); + + // TRANS: Legend. + $this->element('legend', null, _m('Disconnect my account from Facebook')); + + if (empty($this->user->password)) { + + $this->elementStart('p', array('class' => 'form_guide')); + // @todo FIXME: Bad i18n. Patchwork message in three parts. + // TRANS: Followed by a link containing text "set a password". + $this->text(_m('Disconnecting your Faceboook ' . + 'would make it impossible to log in! Please ')); + $this->element('a', + array('href' => common_local_url('passwordsettings')), + // TRANS: Preceded by "Please " and followed by " first." + _m('set a password')); + // TRANS: Preceded by "Please set a password". + $this->text(_m(' first.')); + $this->elementEnd('p'); + } else { + + $note = 'Keep your %s account but disconnect from Facebook. ' . + 'You\'ll use your %s password to log in.'; + + $site = common_config('site', 'name'); + + $this->element('p', 'instructions', + sprintf($note, $site, $site)); + + // TRANS: Submit button. + $this->submit('disconnect', _m('BUTTON','Disconnect')); + } + + $this->elementEnd('fieldset'); + + $this->elementEnd('form'); + } + } + + function saveSettings() + { + + $noticesync = $this->boolean('noticesync'); + $replysync = $this->boolean('replysync'); + + $original = clone($this->flink); + $this->flink->set_flags($noticesync, false, $replysync, false); + $result = $this->flink->update($original); + + if ($result === false) { + $this->showForm(_m('There was a problem saving your sync preferences.')); + } else { + // TRANS: Confirmation that synchronisation settings have been saved into the system. + $this->showForm(_m('Sync preferences saved.'), true); + } + } + + function disconnect() + { + $flink = Foreign_link::getByUserID($this->user->id, FACEBOOK_SERVICE); + $result = $flink->delete(); + + if ($result === false) { + common_log_db_error($user, 'DELETE', __FILE__); + $this->serverError(_m('Couldn\'t delete link to Facebook.')); + return; + } + + $this->showForm(_m('You have disconnected from Facebook.'), true); + + } +} + From 151eebcc289884259e18e95b2d707a2fc1c72b0e Mon Sep 17 00:00:00 2001 From: Brion Vibber Date: Tue, 2 Nov 2010 11:39:38 -0700 Subject: [PATCH 040/628] Starting on making Realtime plugin's UI messages localizable: pause/play, popup button text and tooltip text are now loaded from PHP code where we can get at gettext. --- plugins/Realtime/RealtimePlugin.php | 24 ++++++++++++++++++++++++ plugins/Realtime/realtimeupdate.js | 24 ++++++++++++++---------- 2 files changed, 38 insertions(+), 10 deletions(-) diff --git a/plugins/Realtime/RealtimePlugin.php b/plugins/Realtime/RealtimePlugin.php index 352afcf785..7a40cdca31 100644 --- a/plugins/Realtime/RealtimePlugin.php +++ b/plugins/Realtime/RealtimePlugin.php @@ -106,7 +106,9 @@ class RealtimePlugin extends Plugin $realtimeUI = ' RealtimeUpdate.initActions("'.$url.'", "'.$timeline.'", "'. $pluginPath .'");'; } + $i18n = $this->_getMessages(); $script = ' $(document).ready(function() { '. + 'RealtimeUpdate._messages=' . json_encode($i18n) . ';' . $realtimeUI. $this->_updateInitialize($timeline, $user_id). '}); '; @@ -326,6 +328,28 @@ class RealtimePlugin extends Plugin return array('plugins/Realtime/realtimeupdate.js'); } + /** + * Any i18n messages that need to be loaded at runtime. + * @return array of string key to output text string pairs + */ + function _getMessages() + { + return array( + // TRANS: Text label for realtime view "play" button, usually replaced by an icon. + 'play' => _m('BUTTON', 'Play'), + // TRANS: Tooltip for realtime view "play" button. + 'play_tooltip' => _m('TOOLTIP', 'Play'), + // TRANS: Text label for realtime view "pause" button + 'pause' => _m('BUTTON', 'Pause'), + // TRANS: Tooltip for realtime view "pause" button + 'pause_tooltip' => _m('TOOLTIP', 'Pause'), + // TRANS: Text label for realtime view "popup" button, usually replaced by an icon. + 'popup' => _m('BUTTON', 'Pop up'), + // TRANS: Tooltip for realtime view "popup" button. + 'popup_tooltip' => _m('TOOLTIP', 'Pop up in a window'), + ); + } + function _updateInitialize($timeline, $user_id) { return "RealtimeUpdate.init($user_id, \"$this->replyurl\", \"$this->favorurl\", \"$this->repeaturl\", \"$this->deleteurl\"); "; diff --git a/plugins/Realtime/realtimeupdate.js b/plugins/Realtime/realtimeupdate.js index 25dc12d584..f764ca738d 100644 --- a/plugins/Realtime/realtimeupdate.js +++ b/plugins/Realtime/realtimeupdate.js @@ -40,6 +40,7 @@ RealtimeUpdate = { _documenttitle: '', _paused:false, _queuedNotices:[], + _messages:{}, init: function(userid, replyurl, favorurl, repeaturl, deleteurl) { @@ -261,9 +262,10 @@ RealtimeUpdate = { RealtimeUpdate.addNoticesHover(); $('#realtime_playpause').remove(); - $('#realtime_actions').prepend('
  • '); - - $('#realtime_pause').bind('click', function() { + $('#realtime_actions').prepend('
  • '); + $('#realtime_pause').text(RealtimeUpdate._messages['pause']) + .attr('title', RealtimeUpdate._messages['pause_tooltip']) + .bind('click', function() { RealtimeUpdate.removeNoticesHover(); RealtimeUpdate.showPlay(); return false; @@ -274,9 +276,10 @@ RealtimeUpdate = { { RealtimeUpdate.setPause(true); $('#realtime_playpause').remove(); - $('#realtime_actions').prepend('
  • '); - - $('#realtime_play').bind('click', function() { + $('#realtime_actions').prepend('
  • '); + $('#realtime_play').text(RealtimeUpdate._messages['play']) + .attr('title', RealtimeUpdate._messages['play_tooltip']) + .bind('click', function() { RealtimeUpdate.showPause(); return false; }); @@ -334,10 +337,11 @@ RealtimeUpdate = { initAddPopup: function(url, timeline, path) { - $('#realtime_timeline').append(''); - - $('#realtime_popup').bind('click', function() { - window.open(url, + $('#realtime_timeline').append(''); + $('#realtime_popup').text(RealtimeUpdate._messages['popup']) + .attr('title', RealtimeUpdate._messages['popup_tooltip']) + .bind('click', function() { + window.open(url, '', 'toolbar=no,resizable=yes,scrollbars=yes,status=no,menubar=no,personalbar=no,location=no,width=500,height=550'); From 194bb022526d2f2fcc447a0e4835a4e5bb12baa2 Mon Sep 17 00:00:00 2001 From: Siebrand Mazeland Date: Tue, 2 Nov 2010 20:49:34 +0100 Subject: [PATCH 041/628] * add POT file * remove superfluous whitespace * break lines at 80 or before in README --- plugins/Realtime/README | 4 +-- plugins/Realtime/RealtimePlugin.php | 1 - plugins/Realtime/locale/Realtime.pot | 53 ++++++++++++++++++++++++++++ plugins/Realtime/realtimeupdate.css | 2 -- 4 files changed, 55 insertions(+), 5 deletions(-) create mode 100644 plugins/Realtime/locale/Realtime.pot diff --git a/plugins/Realtime/README b/plugins/Realtime/README index 99c79cfab5..9b36d87f37 100644 --- a/plugins/Realtime/README +++ b/plugins/Realtime/README @@ -5,6 +5,6 @@ * Pause ~ retain up to 50-100 most recent notices * Add geo data * Make it work for Conversation page (perhaps a little tricky) -* IE is updating the counter in document title all the time (Not sure if this is still an issue) +* IE is updating the counter in document title all the time (Not sure if this + is still an issue) * Reconsider the timestamp approach - diff --git a/plugins/Realtime/RealtimePlugin.php b/plugins/Realtime/RealtimePlugin.php index 7a40cdca31..23e8fb4d9e 100644 --- a/plugins/Realtime/RealtimePlugin.php +++ b/plugins/Realtime/RealtimePlugin.php @@ -43,7 +43,6 @@ if (!defined('STATUSNET') && !defined('LACONICA')) { * @license http://www.fsf.org/licensing/licenses/agpl-3.0.html GNU Affero General Public License version 3.0 * @link http://status.net/ */ - class RealtimePlugin extends Plugin { protected $replyurl = null; diff --git a/plugins/Realtime/locale/Realtime.pot b/plugins/Realtime/locale/Realtime.pot new file mode 100644 index 0000000000..e491ce0c75 --- /dev/null +++ b/plugins/Realtime/locale/Realtime.pot @@ -0,0 +1,53 @@ +# 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-11-02 19:46+0000\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" + +#. TRANS: Text label for realtime view "play" button, usually replaced by an icon. +#: RealtimePlugin.php:339 +msgctxt "BUTTON" +msgid "Play" +msgstr "" + +#. TRANS: Tooltip for realtime view "play" button. +#: RealtimePlugin.php:341 +msgctxt "TOOLTIP" +msgid "Play" +msgstr "" + +#. TRANS: Text label for realtime view "pause" button +#: RealtimePlugin.php:343 +msgctxt "BUTTON" +msgid "Pause" +msgstr "" + +#. TRANS: Tooltip for realtime view "pause" button +#: RealtimePlugin.php:345 +msgctxt "TOOLTIP" +msgid "Pause" +msgstr "" + +#. TRANS: Text label for realtime view "popup" button, usually replaced by an icon. +#: RealtimePlugin.php:347 +msgctxt "BUTTON" +msgid "Pop up" +msgstr "" + +#. TRANS: Tooltip for realtime view "popup" button. +#: RealtimePlugin.php:349 +msgctxt "TOOLTIP" +msgid "Pop up in a window" +msgstr "" diff --git a/plugins/Realtime/realtimeupdate.css b/plugins/Realtime/realtimeupdate.css index f43c97de52..b277b30a14 100644 --- a/plugins/Realtime/realtimeupdate.css +++ b/plugins/Realtime/realtimeupdate.css @@ -35,7 +35,6 @@ width:70%; margin-left:1%; } - #notices_primary { position:relative; } @@ -75,4 +74,3 @@ line-height:1.2; #showstream #notices_primary { margin-top: 18px; } - From 5a9bb0adc4555bf67bb668edb587d4440cca61e5 Mon Sep 17 00:00:00 2001 From: Brion Vibber Date: Tue, 2 Nov 2010 13:05:16 -0700 Subject: [PATCH 042/628] Tossing in a basic i18n message export to script code. Plugins can hook StartScriptMessage/EndScriptMessage, or directly add needed mappings in Action::getScriptMessages(). Exported entries are accessible as SN.msg(key) at runtime. StatusNet core code now sets the tooltip text on .attachment.more links when they receive their attachment-expansion magic; this will override the hardcoded tooltip text saved from OStatus plugin when displaying timelines in the web UI. --- js/util.js | 11 ++++- lib/action.php | 49 +++++++++++++++++++++ plugins/OStatus/classes/Ostatus_profile.php | 3 +- 3 files changed, 61 insertions(+), 2 deletions(-) diff --git a/js/util.js b/js/util.js index 1989e92c09..1be3f30535 100644 --- a/js/util.js +++ b/js/util.js @@ -56,6 +56,15 @@ var SN = { // StatusNet NoticeDataGeoCookie: 'NoticeDataGeo', NoticeDataGeoSelected: 'notice_data-geo_selected', StatusNetInstance:'StatusNetInstance' + }, + }, + + messages: {}, + msg: function(key) { + if (typeof SN.messages[key] == "undefined") { + return '[' + key + ']'; + } else { + return SN.messages[key]; } }, @@ -416,7 +425,7 @@ var SN = { // StatusNet }); return false; - }); + }).attr('title', SN.msg('showmore_tooltip')); } else { $.fn.jOverlay.options = { diff --git a/lib/action.php b/lib/action.php index 01bb0f7e92..becd734b10 100644 --- a/lib/action.php +++ b/lib/action.php @@ -283,6 +283,7 @@ class Action extends HTMLOutputter // lawsuit if (Event::handle('StartShowStatusNetScripts', array($this)) && Event::handle('StartShowLaconicaScripts', array($this))) { $this->script('util.js'); + $this->showScriptMessages(); // Frame-busting code to avoid clickjacking attacks. $this->inlineScript('if (window.top !== window.self) { window.top.location.href = window.self.location.href; }'); Event::handle('EndShowStatusNetScripts', array($this)); @@ -292,6 +293,54 @@ class Action extends HTMLOutputter // lawsuit } } + /** + * Exports a map of localized text strings to JavaScript code. + * + * Plugins can add to what's exported by hooking the StartScriptMessages or EndScriptMessages + * events and appending to the array. Try to avoid adding strings that won't be used, as + * they'll be added to HTML output. + */ + function showScriptMessages() + { + $messages = array(); + if (Event::handle('StartScriptMessages', array($this, &$messages))) { + // Common messages needed for timeline views etc... + + // TRANS: Localized tooltip for '...' expansion button on overlong remote messages. + $messages['showmore_tooltip'] = _m('TOOLTIP', 'Show more'); + + $messages = array_merge($messages, $this->getScriptMessages()); + } + if ($messages) { + $this->inlineScript('SN.messages=' . json_encode($messages)); + } + Event::handle('EndScriptMessages', array($this, &$messages)); + return $messages; + } + + /** + * If the action will need localizable text strings, export them here like so: + * + * return array('pool_deepend' => _('Deep end'), + * 'pool_shallow' => _('Shallow end')); + * + * The exported map will be available via SN.msg() to JS code: + * + * $('#pool').html('
    '); + * $('#pool .deepend').text(SN.msg('pool_deepend')); + * $('#pool .shallow').text(SN.msg('pool_shallow')); + * + * Exports a map of localized text strings to JavaScript code. + * + * Plugins can add to what's exported on any action by hooking the StartScriptMessages or + * EndScriptMessages events and appending to the array. Try to avoid adding strings that won't + * be used, as they'll be added to HTML output. + */ + function getScriptMessages() + { + return array(); + } + /** * Show OpenSearch headers * diff --git a/plugins/OStatus/classes/Ostatus_profile.php b/plugins/OStatus/classes/Ostatus_profile.php index 03fcb71df0..90bf671eb1 100644 --- a/plugins/OStatus/classes/Ostatus_profile.php +++ b/plugins/OStatus/classes/Ostatus_profile.php @@ -588,7 +588,8 @@ class Ostatus_profile extends Memcached_DataObject // We mark up the attachment link specially for the HTML output // so we can fold-out the full version inline. - // TRANS: Shown when a notice is longer than supported and/or when attachments are present. + // @fixme I18N this tooltip will be saved with the site's default language + // TRANS: Shown when a notice is longer than supported and/or when attachments are present. At runtime this will usually be replaced with localized text from StatusNet core messages. $showMoreText = _m('Show more'); $attachUrl = common_local_url('attachment', array('attachment' => $attachment->id)); From 86201761eadef3b124ee13e6ba2f9e661e697a5a Mon Sep 17 00:00:00 2001 From: Brion Vibber Date: Tue, 2 Nov 2010 13:12:58 -0700 Subject: [PATCH 043/628] Use SN.msg() and onEndScriptMessages() to export localized UI messages from Realtime plugin and its descendents. --- lib/action.php | 2 +- plugins/Realtime/RealtimePlugin.php | 40 +++++++++++++++-------------- plugins/Realtime/realtimeupdate.js | 13 +++++----- 3 files changed, 28 insertions(+), 27 deletions(-) diff --git a/lib/action.php b/lib/action.php index becd734b10..766cfca269 100644 --- a/lib/action.php +++ b/lib/action.php @@ -311,10 +311,10 @@ class Action extends HTMLOutputter // lawsuit $messages = array_merge($messages, $this->getScriptMessages()); } + Event::handle('EndScriptMessages', array($this, &$messages)); if ($messages) { $this->inlineScript('SN.messages=' . json_encode($messages)); } - Event::handle('EndScriptMessages', array($this, &$messages)); return $messages; } diff --git a/plugins/Realtime/RealtimePlugin.php b/plugins/Realtime/RealtimePlugin.php index 7a40cdca31..479e8cef2f 100644 --- a/plugins/Realtime/RealtimePlugin.php +++ b/plugins/Realtime/RealtimePlugin.php @@ -106,9 +106,7 @@ class RealtimePlugin extends Plugin $realtimeUI = ' RealtimeUpdate.initActions("'.$url.'", "'.$timeline.'", "'. $pluginPath .'");'; } - $i18n = $this->_getMessages(); $script = ' $(document).ready(function() { '. - 'RealtimeUpdate._messages=' . json_encode($i18n) . ';' . $realtimeUI. $this->_updateInitialize($timeline, $user_id). '}); '; @@ -329,25 +327,29 @@ class RealtimePlugin extends Plugin } /** - * Any i18n messages that need to be loaded at runtime. - * @return array of string key to output text string pairs + * Export any i18n messages that need to be loaded at runtime... + * + * @param Action $action + * @param array $messages + * + * @return boolean hook return value */ - function _getMessages() + function onEndScriptMessages($action, &$messages) { - return array( - // TRANS: Text label for realtime view "play" button, usually replaced by an icon. - 'play' => _m('BUTTON', 'Play'), - // TRANS: Tooltip for realtime view "play" button. - 'play_tooltip' => _m('TOOLTIP', 'Play'), - // TRANS: Text label for realtime view "pause" button - 'pause' => _m('BUTTON', 'Pause'), - // TRANS: Tooltip for realtime view "pause" button - 'pause_tooltip' => _m('TOOLTIP', 'Pause'), - // TRANS: Text label for realtime view "popup" button, usually replaced by an icon. - 'popup' => _m('BUTTON', 'Pop up'), - // TRANS: Tooltip for realtime view "popup" button. - 'popup_tooltip' => _m('TOOLTIP', 'Pop up in a window'), - ); + // TRANS: Text label for realtime view "play" button, usually replaced by an icon. + $messages['realtime_play'] = _m('BUTTON', 'Play'); + // TRANS: Tooltip for realtime view "play" button. + $messages['realtime_play_tooltip'] = _m('TOOLTIP', 'Play'); + // TRANS: Text label for realtime view "pause" button + $messages['realtime_pause'] = _m('BUTTON', 'Pause'); + // TRANS: Tooltip for realtime view "pause" button + $messages['realtime_pause_tooltip'] = _m('TOOLTIP', 'Pause'); + // TRANS: Text label for realtime view "popup" button, usually replaced by an icon. + $messages['realtime_popup'] = _m('BUTTON', 'Pop up'); + // TRANS: Tooltip for realtime view "popup" button. + $messages['realtime_popup_tooltip'] = _m('TOOLTIP', 'Pop up in a window'); + + return true; } function _updateInitialize($timeline, $user_id) diff --git a/plugins/Realtime/realtimeupdate.js b/plugins/Realtime/realtimeupdate.js index f764ca738d..f49cef95e6 100644 --- a/plugins/Realtime/realtimeupdate.js +++ b/plugins/Realtime/realtimeupdate.js @@ -40,7 +40,6 @@ RealtimeUpdate = { _documenttitle: '', _paused:false, _queuedNotices:[], - _messages:{}, init: function(userid, replyurl, favorurl, repeaturl, deleteurl) { @@ -263,8 +262,8 @@ RealtimeUpdate = { $('#realtime_playpause').remove(); $('#realtime_actions').prepend('
  • '); - $('#realtime_pause').text(RealtimeUpdate._messages['pause']) - .attr('title', RealtimeUpdate._messages['pause_tooltip']) + $('#realtime_pause').text(SN.msg('realtime_pause')) + .attr('title', SN.msg('realtime_pause_tooltip')) .bind('click', function() { RealtimeUpdate.removeNoticesHover(); RealtimeUpdate.showPlay(); @@ -277,8 +276,8 @@ RealtimeUpdate = { RealtimeUpdate.setPause(true); $('#realtime_playpause').remove(); $('#realtime_actions').prepend('
  • '); - $('#realtime_play').text(RealtimeUpdate._messages['play']) - .attr('title', RealtimeUpdate._messages['play_tooltip']) + $('#realtime_play').text(SN.msg('realtime_play')) + .attr('title', SN.msg('realtime_play_tooltip')) .bind('click', function() { RealtimeUpdate.showPause(); return false; @@ -338,8 +337,8 @@ RealtimeUpdate = { initAddPopup: function(url, timeline, path) { $('#realtime_timeline').append(''); - $('#realtime_popup').text(RealtimeUpdate._messages['popup']) - .attr('title', RealtimeUpdate._messages['popup_tooltip']) + $('#realtime_popup').text(SN.msg('realtime_popup')) + .attr('title', SN.msg('realtime_popup_tooltip')) .bind('click', function() { window.open(url, '', From 426cda5e1ffd365b6b8915e8d504c0a6672339d3 Mon Sep 17 00:00:00 2001 From: Brion Vibber Date: Tue, 2 Nov 2010 13:42:33 -0700 Subject: [PATCH 044/628] Alternate pretty-title tweaks for #2668 --- actions/showstream.php | 10 ++++------ classes/Profile.php | 21 +++++++++++++++++++++ 2 files changed, 25 insertions(+), 6 deletions(-) diff --git a/actions/showstream.php b/actions/showstream.php index fb5b061fbe..de66bc415a 100644 --- a/actions/showstream.php +++ b/actions/showstream.php @@ -63,18 +63,16 @@ class ShowstreamAction extends ProfileAction function title() { - if (!empty($this->profile->fullname)) { - $base = $this->profile->fullname . ' (' . $this->user->nickname . ') '; - } else { - $base = $this->user->nickname; - } + $base = $this->profile->getFancyName(); if (!empty($this->tag)) { - $base .= sprintf(_(' tagged %s'), $this->tag); + // TRANS: Page title showing tagged notices in one user's stream. Param 1 is the username, 2 is the hash tag. + $base = sprintf(_('%1$s tagged %2$s'), $base, $this->tag); } if ($this->page == 1) { return $base; } else { + // TRANS: Extended page title showing tagged notices in one user's stream. Param 1 is the main title clause; 2 is the page number. return sprintf(_('%1$s, page %2$d'), $base, $this->page); diff --git a/classes/Profile.php b/classes/Profile.php index 37d2c571f9..064ba551c4 100644 --- a/classes/Profile.php +++ b/classes/Profile.php @@ -141,11 +141,32 @@ class Profile extends Memcached_DataObject return true; } + /** + * Gets either the full name (if filled) or the nickname. + * + * @return string + */ function getBestName() { return ($this->fullname) ? $this->fullname : $this->nickname; } + /** + * Gets the full name (if filled) with nickname as a parenthetical, or the nickname alone + * if no fullname is provided. + * + * @return string + */ + function getFancyName() + { + if ($this->fullname) { + // TRANS: Full name of a profile or group followed by nickname in parens + return sprintf(_('%1$s (%2$s)'), $this->fullname, $this->nickname); + } else { + return $this->nickname; + } + } + /** * Get the most recent notice posted by this user, if any. * From bc85f6914be97e1b44891153dc96045dfcefcaf6 Mon Sep 17 00:00:00 2001 From: Brion Vibber Date: Tue, 2 Nov 2010 14:03:50 -0700 Subject: [PATCH 045/628] fix syntax error introduced in i18n tweaks: newgroup action --- actions/newgroup.php | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/actions/newgroup.php b/actions/newgroup.php index 9c1870b1c6..e0e7978c32 100644 --- a/actions/newgroup.php +++ b/actions/newgroup.php @@ -151,7 +151,7 @@ class NewgroupAction extends Action // TRANS: %d is the maximum number of allowed characters. $this->showForm(sprintf(_m('Description is too long (maximum %d character).', 'Description is too long (maximum %d characters).', - User_group::maxDescription(), + User_group::maxDescription()), User_group::maxDescription())); return; } else if (!is_null($location) && mb_strlen($location) > 255) { From 6a181bb12837f477dcaa13619024de2f984b7f20 Mon Sep 17 00:00:00 2001 From: Brion Vibber Date: Tue, 2 Nov 2010 14:20:06 -0700 Subject: [PATCH 046/628] Unrolled tagged vs untagged, page 1 vs page N message variants for showstream title. #2668 --- actions/showstream.php | 25 +++++++++++++++---------- 1 file changed, 15 insertions(+), 10 deletions(-) diff --git a/actions/showstream.php b/actions/showstream.php index de66bc415a..dd6c91b004 100644 --- a/actions/showstream.php +++ b/actions/showstream.php @@ -65,17 +65,22 @@ class ShowstreamAction extends ProfileAction { $base = $this->profile->getFancyName(); if (!empty($this->tag)) { - // TRANS: Page title showing tagged notices in one user's stream. Param 1 is the username, 2 is the hash tag. - $base = sprintf(_('%1$s tagged %2$s'), $base, $this->tag); - } - - if ($this->page == 1) { - return $base; + if ($this->page == 1) { + // TRANS: Page title showing tagged notices in one user's stream. Param 1 is the username, 2 is the hash tag. + return sprintf(_('%1$s tagged %2$s'), $base, $this->tag); + } else { + // TRANS: Page title showing tagged notices in one user's stream. Param 1 is the username, 2 is the hash tag, 3 is the page number. + return sprintf(_('%1$s tagged %2$s, page %3$d'), $base, $this->tag, $this->page); + } } else { - // TRANS: Extended page title showing tagged notices in one user's stream. Param 1 is the main title clause; 2 is the page number. - return sprintf(_('%1$s, page %2$d'), - $base, - $this->page); + if ($this->page == 1) { + return $base; + } else { + // TRANS: Extended page title showing tagged notices in one user's stream. Param 1 is the username, param 2 is the page number. + return sprintf(_('%1$s, page %2$d'), + $base, + $this->page); + } } } From 5bd6458f0097f8aaf4a60593c0f405e53bb1b6e9 Mon Sep 17 00:00:00 2001 From: Siebrand Mazeland Date: Tue, 2 Nov 2010 21:33:34 +0100 Subject: [PATCH 047/628] i18n/L10n, translator documentation updates. --- scripts/restoreuser.php | 10 +++++++--- 1 file changed, 7 insertions(+), 3 deletions(-) diff --git a/scripts/restoreuser.php b/scripts/restoreuser.php index 82eb9bbaa1..8327c796c2 100644 --- a/scripts/restoreuser.php +++ b/scripts/restoreuser.php @@ -57,7 +57,8 @@ function getActivityStreamDocument() throw new Exception("File '$filename' not readable."); } - printfv(_("Getting backup from file '$filename'.")."\n"); + // TRANS: Commandline script output. %s is the filename that contains a backup for a user. + printfv(_("Getting backup from file '%s'.")."\n",$filename); $xml = file_get_contents($filename); @@ -79,19 +80,22 @@ function importActivityStream($user, $doc) if (!empty($subjectEl)) { $subject = new ActivityObject($subjectEl); - printfv(_("Backup file for user %s (%s)")."\n", $subject->id, Ostatus_profile::getActivityObjectNickname($subject)); + // TRANS: Commandline script output. %1$s is the subject ID, %2$s is the subject nickname. + printfv(_("Backup file for user %1$s (%2$s)")."\n", $subject->id, Ostatus_profile::getActivityObjectNickname($subject)); } else { throw new Exception("Feed doesn't have an element."); } if (is_null($user)) { + // TRANS: Commandline script output. printfv(_("No user specified; using backup user.")."\n"); $user = userFromSubject($subject); } $entries = $feed->getElementsByTagNameNS(Activity::ATOM, 'entry'); - printfv(_("%d entries in backup.")."\n", $entries->length); + // TRANS: Commandline script output. %d is the number of entries in the activity stream in backup; used for plural. + printfv(_m("%d entry in backup.","%d entries in backup.",$entries->length)."\n", $entries->length); for ($i = $entries->length - 1; $i >= 0; $i--) { try { From a65362f7fa2e1ea92414fce391ea0f9624f0d100 Mon Sep 17 00:00:00 2001 From: Siebrand Mazeland Date: Tue, 2 Nov 2010 23:08:59 +0100 Subject: [PATCH 048/628] Add context for different uses of "%1$s (%2$s)" --- actions/invite.php | 4 ++-- classes/Profile.php | 2 +- lib/command.php | 2 +- 3 files changed, 4 insertions(+), 4 deletions(-) diff --git a/actions/invite.php b/actions/invite.php index 2779437e0c..e9adb3b7f9 100644 --- a/actions/invite.php +++ b/actions/invite.php @@ -142,7 +142,7 @@ class InviteAction extends CurrentUserDesignAction $this->elementStart('ul'); foreach ($this->already as $other) { // TRANS: Used as list item for already subscribed users (%1$s is nickname, %2$s is e-mail address). - $this->element('li', null, sprintf(_('%1$s (%2$s)'), $other->nickname, $other->email)); + $this->element('li', null, sprintf(_m('INVITE','%1$s (%2$s)'), $other->nickname, $other->email)); } $this->elementEnd('ul'); } @@ -156,7 +156,7 @@ class InviteAction extends CurrentUserDesignAction $this->elementStart('ul'); foreach ($this->subbed as $other) { // TRANS: Used as list item for already registered people (%1$s is nickname, %2$s is e-mail address). - $this->element('li', null, sprintf(_('%1$s (%2$s)'), $other->nickname, $other->email)); + $this->element('li', null, sprintf(_m('INVITE','%1$s (%2$s)'), $other->nickname, $other->email)); } $this->elementEnd('ul'); } diff --git a/classes/Profile.php b/classes/Profile.php index 064ba551c4..d580e12355 100644 --- a/classes/Profile.php +++ b/classes/Profile.php @@ -161,7 +161,7 @@ class Profile extends Memcached_DataObject { if ($this->fullname) { // TRANS: Full name of a profile or group followed by nickname in parens - return sprintf(_('%1$s (%2$s)'), $this->fullname, $this->nickname); + return sprintf(_m('FANCYNAME','%1$s (%2$s)'), $this->fullname, $this->nickname); } else { return $this->nickname; } diff --git a/lib/command.php b/lib/command.php index 329617b3bc..ae69f04a13 100644 --- a/lib/command.php +++ b/lib/command.php @@ -423,7 +423,7 @@ class WhoisCommand extends Command // TRANS: Whois output. // TRANS: %1$s nickname of the queried user, %2$s is their profile URL. - $whois = sprintf(_("%1\$s (%2\$s)"), $recipient->nickname, + $whois = sprintf(_m('WHOIS',"%1\$s (%2\$s)"), $recipient->nickname, $recipient->profileurl); if ($recipient->fullname) { // TRANS: Whois output. %s is the full name of the queried user. From 973a48bded44c869af957bb20ccd607d3bc57d10 Mon Sep 17 00:00:00 2001 From: Siebrand Mazeland Date: Tue, 2 Nov 2010 23:48:36 +0100 Subject: [PATCH 049/628] i18n/L10n fixes and translator documentation addded/updated. --- actions/showstream.php | 32 +++++++++++++++++---- lib/action.php | 7 +++-- plugins/OStatus/classes/Ostatus_profile.php | 24 ++++++++++------ 3 files changed, 46 insertions(+), 17 deletions(-) diff --git a/actions/showstream.php b/actions/showstream.php index dd6c91b004..5a22bdf288 100644 --- a/actions/showstream.php +++ b/actions/showstream.php @@ -66,17 +66,19 @@ class ShowstreamAction extends ProfileAction $base = $this->profile->getFancyName(); if (!empty($this->tag)) { if ($this->page == 1) { - // TRANS: Page title showing tagged notices in one user's stream. Param 1 is the username, 2 is the hash tag. + // TRANS: Page title showing tagged notices in one user's stream. %1$s is the username, %2$s is the hash tag. return sprintf(_('%1$s tagged %2$s'), $base, $this->tag); } else { - // TRANS: Page title showing tagged notices in one user's stream. Param 1 is the username, 2 is the hash tag, 3 is the page number. + // TRANS: Page title showing tagged notices in one user's stream. + // TRANS: %1$s is the username, %2$s is the hash tag, %1$d is the page number. return sprintf(_('%1$s tagged %2$s, page %3$d'), $base, $this->tag, $this->page); } } else { if ($this->page == 1) { return $base; } else { - // TRANS: Extended page title showing tagged notices in one user's stream. Param 1 is the username, param 2 is the page number. + // TRANS: Extended page title showing tagged notices in one user's stream. + // TRANS: %1$s is the username, %2$d is the page number. return sprintf(_('%1$s, page %2$d'), $base, $this->page); @@ -120,6 +122,8 @@ class ShowstreamAction extends ProfileAction common_local_url('userrss', array('nickname' => $this->user->nickname, 'tag' => $this->tag)), + // TRANS: Title for link to notice feed. + // TRANS: %1$s is a user nickname, %2$s is a hashtag. sprintf(_('Notice feed for %1$s tagged %2$s (RSS 1.0)'), $this->user->nickname, $this->tag))); } @@ -127,6 +131,8 @@ class ShowstreamAction extends ProfileAction return array(new Feed(Feed::RSS1, common_local_url('userrss', array('nickname' => $this->user->nickname)), + // TRANS: Title for link to notice feed. + // TRANS: %s is a user nickname. sprintf(_('Notice feed for %s (RSS 1.0)'), $this->user->nickname)), new Feed(Feed::RSS2, @@ -134,6 +140,8 @@ class ShowstreamAction extends ProfileAction array( 'id' => $this->user->id, 'format' => 'rss')), + // TRANS: Title for link to notice feed. + // TRANS: %s is a user nickname. sprintf(_('Notice feed for %s (RSS 2.0)'), $this->user->nickname)), new Feed(Feed::ATOM, @@ -146,6 +154,8 @@ class ShowstreamAction extends ProfileAction new Feed(Feed::FOAF, common_local_url('foaf', array('nickname' => $this->user->nickname)), + // TRANS: Title for link to notice feed. FOAF stands for Friend of a Friend. + // TRANS: More information at http://www.foaf-project.org. %s is a user nickname. sprintf(_('FOAF for %s'), $this->user->nickname))); } @@ -197,17 +207,23 @@ class ShowstreamAction extends ProfileAction function showEmptyListMessage() { - $message = sprintf(_('This is the timeline for %1$s but %2$s hasn\'t posted anything yet.'), $this->user->nickname, $this->user->nickname) . ' '; + // TRANS: First sentence of empty list message for a stream. $1%s is a user nickname. + $message = sprintf(_('This is the timeline for %1$s, but %1$s hasn\'t posted anything yet.'), $this->user->nickname) . ' '; if (common_logged_in()) { $current_user = common_current_user(); if ($this->user->id === $current_user->id) { + // TRANS: Second sentence of empty list message for a stream for the user themselves. $message .= _('Seen anything interesting recently? You haven\'t posted any notices yet, now would be a good time to start :)'); } else { + // TRANS: Second sentence of empty list message for a non-self stream. %1$s is a user nickname, %2$s is a part of a URL. + // TRANS: This message contains a Markdown link. Keep "](" together. $message .= sprintf(_('You can try to nudge %1$s or [post something to them](%%%%action.newnotice%%%%?status_textarea=%2$s).'), $this->user->nickname, '@' . $this->user->nickname); } } else { + // TRANS: Second sentence of empty message for anonymous users. %s is a user nickname. + // TRANS: This message contains a Markdown link. Keep "](" together. $message .= sprintf(_('Why not [register an account](%%%%action.register%%%%) and then nudge %s or post a notice to them.'), $this->user->nickname); } @@ -243,11 +259,15 @@ class ShowstreamAction extends ProfileAction function showAnonymousMessage() { if (!(common_config('site','closed') || common_config('site','inviteonly'))) { + // TRANS: Announcement for anonymous users showing a stream if site registrations are open. + // TRANS: This message contains a Markdown link. Keep "](" together. $m = sprintf(_('**%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%%%%))'), $this->user->nickname, $this->user->nickname); } else { + // TRANS: Announcement for anonymous users showing a stream if site registrations are closed or invite only. + // TRANS: This message contains a Markdown link. Keep "](" together. $m = sprintf(_('**%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. '), $this->user->nickname, $this->user->nickname); @@ -287,7 +307,6 @@ class ProfileNoticeListItem extends DoFollowListItem * * @return void */ - function showRepeat() { if (!empty($this->repeat)) { @@ -298,13 +317,14 @@ class ProfileNoticeListItem extends DoFollowListItem 'class' => 'url'); if (!empty($this->profile->fullname)) { - $attrs['title'] = $this->profile->fullname . ' (' . $this->profile->nickname . ')'; + $attrs['title'] = $this->getFancyName(); } $this->out->elementStart('span', 'repeat'); $text_link = XMLStringer::estring('a', $attrs, $this->profile->nickname); + // TRANS: Link to the author of a repeated notice. %s is a linked nickname. $this->out->raw(sprintf(_('Repeat of %s'), $text_link)); $this->out->elementEnd('span'); diff --git a/lib/action.php b/lib/action.php index 766cfca269..427b85427b 100644 --- a/lib/action.php +++ b/lib/action.php @@ -873,16 +873,17 @@ class Action extends HTMLOutputter // lawsuit // TRANS: Secondary navigation menu option leading to privacy policy. _('Privacy')); $this->menuItem(common_local_url('doc', array('title' => 'source')), - // TRANS: Secondary navigation menu option. + // TRANS: Secondary navigation menu option. Leads to information about StatusNet and its license. _('Source')); $this->menuItem(common_local_url('version'), // TRANS: Secondary navigation menu option leading to version information on the StatusNet site. _('Version')); $this->menuItem(common_local_url('doc', array('title' => 'contact')), - // TRANS: Secondary navigation menu option leading to contact information on the StatusNet site. + // TRANS: Secondary navigation menu option leading to e-mail contact information on the + // TRANS: StatusNet site, where to report bugs, ... _('Contact')); $this->menuItem(common_local_url('doc', array('title' => 'badge')), - // TRANS: Secondary navigation menu option. + // TRANS: Secondary navigation menu option. Leads to information about embedding a timeline widget. _('Badge')); Event::handle('EndSecondaryNav', array($this)); } diff --git a/plugins/OStatus/classes/Ostatus_profile.php b/plugins/OStatus/classes/Ostatus_profile.php index 90bf671eb1..b43a2b5f11 100644 --- a/plugins/OStatus/classes/Ostatus_profile.php +++ b/plugins/OStatus/classes/Ostatus_profile.php @@ -188,10 +188,10 @@ class Ostatus_profile extends Memcached_DataObject } else if ($this->group_id && !$this->profile_id) { return true; } else if ($this->group_id && $this->profile_id) { - // TRANS: Server exception. + // TRANS: Server exception. %s is a URI. throw new ServerException(sprintf(_m('Invalid ostatus_profile state: both group and profile IDs set for %s.'),$this->uri)); } else { - // TRANS: Server exception. + // TRANS: Server exception. %s is a URI. throw new ServerException(sprintf(_m('Invalid ostatus_profile state: both group and profile IDs empty for %s.'),$this->uri)); } } @@ -405,6 +405,7 @@ class Ostatus_profile extends Memcached_DataObject } else if ($feed->localName == 'rss') { // @fixme check namespace $this->processRssFeed($feed, $source); } else { + // TRANS: Exception. throw new Exception(_m('Unknown feed format.')); } } @@ -428,6 +429,7 @@ class Ostatus_profile extends Memcached_DataObject $channels = $rss->getElementsByTagName('channel'); if ($channels->length == 0) { + // TRANS: Exception. throw new Exception(_m('RSS feed without a channel.')); } else if ($channels->length > 1) { common_log(LOG_WARNING, __METHOD__ . ": more than one channel in an RSS feed"); @@ -555,7 +557,7 @@ class Ostatus_profile extends Memcached_DataObject $sourceContent = $note->title; } else { // @fixme fetch from $sourceUrl? - // TRANS: Client exception. %s is a source URL. + // TRANS: Client exception. %s is a source URI. throw new ClientException(sprintf(_m('No content for notice %s.'),$sourceUri)); } @@ -589,7 +591,8 @@ class Ostatus_profile extends Memcached_DataObject // so we can fold-out the full version inline. // @fixme I18N this tooltip will be saved with the site's default language - // TRANS: Shown when a notice is longer than supported and/or when attachments are present. At runtime this will usually be replaced with localized text from StatusNet core messages. + // TRANS: Shown when a notice is longer than supported and/or when attachments are present. At runtime + // TRANS: this will usually be replaced with localised text from StatusNet core messages. $showMoreText = _m('Show more'); $attachUrl = common_local_url('attachment', array('attachment' => $attachment->id)); @@ -840,7 +843,7 @@ class Ostatus_profile extends Memcached_DataObject return self::ensureFeedURL($feedurl, $hints); } - // TRANS: Exception. + // TRANS: Exception. %s is a URL. throw new Exception(sprintf(_m('Could not find a feed URL for profile page %s.'),$finalUrl)); } @@ -978,6 +981,7 @@ class Ostatus_profile extends Memcached_DataObject } // XXX: make some educated guesses here + // TRANS: Feed sub exception. throw new FeedSubException(_m('Can\'t find enough profile information to make a feed.')); } @@ -1037,6 +1041,7 @@ class Ostatus_profile extends Memcached_DataObject return; } if (!common_valid_http_url($url)) { + // TRANS: Server exception. %s is a URL. throw new ServerException(sprintf(_m("Invalid avatar URL %s."), $url)); } @@ -1047,6 +1052,7 @@ class Ostatus_profile extends Memcached_DataObject } if (!$self) { throw new ServerException(sprintf( + // TRANS: Server exception. %s is a URI. _m("Tried to update avatar for unsaved remote profile %s."), $this->uri)); } @@ -1056,6 +1062,7 @@ class Ostatus_profile extends Memcached_DataObject $temp_filename = tempnam(sys_get_temp_dir(), 'listener_avatar'); try { if (!copy($url, $temp_filename)) { + // TRANS: Server exception. %s is a URL. throw new ServerException(sprintf(_m("Unable to fetch avatar from %s."), $url)); } @@ -1338,7 +1345,7 @@ class Ostatus_profile extends Memcached_DataObject $oprofile->profile_id = $profile->insert(); if (!$oprofile->profile_id) { - // TRANS: Exception. + // TRANS: Server exception. throw new ServerException(_m('Can\'t save local profile.')); } } else { @@ -1349,7 +1356,7 @@ class Ostatus_profile extends Memcached_DataObject $oprofile->group_id = $group->insert(); if (!$oprofile->group_id) { - // TRANS: Exception. + // TRANS: Server exception. throw new ServerException(_m('Can\'t save local profile.')); } } @@ -1357,7 +1364,7 @@ class Ostatus_profile extends Memcached_DataObject $ok = $oprofile->insert(); if (!$ok) { - // TRANS: Exception. + // TRANS: Server exception. throw new ServerException(_m('Can\'t save OStatus profile.')); } @@ -1796,6 +1803,7 @@ class Ostatus_profile extends Memcached_DataObject if ($file_id === false) { common_log_db_error($file, "INSERT", __FILE__); + // TRANS: Server exception. throw new ServerException(_m('Could not store HTML content of long post as file.')); } From ec79572964645c212b168384c422c9b26be52e85 Mon Sep 17 00:00:00 2001 From: Siebrand Mazeland Date: Wed, 3 Nov 2010 00:04:26 +0100 Subject: [PATCH 050/628] Localisation updates from http://translatewiki.net. --- locale/af/LC_MESSAGES/statusnet.po | 630 +++++++++------- locale/ar/LC_MESSAGES/statusnet.po | 643 +++++++++------- locale/arz/LC_MESSAGES/statusnet.po | 645 +++++++++------- locale/bg/LC_MESSAGES/statusnet.po | 623 +++++++++------- locale/br/LC_MESSAGES/statusnet.po | 627 +++++++++------- locale/ca/LC_MESSAGES/statusnet.po | 660 ++++++++++------- locale/cs/LC_MESSAGES/statusnet.po | 646 +++++++++------- locale/de/LC_MESSAGES/statusnet.po | 674 ++++++++++------- locale/en_GB/LC_MESSAGES/statusnet.po | 629 +++++++++------- locale/eo/LC_MESSAGES/statusnet.po | 642 +++++++++------- locale/es/LC_MESSAGES/statusnet.po | 644 +++++++++------- locale/fa/LC_MESSAGES/statusnet.po | 631 +++++++++------- locale/fi/LC_MESSAGES/statusnet.po | 624 +++++++++------- locale/fr/LC_MESSAGES/statusnet.po | 653 +++++++++------- locale/ga/LC_MESSAGES/statusnet.po | 642 +++++++++------- locale/gl/LC_MESSAGES/statusnet.po | 654 +++++++++------- locale/hsb/LC_MESSAGES/statusnet.po | 647 +++++++++------- locale/hu/LC_MESSAGES/statusnet.po | 640 +++++++++------- locale/ia/LC_MESSAGES/statusnet.po | 675 ++++++++++------- locale/is/LC_MESSAGES/statusnet.po | 621 +++++++++------- locale/it/LC_MESSAGES/statusnet.po | 647 +++++++++------- locale/ja/LC_MESSAGES/statusnet.po | 630 +++++++++------- locale/ka/LC_MESSAGES/statusnet.po | 629 +++++++++------- locale/ko/LC_MESSAGES/statusnet.po | 614 ++++++++------- locale/mk/LC_MESSAGES/statusnet.po | 680 ++++++++++------- locale/nb/LC_MESSAGES/statusnet.po | 636 +++++++++------- locale/nl/LC_MESSAGES/statusnet.po | 677 ++++++++++------- locale/nn/LC_MESSAGES/statusnet.po | 615 ++++++++++------ locale/pl/LC_MESSAGES/statusnet.po | 689 ++++++++++------- locale/pt/LC_MESSAGES/statusnet.po | 641 +++++++++------- locale/pt_BR/LC_MESSAGES/statusnet.po | 662 ++++++++++------- locale/ru/LC_MESSAGES/statusnet.po | 655 +++++++++------- locale/statusnet.pot | 580 +++++++++------ locale/sv/LC_MESSAGES/statusnet.po | 643 +++++++++------- locale/te/LC_MESSAGES/statusnet.po | 625 +++++++++------- locale/tr/LC_MESSAGES/statusnet.po | 625 +++++++++------- locale/uk/LC_MESSAGES/statusnet.po | 696 +++++++++++------- locale/zh_CN/LC_MESSAGES/statusnet.po | 637 +++++++++------- plugins/OStatus/locale/OStatus.pot | 64 +- .../OStatus/locale/fr/LC_MESSAGES/OStatus.po | 70 +- .../OStatus/locale/ia/LC_MESSAGES/OStatus.po | 70 +- .../OStatus/locale/mk/LC_MESSAGES/OStatus.po | 70 +- .../OStatus/locale/nl/LC_MESSAGES/OStatus.po | 70 +- .../OStatus/locale/uk/LC_MESSAGES/OStatus.po | 70 +- .../locale/ia/LC_MESSAGES/Realtime.po | 58 ++ .../locale/mk/LC_MESSAGES/Realtime.po | 58 ++ .../locale/nl/LC_MESSAGES/Realtime.po | 58 ++ .../locale/fi/LC_MESSAGES/UserLimit.po | 26 + 48 files changed, 15103 insertions(+), 9942 deletions(-) create mode 100644 plugins/Realtime/locale/ia/LC_MESSAGES/Realtime.po create mode 100644 plugins/Realtime/locale/mk/LC_MESSAGES/Realtime.po create mode 100644 plugins/Realtime/locale/nl/LC_MESSAGES/Realtime.po create mode 100644 plugins/UserLimit/locale/fi/LC_MESSAGES/UserLimit.po diff --git a/locale/af/LC_MESSAGES/statusnet.po b/locale/af/LC_MESSAGES/statusnet.po index 0a6f30d664..c99ac3b54a 100644 --- a/locale/af/LC_MESSAGES/statusnet.po +++ b/locale/af/LC_MESSAGES/statusnet.po @@ -9,17 +9,17 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet - Core\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-10-30 23:18+0000\n" -"PO-Revision-Date: 2010-10-30 23:19:48+0000\n" +"POT-Creation-Date: 2010-11-02 22:51+0000\n" +"PO-Revision-Date: 2010-11-02 22:52:57+0000\n" "Language-Team: Afrikaans \n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r75708); Translate extension (2010-09-17)\n" +"X-Generator: MediaWiki 1.17alpha (r75875); Translate extension (2010-09-17)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: af\n" "X-Message-Group: #out-statusnet-core\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-POT-Import-Date: 2010-10-30 09:48:40+0000\n" +"X-POT-Import-Date: 2010-10-30 23:42:01+0000\n" #. TRANS: Page title for Access admin panel that allows configuring site access. #. TRANS: Menu item for site administration @@ -76,15 +76,20 @@ msgstr "Stoor toegangsinstellings" #. TRANS: Tooltip for button to save access settings in site admin panel. #. TRANS: Button label to save e-mail preferences. #. TRANS: Button label to save IM preferences. +#. TRANS: Button text for saving "Other settings" in profile. #. TRANS: Button text to store form data in the Paths admin panel. #. TRANS: Button to save input in profile settings. +#. TRANS: Button text for saving site notice in admin panel. #. TRANS: Button label to save SMS preferences. #. TRANS: Save button for settings for a profile in a subscriptions list. +#. TRANS: Button text to save user settings in user admin panel. #. TRANS: Button label in the "Edit application" form. #: actions/accessadminpanel.php:193 actions/emailsettings.php:228 -#: actions/imsettings.php:187 actions/pathsadminpanel.php:512 -#: actions/profilesettings.php:201 actions/smssettings.php:209 -#: actions/subscriptions.php:246 lib/applicationeditform.php:355 +#: actions/imsettings.php:187 actions/othersettings.php:134 +#: actions/pathsadminpanel.php:512 actions/profilesettings.php:201 +#: actions/sitenoticeadminpanel.php:197 actions/smssettings.php:209 +#: actions/subscriptions.php:246 actions/useradminpanel.php:298 +#: lib/applicationeditform.php:355 lib/groupeditform.php:207 msgctxt "BUTTON" msgid "Save" msgstr "Stoor" @@ -135,7 +140,7 @@ msgstr "Hierdie bladsy bestaan nie." #: 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:93 actions/userrss.php:40 -#: actions/xrds.php:71 lib/command.php:495 lib/galleryaction.php:59 +#: actions/xrds.php:71 lib/command.php:497 lib/galleryaction.php:59 #: lib/mailbox.php:82 lib/profileaction.php:77 msgid "No such user." msgstr "Onbekende gebruiker." @@ -204,7 +209,9 @@ msgstr "" #. TRANS: Encoutagement displayed on empty timeline user pages for anonymous users. #. TRANS: %s is a user nickname. This message contains Markdown links. Keep "](" together. -#: actions/all.php:155 actions/replies.php:210 actions/showstream.php:208 +#. TRANS: Second sentence of empty message for anonymous users. %s is a user nickname. +#. TRANS: This message contains a Markdown link. Keep "](" together. +#: actions/all.php:155 actions/replies.php:210 actions/showstream.php:227 #, php-format msgid "" "Why not [register an account](%%%%action.register%%%%) and then nudge %s or " @@ -558,8 +565,11 @@ msgstr "Volledige naam is te lang (maksimum 255 karakters)." #. TRANS: Group edit form validation error. #. TRANS: Form validation error in New application form. #. TRANS: %d is the maximum number of characters for the description. +#. TRANS: Group create form validation error. +#. TRANS: %d is the maximum number of allowed characters. #: actions/apigroupcreate.php:220 actions/editapplication.php:201 #: actions/editgroup.php:216 actions/newapplication.php:178 +#: actions/newgroup.php:152 #, fuzzy, php-format msgid "Description is too long (maximum %d character)." msgid_plural "Description is too long (maximum %d characters)." @@ -719,14 +729,14 @@ msgstr "" #. TRANS: Form validation error in API OAuth authorisation because of an invalid session token. #: actions/apioauthauthorize.php:147 actions/avatarsettings.php:280 -#: actions/deletenotice.php:172 actions/disfavor.php:74 +#: actions/deletenotice.php:177 actions/disfavor.php:74 #: actions/emailsettings.php:271 actions/favor.php:75 actions/geocode.php:55 #: actions/groupblock.php:66 actions/grouplogo.php:312 #: actions/groupunblock.php:65 actions/imsettings.php:230 #: actions/invite.php:59 actions/login.php:137 actions/makeadmin.php:66 #: actions/newmessage.php:135 actions/newnotice.php:105 actions/nudge.php:80 #: actions/oauthappssettings.php:165 actions/oauthconnectionssettings.php:138 -#: actions/othersettings.php:145 actions/passwordsettings.php:138 +#: actions/othersettings.php:153 actions/passwordsettings.php:138 #: actions/profilesettings.php:221 actions/recoverpassword.php:350 #: actions/register.php:172 actions/remotesubscribe.php:77 #: actions/repeat.php:83 actions/smssettings.php:256 actions/subedit.php:40 @@ -899,20 +909,21 @@ msgstr "U mag nie 'n ander gebruiker se status verwyder nie." #. TRANS: Client error displayed trying to repeat a non-existing notice through the API. #. TRANS: Client error displayed trying to display redents of a non-exiting notice. +#. TRANS: Error message displayed trying to delete a non-existing notice. #: actions/apistatusesretweet.php:74 actions/apistatusesretweets.php:70 -#: actions/deletenotice.php:58 actions/shownotice.php:92 +#: actions/deletenotice.php:61 actions/shownotice.php:92 msgid "No such notice." msgstr "Die kennisgewing bestaan nie." #. TRANS: Client error displayed trying to repeat an own notice through the API. #. TRANS: Error text shown when trying to repeat an own notice. -#: actions/apistatusesretweet.php:83 lib/command.php:535 +#: actions/apistatusesretweet.php:83 lib/command.php:537 msgid "Cannot repeat your own notice." msgstr "U kan nie u eie kennisgewings herhaal nie." #. TRANS: Client error displayed trying to re-repeat a notice through the API. #. TRANS: Error text shown when trying to repeat an notice that was already repeated by the user. -#: actions/apistatusesretweet.php:92 lib/command.php:541 +#: actions/apistatusesretweet.php:92 lib/command.php:543 msgid "Already repeated that notice." msgstr "U het reeds die kennisgewing herhaal." @@ -933,7 +944,8 @@ msgstr "" #. TRANS: Client error displayed when the parameter "status" is missing. #. TRANS: %d is the maximum number of character for a notice. -#: actions/apistatusesupdate.php:244 +#: actions/apistatusesupdate.php:244 actions/newnotice.php:161 +#: lib/mailhandler.php:60 #, fuzzy, php-format msgid "That's too long. Maximum notice size is %d character." msgid_plural "That's too long. Maximum notice size is %d characters." @@ -948,7 +960,7 @@ msgstr "Die API-funksie is nie gevind nie." #. TRANS: Client error displayed exceeding the maximum notice length. #. TRANS: %d is the maximum lenth for a notice. -#: actions/apistatusesupdate.php:308 +#: actions/apistatusesupdate.php:308 actions/newnotice.php:184 #, php-format msgid "Maximum notice size is %d character, including attachment URL." msgid_plural "Maximum notice size is %d characters, including attachment URL." @@ -1161,17 +1173,18 @@ msgstr "" msgid "Lost our file data." msgstr "" -#: actions/avatarsettings.php:384 +#. TRANS: Success message for having updated a user avatar. +#: actions/avatarsettings.php:385 msgid "Avatar updated." msgstr "Die avatar is opgedateer." #. TRANS: Error displayed on the avatar upload page if the avatar could not be updated for an unknown reason. -#: actions/avatarsettings.php:388 +#: actions/avatarsettings.php:389 msgid "Failed updating avatar." msgstr "Die opdatering van die avatar het gefaal." #. TRANS: Success message for deleting a user avatar. -#: actions/avatarsettings.php:412 +#: actions/avatarsettings.php:413 msgid "Avatar deleted." msgstr "Die avatar is verwyder." @@ -1200,8 +1213,8 @@ msgstr "" #. TRANS: Button label on the delete notice form. #. TRANS: Button label on the delete user form. #. TRANS: Button label on the form to block a user from a group. -#: actions/block.php:154 actions/deleteapplication.php:154 -#: actions/deletegroup.php:220 actions/deletenotice.php:150 +#: actions/block.php:154 actions/deleteapplication.php:157 +#: actions/deletegroup.php:220 actions/deletenotice.php:155 #: actions/deleteuser.php:152 actions/groupblock.php:178 msgctxt "BUTTON" msgid "No" @@ -1219,8 +1232,8 @@ msgstr "Moenie hierdie gebruiker blokkeer nie" #. TRANS: Button label on the delete notice form. #. TRANS: Button label on the delete user form. #. TRANS: Button label on the form to block a user from a group. -#: actions/block.php:161 actions/deleteapplication.php:161 -#: actions/deletegroup.php:227 actions/deletenotice.php:157 +#: actions/block.php:161 actions/deleteapplication.php:164 +#: actions/deletegroup.php:227 actions/deletenotice.php:162 #: actions/deleteuser.php:159 actions/groupblock.php:185 msgctxt "BUTTON" msgid "Yes" @@ -1341,12 +1354,13 @@ msgstr "Die E-posadres bestaan reeds." #. TRANS: Server error thrown on database error removing a registered e-mail address. #. TRANS: Server error thrown on database error updating IM preferences. #. TRANS: Server error thrown on database error removing a registered IM address. +#. TRANS: Server error displayed when "Other" settings in user profile could not be updated on the server. #. TRANS: Server error thrown when user profile settings could not be updated. #. TRANS: Server error thrown on database error updating SMS preferences. #. TRANS: Server error thrown on database error removing a registered SMS phone number. #: actions/confirmaddress.php:118 actions/emailsettings.php:331 #: actions/emailsettings.php:477 actions/imsettings.php:283 -#: actions/imsettings.php:442 actions/othersettings.php:174 +#: actions/imsettings.php:442 actions/othersettings.php:184 #: actions/profilesettings.php:326 actions/smssettings.php:308 #: actions/smssettings.php:464 msgid "Couldn't update user." @@ -1382,16 +1396,19 @@ msgstr "Gesprek" msgid "Notices" msgstr "Kennisgewings" -#: actions/deleteapplication.php:63 +#. TRANS: Client error displayed trying to delete an application while not logged in. +#: actions/deleteapplication.php:62 msgid "You must be logged in to delete an application." msgstr "U moet aangeteken alvorens u 'n aansoek kan skrap." +#. TRANS: Client error displayed trying to delete an application that does not exist. #: actions/deleteapplication.php:71 msgid "Application not found." msgstr "Die applikasie is nie gevind nie." +#. TRANS: Client error displayed trying to delete an application the current user does not own. #. TRANS: Client error displayed trying to edit an application while not being its owner. -#: actions/deleteapplication.php:78 actions/editapplication.php:78 +#: actions/deleteapplication.php:79 actions/editapplication.php:78 #: actions/showapplication.php:94 msgid "You are not the owner of this application." msgstr "U is nie die eienaar van hierdie applikasie nie." @@ -1399,15 +1416,18 @@ msgstr "U is nie die eienaar van hierdie applikasie nie." #. TRANS: Client error text when there is a problem with the session token. #: actions/deleteapplication.php:102 actions/editapplication.php:131 #: actions/newapplication.php:114 actions/showapplication.php:118 -#: lib/action.php:1354 +#: lib/action.php:1404 msgid "There was a problem with your session token." msgstr "" -#: actions/deleteapplication.php:123 actions/deleteapplication.php:147 +#. TRANS: Title for delete application page. +#. TRANS: Fieldset legend on delete application page. +#: actions/deleteapplication.php:124 actions/deleteapplication.php:149 msgid "Delete application" msgstr "Skrap applikasie" -#: actions/deleteapplication.php:149 +#. TRANS: Confirmation text on delete application page. +#: actions/deleteapplication.php:152 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 " @@ -1415,12 +1435,12 @@ msgid "" msgstr "" #. TRANS: Submit button title for 'No' when deleting an application. -#: actions/deleteapplication.php:158 +#: actions/deleteapplication.php:161 msgid "Do not delete this application" msgstr "Moenie die applikasie verwyder nie" #. TRANS: Submit button title for 'Yes' when deleting an application. -#: actions/deleteapplication.php:164 +#: actions/deleteapplication.php:167 msgid "Delete this application" msgstr "Skrap hierdie applikasie" @@ -1456,13 +1476,14 @@ msgstr "Dit was nie moontlik om die groep by te werk nie." msgid "Deleted group %s" msgstr "%1$s het die groep %2$s verlaat" -#. TRANS: Title. +#. TRANS: Title of delete group page. #. TRANS: Form legend for deleting a group. #: actions/deletegroup.php:176 actions/deletegroup.php:202 #, fuzzy msgid "Delete group" msgstr "Verwyder gebruiker" +#. TRANS: Warning in form for deleleting a group. #: actions/deletegroup.php:206 msgid "" "Are you sure you want to delete this group? This will clear all data about " @@ -1482,10 +1503,11 @@ msgstr "Moenie hierdie kennisgewing verwyder nie" msgid "Delete this group" msgstr "Verwyder die gebruiker" +#. TRANS: Error message displayed trying to delete a notice while not logged in. #. TRANS: Client error displayed when trying to unblock a user from a group while not logged in. #. TRANS: Client error displayed trying a change a subscription while not logged in. #. TRANS: Client error message thrown when trying to access the admin panel while not logged in. -#: actions/deletenotice.php:50 actions/disfavor.php:61 actions/favor.php:62 +#: actions/deletenotice.php:52 actions/disfavor.php:61 actions/favor.php:62 #: actions/groupblock.php:61 actions/groupunblock.php:60 actions/logout.php:69 #: actions/makeadmin.php:61 actions/newmessage.php:87 actions/newnotice.php:88 #: actions/nudge.php:63 actions/subedit.php:33 actions/subscribe.php:96 @@ -1495,31 +1517,36 @@ msgstr "Verwyder die gebruiker" msgid "Not logged in." msgstr "Nie aangeteken nie." -#: actions/deletenotice.php:74 +#. TRANS: Error message displayed trying to delete a notice that was not made by the current user. +#: actions/deletenotice.php:78 msgid "Can't delete this notice." msgstr "Hierdie kennisgewing kan nie verwyder word nie." -#: actions/deletenotice.php:106 +#. TRANS: Instructions for deleting a notice. +#: actions/deletenotice.php:110 msgid "" "You are about to permanently delete a notice. Once this is done, it cannot " "be undone." msgstr "" -#: actions/deletenotice.php:112 actions/deletenotice.php:144 +#. TRANS: Page title when deleting a notice. +#. TRANS: Fieldset legend for the delete notice form. +#: actions/deletenotice.php:117 actions/deletenotice.php:148 msgid "Delete notice" msgstr "Verwyder kennisgewing" -#: actions/deletenotice.php:147 +#. TRANS: Message for the delete notice form. +#: actions/deletenotice.php:152 msgid "Are you sure you want to delete this notice?" msgstr "Is u seker u wil hierdie kennisgewing verwyder?" #. TRANS: Submit button title for 'No' when deleting a notice. -#: actions/deletenotice.php:154 +#: actions/deletenotice.php:159 msgid "Do not delete this notice" msgstr "Moenie hierdie kennisgewing verwyder nie" #. TRANS: Submit button title for 'Yes' when deleting a notice. -#: actions/deletenotice.php:161 lib/noticelist.php:667 +#: actions/deletenotice.php:166 lib/noticelist.php:667 msgid "Delete this notice" msgstr "Verwyder hierdie kennisgewing" @@ -1683,11 +1710,9 @@ msgstr "Stel terug na standaard" #. TRANS: Submit button title. #: actions/designadminpanel.php:711 actions/licenseadminpanel.php:319 -#: actions/othersettings.php:126 actions/sessionsadminpanel.php:199 -#: actions/siteadminpanel.php:292 actions/sitenoticeadminpanel.php:195 +#: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:292 #: actions/snapshotadminpanel.php:245 actions/tagother.php:154 -#: actions/useradminpanel.php:295 lib/applicationeditform.php:357 -#: lib/designsettings.php:256 lib/groupeditform.php:202 +#: lib/applicationeditform.php:357 lib/designsettings.php:256 msgid "Save" msgstr "Stoor" @@ -1736,9 +1761,9 @@ msgid "Name is required." msgstr "'n Naam is verpligtend." #. TRANS: Validation error shown when providing too long a name in the "Edit application" form. -#: actions/editapplication.php:188 +#: actions/editapplication.php:188 actions/newapplication.php:169 #, fuzzy -msgid "Name is too long (max 255 characters)." +msgid "Name is too long (maximum 255 characters)." msgstr "Die naam is te lank (maksimum 255 karakters)." #. TRANS: Validation error shown when providing a name for an application that already exists in the "Edit application" form. @@ -1767,7 +1792,7 @@ msgid "Organization is required." msgstr "Organisasie is verpligtend." #. TRANS: Validation error shown when providing too long an arganisation name in the "Edit application" form. -#: actions/editapplication.php:223 +#: actions/editapplication.php:223 actions/newapplication.php:199 #, fuzzy msgid "Organization is too long (maximum 255 characters)." msgstr "Die organisasienaam is te lang (maksimum 255 karakters)." @@ -2553,7 +2578,7 @@ msgid "Publish a MicroID for my Jabber/GTalk address." msgstr "" #. TRANS: Confirmation message for successful IM preferences save. -#: actions/imsettings.php:290 actions/othersettings.php:180 +#: actions/imsettings.php:290 actions/othersettings.php:190 msgid "Preferences saved." msgstr "Voorkeure is gestoor." @@ -2674,10 +2699,9 @@ msgstr[1] "U volg hierdie gebruiker:" #. TRANS: Used as list item for already subscribed users (%1$s is nickname, %2$s is e-mail address). #. TRANS: Used as list item for already registered people (%1$s is nickname, %2$s is e-mail address). -#. TRANS: Whois output. -#. TRANS: %1$s nickname of the queried user, %2$s is their profile URL. -#: actions/invite.php:145 actions/invite.php:159 lib/command.php:426 -#, php-format +#: actions/invite.php:145 actions/invite.php:159 +#, fuzzy, php-format +msgctxt "INVITE" msgid "%1$s (%2$s)" msgstr "%1$s (%2$s)" @@ -2828,8 +2852,9 @@ msgid "" msgstr "" #: actions/licenseadminpanel.php:156 -msgid "Invalid license title. Max length is 255 characters." -msgstr "" +#, fuzzy +msgid "Invalid license title. Maximum length is 255 characters." +msgstr "Ligging is te lank is (maksimum 255 karakters)." #: actions/licenseadminpanel.php:168 msgid "Invalid license URL." @@ -3000,20 +3025,10 @@ msgstr "U moet aangeteken wees alvorens u 'n applikasie kan wysig." msgid "Use this form to register a new application." msgstr "Gebruik die vorm om u applikasie te wysig." -#: actions/newapplication.php:169 -#, fuzzy -msgid "Name is too long (maximum 255 chars)." -msgstr "Die naam is te lank (maksimum 255 karakters)." - #: actions/newapplication.php:184 msgid "Source URL is required." msgstr "'n Bron-URL is verpligtend." -#: actions/newapplication.php:199 -#, fuzzy -msgid "Organization is too long (maximum 255 chars)." -msgstr "Die organisasienaam is te lang (maksimum 255 karakters)." - #: actions/newapplication.php:266 actions/newapplication.php:275 msgid "Could not create application." msgstr "Dit was nie moontlik om die applikasie te skep nie." @@ -3034,14 +3049,14 @@ msgid "New message" msgstr "Nuwe boodskap" #. TRANS: Error text shown when trying to send a direct message to a user without a mutual subscription (each user must be subscribed to the other). -#: actions/newmessage.php:121 actions/newmessage.php:164 lib/command.php:499 +#: actions/newmessage.php:121 actions/newmessage.php:164 lib/command.php:501 msgid "You can't send a message to this user." msgstr "U kan nie 'n boodskap aan hierdie gebruiker stuur nie." #. TRANS: Command exception text shown when trying to send a direct message to another user without content. #. TRANS: Command exception text shown when trying to reply to a notice without providing content for the reply. #: actions/newmessage.php:144 actions/newnotice.php:140 lib/command.php:478 -#: lib/command.php:579 +#: lib/command.php:581 msgid "No content!" msgstr "Geen inhoud nie!" @@ -3050,7 +3065,7 @@ msgid "No recipient specified." msgstr "Geen ontvanger gespesifiseer nie." #. TRANS: Error text shown when trying to send a direct message to self. -#: actions/newmessage.php:167 lib/command.php:503 +#: actions/newmessage.php:167 lib/command.php:505 msgid "" "Don't send a message to yourself; just say it to yourself quietly instead." msgstr "" @@ -3061,12 +3076,12 @@ msgstr "Boodskap is gestuur." #. TRANS: Message given have sent a direct message to another user. #. TRANS: %s is the name of the other user. -#: actions/newmessage.php:188 lib/command.php:511 +#: actions/newmessage.php:188 lib/command.php:513 #, fuzzy, php-format msgid "Direct message to %s sent." msgstr "Direkte boodskappe aan %s" -#: actions/newmessage.php:213 actions/newnotice.php:263 +#: actions/newmessage.php:213 actions/newnotice.php:264 msgid "Ajax Error" msgstr "Ajax-fout" @@ -3075,17 +3090,7 @@ msgstr "Ajax-fout" msgid "New notice" msgstr "Geen kennisgewing." -#: actions/newnotice.php:159 lib/mailhandler.php:60 -#, php-format -msgid "That's too long. Max notice size is %d chars." -msgstr "Die kennisgewing is te lank. Gebruik maksimum %d karakters." - -#: actions/newnotice.php:183 -#, php-format -msgid "Max notice size is %d chars, including attachment URL." -msgstr "" - -#: actions/newnotice.php:229 +#: actions/newnotice.php:230 #, fuzzy msgid "Notice posted" msgstr "Hierdie kennisgewing is verwyder." @@ -3253,39 +3258,48 @@ msgstr "Mense soek" msgid "Notice Search" msgstr "Mense soek" -#: actions/othersettings.php:60 +#: actions/othersettings.php:59 #, fuzzy msgid "Other settings" msgstr "Avatar-instellings" +#. TRANS: Instructions for tab "Other" in user profile settings. #: actions/othersettings.php:71 msgid "Manage various other options." msgstr "" -#: actions/othersettings.php:108 +#. TRANS: Used as a suffix for free URL shorteners in a dropdown list in the tab "Other" of a +#. TRANS: user's profile settings. This message has one space at the beginning. Use your +#. TRANS: language's word separator here if it has one (most likely a single space). +#: actions/othersettings.php:111 msgid " (free service)" -msgstr "(gratis diens)" +msgstr " (gratis diens)" -#: actions/othersettings.php:116 +#. TRANS: Label for dropdown with URL shortener services. +#: actions/othersettings.php:120 msgid "Shorten URLs with" msgstr "" -#: actions/othersettings.php:117 +#. TRANS: Tooltip for for dropdown with URL shortener services. +#: actions/othersettings.php:122 msgid "Automatic shortening service to use." msgstr "" -#: actions/othersettings.php:122 +#. TRANS: Label for checkbox. +#: actions/othersettings.php:128 #, fuzzy msgid "View profile designs" msgstr "Wysig profiel-instellings" -#: actions/othersettings.php:123 +#. TRANS: Tooltip for checkbox. +#: actions/othersettings.php:130 msgid "Show or hide profile designs." msgstr "" -#: actions/othersettings.php:153 +#. TRANS: Form validation error for form "Other settings" in user profile. +#: actions/othersettings.php:162 #, fuzzy -msgid "URL shortening service is too long (max 50 chars)." +msgid "URL shortening service is too long (maximum 50 characters)." msgstr "Ligging is te lank is (maksimum 255 karakters)." #: actions/otp.php:69 @@ -3771,7 +3785,7 @@ msgstr "Bio" #. TRANS: Label for group location (dt). Text hidden by default. #: actions/profilesettings.php:149 actions/register.php:485 #: actions/showgroup.php:267 actions/tagother.php:112 -#: actions/userauthorization.php:166 lib/groupeditform.php:177 +#: actions/userauthorization.php:166 lib/groupeditform.php:180 #: lib/userprofile.php:165 msgid "Location" msgstr "Ligging" @@ -4114,7 +4128,7 @@ msgstr "Die vorm is onverwags ingestuur." #: actions/recoverpassword.php:365 #, fuzzy -msgid "Password must be 6 chars or more." +msgid "Password must be 6 characters or more." msgstr "Wagwoord moet 6 of meer karakters bevat." #: actions/recoverpassword.php:369 @@ -4474,7 +4488,7 @@ msgstr "Organisasie" #. TRANS: Form input field label. #: actions/showapplication.php:187 actions/version.php:200 -#: lib/applicationeditform.php:208 lib/groupeditform.php:172 +#: lib/applicationeditform.php:208 lib/groupeditform.php:175 msgid "Description" msgstr "Beskrywing" @@ -4621,7 +4635,7 @@ msgid "Note" msgstr "Nota" #. TRANS: Label for group aliases (dt). Text hidden by default. -#: actions/showgroup.php:298 lib/groupeditform.php:184 +#: actions/showgroup.php:298 lib/groupeditform.php:187 msgid "Aliases" msgstr "Aliasse" @@ -4744,62 +4758,86 @@ msgstr "Opdaterings van %1$s op %2$s." msgid "Notice deleted." msgstr "Hierdie kennisgewing is verwyder." -#: actions/showstream.php:72 -#, php-format -msgid " tagged %s" -msgstr "met die etiket %s" +#. TRANS: Page title showing tagged notices in one user's stream. %1$s is the username, %2$s is the hash tag. +#: actions/showstream.php:70 +#, fuzzy, php-format +msgid "%1$s tagged %2$s" +msgstr "%1$s, bladsy %2$d" -#: actions/showstream.php:78 +#. TRANS: Page title showing tagged notices in one user's stream. +#. TRANS: %1$s is the username, %2$s is the hash tag, %1$d is the page number. +#: actions/showstream.php:74 +#, fuzzy, php-format +msgid "%1$s tagged %2$s, page %3$d" +msgstr "%1$s, bladsy %2$d" + +#. TRANS: Extended page title showing tagged notices in one user's stream. +#. TRANS: %1$s is the username, %2$d is the page number. +#: actions/showstream.php:82 #, php-format msgid "%1$s, page %2$d" msgstr "%1$s, bladsy %2$d" -#: actions/showstream.php:120 +#. TRANS: Title for link to notice feed. +#. TRANS: %1$s is a user nickname, %2$s is a hashtag. +#: actions/showstream.php:127 #, fuzzy, php-format msgid "Notice feed for %1$s tagged %2$s (RSS 1.0)" msgstr "Voer vir vriende van %s (RSS 1.0)" -#: actions/showstream.php:127 +#. TRANS: Title for link to notice feed. +#. TRANS: %s is a user nickname. +#: actions/showstream.php:136 #, fuzzy, php-format msgid "Notice feed for %s (RSS 1.0)" msgstr "Voer vir vriende van %s (RSS 1.0)" -#: actions/showstream.php:134 +#. TRANS: Title for link to notice feed. +#. TRANS: %s is a user nickname. +#: actions/showstream.php:145 #, fuzzy, php-format msgid "Notice feed for %s (RSS 2.0)" msgstr "Voer vir vriende van %s (RSS 2.0)" -#: actions/showstream.php:141 +#: actions/showstream.php:152 #, fuzzy, php-format msgid "Notice feed for %s (Atom)" msgstr "Voer vir vriende van %s (Atom)" -#: actions/showstream.php:146 +#. TRANS: Title for link to notice feed. FOAF stands for Friend of a Friend. +#. TRANS: More information at http://www.foaf-project.org. %s is a user nickname. +#: actions/showstream.php:159 #, php-format msgid "FOAF for %s" msgstr "Vriend van 'n vriend (FOAF) vir %s" -#: actions/showstream.php:197 +#. TRANS: First sentence of empty list message for a stream. $1%s is a user nickname. +#: actions/showstream.php:211 #, fuzzy, php-format -msgid "This is the timeline for %1$s but %2$s hasn't posted anything yet." +msgid "This is the timeline for %1$s, but %1$s hasn't posted anything yet." msgstr "" "Hierdie is die tydslyn vir %s en vriende, maar niemand het nog iets gepos " "nie." -#: actions/showstream.php:202 +#. TRANS: Second sentence of empty list message for a stream for the user themselves. +#: actions/showstream.php:217 msgid "" "Seen anything interesting recently? You haven't posted any notices yet, now " "would be a good time to start :)" msgstr "" -#: actions/showstream.php:204 +#. TRANS: Second sentence of empty list message for a non-self stream. %1$s is a user nickname, %2$s is a part of a URL. +#. TRANS: This message contains a Markdown link. Keep "](" together. +#: actions/showstream.php:221 #, php-format msgid "" "You can try to nudge %1$s or [post something to them](%%%%action.newnotice%%%" "%?status_textarea=%2$s)." msgstr "" -#: actions/showstream.php:243 +#. TRANS: Announcement for anonymous users showing a stream if site registrations are open. +#. TRANS: This message contains a Markdown link. Keep "](" together. +#: actions/showstream.php:264 #, php-format msgid "" "**%s** has an account on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -4808,7 +4846,9 @@ msgid "" "follow **%s**'s notices and many more! ([Read more](%%%%doc.help%%%%))" msgstr "" -#: actions/showstream.php:248 +#. TRANS: Announcement for anonymous users showing a stream if site registrations are closed or invite only. +#. TRANS: This message contains a Markdown link. Keep "](" together. +#: actions/showstream.php:271 #, php-format msgid "" "**%s** has an account on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -4816,7 +4856,8 @@ msgid "" "[StatusNet](http://status.net/) tool. " msgstr "" -#: actions/showstream.php:305 +#. TRANS: Link to the author of a repeated notice. %s is a linked nickname. +#: actions/showstream.php:328 #, php-format msgid "Repeat of %s" msgstr "Herhaling van %s" @@ -4930,35 +4971,42 @@ msgstr "Duplikaatlimiet" msgid "How long users must wait (in seconds) to post the same thing again." msgstr "" -#: actions/sitenoticeadminpanel.php:56 +#. TRANS: Page title for site-wide notice tab in admin panel. +#: actions/sitenoticeadminpanel.php:55 #, fuzzy msgid "Site Notice" msgstr "Kennisgewings" -#: actions/sitenoticeadminpanel.php:67 +#. TRANS: Instructions for site-wide notice tab in admin panel. +#: actions/sitenoticeadminpanel.php:66 #, fuzzy msgid "Edit site-wide message" msgstr "Nuwe boodskap" -#: actions/sitenoticeadminpanel.php:103 +#. TRANS: Server error displayed when saving a site-wide notice was impossible. +#: actions/sitenoticeadminpanel.php:101 #, fuzzy msgid "Unable to save site notice." msgstr "Dit was nie moontlik om u ontwerp-instellings te stoor nie." -#: actions/sitenoticeadminpanel.php:113 -msgid "Max length for the site-wide notice is 255 chars." +#. TRANS: Client error displayed when a site-wide notice was longer than allowed. +#: actions/sitenoticeadminpanel.php:112 +msgid "Maximum length for the site-wide notice is 255 characters." msgstr "" +#. TRANS: Label for site-wide notice text field in admin panel. #: actions/sitenoticeadminpanel.php:176 #, fuzzy msgid "Site notice text" msgstr "Verwyder kennisgewing" -#: actions/sitenoticeadminpanel.php:178 -msgid "Site-wide notice text (255 chars max; HTML okay)" +#. TRANS: Tooltip for site-wide notice text field in admin panel. +#: actions/sitenoticeadminpanel.php:179 +msgid "Site-wide notice text (255 characters maximum; HTML allowed)" msgstr "" -#: actions/sitenoticeadminpanel.php:198 +#. TRANS: Title for button to save site notice in admin panel. +#: actions/sitenoticeadminpanel.php:201 #, fuzzy msgid "Save site notice" msgstr "Verwyder kennisgewing" @@ -5423,80 +5471,96 @@ msgid "" msgstr "" #. TRANS: User admin panel title -#: actions/useradminpanel.php:60 +#: actions/useradminpanel.php:58 msgctxt "TITLE" msgid "User" msgstr "Gebruiker" -#: actions/useradminpanel.php:71 +#. TRANS: Instruction for user admin panel. +#: actions/useradminpanel.php:69 msgid "User settings for this StatusNet site" msgstr "" -#: actions/useradminpanel.php:150 +#. TRANS: Form validation error in user admin panel when a non-numeric character limit was set. +#: actions/useradminpanel.php:147 msgid "Invalid bio limit. Must be numeric." msgstr "" -#: actions/useradminpanel.php:156 -msgid "Invalid welcome text. Max length is 255 characters." +#. TRANS: Form validation error in user admin panel when welcome text is too long. +#: actions/useradminpanel.php:154 +msgid "Invalid welcome text. Maximum length is 255 characters." msgstr "" +#. TRANS: Client error displayed when trying to set a non-existing user as default subscription for new +#. TRANS: users in user admin panel. %1$s is the invalid nickname. #: actions/useradminpanel.php:166 #, php-format -msgid "Invalid default subscripton: '%1$s' is not user." +msgid "Invalid default subscripton: '%1$s' is not a user." msgstr "" #. TRANS: Link description in user account settings menu. -#: actions/useradminpanel.php:219 lib/accountsettingsaction.php:106 +#: actions/useradminpanel.php:215 lib/accountsettingsaction.php:106 #: lib/personalgroupnav.php:109 msgid "Profile" msgstr "Profiel" -#: actions/useradminpanel.php:223 +#. TRANS: Field label in user admin panel for setting the character limit for the bio field. +#: actions/useradminpanel.php:220 msgid "Bio Limit" msgstr "Profiellimiet" -#: actions/useradminpanel.php:224 +#. TRANS: Tooltip in user admin panel for setting the character limit for the bio field. +#: actions/useradminpanel.php:222 msgid "Maximum length of a profile bio in characters." msgstr "" -#: actions/useradminpanel.php:232 +#. TRANS: Form legend in user admin panel. +#: actions/useradminpanel.php:231 msgid "New users" msgstr "Nuwe gebruikers" +#. TRANS: Field label in user admin panel for setting new user welcome text. #: actions/useradminpanel.php:236 #, fuzzy msgid "New user welcome" msgstr "Nuwe gebruikers" -#: actions/useradminpanel.php:237 +#. TRANS: Tooltip in user admin panel for setting new user welcome text. +#: actions/useradminpanel.php:238 #, fuzzy -msgid "Welcome text for new users (Max 255 chars)." +msgid "Welcome text for new users (maximum 255 characters)." msgstr "Die naam is te lank (maksimum 255 karakters)." -#: actions/useradminpanel.php:242 +#. TRANS: Field label in user admin panel for setting default subscription for new users. +#: actions/useradminpanel.php:244 #, fuzzy msgid "Default subscription" msgstr "Beskrywing" -#: actions/useradminpanel.php:243 +#. TRANS: Tooltip in user admin panel for setting default subscription for new users. +#: actions/useradminpanel.php:246 #, fuzzy msgid "Automatically subscribe new users to this user." msgstr "Jy kan nie gebruikers op hierdie webwerf stilmaak nie." -#: actions/useradminpanel.php:252 +#. TRANS: Form legend in user admin panel. +#: actions/useradminpanel.php:256 msgid "Invitations" msgstr "Uitnodigings" -#: actions/useradminpanel.php:257 +#. TRANS: Field label for checkbox in user admin panel for allowing users to invite friend using site e-mail. +#: actions/useradminpanel.php:262 #, fuzzy msgid "Invitations enabled" msgstr "Uitnodigings" -#: actions/useradminpanel.php:259 +#. TRANS: Tooltip for checkbox in user admin panel for allowing users to invite friend using site e-mail. +#: actions/useradminpanel.php:265 msgid "Whether to allow users to invite new users." msgstr "" -#: actions/useradminpanel.php:295 +#. TRANS: Title for button to save user settings in user admin panel. +#: actions/useradminpanel.php:302 msgid "Save user settings" msgstr "" @@ -5689,7 +5753,7 @@ msgid "Plugins" msgstr "" #. TRANS: Secondary navigation menu option leading to version information on the StatusNet site. -#: actions/version.php:198 lib/action.php:831 +#: actions/version.php:198 lib/action.php:880 msgid "Version" msgstr "Weergawe" @@ -5901,16 +5965,23 @@ msgstr "Kon nie die profiel stoor nie." msgid "RT @%1$s %2$s" msgstr "RT @%1$s %2$s" +#. TRANS: Full name of a profile or group followed by nickname in parens +#: classes/Profile.php:164 +#, fuzzy, php-format +msgctxt "FANCYNAME" +msgid "%1$s (%2$s)" +msgstr "%1$s (%2$s)" + #. TRANS: Exception thrown when trying to revoke an existing role for a user that does not exist. #. TRANS: %1$s is the role name, %2$s is the user ID (number). -#: classes/Profile.php:791 +#: classes/Profile.php:812 #, php-format msgid "Cannot revoke role \"%1$s\" for user #%2$d; does not exist." msgstr "" #. TRANS: Exception thrown when trying to revoke a role for a user with a failing database query. #. TRANS: %1$s is the role name, %2$s is the user ID (number). -#: classes/Profile.php:800 +#: classes/Profile.php:821 #, php-format msgid "Cannot revoke role \"%1$s\" for user #%2$d; database error." msgstr "" @@ -6068,200 +6139,207 @@ msgstr "%1$s - %2$s" msgid "Untitled page" msgstr "" +#. TRANS: Localized tooltip for '...' expansion button on overlong remote messages. +#: lib/action.php:310 +msgctxt "TOOLTIP" +msgid "Show more" +msgstr "" + #. TRANS: DT element for primary navigation menu. String is hidden in default CSS. -#: lib/action.php:477 +#: lib/action.php:526 msgid "Primary site navigation" msgstr "" #. TRANS: Tooltip for main menu option "Personal" -#: lib/action.php:483 +#: lib/action.php:532 msgctxt "TOOLTIP" msgid "Personal profile and friends timeline" msgstr "" #. TRANS: Main menu option when logged in for access to personal profile and friends timeline -#: lib/action.php:486 +#: lib/action.php:535 msgctxt "MENU" msgid "Personal" msgstr "Persoonlik" #. TRANS: Tooltip for main menu option "Account" -#: lib/action.php:488 +#: lib/action.php:537 #, fuzzy msgctxt "TOOLTIP" msgid "Change your email, avatar, password, profile" msgstr "Verander u wagwoord" #. TRANS: Main menu option when logged in for access to user settings -#: lib/action.php:491 +#: lib/action.php:540 msgid "Account" msgstr "Gebruiker" #. TRANS: Tooltip for main menu option "Services" -#: lib/action.php:493 +#: lib/action.php:542 msgctxt "TOOLTIP" msgid "Connect to services" msgstr "" #. TRANS: Main menu option when logged in and connection are possible for access to options to connect to other services -#: lib/action.php:496 +#: lib/action.php:545 msgid "Connect" msgstr "Konnekteer" #. TRANS: Tooltip for menu option "Admin" -#: lib/action.php:499 +#: lib/action.php:548 msgctxt "TOOLTIP" msgid "Change site configuration" msgstr "" #. TRANS: Main menu option when logged in and site admin for access to site configuration #. TRANS: Menu item in the group navigation page. Only shown for group administrators. -#: lib/action.php:502 lib/groupnav.php:117 +#: lib/action.php:551 lib/groupnav.php:117 msgctxt "MENU" msgid "Admin" msgstr "Beheer" #. TRANS: Tooltip for main menu option "Invite" -#: lib/action.php:506 +#: lib/action.php:555 #, php-format msgctxt "TOOLTIP" msgid "Invite friends and colleagues to join you on %s" msgstr "" #. TRANS: Main menu option when logged in and invitations are allowed for inviting new users -#: lib/action.php:509 +#: lib/action.php:558 msgctxt "MENU" msgid "Invite" msgstr "Uitnodig" #. TRANS: Tooltip for main menu option "Logout" -#: lib/action.php:515 +#: lib/action.php:564 #, fuzzy msgctxt "TOOLTIP" msgid "Logout from the site" msgstr "Meld by die webwerf aan" #. TRANS: Main menu option when logged in to log out the current user -#: lib/action.php:518 +#: lib/action.php:567 msgctxt "MENU" msgid "Logout" msgstr "Teken uit" #. TRANS: Tooltip for main menu option "Register" -#: lib/action.php:523 +#: lib/action.php:572 msgctxt "TOOLTIP" msgid "Create an account" msgstr "Skep 'n gebruiker" #. TRANS: Main menu option when not logged in to register a new account -#: lib/action.php:526 +#: lib/action.php:575 msgctxt "MENU" msgid "Register" msgstr "Registreer" #. TRANS: Tooltip for main menu option "Login" -#: lib/action.php:529 +#: lib/action.php:578 msgctxt "TOOLTIP" msgid "Login to the site" msgstr "Meld by die webwerf aan" #. TRANS: Main menu option when not logged in to log in -#: lib/action.php:532 +#: lib/action.php:581 msgctxt "MENU" msgid "Login" msgstr "Teken in" #. TRANS: Tooltip for main menu option "Help" -#: lib/action.php:535 +#: lib/action.php:584 msgctxt "TOOLTIP" msgid "Help me!" msgstr "Help my!" #. TRANS: Main menu option for help on the StatusNet site -#: lib/action.php:538 +#: lib/action.php:587 msgctxt "MENU" msgid "Help" msgstr "Help" #. TRANS: Tooltip for main menu option "Search" -#: lib/action.php:541 +#: lib/action.php:590 msgctxt "TOOLTIP" msgid "Search for people or text" msgstr "Soek na mense of teks" #. TRANS: Main menu option when logged in or when the StatusNet instance is not private -#: lib/action.php:544 +#: lib/action.php:593 msgctxt "MENU" msgid "Search" msgstr "Soek" #. TRANS: DT element for site notice. String is hidden in default CSS. #. TRANS: Menu item for site administration -#: lib/action.php:566 lib/adminpanelaction.php:387 +#: lib/action.php:615 lib/adminpanelaction.php:387 #, fuzzy msgid "Site notice" msgstr "Verwyder kennisgewing" #. TRANS: DT element for local views block. String is hidden in default CSS. -#: lib/action.php:633 +#: lib/action.php:682 #, fuzzy msgid "Local views" msgstr "Lokaal" #. TRANS: DT element for page notice. String is hidden in default CSS. -#: lib/action.php:703 +#: lib/action.php:752 #, fuzzy msgid "Page notice" msgstr "Populêre kennisgewings" #. TRANS: DT element for secondary navigation menu. String is hidden in default CSS. -#: lib/action.php:804 +#: lib/action.php:853 msgid "Secondary site navigation" msgstr "" #. TRANS: Secondary navigation menu option leading to help on StatusNet. -#: lib/action.php:810 +#: lib/action.php:859 msgid "Help" msgstr "Help" #. TRANS: Secondary navigation menu option leading to text about StatusNet site. -#: lib/action.php:813 +#: lib/action.php:862 msgid "About" msgstr "Aangaande" #. TRANS: Secondary navigation menu option leading to Frequently Asked Questions. -#: lib/action.php:816 +#: lib/action.php:865 msgid "FAQ" msgstr "Gewilde vrae" #. TRANS: Secondary navigation menu option leading to Terms of Service. -#: lib/action.php:821 +#: lib/action.php:870 msgid "TOS" msgstr "Gebruiksvoorwaardes" #. TRANS: Secondary navigation menu option leading to privacy policy. -#: lib/action.php:825 +#: lib/action.php:874 msgid "Privacy" msgstr "Privaatheid" -#. TRANS: Secondary navigation menu option. -#: lib/action.php:828 +#. TRANS: Secondary navigation menu option. Leads to information about StatusNet and its license. +#: lib/action.php:877 msgid "Source" msgstr "Bron" -#. TRANS: Secondary navigation menu option leading to contact information on the StatusNet site. -#: lib/action.php:834 +#. TRANS: Secondary navigation menu option leading to e-mail contact information on the +#. TRANS: StatusNet site, where to report bugs, ... +#: lib/action.php:884 msgid "Contact" msgstr "Kontak" -#. TRANS: Secondary navigation menu option. -#: lib/action.php:837 +#. TRANS: Secondary navigation menu option. Leads to information about embedding a timeline widget. +#: lib/action.php:887 #, fuzzy msgid "Badge" msgstr "Aanpor" #. TRANS: DT element for StatusNet software license. -#: lib/action.php:866 +#: lib/action.php:916 msgid "StatusNet software license" msgstr "" @@ -6269,7 +6347,7 @@ msgstr "" #. TRANS: Text between [] is a link description, text between () is the link itself. #. TRANS: Make sure there is no whitespace between "]" and "(". #. TRANS: "%%site.broughtby%%" is the value of the variable site.broughtby -#: lib/action.php:873 +#: lib/action.php:923 #, php-format msgid "" "**%%site.name%%** is a microblogging service brought to you by [%%site." @@ -6277,7 +6355,7 @@ msgid "" msgstr "" #. TRANS: First sentence of the StatusNet site license. Used if 'broughtby' is not set. -#: lib/action.php:876 +#: lib/action.php:926 #, php-format msgid "**%%site.name%%** is a microblogging service." msgstr "" @@ -6286,7 +6364,7 @@ msgstr "" #. TRANS: Make sure there is no whitespace between "]" and "(". #. TRANS: Text between [] is a link description, text between () is the link itself. #. TRANS: %s is the version of StatusNet that is being used. -#: lib/action.php:883 +#: lib/action.php:933 #, php-format msgid "" "It runs the [StatusNet](http://status.net/) microblogging software, version %" @@ -6295,51 +6373,51 @@ msgid "" msgstr "" #. TRANS: DT element for StatusNet site content license. -#: lib/action.php:899 +#: lib/action.php:949 msgid "Site content license" msgstr "" #. TRANS: Content license displayed when license is set to 'private'. #. TRANS: %1$s is the site name. -#: lib/action.php:906 +#: lib/action.php:956 #, php-format msgid "Content and data of %1$s are private and confidential." msgstr "" #. TRANS: Content license displayed when license is set to 'allrightsreserved'. #. TRANS: %1$s is the copyright owner. -#: lib/action.php:913 +#: lib/action.php:963 #, php-format msgid "Content and data copyright by %1$s. All rights reserved." msgstr "" #. TRANS: Content license displayed when license is set to 'allrightsreserved' and no owner is set. -#: lib/action.php:917 +#: lib/action.php:967 msgid "Content and data copyright by contributors. All rights reserved." msgstr "" #. TRANS: license message in footer. #. TRANS: %1$s is the site name, %2$s is a link to the license URL, with a licence name set in configuration. -#: lib/action.php:949 +#: lib/action.php:999 #, php-format msgid "All %1$s content and data are available under the %2$s license." msgstr "" #. TRANS: DT element for pagination (previous/next, etc.). -#: lib/action.php:1285 +#: lib/action.php:1335 #, fuzzy msgid "Pagination" msgstr "Registratie" #. TRANS: Pagination message to go to a page displaying information more in the #. TRANS: present than the currently displayed information. -#: lib/action.php:1296 +#: lib/action.php:1346 msgid "After" msgstr "Na" #. TRANS: Pagination message to go to a page displaying information more in the #. TRANS: past than the currently displayed information. -#: lib/action.php:1306 +#: lib/action.php:1356 msgid "Before" msgstr "Voor" @@ -6701,7 +6779,7 @@ msgid "AJAX error" msgstr "Ajax-fout" #. TRANS: E-mail subject when a command has completed. -#: lib/channel.php:233 lib/mailhandler.php:142 +#: lib/channel.php:233 lib/mailhandler.php:143 msgid "Command complete" msgstr "Opdrag voltooi" @@ -6718,7 +6796,7 @@ msgstr "" #. TRANS: Command exception text shown when a last user notice is requested and it does not exist. #. TRANS: Error text shown when a last user notice is requested and it does not exist. -#: lib/command.php:99 lib/command.php:626 +#: lib/command.php:99 lib/command.php:630 msgid "User has no last notice." msgstr "" @@ -6784,6 +6862,14 @@ msgstr "" msgid "%1$s left group %2$s." msgstr "" +#. TRANS: Whois output. +#. TRANS: %1$s nickname of the queried user, %2$s is their profile URL. +#: lib/command.php:426 +#, fuzzy, php-format +msgctxt "WHOIS" +msgid "%1$s (%2$s)" +msgstr "%1$s (%2$s)" + #. TRANS: Whois output. %s is the full name of the queried user. #: lib/command.php:430 #, php-format @@ -6821,134 +6907,144 @@ msgid "" "same server." msgstr "" -#. TRANS: Message given if content is too long. +#. TRANS: Message given if content is too long. %1$sd is used for plural. #. TRANS: %1$d is the maximum number of characters, %2$d is the number of submitted characters. #: lib/command.php:488 -#, php-format -msgid "Message too long - maximum is %1$d characters, you sent %2$d." -msgstr "" +#, fuzzy, php-format +msgid "Message too long - maximum is %1$d character, you sent %2$d." +msgid_plural "Message too long - maximum is %1$d characters, you sent %2$d." +msgstr[0] "" +"Boodskap is te lank. Die maksimum is %1$d karakters. U het %2$d karakters " +"gestuur." +msgstr[1] "" "Boodskap is te lank. Die maksimum is %1$d karakters. U het %2$d karakters " "gestuur." #. TRANS: Error text shown sending a direct message fails with an unknown reason. -#: lib/command.php:514 +#: lib/command.php:516 msgid "Error sending direct message." msgstr "" #. TRANS: Message given having repeated a notice from another user. #. TRANS: %s is the name of the user for which the notice was repeated. -#: lib/command.php:551 +#: lib/command.php:553 #, php-format msgid "Notice from %s repeated." msgstr "" #. TRANS: Error text shown when repeating a notice fails with an unknown reason. -#: lib/command.php:554 +#: lib/command.php:556 #, fuzzy msgid "Error repeating notice." msgstr "U kan nie u eie kennisgewings herhaal nie." -#. TRANS: Message given if content of a notice for a reply is too long. +#. TRANS: Message given if content of a notice for a reply is too long. %1$d is used for plural. #. TRANS: %1$d is the maximum number of characters, %2$d is the number of submitted characters. -#: lib/command.php:589 -#, php-format -msgid "Notice too long - maximum is %1$d characters, you sent %2$d." -msgstr "" +#: lib/command.php:591 +#, fuzzy, php-format +msgid "Notice too long - maximum is %1$d character, you sent %2$d." +msgid_plural "Notice too long - maximum is %1$d characters, you sent %2$d." +msgstr[0] "" +"Boodskap is te lank. Die maksimum is %1$d karakters. U het %2$d karakters " +"gestuur." +msgstr[1] "" +"Boodskap is te lank. Die maksimum is %1$d karakters. U het %2$d karakters " +"gestuur." #. TRANS: Text shown having sent a reply to a notice successfully. #. TRANS: %s is the nickname of the user of the notice the reply was sent to. -#: lib/command.php:600 +#: lib/command.php:604 #, php-format msgid "Reply to %s sent." msgstr "" #. TRANS: Error text shown when a reply to a notice fails with an unknown reason. -#: lib/command.php:603 +#: lib/command.php:607 #, fuzzy msgid "Error saving notice." msgstr "Fout tydens stoor van gebruiker; ongeldig." #. TRANS: Error text shown when no username was provided when issuing a subscribe command. -#: lib/command.php:650 +#: lib/command.php:654 msgid "Specify the name of the user to subscribe to." msgstr "" #. TRANS: Command exception text shown when trying to subscribe to an OMB profile using the subscribe command. -#: lib/command.php:659 +#: lib/command.php:663 msgid "Can't subscribe to OMB profiles by command." msgstr "" #. TRANS: Text shown after having subscribed to another user successfully. #. TRANS: %s is the name of the user the subscription was requested for. -#: lib/command.php:667 +#: lib/command.php:671 #, php-format msgid "Subscribed to %s." msgstr "" #. TRANS: Error text shown when no username was provided when issuing an unsubscribe command. #. TRANS: Error text shown when no username was provided when issuing the command. -#: lib/command.php:688 lib/command.php:799 +#: lib/command.php:692 lib/command.php:803 msgid "Specify the name of the user to unsubscribe from." msgstr "" #. TRANS: Text shown after having unsubscribed from another user successfully. #. TRANS: %s is the name of the user the unsubscription was requested for. -#: lib/command.php:699 +#: lib/command.php:703 #, php-format msgid "Unsubscribed from %s." msgstr "" #. TRANS: Error text shown when issuing the command "off" with a setting which has not yet been implemented. #. TRANS: Error text shown when issuing the command "on" with a setting which has not yet been implemented. -#: lib/command.php:719 lib/command.php:745 +#: lib/command.php:723 lib/command.php:749 #, fuzzy msgid "Command not yet implemented." msgstr "Opdrag voltooi" #. TRANS: Text shown when issuing the command "off" successfully. -#: lib/command.php:723 +#: lib/command.php:727 #, fuzzy msgid "Notification off." msgstr "Geen bevestigingskode." #. TRANS: Error text shown when the command "off" fails for an unknown reason. -#: lib/command.php:726 +#: lib/command.php:730 msgid "Can't turn off notification." msgstr "" #. TRANS: Text shown when issuing the command "on" successfully. -#: lib/command.php:749 +#: lib/command.php:753 #, fuzzy msgid "Notification on." msgstr "Geen bevestigingskode." #. TRANS: Error text shown when the command "on" fails for an unknown reason. -#: lib/command.php:752 +#: lib/command.php:756 #, fuzzy msgid "Can't turn on notification." msgstr "U kan nie u eie kennisgewings herhaal nie." #. TRANS: Error text shown when issuing the login command while login is disabled. -#: lib/command.php:766 +#: lib/command.php:770 msgid "Login command is disabled." msgstr "" #. TRANS: Text shown after issuing the login command successfully. #. TRANS: %s is a logon link.. -#: lib/command.php:779 +#: lib/command.php:783 #, php-format msgid "This link is useable only once and is valid for only 2 minutes: %s." msgstr "" #. TRANS: Text shown after issuing the lose command successfully (stop another user from following the current user). #. TRANS: %s is the name of the user the unsubscription was requested for. -#: lib/command.php:808 +#: lib/command.php:812 #, php-format msgid "Unsubscribed %s." msgstr "" #. TRANS: Text shown after requesting other users a user is subscribed to without having any subscriptions. -#: lib/command.php:826 +#: lib/command.php:830 #, fuzzy msgid "You are not subscribed to anyone." msgstr "U volg hierdie gebruiker:" @@ -6956,7 +7052,7 @@ msgstr "U volg hierdie gebruiker:" #. TRANS: Text shown after requesting other users a user is subscribed to. #. TRANS: This message supports plural forms. This message is followed by a #. TRANS: hard coded space and a comma separated list of subscribed users. -#: lib/command.php:831 +#: lib/command.php:835 msgid "You are subscribed to this person:" msgid_plural "You are subscribed to these people:" msgstr[0] "U volg hierdie gebruiker:" @@ -6964,7 +7060,7 @@ msgstr[1] "U volg hierdie gebruikers:" #. TRANS: Text shown after requesting other users that are subscribed to a user #. TRANS: (followers) without having any subscribers. -#: lib/command.php:853 +#: lib/command.php:857 #, fuzzy msgid "No one is subscribed to you." msgstr "Hierdie gebruiker volg u:" @@ -6972,7 +7068,7 @@ msgstr "Hierdie gebruiker volg u:" #. TRANS: Text shown after requesting other users that are subscribed to a user (followers). #. TRANS: This message supports plural forms. This message is followed by a #. TRANS: hard coded space and a comma separated list of subscribing users. -#: lib/command.php:858 +#: lib/command.php:862 msgid "This person is subscribed to you:" msgid_plural "These people are subscribed to you:" msgstr[0] "Hierdie gebruiker volg u:" @@ -6980,21 +7076,21 @@ msgstr[1] "Hierdie gebruikers volg u:" #. TRANS: Text shown after requesting groups a user is subscribed to without having #. TRANS: any group subscriptions. -#: lib/command.php:880 +#: lib/command.php:884 msgid "You are not a member of any groups." msgstr "U is nie 'n lid van enige groep nie." #. TRANS: Text shown after requesting groups a user is subscribed to. #. TRANS: This message supports plural forms. This message is followed by a #. TRANS: hard coded space and a comma separated list of subscribed groups. -#: lib/command.php:885 +#: lib/command.php:889 msgid "You are a member of this group:" msgid_plural "You are a member of these groups:" msgstr[0] "U is 'n lid van hierdie groep:" msgstr[1] "U is 'n lid van hierdie groepe:" #. TRANS: Help text for commands. Do not translate the command names themselves; they are fixed strings. -#: lib/command.php:900 +#: lib/command.php:904 msgid "" "Commands:\n" "on - turn on notifications\n" @@ -7189,27 +7285,36 @@ msgstr "" "spasies bevat nie." #: lib/groupeditform.php:163 -msgid "URL of the homepage or blog of the group or topic" -msgstr "" +#, fuzzy +msgid "URL of the homepage or blog of the group or topic." +msgstr "U is nie die eienaar van hierdie applikasie nie." #: 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 "" +#, fuzzy, php-format +msgid "Describe the group or topic in %d character or less" +msgid_plural "Describe the group or topic in %d characters or less" +msgstr[0] "Skrap applikasie" +msgstr[1] "Skrap applikasie" -#: lib/groupeditform.php:179 +#: lib/groupeditform.php:182 msgid "" -"Location for the group, if any, like \"City, State (or Region), Country\"" +"Location for the group, if any, like \"City, State (or Region), Country\"." msgstr "" -#: lib/groupeditform.php:187 +#: lib/groupeditform.php:190 #, php-format -msgid "Extra nicknames for the group, comma- or space- separated, max %d" -msgstr "" +msgid "" +"Extra nicknames for the group, separated with commas or spaces. Maximum %d " +"alias allowed." +msgid_plural "" +"Extra nicknames for the group, separated with commas or spaces. Maximum %d " +"aliases allowed." +msgstr[0] "" +msgstr[1] "" #. TRANS: Menu item in the group navigation page. #: lib/groupnav.php:86 @@ -7667,7 +7772,7 @@ msgstr "Jammer, dit is nie u inkomende e-posadres nie." msgid "Sorry, no incoming email allowed." msgstr "Jammer, inkomende e-pos word nie toegelaat nie." -#: lib/mailhandler.php:228 +#: lib/mailhandler.php:229 #, fuzzy, php-format msgid "Unsupported message type: %s" msgstr "Nie-ondersteunde formaat." @@ -8026,17 +8131,18 @@ msgid "Sandbox this user" msgstr "Deblokkeer hierdie gebruiker" #. TRANS: Fieldset legend for the search form. -#: lib/searchaction.php:121 +#: lib/searchaction.php:120 #, fuzzy msgid "Search site" msgstr "Soek" #. TRANS: Used as a field label for the field where one or more keywords #. TRANS: for searching can be entered. -#: lib/searchaction.php:129 +#: lib/searchaction.php:128 msgid "Keyword(s)" msgstr "Term(e)" +#. TRANS: Button text for searching site. #: lib/searchaction.php:130 msgctxt "BUTTON" msgid "Search" @@ -8128,8 +8234,8 @@ msgid "The theme file is missing or the upload failed." msgstr "" #: lib/themeuploader.php:91 lib/themeuploader.php:102 -#: lib/themeuploader.php:278 lib/themeuploader.php:282 -#: lib/themeuploader.php:290 lib/themeuploader.php:297 +#: lib/themeuploader.php:279 lib/themeuploader.php:283 +#: lib/themeuploader.php:291 lib/themeuploader.php:298 #, fuzzy msgid "Failed saving theme." msgstr "Die opdatering van die avatar het gefaal." @@ -8140,29 +8246,32 @@ msgstr "" #: lib/themeuploader.php:166 #, php-format -msgid "Uploaded theme is too large; must be less than %d bytes uncompressed." -msgstr "" +msgid "Uploaded theme is too large; must be less than %d byte uncompressed." +msgid_plural "" +"Uploaded theme is too large; must be less than %d bytes uncompressed." +msgstr[0] "" +msgstr[1] "" -#: lib/themeuploader.php:178 +#: lib/themeuploader.php:179 msgid "Invalid theme archive: missing file css/display.css" msgstr "" -#: lib/themeuploader.php:218 +#: lib/themeuploader.php:219 msgid "" "Theme contains invalid file or folder name. Stick with ASCII letters, " "digits, underscore, and minus sign." msgstr "" -#: lib/themeuploader.php:224 +#: lib/themeuploader.php:225 msgid "Theme contains unsafe file extension names; may be unsafe." msgstr "" -#: lib/themeuploader.php:241 +#: lib/themeuploader.php:242 #, php-format msgid "Theme contains file of type '.%s', which is not allowed." msgstr "" -#: lib/themeuploader.php:259 +#: lib/themeuploader.php:260 #, fuzzy msgid "Error opening theme archive." msgstr "Kon nie die profiel stoor nie." @@ -8353,23 +8462,36 @@ msgstr[1] "" "Boodskap is te lank. Die maksimum is %1$d karakters. U het %2$d karakters " "gestuur." -#: scripts/restoreuser.php:82 +#. TRANS: Commandline script output. %s is the filename that contains a backup for a user. +#: scripts/restoreuser.php:61 #, php-format -msgid "Backup file for user %s (%s)" +msgid "Getting backup from file '%s'." msgstr "" -#: scripts/restoreuser.php:88 +#. TRANS: Commandline script output. +#: scripts/restoreuser.php:91 #, fuzzy msgid "No user specified; using backup user." msgstr "Geen groep verskaf nie." -#: scripts/restoreuser.php:94 +#. TRANS: Commandline script output. %d is the number of entries in the activity stream in backup; used for plural. +#: scripts/restoreuser.php:98 #, php-format -msgid "%d entries in backup." -msgstr "" +msgid "%d entry in backup." +msgid_plural "%d entries in backup." +msgstr[0] "" +msgstr[1] "" -#~ msgid "Description is too long (max %d chars)." -#~ msgstr "Die beskrywing is te lank (die maksimum is %d karakters)." +#, fuzzy +#~ msgid "Name is too long (maximum 255 chars)." +#~ msgstr "Die naam is te lank (maksimum 255 karakters)." -#~ msgid "Too many aliases! Maximum %d." -#~ msgstr "Te veel aliasse! Die maksimum aantal is %d." +#, fuzzy +#~ msgid "Organization is too long (maximum 255 chars)." +#~ msgstr "Die organisasienaam is te lang (maksimum 255 karakters)." + +#~ msgid "That's too long. Max notice size is %d chars." +#~ msgstr "Die kennisgewing is te lank. Gebruik maksimum %d karakters." + +#~ msgid " tagged %s" +#~ msgstr "met die etiket %s" diff --git a/locale/ar/LC_MESSAGES/statusnet.po b/locale/ar/LC_MESSAGES/statusnet.po index dbaf0b84a7..1f34cd9dcd 100644 --- a/locale/ar/LC_MESSAGES/statusnet.po +++ b/locale/ar/LC_MESSAGES/statusnet.po @@ -11,19 +11,19 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet - Core\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-10-30 23:18+0000\n" -"PO-Revision-Date: 2010-10-30 23:19:49+0000\n" +"POT-Creation-Date: 2010-11-02 22:51+0000\n" +"PO-Revision-Date: 2010-11-02 22:52: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 (r75708); Translate extension (2010-09-17)\n" +"X-Generator: MediaWiki 1.17alpha (r75875); Translate extension (2010-09-17)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: ar\n" "X-Message-Group: #out-statusnet-core\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" -"X-POT-Import-Date: 2010-10-30 09:48:40+0000\n" +"X-POT-Import-Date: 2010-10-30 23:42:01+0000\n" #. TRANS: Page title for Access admin panel that allows configuring site access. #. TRANS: Menu item for site administration @@ -80,15 +80,20 @@ msgstr "حفظ إعدادت الوصول" #. TRANS: Tooltip for button to save access settings in site admin panel. #. TRANS: Button label to save e-mail preferences. #. TRANS: Button label to save IM preferences. +#. TRANS: Button text for saving "Other settings" in profile. #. TRANS: Button text to store form data in the Paths admin panel. #. TRANS: Button to save input in profile settings. +#. TRANS: Button text for saving site notice in admin panel. #. TRANS: Button label to save SMS preferences. #. TRANS: Save button for settings for a profile in a subscriptions list. +#. TRANS: Button text to save user settings in user admin panel. #. TRANS: Button label in the "Edit application" form. #: actions/accessadminpanel.php:193 actions/emailsettings.php:228 -#: actions/imsettings.php:187 actions/pathsadminpanel.php:512 -#: actions/profilesettings.php:201 actions/smssettings.php:209 -#: actions/subscriptions.php:246 lib/applicationeditform.php:355 +#: actions/imsettings.php:187 actions/othersettings.php:134 +#: actions/pathsadminpanel.php:512 actions/profilesettings.php:201 +#: actions/sitenoticeadminpanel.php:197 actions/smssettings.php:209 +#: actions/subscriptions.php:246 actions/useradminpanel.php:298 +#: lib/applicationeditform.php:355 lib/groupeditform.php:207 msgctxt "BUTTON" msgid "Save" msgstr "احفظ" @@ -139,7 +144,7 @@ msgstr "لا صفحة كهذه." #: 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:93 actions/userrss.php:40 -#: actions/xrds.php:71 lib/command.php:495 lib/galleryaction.php:59 +#: actions/xrds.php:71 lib/command.php:497 lib/galleryaction.php:59 #: lib/mailbox.php:82 lib/profileaction.php:77 msgid "No such user." msgstr "لا مستخدم كهذا." @@ -206,7 +211,9 @@ msgstr "" #. TRANS: Encoutagement displayed on empty timeline user pages for anonymous users. #. TRANS: %s is a user nickname. This message contains Markdown links. Keep "](" together. -#: actions/all.php:155 actions/replies.php:210 actions/showstream.php:208 +#. TRANS: Second sentence of empty message for anonymous users. %s is a user nickname. +#. TRANS: This message contains a Markdown link. Keep "](" together. +#: actions/all.php:155 actions/replies.php:210 actions/showstream.php:227 #, fuzzy, php-format msgid "" "Why not [register an account](%%%%action.register%%%%) and then nudge %s or " @@ -566,8 +573,11 @@ msgstr "الاسم الكامل طويل جدا (الأقصى 255 حرفًا)" #. TRANS: Group edit form validation error. #. TRANS: Form validation error in New application form. #. TRANS: %d is the maximum number of characters for the description. +#. TRANS: Group create form validation error. +#. TRANS: %d is the maximum number of allowed characters. #: actions/apigroupcreate.php:220 actions/editapplication.php:201 #: actions/editgroup.php:216 actions/newapplication.php:178 +#: actions/newgroup.php:152 #, fuzzy, php-format msgid "Description is too long (maximum %d character)." msgid_plural "Description is too long (maximum %d characters)." @@ -738,14 +748,14 @@ msgstr "لا تملك تصريحًا." #. TRANS: Form validation error in API OAuth authorisation because of an invalid session token. #: actions/apioauthauthorize.php:147 actions/avatarsettings.php:280 -#: actions/deletenotice.php:172 actions/disfavor.php:74 +#: actions/deletenotice.php:177 actions/disfavor.php:74 #: actions/emailsettings.php:271 actions/favor.php:75 actions/geocode.php:55 #: actions/groupblock.php:66 actions/grouplogo.php:312 #: actions/groupunblock.php:65 actions/imsettings.php:230 #: actions/invite.php:59 actions/login.php:137 actions/makeadmin.php:66 #: actions/newmessage.php:135 actions/newnotice.php:105 actions/nudge.php:80 #: actions/oauthappssettings.php:165 actions/oauthconnectionssettings.php:138 -#: actions/othersettings.php:145 actions/passwordsettings.php:138 +#: actions/othersettings.php:153 actions/passwordsettings.php:138 #: actions/profilesettings.php:221 actions/recoverpassword.php:350 #: actions/register.php:172 actions/remotesubscribe.php:77 #: actions/repeat.php:83 actions/smssettings.php:256 actions/subedit.php:40 @@ -920,20 +930,21 @@ msgstr "لا يمكنك حذف المستخدمين." #. TRANS: Client error displayed trying to repeat a non-existing notice through the API. #. TRANS: Client error displayed trying to display redents of a non-exiting notice. +#. TRANS: Error message displayed trying to delete a non-existing notice. #: actions/apistatusesretweet.php:74 actions/apistatusesretweets.php:70 -#: actions/deletenotice.php:58 actions/shownotice.php:92 +#: actions/deletenotice.php:61 actions/shownotice.php:92 msgid "No such notice." msgstr "لا إشعار كهذا." #. TRANS: Client error displayed trying to repeat an own notice through the API. #. TRANS: Error text shown when trying to repeat an own notice. -#: actions/apistatusesretweet.php:83 lib/command.php:535 +#: actions/apistatusesretweet.php:83 lib/command.php:537 msgid "Cannot repeat your own notice." msgstr "لا يمكنك تكرار ملحوظتك الخاصة." #. TRANS: Client error displayed trying to re-repeat a notice through the API. #. TRANS: Error text shown when trying to repeat an notice that was already repeated by the user. -#: actions/apistatusesretweet.php:92 lib/command.php:541 +#: actions/apistatusesretweet.php:92 lib/command.php:543 msgid "Already repeated that notice." msgstr "كرر بالفعل هذه الملاحظة." @@ -954,7 +965,8 @@ msgstr "" #. TRANS: Client error displayed when the parameter "status" is missing. #. TRANS: %d is the maximum number of character for a notice. -#: actions/apistatusesupdate.php:244 +#: actions/apistatusesupdate.php:244 actions/newnotice.php:161 +#: lib/mailhandler.php:60 #, fuzzy, php-format msgid "That's too long. Maximum notice size is %d character." msgid_plural "That's too long. Maximum notice size is %d characters." @@ -973,7 +985,7 @@ msgstr "لم يتم العثور على وسيلة API." #. TRANS: Client error displayed exceeding the maximum notice length. #. TRANS: %d is the maximum lenth for a notice. -#: actions/apistatusesupdate.php:308 +#: actions/apistatusesupdate.php:308 actions/newnotice.php:184 #, php-format msgid "Maximum notice size is %d character, including attachment URL." msgid_plural "Maximum notice size is %d characters, including attachment URL." @@ -1188,17 +1200,18 @@ msgstr "" msgid "Lost our file data." msgstr "" -#: actions/avatarsettings.php:384 +#. TRANS: Success message for having updated a user avatar. +#: actions/avatarsettings.php:385 msgid "Avatar updated." msgstr "رُفع الأفتار." #. TRANS: Error displayed on the avatar upload page if the avatar could not be updated for an unknown reason. -#: actions/avatarsettings.php:388 +#: actions/avatarsettings.php:389 msgid "Failed updating avatar." msgstr "فشل تحديث الأفتار." #. TRANS: Success message for deleting a user avatar. -#: actions/avatarsettings.php:412 +#: actions/avatarsettings.php:413 msgid "Avatar deleted." msgstr "حُذف الأفتار." @@ -1227,8 +1240,8 @@ msgstr "" #. TRANS: Button label on the delete notice form. #. TRANS: Button label on the delete user form. #. TRANS: Button label on the form to block a user from a group. -#: actions/block.php:154 actions/deleteapplication.php:154 -#: actions/deletegroup.php:220 actions/deletenotice.php:150 +#: actions/block.php:154 actions/deleteapplication.php:157 +#: actions/deletegroup.php:220 actions/deletenotice.php:155 #: actions/deleteuser.php:152 actions/groupblock.php:178 msgctxt "BUTTON" msgid "No" @@ -1246,8 +1259,8 @@ msgstr "لا تمنع هذا المستخدم" #. TRANS: Button label on the delete notice form. #. TRANS: Button label on the delete user form. #. TRANS: Button label on the form to block a user from a group. -#: actions/block.php:161 actions/deleteapplication.php:161 -#: actions/deletegroup.php:227 actions/deletenotice.php:157 +#: actions/block.php:161 actions/deleteapplication.php:164 +#: actions/deletegroup.php:227 actions/deletenotice.php:162 #: actions/deleteuser.php:159 actions/groupblock.php:185 msgctxt "BUTTON" msgid "Yes" @@ -1366,12 +1379,13 @@ msgstr "هذا البريد الإلكتروني ملك مستخدم آخر با #. TRANS: Server error thrown on database error removing a registered e-mail address. #. TRANS: Server error thrown on database error updating IM preferences. #. TRANS: Server error thrown on database error removing a registered IM address. +#. TRANS: Server error displayed when "Other" settings in user profile could not be updated on the server. #. TRANS: Server error thrown when user profile settings could not be updated. #. TRANS: Server error thrown on database error updating SMS preferences. #. TRANS: Server error thrown on database error removing a registered SMS phone number. #: actions/confirmaddress.php:118 actions/emailsettings.php:331 #: actions/emailsettings.php:477 actions/imsettings.php:283 -#: actions/imsettings.php:442 actions/othersettings.php:174 +#: actions/imsettings.php:442 actions/othersettings.php:184 #: actions/profilesettings.php:326 actions/smssettings.php:308 #: actions/smssettings.php:464 msgid "Couldn't update user." @@ -1407,16 +1421,19 @@ msgstr "محادثة" msgid "Notices" msgstr "الإشعارات" -#: actions/deleteapplication.php:63 +#. TRANS: Client error displayed trying to delete an application while not logged in. +#: actions/deleteapplication.php:62 msgid "You must be logged in to delete an application." msgstr "يجب أن تسجل الدخول لتحذف تطبيقا." +#. TRANS: Client error displayed trying to delete an application that does not exist. #: actions/deleteapplication.php:71 msgid "Application not found." msgstr "لم يوجد التطبيق." +#. TRANS: Client error displayed trying to delete an application the current user does not own. #. TRANS: Client error displayed trying to edit an application while not being its owner. -#: actions/deleteapplication.php:78 actions/editapplication.php:78 +#: actions/deleteapplication.php:79 actions/editapplication.php:78 #: actions/showapplication.php:94 msgid "You are not the owner of this application." msgstr "أنت لست مالك هذا التطبيق." @@ -1424,15 +1441,18 @@ msgstr "أنت لست مالك هذا التطبيق." #. TRANS: Client error text when there is a problem with the session token. #: actions/deleteapplication.php:102 actions/editapplication.php:131 #: actions/newapplication.php:114 actions/showapplication.php:118 -#: lib/action.php:1354 +#: lib/action.php:1404 msgid "There was a problem with your session token." msgstr "" -#: actions/deleteapplication.php:123 actions/deleteapplication.php:147 +#. TRANS: Title for delete application page. +#. TRANS: Fieldset legend on delete application page. +#: actions/deleteapplication.php:124 actions/deleteapplication.php:149 msgid "Delete application" msgstr "احذف هذا التطبيق" -#: actions/deleteapplication.php:149 +#. TRANS: Confirmation text on delete application page. +#: actions/deleteapplication.php:152 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 " @@ -1440,12 +1460,12 @@ msgid "" msgstr "" #. TRANS: Submit button title for 'No' when deleting an application. -#: actions/deleteapplication.php:158 +#: actions/deleteapplication.php:161 msgid "Do not delete this application" msgstr "لا تحذف هذا التطبيق" #. TRANS: Submit button title for 'Yes' when deleting an application. -#: actions/deleteapplication.php:164 +#: actions/deleteapplication.php:167 msgid "Delete this application" msgstr "احذف هذا التطبيق" @@ -1482,13 +1502,14 @@ msgstr "تعذر تحديث المجموعة." msgid "Deleted group %s" msgstr "%1$s ترك المجموعة %2$s" -#. TRANS: Title. +#. TRANS: Title of delete group page. #. TRANS: Form legend for deleting a group. #: actions/deletegroup.php:176 actions/deletegroup.php:202 #, fuzzy msgid "Delete group" msgstr "احذف المستخدم" +#. TRANS: Warning in form for deleleting a group. #: actions/deletegroup.php:206 msgid "" "Are you sure you want to delete this group? This will clear all data about " @@ -1508,10 +1529,11 @@ msgstr "لا تحذف هذا الإشعار" msgid "Delete this group" msgstr "احذف هذا المستخدم" +#. TRANS: Error message displayed trying to delete a notice while not logged in. #. TRANS: Client error displayed when trying to unblock a user from a group while not logged in. #. TRANS: Client error displayed trying a change a subscription while not logged in. #. TRANS: Client error message thrown when trying to access the admin panel while not logged in. -#: actions/deletenotice.php:50 actions/disfavor.php:61 actions/favor.php:62 +#: actions/deletenotice.php:52 actions/disfavor.php:61 actions/favor.php:62 #: actions/groupblock.php:61 actions/groupunblock.php:60 actions/logout.php:69 #: actions/makeadmin.php:61 actions/newmessage.php:87 actions/newnotice.php:88 #: actions/nudge.php:63 actions/subedit.php:33 actions/subscribe.php:96 @@ -1521,31 +1543,36 @@ msgstr "احذف هذا المستخدم" msgid "Not logged in." msgstr "لست والجًا." -#: actions/deletenotice.php:74 +#. TRANS: Error message displayed trying to delete a notice that was not made by the current user. +#: actions/deletenotice.php:78 msgid "Can't delete this notice." msgstr "تعذّر حذف هذا الإشعار." -#: actions/deletenotice.php:106 +#. TRANS: Instructions for deleting a notice. +#: actions/deletenotice.php:110 msgid "" "You are about to permanently delete a notice. Once this is done, it cannot " "be undone." msgstr "" -#: actions/deletenotice.php:112 actions/deletenotice.php:144 +#. TRANS: Page title when deleting a notice. +#. TRANS: Fieldset legend for the delete notice form. +#: actions/deletenotice.php:117 actions/deletenotice.php:148 msgid "Delete notice" msgstr "احذف الإشعار" -#: actions/deletenotice.php:147 +#. TRANS: Message for the delete notice form. +#: actions/deletenotice.php:152 msgid "Are you sure you want to delete this notice?" msgstr "أمتأكد من أنك تريد حذف هذا الإشعار؟" #. TRANS: Submit button title for 'No' when deleting a notice. -#: actions/deletenotice.php:154 +#: actions/deletenotice.php:159 msgid "Do not delete this notice" msgstr "لا تحذف هذا الإشعار" #. TRANS: Submit button title for 'Yes' when deleting a notice. -#: actions/deletenotice.php:161 lib/noticelist.php:667 +#: actions/deletenotice.php:166 lib/noticelist.php:667 msgid "Delete this notice" msgstr "احذف هذا الإشعار" @@ -1706,11 +1733,9 @@ msgstr "ارجع إلى المبدئي" #. TRANS: Submit button title. #: actions/designadminpanel.php:711 actions/licenseadminpanel.php:319 -#: actions/othersettings.php:126 actions/sessionsadminpanel.php:199 -#: actions/siteadminpanel.php:292 actions/sitenoticeadminpanel.php:195 +#: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:292 #: actions/snapshotadminpanel.php:245 actions/tagother.php:154 -#: actions/useradminpanel.php:295 lib/applicationeditform.php:357 -#: lib/designsettings.php:256 lib/groupeditform.php:202 +#: lib/applicationeditform.php:357 lib/designsettings.php:256 msgid "Save" msgstr "أرسل" @@ -1758,9 +1783,9 @@ msgid "Name is required." msgstr "الاسم مطلوب." #. TRANS: Validation error shown when providing too long a name in the "Edit application" form. -#: actions/editapplication.php:188 +#: actions/editapplication.php:188 actions/newapplication.php:169 #, fuzzy -msgid "Name is too long (max 255 characters)." +msgid "Name is too long (maximum 255 characters)." msgstr "الاسم طويل جدا (الأقصى 255 حرفا)." #. TRANS: Validation error shown when providing a name for an application that already exists in the "Edit application" form. @@ -1790,7 +1815,7 @@ msgid "Organization is required." msgstr "المنظمة مطلوبة." #. TRANS: Validation error shown when providing too long an arganisation name in the "Edit application" form. -#: actions/editapplication.php:223 +#: actions/editapplication.php:223 actions/newapplication.php:199 #, fuzzy msgid "Organization is too long (maximum 255 characters)." msgstr "المنظمة طويلة جدا (الأقصى 255 حرفا)." @@ -2569,7 +2594,7 @@ msgid "Publish a MicroID for my Jabber/GTalk address." msgstr "انشر هوية مصغّرة لعنوان بريدي الإلكتروني." #. TRANS: Confirmation message for successful IM preferences save. -#: actions/imsettings.php:290 actions/othersettings.php:180 +#: actions/imsettings.php:290 actions/othersettings.php:190 msgid "Preferences saved." msgstr "حُفِظت التفضيلات." @@ -2697,10 +2722,9 @@ msgstr[5] "لست مشتركًا بأحد." #. TRANS: Used as list item for already subscribed users (%1$s is nickname, %2$s is e-mail address). #. TRANS: Used as list item for already registered people (%1$s is nickname, %2$s is e-mail address). -#. TRANS: Whois output. -#. TRANS: %1$s nickname of the queried user, %2$s is their profile URL. -#: actions/invite.php:145 actions/invite.php:159 lib/command.php:426 -#, php-format +#: actions/invite.php:145 actions/invite.php:159 +#, fuzzy, php-format +msgctxt "INVITE" msgid "%1$s (%2$s)" msgstr "%1$s (%2$s)" @@ -2859,8 +2883,9 @@ msgid "" msgstr "" #: actions/licenseadminpanel.php:156 -msgid "Invalid license title. Max length is 255 characters." -msgstr "" +#, fuzzy +msgid "Invalid license title. Maximum length is 255 characters." +msgstr "رسالة ترحيب غير صالحة. أقصى طول هو 255 حرف." #: actions/licenseadminpanel.php:168 msgid "Invalid license URL." @@ -3029,21 +3054,11 @@ msgstr "يجب أن تكون مسجل الدخول لتسجل تطبيقا." msgid "Use this form to register a new application." msgstr "استخدم هذا النموذج لتسجل تطبيقا جديدا." -#: actions/newapplication.php:169 -#, fuzzy -msgid "Name is too long (maximum 255 chars)." -msgstr "الاسم طويل جدا (الأقصى 255 حرفا)." - #: actions/newapplication.php:184 #, fuzzy msgid "Source URL is required." msgstr "مسار المصدر ليس صحيحا." -#: actions/newapplication.php:199 -#, fuzzy -msgid "Organization is too long (maximum 255 chars)." -msgstr "المنظمة طويلة جدا (الأقصى 255 حرفا)." - #: actions/newapplication.php:266 actions/newapplication.php:275 msgid "Could not create application." msgstr "لم يمكن إنشاء التطبيق." @@ -3063,14 +3078,14 @@ msgid "New message" msgstr "رسالة جديدة" #. TRANS: Error text shown when trying to send a direct message to a user without a mutual subscription (each user must be subscribed to the other). -#: actions/newmessage.php:121 actions/newmessage.php:164 lib/command.php:499 +#: actions/newmessage.php:121 actions/newmessage.php:164 lib/command.php:501 msgid "You can't send a message to this user." msgstr "لا يمكنك إرسال رسائل إلى هذا المستخدم." #. TRANS: Command exception text shown when trying to send a direct message to another user without content. #. TRANS: Command exception text shown when trying to reply to a notice without providing content for the reply. #: actions/newmessage.php:144 actions/newnotice.php:140 lib/command.php:478 -#: lib/command.php:579 +#: lib/command.php:581 msgid "No content!" msgstr "لا محتوى!" @@ -3079,7 +3094,7 @@ msgid "No recipient specified." msgstr "لا مستلم حُدّد." #. TRANS: Error text shown when trying to send a direct message to self. -#: actions/newmessage.php:167 lib/command.php:503 +#: actions/newmessage.php:167 lib/command.php:505 msgid "" "Don't send a message to yourself; just say it to yourself quietly instead." msgstr "" @@ -3090,12 +3105,12 @@ msgstr "أُرسلت الرسالة" #. TRANS: Message given have sent a direct message to another user. #. TRANS: %s is the name of the other user. -#: actions/newmessage.php:188 lib/command.php:511 +#: actions/newmessage.php:188 lib/command.php:513 #, php-format msgid "Direct message to %s sent." msgstr "رسالة مباشرة ل%s تم إرسالها." -#: actions/newmessage.php:213 actions/newnotice.php:263 +#: actions/newmessage.php:213 actions/newnotice.php:264 msgid "Ajax Error" msgstr "خطأ أجاكس" @@ -3103,17 +3118,7 @@ msgstr "خطأ أجاكس" msgid "New notice" msgstr "إشعار جديد" -#: actions/newnotice.php:159 lib/mailhandler.php:60 -#, php-format -msgid "That's too long. Max notice size is %d chars." -msgstr "هذه طويلة جدًا. أطول حجم للإشعار %d حرفًا." - -#: actions/newnotice.php:183 -#, php-format -msgid "Max notice size is %d chars, including attachment URL." -msgstr "" - -#: actions/newnotice.php:229 +#: actions/newnotice.php:230 msgid "Notice posted" msgstr "أُرسل الإشعار" @@ -3277,37 +3282,46 @@ msgstr "بحث في الأشخاص" msgid "Notice Search" msgstr "بحث الإشعارات" -#: actions/othersettings.php:60 +#: actions/othersettings.php:59 msgid "Other settings" msgstr "إعدادات أخرى" +#. TRANS: Instructions for tab "Other" in user profile settings. #: actions/othersettings.php:71 msgid "Manage various other options." msgstr "أدر خيارات أخرى عديدة." -#: actions/othersettings.php:108 +#. TRANS: Used as a suffix for free URL shorteners in a dropdown list in the tab "Other" of a +#. TRANS: user's profile settings. This message has one space at the beginning. Use your +#. TRANS: language's word separator here if it has one (most likely a single space). +#: actions/othersettings.php:111 msgid " (free service)" msgstr " (خدمة حرة)" -#: actions/othersettings.php:116 +#. TRANS: Label for dropdown with URL shortener services. +#: actions/othersettings.php:120 msgid "Shorten URLs with" msgstr "قصّر المسارات بـ" -#: actions/othersettings.php:117 +#. TRANS: Tooltip for for dropdown with URL shortener services. +#: actions/othersettings.php:122 msgid "Automatic shortening service to use." msgstr "خدمة التقصير المطلوب استخدامها." -#: actions/othersettings.php:122 +#. TRANS: Label for checkbox. +#: actions/othersettings.php:128 msgid "View profile designs" msgstr "اعرض تصاميم الملف الشخصي" -#: actions/othersettings.php:123 +#. TRANS: Tooltip for checkbox. +#: actions/othersettings.php:130 msgid "Show or hide profile designs." msgstr "أظهر أو أخفِ تصاميم الملفات الشخصية." -#: actions/othersettings.php:153 +#. TRANS: Form validation error for form "Other settings" in user profile. +#: actions/othersettings.php:162 #, fuzzy -msgid "URL shortening service is too long (max 50 chars)." +msgid "URL shortening service is too long (maximum 50 characters)." msgstr "الاسم الكامل طويل جدا (الأقصى 255 حرفًا)" #: actions/otp.php:69 @@ -3796,7 +3810,7 @@ msgstr "السيرة" #. TRANS: Label for group location (dt). Text hidden by default. #: actions/profilesettings.php:149 actions/register.php:485 #: actions/showgroup.php:267 actions/tagother.php:112 -#: actions/userauthorization.php:166 lib/groupeditform.php:177 +#: actions/userauthorization.php:166 lib/groupeditform.php:180 #: lib/userprofile.php:165 msgid "Location" msgstr "الموقع" @@ -4133,7 +4147,8 @@ msgid "Unexpected password reset." msgstr "أعد ضبط كلمة السر" #: actions/recoverpassword.php:365 -msgid "Password must be 6 chars or more." +#, fuzzy +msgid "Password must be 6 characters or more." msgstr "يجب أن تكون كلمة السر 6 محارف أو أكثر." #: actions/recoverpassword.php:369 @@ -4482,7 +4497,7 @@ msgstr "المنظمة" #. TRANS: Form input field label. #: actions/showapplication.php:187 actions/version.php:200 -#: lib/applicationeditform.php:208 lib/groupeditform.php:172 +#: lib/applicationeditform.php:208 lib/groupeditform.php:175 msgid "Description" msgstr "الوصف" @@ -4630,7 +4645,7 @@ msgid "Note" msgstr "ملاحظة" #. TRANS: Label for group aliases (dt). Text hidden by default. -#: actions/showgroup.php:298 lib/groupeditform.php:184 +#: actions/showgroup.php:298 lib/groupeditform.php:187 msgid "Aliases" msgstr "الكنى" @@ -4762,60 +4777,84 @@ msgstr "نتائج البحث ل\"%1$s\" على %2$s" msgid "Notice deleted." msgstr "حُذف الإشعار." -#: actions/showstream.php:72 +#. TRANS: Page title showing tagged notices in one user's stream. %1$s is the username, %2$s is the hash tag. +#: actions/showstream.php:70 #, fuzzy, php-format -msgid " tagged %s" -msgstr "الإشعارات الموسومة ب%s" +msgid "%1$s tagged %2$s" +msgstr "%1$s، الصفحة %2$d" -#: actions/showstream.php:78 +#. TRANS: Page title showing tagged notices in one user's stream. +#. TRANS: %1$s is the username, %2$s is the hash tag, %1$d is the page number. +#: actions/showstream.php:74 +#, fuzzy, php-format +msgid "%1$s tagged %2$s, page %3$d" +msgstr "الإشعارات الموسومة ب%s، الصفحة %2$d" + +#. TRANS: Extended page title showing tagged notices in one user's stream. +#. TRANS: %1$s is the username, %2$d is the page number. +#: actions/showstream.php:82 #, php-format msgid "%1$s, page %2$d" msgstr "%1$s، الصفحة %2$d" -#: actions/showstream.php:120 +#. TRANS: Title for link to notice feed. +#. TRANS: %1$s is a user nickname, %2$s is a hashtag. +#: actions/showstream.php:127 #, php-format msgid "Notice feed for %1$s tagged %2$s (RSS 1.0)" msgstr "" -#: actions/showstream.php:127 +#. TRANS: Title for link to notice feed. +#. TRANS: %s is a user nickname. +#: actions/showstream.php:136 #, php-format msgid "Notice feed for %s (RSS 1.0)" msgstr "" -#: actions/showstream.php:134 +#. TRANS: Title for link to notice feed. +#. TRANS: %s is a user nickname. +#: actions/showstream.php:145 #, php-format msgid "Notice feed for %s (RSS 2.0)" msgstr "" -#: actions/showstream.php:141 +#: actions/showstream.php:152 #, php-format msgid "Notice feed for %s (Atom)" msgstr "" -#: actions/showstream.php:146 +#. TRANS: Title for link to notice feed. FOAF stands for Friend of a Friend. +#. TRANS: More information at http://www.foaf-project.org. %s is a user nickname. +#: actions/showstream.php:159 #, fuzzy, php-format msgid "FOAF for %s" msgstr "صندوق %s الصادر" -#: actions/showstream.php:197 +#. TRANS: First sentence of empty list message for a stream. $1%s is a user nickname. +#: actions/showstream.php:211 #, php-format -msgid "This is the timeline for %1$s but %2$s hasn't posted anything yet." +msgid "This is the timeline for %1$s, but %1$s hasn't posted anything yet." msgstr "" -#: actions/showstream.php:202 +#. TRANS: Second sentence of empty list message for a stream for the user themselves. +#: actions/showstream.php:217 msgid "" "Seen anything interesting recently? You haven't posted any notices yet, now " "would be a good time to start :)" msgstr "" -#: actions/showstream.php:204 +#. TRANS: Second sentence of empty list message for a non-self stream. %1$s is a user nickname, %2$s is a part of a URL. +#. TRANS: This message contains a Markdown link. Keep "](" together. +#: actions/showstream.php:221 #, php-format msgid "" "You can try to nudge %1$s or [post something to them](%%%%action.newnotice%%%" "%?status_textarea=%2$s)." msgstr "" -#: actions/showstream.php:243 +#. TRANS: Announcement for anonymous users showing a stream if site registrations are open. +#. TRANS: This message contains a Markdown link. Keep "](" together. +#: actions/showstream.php:264 #, php-format msgid "" "**%s** has an account on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -4829,7 +4868,9 @@ msgstr "" "[انضم الآن](%%%%action.register%%%%) لتتابع إشعارت **%s** وغيره! ([اقرأ " "المزيد](%%%%doc.help%%%%))" -#: actions/showstream.php:248 +#. TRANS: Announcement for anonymous users showing a stream if site registrations are closed or invite only. +#. TRANS: This message contains a Markdown link. Keep "](" together. +#: actions/showstream.php:271 #, php-format msgid "" "**%s** has an account on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -4840,7 +4881,8 @@ msgstr "" "wikipedia.org/wiki/Micro-blogging) المبنية على البرنامج الحر [StatusNet]" "(http://status.net/). " -#: actions/showstream.php:305 +#. TRANS: Link to the author of a repeated notice. %s is a linked nickname. +#: actions/showstream.php:328 #, php-format msgid "Repeat of %s" msgstr "تكرار ل%s" @@ -4951,31 +4993,39 @@ msgstr "حد النص" msgid "How long users must wait (in seconds) to post the same thing again." msgstr "" -#: actions/sitenoticeadminpanel.php:56 +#. TRANS: Page title for site-wide notice tab in admin panel. +#: actions/sitenoticeadminpanel.php:55 msgid "Site Notice" msgstr "إشعار الموقع" -#: actions/sitenoticeadminpanel.php:67 +#. TRANS: Instructions for site-wide notice tab in admin panel. +#: actions/sitenoticeadminpanel.php:66 msgid "Edit site-wide message" msgstr "عدّل رسالة الموقع العامة" -#: actions/sitenoticeadminpanel.php:103 +#. TRANS: Server error displayed when saving a site-wide notice was impossible. +#: actions/sitenoticeadminpanel.php:101 msgid "Unable to save site notice." msgstr "تعذّر حفظ إشعار الموقع." -#: actions/sitenoticeadminpanel.php:113 -msgid "Max length for the site-wide notice is 255 chars." +#. TRANS: Client error displayed when a site-wide notice was longer than allowed. +#: actions/sitenoticeadminpanel.php:112 +msgid "Maximum length for the site-wide notice is 255 characters." msgstr "" +#. TRANS: Label for site-wide notice text field in admin panel. #: actions/sitenoticeadminpanel.php:176 msgid "Site notice text" msgstr "نص إشعار الموقع" -#: actions/sitenoticeadminpanel.php:178 -msgid "Site-wide notice text (255 chars max; HTML okay)" +#. TRANS: Tooltip for site-wide notice text field in admin panel. +#: actions/sitenoticeadminpanel.php:179 +#, fuzzy +msgid "Site-wide notice text (255 characters maximum; HTML allowed)" msgstr "نص إشعار عام للموقع (255 حرف كحد أقصى؛ يسمح بHTML)" -#: actions/sitenoticeadminpanel.php:198 +#. TRANS: Title for button to save site notice in admin panel. +#: actions/sitenoticeadminpanel.php:201 msgid "Save site notice" msgstr "احفظ إشعار الموقع" @@ -5431,75 +5481,93 @@ msgid "" msgstr "" #. TRANS: User admin panel title -#: actions/useradminpanel.php:60 +#: actions/useradminpanel.php:58 msgctxt "TITLE" msgid "User" msgstr "المستخدم" -#: actions/useradminpanel.php:71 +#. TRANS: Instruction for user admin panel. +#: actions/useradminpanel.php:69 msgid "User settings for this StatusNet site" msgstr "" -#: actions/useradminpanel.php:150 +#. TRANS: Form validation error in user admin panel when a non-numeric character limit was set. +#: actions/useradminpanel.php:147 msgid "Invalid bio limit. Must be numeric." msgstr "" -#: actions/useradminpanel.php:156 -msgid "Invalid welcome text. Max length is 255 characters." +#. TRANS: Form validation error in user admin panel when welcome text is too long. +#: actions/useradminpanel.php:154 +#, fuzzy +msgid "Invalid welcome text. Maximum length is 255 characters." msgstr "رسالة ترحيب غير صالحة. أقصى طول هو 255 حرف." +#. TRANS: Client error displayed when trying to set a non-existing user as default subscription for new +#. TRANS: users in user admin panel. %1$s is the invalid nickname. #: actions/useradminpanel.php:166 #, php-format -msgid "Invalid default subscripton: '%1$s' is not user." +msgid "Invalid default subscripton: '%1$s' is not a user." msgstr "" #. TRANS: Link description in user account settings menu. -#: actions/useradminpanel.php:219 lib/accountsettingsaction.php:106 +#: actions/useradminpanel.php:215 lib/accountsettingsaction.php:106 #: lib/personalgroupnav.php:109 msgid "Profile" msgstr "الملف الشخصي" -#: actions/useradminpanel.php:223 +#. TRANS: Field label in user admin panel for setting the character limit for the bio field. +#: actions/useradminpanel.php:220 msgid "Bio Limit" msgstr "حد السيرة" -#: actions/useradminpanel.php:224 +#. TRANS: Tooltip in user admin panel for setting the character limit for the bio field. +#: actions/useradminpanel.php:222 msgid "Maximum length of a profile bio in characters." msgstr "" -#: actions/useradminpanel.php:232 +#. TRANS: Form legend in user admin panel. +#: actions/useradminpanel.php:231 msgid "New users" msgstr "مستخدمون جدد" +#. TRANS: Field label in user admin panel for setting new user welcome text. #: actions/useradminpanel.php:236 msgid "New user welcome" msgstr "ترحيب المستخدمين الجدد" -#: actions/useradminpanel.php:237 -msgid "Welcome text for new users (Max 255 chars)." +#. TRANS: Tooltip in user admin panel for setting new user welcome text. +#: actions/useradminpanel.php:238 +#, fuzzy +msgid "Welcome text for new users (maximum 255 characters)." msgstr "نص الترحيب بالمستخدمين الجدد (255 حرفًا كحد أقصى)." -#: actions/useradminpanel.php:242 +#. TRANS: Field label in user admin panel for setting default subscription for new users. +#: actions/useradminpanel.php:244 msgid "Default subscription" msgstr "الاشتراك المبدئي" -#: actions/useradminpanel.php:243 +#. TRANS: Tooltip in user admin panel for setting default subscription for new users. +#: actions/useradminpanel.php:246 msgid "Automatically subscribe new users to this user." msgstr "أشرك المستخدمين الجدد بهذا المستخدم تلقائيًا." -#: actions/useradminpanel.php:252 +#. TRANS: Form legend in user admin panel. +#: actions/useradminpanel.php:256 msgid "Invitations" msgstr "الدعوات" -#: actions/useradminpanel.php:257 +#. TRANS: Field label for checkbox in user admin panel for allowing users to invite friend using site e-mail. +#: actions/useradminpanel.php:262 msgid "Invitations enabled" msgstr "الدعوات مُفعلة" -#: actions/useradminpanel.php:259 +#. TRANS: Tooltip for checkbox in user admin panel for allowing users to invite friend using site e-mail. +#: actions/useradminpanel.php:265 msgid "Whether to allow users to invite new users." msgstr "" -#: actions/useradminpanel.php:295 +#. TRANS: Title for button to save user settings in user admin panel. +#: actions/useradminpanel.php:302 msgid "Save user settings" msgstr "" @@ -5691,7 +5759,7 @@ msgid "Plugins" msgstr "الملحقات" #. TRANS: Secondary navigation menu option leading to version information on the StatusNet site. -#: actions/version.php:198 lib/action.php:831 +#: actions/version.php:198 lib/action.php:880 msgid "Version" msgstr "النسخة" @@ -5898,16 +5966,23 @@ msgstr "تعذر تحديث المجموعة المحلية." msgid "RT @%1$s %2$s" msgstr "آر تي @%1$s %2$s" +#. TRANS: Full name of a profile or group followed by nickname in parens +#: classes/Profile.php:164 +#, fuzzy, php-format +msgctxt "FANCYNAME" +msgid "%1$s (%2$s)" +msgstr "%1$s (%2$s)" + #. TRANS: Exception thrown when trying to revoke an existing role for a user that does not exist. #. TRANS: %1$s is the role name, %2$s is the user ID (number). -#: classes/Profile.php:791 +#: classes/Profile.php:812 #, php-format msgid "Cannot revoke role \"%1$s\" for user #%2$d; does not exist." msgstr "" #. TRANS: Exception thrown when trying to revoke a role for a user with a failing database query. #. TRANS: %1$s is the role name, %2$s is the user ID (number). -#: classes/Profile.php:800 +#: classes/Profile.php:821 #, php-format msgid "Cannot revoke role \"%1$s\" for user #%2$d; database error." msgstr "" @@ -6054,196 +6129,203 @@ msgstr "%1$s - %2$s" msgid "Untitled page" msgstr "صفحة غير مُعنونة" +#. TRANS: Localized tooltip for '...' expansion button on overlong remote messages. +#: lib/action.php:310 +msgctxt "TOOLTIP" +msgid "Show more" +msgstr "" + #. TRANS: DT element for primary navigation menu. String is hidden in default CSS. -#: lib/action.php:477 +#: lib/action.php:526 #, fuzzy msgid "Primary site navigation" msgstr "ضبط الموقع الأساسي" #. TRANS: Tooltip for main menu option "Personal" -#: lib/action.php:483 +#: lib/action.php:532 msgctxt "TOOLTIP" msgid "Personal profile and friends timeline" msgstr "الملف الشخصي ومسار الأصدقاء الزمني" #. TRANS: Main menu option when logged in for access to personal profile and friends timeline -#: lib/action.php:486 +#: lib/action.php:535 msgctxt "MENU" msgid "Personal" msgstr "الصفحة الشخصية" #. TRANS: Tooltip for main menu option "Account" -#: lib/action.php:488 +#: lib/action.php:537 msgctxt "TOOLTIP" msgid "Change your email, avatar, password, profile" msgstr "غير بريدك الإلكتروني وكلمة سرّك وأفتارك وملفك الشخصي" #. TRANS: Main menu option when logged in for access to user settings -#: lib/action.php:491 +#: lib/action.php:540 msgid "Account" msgstr "الحساب" #. TRANS: Tooltip for main menu option "Services" -#: lib/action.php:493 +#: lib/action.php:542 msgctxt "TOOLTIP" msgid "Connect to services" msgstr "اتصل بالخدمات" #. TRANS: Main menu option when logged in and connection are possible for access to options to connect to other services -#: lib/action.php:496 +#: lib/action.php:545 msgid "Connect" msgstr "اتصل" #. TRANS: Tooltip for menu option "Admin" -#: lib/action.php:499 +#: lib/action.php:548 msgctxt "TOOLTIP" msgid "Change site configuration" msgstr "غيّر ضبط الموقع" #. TRANS: Main menu option when logged in and site admin for access to site configuration #. TRANS: Menu item in the group navigation page. Only shown for group administrators. -#: lib/action.php:502 lib/groupnav.php:117 +#: lib/action.php:551 lib/groupnav.php:117 msgctxt "MENU" msgid "Admin" msgstr "إداري" #. TRANS: Tooltip for main menu option "Invite" -#: lib/action.php:506 +#: lib/action.php:555 #, php-format msgctxt "TOOLTIP" msgid "Invite friends and colleagues to join you on %s" msgstr "ادعُ أصدقائك وزملائك للانضمام إليك في %s" #. TRANS: Main menu option when logged in and invitations are allowed for inviting new users -#: lib/action.php:509 +#: lib/action.php:558 msgctxt "MENU" msgid "Invite" msgstr "ادعُ" #. TRANS: Tooltip for main menu option "Logout" -#: lib/action.php:515 +#: lib/action.php:564 msgctxt "TOOLTIP" msgid "Logout from the site" msgstr "اخرج من الموقع" #. TRANS: Main menu option when logged in to log out the current user -#: lib/action.php:518 +#: lib/action.php:567 msgctxt "MENU" msgid "Logout" msgstr "اخرج" #. TRANS: Tooltip for main menu option "Register" -#: lib/action.php:523 +#: lib/action.php:572 msgctxt "TOOLTIP" msgid "Create an account" msgstr "أنشئ حسابًا" #. TRANS: Main menu option when not logged in to register a new account -#: lib/action.php:526 +#: lib/action.php:575 msgctxt "MENU" msgid "Register" msgstr "سجّل" #. TRANS: Tooltip for main menu option "Login" -#: lib/action.php:529 +#: lib/action.php:578 msgctxt "TOOLTIP" msgid "Login to the site" msgstr "لُج إلى الموقع" #. TRANS: Main menu option when not logged in to log in -#: lib/action.php:532 +#: lib/action.php:581 msgctxt "MENU" msgid "Login" msgstr "لُج" #. TRANS: Tooltip for main menu option "Help" -#: lib/action.php:535 +#: lib/action.php:584 msgctxt "TOOLTIP" msgid "Help me!" msgstr "ساعدني!" #. TRANS: Main menu option for help on the StatusNet site -#: lib/action.php:538 +#: lib/action.php:587 msgctxt "MENU" msgid "Help" msgstr "مساعدة" #. TRANS: Tooltip for main menu option "Search" -#: lib/action.php:541 +#: lib/action.php:590 msgctxt "TOOLTIP" msgid "Search for people or text" msgstr "ابحث عن أشخاص أو نصوص" #. TRANS: Main menu option when logged in or when the StatusNet instance is not private -#: lib/action.php:544 +#: lib/action.php:593 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:566 lib/adminpanelaction.php:387 +#: lib/action.php:615 lib/adminpanelaction.php:387 msgid "Site notice" msgstr "إشعار الموقع" #. TRANS: DT element for local views block. String is hidden in default CSS. -#: lib/action.php:633 +#: lib/action.php:682 msgid "Local views" msgstr "المشاهدات المحلية" #. TRANS: DT element for page notice. String is hidden in default CSS. -#: lib/action.php:703 +#: lib/action.php:752 msgid "Page notice" msgstr "إشعار الصفحة" #. TRANS: DT element for secondary navigation menu. String is hidden in default CSS. -#: lib/action.php:804 +#: lib/action.php:853 #, fuzzy msgid "Secondary site navigation" msgstr "ضبط الموقع الأساسي" #. TRANS: Secondary navigation menu option leading to help on StatusNet. -#: lib/action.php:810 +#: lib/action.php:859 msgid "Help" msgstr "مساعدة" #. TRANS: Secondary navigation menu option leading to text about StatusNet site. -#: lib/action.php:813 +#: lib/action.php:862 msgid "About" msgstr "عن" #. TRANS: Secondary navigation menu option leading to Frequently Asked Questions. -#: lib/action.php:816 +#: lib/action.php:865 msgid "FAQ" msgstr "الأسئلة المكررة" #. TRANS: Secondary navigation menu option leading to Terms of Service. -#: lib/action.php:821 +#: lib/action.php:870 msgid "TOS" msgstr "الشروط" #. TRANS: Secondary navigation menu option leading to privacy policy. -#: lib/action.php:825 +#: lib/action.php:874 msgid "Privacy" msgstr "خصوصية" -#. TRANS: Secondary navigation menu option. -#: lib/action.php:828 +#. TRANS: Secondary navigation menu option. Leads to information about StatusNet and its license. +#: lib/action.php:877 msgid "Source" msgstr "المصدر" -#. TRANS: Secondary navigation menu option leading to contact information on the StatusNet site. -#: lib/action.php:834 +#. TRANS: Secondary navigation menu option leading to e-mail contact information on the +#. TRANS: StatusNet site, where to report bugs, ... +#: lib/action.php:884 msgid "Contact" msgstr "اتصل" -#. TRANS: Secondary navigation menu option. -#: lib/action.php:837 +#. TRANS: Secondary navigation menu option. Leads to information about embedding a timeline widget. +#: lib/action.php:887 msgid "Badge" msgstr "الجسر" #. TRANS: DT element for StatusNet software license. -#: lib/action.php:866 +#: lib/action.php:916 msgid "StatusNet software license" msgstr "رخصة برنامج StatusNet" @@ -6251,7 +6333,7 @@ msgstr "رخصة برنامج StatusNet" #. TRANS: Text between [] is a link description, text between () is the link itself. #. TRANS: Make sure there is no whitespace between "]" and "(". #. TRANS: "%%site.broughtby%%" is the value of the variable site.broughtby -#: lib/action.php:873 +#: lib/action.php:923 #, fuzzy, php-format msgid "" "**%%site.name%%** is a microblogging service brought to you by [%%site." @@ -6261,7 +6343,7 @@ msgstr "" "broughtbyurl%%). " #. TRANS: First sentence of the StatusNet site license. Used if 'broughtby' is not set. -#: lib/action.php:876 +#: lib/action.php:926 #, php-format msgid "**%%site.name%%** is a microblogging service." msgstr "" @@ -6270,7 +6352,7 @@ msgstr "" #. TRANS: Make sure there is no whitespace between "]" and "(". #. TRANS: Text between [] is a link description, text between () is the link itself. #. TRANS: %s is the version of StatusNet that is being used. -#: lib/action.php:883 +#: lib/action.php:933 #, php-format msgid "" "It runs the [StatusNet](http://status.net/) microblogging software, version %" @@ -6282,51 +6364,51 @@ msgstr "" "agpl-3.0.html)." #. TRANS: DT element for StatusNet site content license. -#: lib/action.php:899 +#: lib/action.php:949 msgid "Site content license" msgstr "رخصة محتوى الموقع" #. TRANS: Content license displayed when license is set to 'private'. #. TRANS: %1$s is the site name. -#: lib/action.php:906 +#: lib/action.php:956 #, php-format msgid "Content and data of %1$s are private and confidential." msgstr "" #. TRANS: Content license displayed when license is set to 'allrightsreserved'. #. TRANS: %1$s is the copyright owner. -#: lib/action.php:913 +#: lib/action.php:963 #, php-format msgid "Content and data copyright by %1$s. All rights reserved." msgstr "" #. TRANS: Content license displayed when license is set to 'allrightsreserved' and no owner is set. -#: lib/action.php:917 +#: lib/action.php:967 msgid "Content and data copyright by contributors. All rights reserved." msgstr "" #. TRANS: license message in footer. #. TRANS: %1$s is the site name, %2$s is a link to the license URL, with a licence name set in configuration. -#: lib/action.php:949 +#: lib/action.php:999 #, php-format msgid "All %1$s content and data are available under the %2$s license." msgstr "" #. TRANS: DT element for pagination (previous/next, etc.). -#: lib/action.php:1285 +#: lib/action.php:1335 #, fuzzy msgid "Pagination" msgstr "تسجيل" #. TRANS: Pagination message to go to a page displaying information more in the #. TRANS: present than the currently displayed information. -#: lib/action.php:1296 +#: lib/action.php:1346 msgid "After" msgstr "بعد" #. TRANS: Pagination message to go to a page displaying information more in the #. TRANS: past than the currently displayed information. -#: lib/action.php:1306 +#: lib/action.php:1356 msgid "Before" msgstr "قبل" @@ -6679,7 +6761,7 @@ msgid "AJAX error" msgstr "خطأ أجاكس" #. TRANS: E-mail subject when a command has completed. -#: lib/channel.php:233 lib/mailhandler.php:142 +#: lib/channel.php:233 lib/mailhandler.php:143 msgid "Command complete" msgstr "اكتمل الأمر" @@ -6696,7 +6778,7 @@ msgstr "لا ملف بهذه الهوية." #. TRANS: Command exception text shown when a last user notice is requested and it does not exist. #. TRANS: Error text shown when a last user notice is requested and it does not exist. -#: lib/command.php:99 lib/command.php:626 +#: lib/command.php:99 lib/command.php:630 #, fuzzy msgid "User has no last notice." msgstr "ليس للمستخدم إشعار أخير" @@ -6768,6 +6850,14 @@ msgstr "" msgid "%1$s left group %2$s." msgstr "" +#. TRANS: Whois output. +#. TRANS: %1$s nickname of the queried user, %2$s is their profile URL. +#: lib/command.php:426 +#, fuzzy, php-format +msgctxt "WHOIS" +msgid "%1$s (%2$s)" +msgstr "%1$s (%2$s)" + #. TRANS: Whois output. %s is the full name of the queried user. #: lib/command.php:430 #, php-format @@ -6805,134 +6895,146 @@ msgid "" "same server." msgstr "" -#. TRANS: Message given if content is too long. +#. TRANS: Message given if content is too long. %1$sd is used for plural. #. TRANS: %1$d is the maximum number of characters, %2$d is the number of submitted characters. #: lib/command.php:488 -#, php-format -msgid "Message too long - maximum is %1$d characters, you sent %2$d." -msgstr "" +#, fuzzy, php-format +msgid "Message too long - maximum is %1$d character, you sent %2$d." +msgid_plural "Message too long - maximum is %1$d characters, you sent %2$d." +msgstr[0] "هذه طويلة جدًا. أطول حجم للإشعار %d حرفًا." +msgstr[1] "هذه طويلة جدًا. أطول حجم للإشعار %d حرفًا." +msgstr[2] "هذه طويلة جدًا. أطول حجم للإشعار %d حرفًا." +msgstr[3] "هذه طويلة جدًا. أطول حجم للإشعار %d حرفًا." +msgstr[4] "هذه طويلة جدًا. أطول حجم للإشعار %d حرفًا." +msgstr[5] "هذه طويلة جدًا. أطول حجم للإشعار %d حرفًا." #. TRANS: Error text shown sending a direct message fails with an unknown reason. -#: lib/command.php:514 +#: lib/command.php:516 #, fuzzy msgid "Error sending direct message." msgstr "أنت ممنوع من إرسال رسائل مباشرة." #. TRANS: Message given having repeated a notice from another user. #. TRANS: %s is the name of the user for which the notice was repeated. -#: lib/command.php:551 +#: lib/command.php:553 #, fuzzy, php-format msgid "Notice from %s repeated." msgstr "الإشعار من %s مكرر" #. TRANS: Error text shown when repeating a notice fails with an unknown reason. -#: lib/command.php:554 +#: lib/command.php:556 msgid "Error repeating notice." msgstr "خطأ تكرار الإشعار." -#. TRANS: Message given if content of a notice for a reply is too long. +#. TRANS: Message given if content of a notice for a reply is too long. %1$d is used for plural. #. TRANS: %1$d is the maximum number of characters, %2$d is the number of submitted characters. -#: lib/command.php:589 -#, php-format -msgid "Notice too long - maximum is %1$d characters, you sent %2$d." -msgstr "" +#: lib/command.php:591 +#, fuzzy, php-format +msgid "Notice too long - maximum is %1$d character, you sent %2$d." +msgid_plural "Notice too long - maximum is %1$d characters, you sent %2$d." +msgstr[0] "هذه طويلة جدًا. أطول حجم للإشعار %d حرفًا." +msgstr[1] "هذه طويلة جدًا. أطول حجم للإشعار %d حرفًا." +msgstr[2] "هذه طويلة جدًا. أطول حجم للإشعار %d حرفًا." +msgstr[3] "هذه طويلة جدًا. أطول حجم للإشعار %d حرفًا." +msgstr[4] "هذه طويلة جدًا. أطول حجم للإشعار %d حرفًا." +msgstr[5] "هذه طويلة جدًا. أطول حجم للإشعار %d حرفًا." #. TRANS: Text shown having sent a reply to a notice successfully. #. TRANS: %s is the nickname of the user of the notice the reply was sent to. -#: lib/command.php:600 +#: lib/command.php:604 #, fuzzy, php-format msgid "Reply to %s sent." msgstr "رُد على رسالة %s" #. TRANS: Error text shown when a reply to a notice fails with an unknown reason. -#: lib/command.php:603 +#: lib/command.php:607 msgid "Error saving notice." msgstr "خطأ أثناء حفظ الإشعار." #. TRANS: Error text shown when no username was provided when issuing a subscribe command. -#: lib/command.php:650 +#: lib/command.php:654 msgid "Specify the name of the user to subscribe to." msgstr "" #. TRANS: Command exception text shown when trying to subscribe to an OMB profile using the subscribe command. -#: lib/command.php:659 +#: lib/command.php:663 msgid "Can't subscribe to OMB profiles by command." msgstr "" #. TRANS: Text shown after having subscribed to another user successfully. #. TRANS: %s is the name of the user the subscription was requested for. -#: lib/command.php:667 +#: lib/command.php:671 #, php-format msgid "Subscribed to %s." msgstr "" #. TRANS: Error text shown when no username was provided when issuing an unsubscribe command. #. TRANS: Error text shown when no username was provided when issuing the command. -#: lib/command.php:688 lib/command.php:799 +#: lib/command.php:692 lib/command.php:803 msgid "Specify the name of the user to unsubscribe from." msgstr "" #. TRANS: Text shown after having unsubscribed from another user successfully. #. TRANS: %s is the name of the user the unsubscription was requested for. -#: lib/command.php:699 +#: lib/command.php:703 #, php-format msgid "Unsubscribed from %s." msgstr "" #. TRANS: Error text shown when issuing the command "off" with a setting which has not yet been implemented. #. TRANS: Error text shown when issuing the command "on" with a setting which has not yet been implemented. -#: lib/command.php:719 lib/command.php:745 +#: lib/command.php:723 lib/command.php:749 msgid "Command not yet implemented." msgstr "الأمر لم يُجهزّ بعد." #. TRANS: Text shown when issuing the command "off" successfully. -#: lib/command.php:723 +#: lib/command.php:727 msgid "Notification off." msgstr "الإشعار مُطفأ." #. TRANS: Error text shown when the command "off" fails for an unknown reason. -#: lib/command.php:726 +#: lib/command.php:730 msgid "Can't turn off notification." msgstr "تعذّر إطفاء الإشعارات." #. TRANS: Text shown when issuing the command "on" successfully. -#: lib/command.php:749 +#: lib/command.php:753 msgid "Notification on." msgstr "الإشعار يعمل." #. TRANS: Error text shown when the command "on" fails for an unknown reason. -#: lib/command.php:752 +#: lib/command.php:756 msgid "Can't turn on notification." msgstr "تعذّر تشغيل الإشعار." #. TRANS: Error text shown when issuing the login command while login is disabled. -#: lib/command.php:766 +#: lib/command.php:770 msgid "Login command is disabled." msgstr "" #. TRANS: Text shown after issuing the login command successfully. #. TRANS: %s is a logon link.. -#: lib/command.php:779 +#: lib/command.php:783 #, php-format msgid "This link is useable only once and is valid for only 2 minutes: %s." msgstr "" #. TRANS: Text shown after issuing the lose command successfully (stop another user from following the current user). #. TRANS: %s is the name of the user the unsubscription was requested for. -#: lib/command.php:808 +#: lib/command.php:812 #, php-format msgid "Unsubscribed %s." msgstr "" #. TRANS: Text shown after requesting other users a user is subscribed to without having any subscriptions. -#: lib/command.php:826 +#: lib/command.php:830 msgid "You are not subscribed to anyone." msgstr "لست مُشتركًا بأي أحد." #. TRANS: Text shown after requesting other users a user is subscribed to. #. TRANS: This message supports plural forms. This message is followed by a #. TRANS: hard coded space and a comma separated list of subscribed users. -#: lib/command.php:831 +#: lib/command.php:835 msgid "You are subscribed to this person:" msgid_plural "You are subscribed to these people:" msgstr[0] "لست مشتركًا بأحد." @@ -6944,14 +7046,14 @@ msgstr[5] "" #. TRANS: Text shown after requesting other users that are subscribed to a user #. TRANS: (followers) without having any subscribers. -#: lib/command.php:853 +#: lib/command.php:857 msgid "No one is subscribed to you." msgstr "لا أحد مشترك بك." #. TRANS: Text shown after requesting other users that are subscribed to a user (followers). #. TRANS: This message supports plural forms. This message is followed by a #. TRANS: hard coded space and a comma separated list of subscribing users. -#: lib/command.php:858 +#: lib/command.php:862 msgid "This person is subscribed to you:" msgid_plural "These people are subscribed to you:" msgstr[0] "لا أحد مشترك بك." @@ -6963,14 +7065,14 @@ msgstr[5] "" #. TRANS: Text shown after requesting groups a user is subscribed to without having #. TRANS: any group subscriptions. -#: lib/command.php:880 +#: lib/command.php:884 msgid "You are not a member of any groups." msgstr "لست عضوًا في أي مجموعة." #. TRANS: Text shown after requesting groups a user is subscribed to. #. TRANS: This message supports plural forms. This message is followed by a #. TRANS: hard coded space and a comma separated list of subscribed groups. -#: lib/command.php:885 +#: lib/command.php:889 msgid "You are a member of this group:" msgid_plural "You are a member of these groups:" msgstr[0] "لست عضوًا في أي مجموعة." @@ -6981,7 +7083,7 @@ msgstr[4] "" msgstr[5] "" #. TRANS: Help text for commands. Do not translate the command names themselves; they are fixed strings. -#: lib/command.php:900 +#: lib/command.php:904 msgid "" "Commands:\n" "on - turn on notifications\n" @@ -7209,7 +7311,7 @@ msgstr "1-64 حرفًا إنجليزيًا أو رقمًا بدون نقاط أ #: lib/groupeditform.php:163 #, fuzzy -msgid "URL of the homepage or blog of the group or topic" +msgid "URL of the homepage or blog of the group or topic." msgstr "مسار صفحة هذا التطبيق" #: lib/groupeditform.php:168 @@ -7218,19 +7320,35 @@ msgstr "صِف المجموعة أو الموضوع" #: lib/groupeditform.php:170 #, fuzzy, php-format -msgid "Describe the group or topic in %d characters" -msgstr "صِف المجموعة أو الموضوع" +msgid "Describe the group or topic in %d character or less" +msgid_plural "Describe the group or topic in %d characters or less" +msgstr[0] "صِف المجموعة أو الموضوع" +msgstr[1] "صِف المجموعة أو الموضوع" +msgstr[2] "صِف المجموعة أو الموضوع" +msgstr[3] "صِف المجموعة أو الموضوع" +msgstr[4] "صِف المجموعة أو الموضوع" +msgstr[5] "صِف المجموعة أو الموضوع" -#: lib/groupeditform.php:179 +#: lib/groupeditform.php:182 #, fuzzy msgid "" -"Location for the group, if any, like \"City, State (or Region), Country\"" +"Location for the group, if any, like \"City, State (or Region), Country\"." msgstr "مكان تواجدك، على سبيل المثال \"المدينة، الولاية (أو المنطقة)، الدولة\"" -#: lib/groupeditform.php:187 +#: lib/groupeditform.php:190 #, php-format -msgid "Extra nicknames for the group, comma- or space- separated, max %d" -msgstr "" +msgid "" +"Extra nicknames for the group, separated with commas or spaces. Maximum %d " +"alias allowed." +msgid_plural "" +"Extra nicknames for the group, separated with commas or spaces. Maximum %d " +"aliases allowed." +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" +msgstr[3] "" +msgstr[4] "" +msgstr[5] "" #. TRANS: Menu item in the group navigation page. #: lib/groupnav.php:86 @@ -7722,7 +7840,7 @@ msgstr "هذا ليس عنوان بريدك الإلكتروني." msgid "Sorry, no incoming email allowed." msgstr "لا عنوان بريد إلكتروني وارد." -#: lib/mailhandler.php:228 +#: lib/mailhandler.php:229 #, php-format msgid "Unsupported message type: %s" msgstr "نوع رسالة غير مدعوم: %s" @@ -8064,16 +8182,17 @@ msgid "Sandbox this user" msgstr "أضف هذا المستخدم إلى صندوق الرمل" #. TRANS: Fieldset legend for the search form. -#: lib/searchaction.php:121 +#: lib/searchaction.php:120 msgid "Search site" msgstr "ابحث في الموقع" #. TRANS: Used as a field label for the field where one or more keywords #. TRANS: for searching can be entered. -#: lib/searchaction.php:129 +#: lib/searchaction.php:128 msgid "Keyword(s)" msgstr "الكلمات المفتاحية" +#. TRANS: Button text for searching site. #: lib/searchaction.php:130 msgctxt "BUTTON" msgid "Search" @@ -8163,8 +8282,8 @@ msgid "The theme file is missing or the upload failed." msgstr "" #: lib/themeuploader.php:91 lib/themeuploader.php:102 -#: lib/themeuploader.php:278 lib/themeuploader.php:282 -#: lib/themeuploader.php:290 lib/themeuploader.php:297 +#: lib/themeuploader.php:279 lib/themeuploader.php:283 +#: lib/themeuploader.php:291 lib/themeuploader.php:298 #, fuzzy msgid "Failed saving theme." msgstr "فشل تحديث الأفتار." @@ -8175,29 +8294,36 @@ msgstr "" #: lib/themeuploader.php:166 #, php-format -msgid "Uploaded theme is too large; must be less than %d bytes uncompressed." -msgstr "" +msgid "Uploaded theme is too large; must be less than %d byte uncompressed." +msgid_plural "" +"Uploaded theme is too large; must be less than %d bytes uncompressed." +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" +msgstr[3] "" +msgstr[4] "" +msgstr[5] "" -#: lib/themeuploader.php:178 +#: lib/themeuploader.php:179 msgid "Invalid theme archive: missing file css/display.css" msgstr "" -#: lib/themeuploader.php:218 +#: lib/themeuploader.php:219 msgid "" "Theme contains invalid file or folder name. Stick with ASCII letters, " "digits, underscore, and minus sign." msgstr "" -#: lib/themeuploader.php:224 +#: lib/themeuploader.php:225 msgid "Theme contains unsafe file extension names; may be unsafe." msgstr "" -#: lib/themeuploader.php:241 +#: lib/themeuploader.php:242 #, php-format msgid "Theme contains file of type '.%s', which is not allowed." msgstr "" -#: lib/themeuploader.php:259 +#: lib/themeuploader.php:260 msgid "Error opening theme archive." msgstr "خطأ أثناء تحديث الملف الشخصي البعيد." @@ -8399,24 +8525,41 @@ msgstr[3] "هذه طويلة جدًا. أطول حجم للإشعار %d حرف msgstr[4] "هذه طويلة جدًا. أطول حجم للإشعار %d حرفًا." msgstr[5] "هذه طويلة جدًا. أطول حجم للإشعار %d حرفًا." -#: scripts/restoreuser.php:82 +#. TRANS: Commandline script output. %s is the filename that contains a backup for a user. +#: scripts/restoreuser.php:61 #, php-format -msgid "Backup file for user %s (%s)" +msgid "Getting backup from file '%s'." msgstr "" -#: scripts/restoreuser.php:88 +#. TRANS: Commandline script output. +#: scripts/restoreuser.php:91 #, fuzzy msgid "No user specified; using backup user." msgstr "لا هوية مستخدم محددة." -#: scripts/restoreuser.php:94 +#. TRANS: Commandline script output. %d is the number of entries in the activity stream in backup; used for plural. +#: scripts/restoreuser.php:98 #, php-format -msgid "%d entries in backup." -msgstr "" +msgid "%d entry in backup." +msgid_plural "%d entries in backup." +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" +msgstr[3] "" +msgstr[4] "" +msgstr[5] "" #, fuzzy -#~ msgid "Description is too long (max %d chars)." -#~ msgstr "المنظمة طويلة جدا (الأقصى %d حرفا)." +#~ msgid "Name is too long (maximum 255 chars)." +#~ msgstr "الاسم طويل جدا (الأقصى 255 حرفا)." -#~ msgid "Too many aliases! Maximum %d." -#~ msgstr "كنيات كيرة! العدد الأقصى هو %d." +#, fuzzy +#~ msgid "Organization is too long (maximum 255 chars)." +#~ msgstr "المنظمة طويلة جدا (الأقصى 255 حرفا)." + +#~ msgid "That's too long. Max notice size is %d chars." +#~ msgstr "هذه طويلة جدًا. أطول حجم للإشعار %d حرفًا." + +#, fuzzy +#~ msgid " tagged %s" +#~ msgstr "الإشعارات الموسومة ب%s" diff --git a/locale/arz/LC_MESSAGES/statusnet.po b/locale/arz/LC_MESSAGES/statusnet.po index f6052299e2..1121420906 100644 --- a/locale/arz/LC_MESSAGES/statusnet.po +++ b/locale/arz/LC_MESSAGES/statusnet.po @@ -11,19 +11,19 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet - Core\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-10-30 23:18+0000\n" -"PO-Revision-Date: 2010-10-30 23:19:50+0000\n" +"POT-Creation-Date: 2010-11-02 22:51+0000\n" +"PO-Revision-Date: 2010-11-02 22:52: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.17alpha (r75708); Translate extension (2010-09-17)\n" +"X-Generator: MediaWiki 1.17alpha (r75875); Translate extension (2010-09-17)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: arz\n" "X-Message-Group: #out-statusnet-core\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" -"X-POT-Import-Date: 2010-10-30 09:48:40+0000\n" +"X-POT-Import-Date: 2010-10-30 23:42:01+0000\n" #. TRANS: Page title for Access admin panel that allows configuring site access. #. TRANS: Menu item for site administration @@ -83,15 +83,20 @@ msgstr "اذف إعدادت الموقع" #. TRANS: Tooltip for button to save access settings in site admin panel. #. TRANS: Button label to save e-mail preferences. #. TRANS: Button label to save IM preferences. +#. TRANS: Button text for saving "Other settings" in profile. #. TRANS: Button text to store form data in the Paths admin panel. #. TRANS: Button to save input in profile settings. +#. TRANS: Button text for saving site notice in admin panel. #. TRANS: Button label to save SMS preferences. #. TRANS: Save button for settings for a profile in a subscriptions list. +#. TRANS: Button text to save user settings in user admin panel. #. TRANS: Button label in the "Edit application" form. #: actions/accessadminpanel.php:193 actions/emailsettings.php:228 -#: actions/imsettings.php:187 actions/pathsadminpanel.php:512 -#: actions/profilesettings.php:201 actions/smssettings.php:209 -#: actions/subscriptions.php:246 lib/applicationeditform.php:355 +#: actions/imsettings.php:187 actions/othersettings.php:134 +#: actions/pathsadminpanel.php:512 actions/profilesettings.php:201 +#: actions/sitenoticeadminpanel.php:197 actions/smssettings.php:209 +#: actions/subscriptions.php:246 actions/useradminpanel.php:298 +#: lib/applicationeditform.php:355 lib/groupeditform.php:207 #, fuzzy msgctxt "BUTTON" msgid "Save" @@ -143,7 +148,7 @@ msgstr "لا وسم كهذا." #: 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:93 actions/userrss.php:40 -#: actions/xrds.php:71 lib/command.php:495 lib/galleryaction.php:59 +#: actions/xrds.php:71 lib/command.php:497 lib/galleryaction.php:59 #: lib/mailbox.php:82 lib/profileaction.php:77 msgid "No such user." msgstr "لا مستخدم كهذا." @@ -210,7 +215,9 @@ msgstr "" #. TRANS: Encoutagement displayed on empty timeline user pages for anonymous users. #. TRANS: %s is a user nickname. This message contains Markdown links. Keep "](" together. -#: actions/all.php:155 actions/replies.php:210 actions/showstream.php:208 +#. TRANS: Second sentence of empty message for anonymous users. %s is a user nickname. +#. TRANS: This message contains a Markdown link. Keep "](" together. +#: actions/all.php:155 actions/replies.php:210 actions/showstream.php:227 #, fuzzy, php-format msgid "" "Why not [register an account](%%%%action.register%%%%) and then nudge %s or " @@ -570,8 +577,11 @@ msgstr "الاسم الكامل طويل جدا (الأقصى 255 حرفًا)" #. TRANS: Group edit form validation error. #. TRANS: Form validation error in New application form. #. TRANS: %d is the maximum number of characters for the description. +#. TRANS: Group create form validation error. +#. TRANS: %d is the maximum number of allowed characters. #: actions/apigroupcreate.php:220 actions/editapplication.php:201 #: actions/editgroup.php:216 actions/newapplication.php:178 +#: actions/newgroup.php:152 #, fuzzy, php-format msgid "Description is too long (maximum %d character)." msgid_plural "Description is too long (maximum %d characters)." @@ -743,14 +753,14 @@ msgstr "لا تملك تصريحًا." #. TRANS: Form validation error in API OAuth authorisation because of an invalid session token. #: actions/apioauthauthorize.php:147 actions/avatarsettings.php:280 -#: actions/deletenotice.php:172 actions/disfavor.php:74 +#: actions/deletenotice.php:177 actions/disfavor.php:74 #: actions/emailsettings.php:271 actions/favor.php:75 actions/geocode.php:55 #: actions/groupblock.php:66 actions/grouplogo.php:312 #: actions/groupunblock.php:65 actions/imsettings.php:230 #: actions/invite.php:59 actions/login.php:137 actions/makeadmin.php:66 #: actions/newmessage.php:135 actions/newnotice.php:105 actions/nudge.php:80 #: actions/oauthappssettings.php:165 actions/oauthconnectionssettings.php:138 -#: actions/othersettings.php:145 actions/passwordsettings.php:138 +#: actions/othersettings.php:153 actions/passwordsettings.php:138 #: actions/profilesettings.php:221 actions/recoverpassword.php:350 #: actions/register.php:172 actions/remotesubscribe.php:77 #: actions/repeat.php:83 actions/smssettings.php:256 actions/subedit.php:40 @@ -926,20 +936,21 @@ msgstr "لا يمكنك حذف المستخدمين." #. TRANS: Client error displayed trying to repeat a non-existing notice through the API. #. TRANS: Client error displayed trying to display redents of a non-exiting notice. +#. TRANS: Error message displayed trying to delete a non-existing notice. #: actions/apistatusesretweet.php:74 actions/apistatusesretweets.php:70 -#: actions/deletenotice.php:58 actions/shownotice.php:92 +#: actions/deletenotice.php:61 actions/shownotice.php:92 msgid "No such notice." msgstr "لا إشعار كهذا." #. TRANS: Client error displayed trying to repeat an own notice through the API. #. TRANS: Error text shown when trying to repeat an own notice. -#: actions/apistatusesretweet.php:83 lib/command.php:535 +#: actions/apistatusesretweet.php:83 lib/command.php:537 msgid "Cannot repeat your own notice." msgstr "مش نافعه تتكرر الملاحظتك بتاعتك." #. TRANS: Client error displayed trying to re-repeat a notice through the API. #. TRANS: Error text shown when trying to repeat an notice that was already repeated by the user. -#: actions/apistatusesretweet.php:92 lib/command.php:541 +#: actions/apistatusesretweet.php:92 lib/command.php:543 msgid "Already repeated that notice." msgstr "الملاحظه اتكررت فعلا." @@ -961,7 +972,8 @@ msgstr "" #. TRANS: Client error displayed when the parameter "status" is missing. #. TRANS: %d is the maximum number of character for a notice. -#: actions/apistatusesupdate.php:244 +#: actions/apistatusesupdate.php:244 actions/newnotice.php:161 +#: lib/mailhandler.php:60 #, fuzzy, php-format msgid "That's too long. Maximum notice size is %d character." msgid_plural "That's too long. Maximum notice size is %d characters." @@ -980,7 +992,7 @@ msgstr "الـ API method مش موجوده." #. TRANS: Client error displayed exceeding the maximum notice length. #. TRANS: %d is the maximum lenth for a notice. -#: actions/apistatusesupdate.php:308 +#: actions/apistatusesupdate.php:308 actions/newnotice.php:184 #, php-format msgid "Maximum notice size is %d character, including attachment URL." msgid_plural "Maximum notice size is %d characters, including attachment URL." @@ -1197,17 +1209,18 @@ msgstr "" msgid "Lost our file data." msgstr "" -#: actions/avatarsettings.php:384 +#. TRANS: Success message for having updated a user avatar. +#: actions/avatarsettings.php:385 msgid "Avatar updated." msgstr "رُفع الأفتار." #. TRANS: Error displayed on the avatar upload page if the avatar could not be updated for an unknown reason. -#: actions/avatarsettings.php:388 +#: actions/avatarsettings.php:389 msgid "Failed updating avatar." msgstr "فشل تحديث الأفتار." #. TRANS: Success message for deleting a user avatar. -#: actions/avatarsettings.php:412 +#: actions/avatarsettings.php:413 msgid "Avatar deleted." msgstr "حُذف الأفتار." @@ -1236,8 +1249,8 @@ msgstr "" #. TRANS: Button label on the delete notice form. #. TRANS: Button label on the delete user form. #. TRANS: Button label on the form to block a user from a group. -#: actions/block.php:154 actions/deleteapplication.php:154 -#: actions/deletegroup.php:220 actions/deletenotice.php:150 +#: actions/block.php:154 actions/deleteapplication.php:157 +#: actions/deletegroup.php:220 actions/deletenotice.php:155 #: actions/deleteuser.php:152 actions/groupblock.php:178 msgctxt "BUTTON" msgid "No" @@ -1255,8 +1268,8 @@ msgstr "لا تمنع هذا المستخدم" #. TRANS: Button label on the delete notice form. #. TRANS: Button label on the delete user form. #. TRANS: Button label on the form to block a user from a group. -#: actions/block.php:161 actions/deleteapplication.php:161 -#: actions/deletegroup.php:227 actions/deletenotice.php:157 +#: actions/block.php:161 actions/deleteapplication.php:164 +#: actions/deletegroup.php:227 actions/deletenotice.php:162 #: actions/deleteuser.php:159 actions/groupblock.php:185 #, fuzzy msgctxt "BUTTON" @@ -1376,12 +1389,13 @@ msgstr "هذا البريد الإلكترونى ملك مستخدم آخر با #. TRANS: Server error thrown on database error removing a registered e-mail address. #. TRANS: Server error thrown on database error updating IM preferences. #. TRANS: Server error thrown on database error removing a registered IM address. +#. TRANS: Server error displayed when "Other" settings in user profile could not be updated on the server. #. TRANS: Server error thrown when user profile settings could not be updated. #. TRANS: Server error thrown on database error updating SMS preferences. #. TRANS: Server error thrown on database error removing a registered SMS phone number. #: actions/confirmaddress.php:118 actions/emailsettings.php:331 #: actions/emailsettings.php:477 actions/imsettings.php:283 -#: actions/imsettings.php:442 actions/othersettings.php:174 +#: actions/imsettings.php:442 actions/othersettings.php:184 #: actions/profilesettings.php:326 actions/smssettings.php:308 #: actions/smssettings.php:464 msgid "Couldn't update user." @@ -1417,17 +1431,20 @@ msgstr "محادثة" msgid "Notices" msgstr "الإشعارات" -#: actions/deleteapplication.php:63 +#. TRANS: Client error displayed trying to delete an application while not logged in. +#: actions/deleteapplication.php:62 msgid "You must be logged in to delete an application." msgstr "لازم يكون متسجل دخولك علشان تعدّل application." +#. TRANS: Client error displayed trying to delete an application that does not exist. #: actions/deleteapplication.php:71 #, fuzzy msgid "Application not found." msgstr "لم يوجد رمز التأكيد." +#. TRANS: Client error displayed trying to delete an application the current user does not own. #. TRANS: Client error displayed trying to edit an application while not being its owner. -#: actions/deleteapplication.php:78 actions/editapplication.php:78 +#: actions/deleteapplication.php:79 actions/editapplication.php:78 #: actions/showapplication.php:94 msgid "You are not the owner of this application." msgstr "انت مش بتملك الapplication دى." @@ -1435,15 +1452,18 @@ msgstr "انت مش بتملك الapplication دى." #. TRANS: Client error text when there is a problem with the session token. #: actions/deleteapplication.php:102 actions/editapplication.php:131 #: actions/newapplication.php:114 actions/showapplication.php:118 -#: lib/action.php:1354 +#: lib/action.php:1404 msgid "There was a problem with your session token." msgstr "" -#: actions/deleteapplication.php:123 actions/deleteapplication.php:147 +#. TRANS: Title for delete application page. +#. TRANS: Fieldset legend on delete application page. +#: actions/deleteapplication.php:124 actions/deleteapplication.php:149 msgid "Delete application" msgstr "OAuth applications" -#: actions/deleteapplication.php:149 +#. TRANS: Confirmation text on delete application page. +#: actions/deleteapplication.php:152 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 " @@ -1451,13 +1471,13 @@ msgid "" msgstr "" #. TRANS: Submit button title for 'No' when deleting an application. -#: actions/deleteapplication.php:158 +#: actions/deleteapplication.php:161 #, fuzzy msgid "Do not delete this application" msgstr "لا تحذف هذا الإشعار" #. TRANS: Submit button title for 'Yes' when deleting an application. -#: actions/deleteapplication.php:164 +#: actions/deleteapplication.php:167 #, fuzzy msgid "Delete this application" msgstr "احذف هذا الإشعار" @@ -1495,13 +1515,14 @@ msgstr "تعذر تحديث المجموعه." msgid "Deleted group %s" msgstr "%1$s ساب جروپ %2$s" -#. TRANS: Title. +#. TRANS: Title of delete group page. #. TRANS: Form legend for deleting a group. #: actions/deletegroup.php:176 actions/deletegroup.php:202 #, fuzzy msgid "Delete group" msgstr "احذف المستخدم" +#. TRANS: Warning in form for deleleting a group. #: actions/deletegroup.php:206 msgid "" "Are you sure you want to delete this group? This will clear all data about " @@ -1521,10 +1542,11 @@ msgstr "لا تحذف هذا الإشعار" msgid "Delete this group" msgstr "احذف هذا المستخدم" +#. TRANS: Error message displayed trying to delete a notice while not logged in. #. TRANS: Client error displayed when trying to unblock a user from a group while not logged in. #. TRANS: Client error displayed trying a change a subscription while not logged in. #. TRANS: Client error message thrown when trying to access the admin panel while not logged in. -#: actions/deletenotice.php:50 actions/disfavor.php:61 actions/favor.php:62 +#: actions/deletenotice.php:52 actions/disfavor.php:61 actions/favor.php:62 #: actions/groupblock.php:61 actions/groupunblock.php:60 actions/logout.php:69 #: actions/makeadmin.php:61 actions/newmessage.php:87 actions/newnotice.php:88 #: actions/nudge.php:63 actions/subedit.php:33 actions/subscribe.php:96 @@ -1534,31 +1556,36 @@ msgstr "احذف هذا المستخدم" msgid "Not logged in." msgstr "لست والجًا." -#: actions/deletenotice.php:74 +#. TRANS: Error message displayed trying to delete a notice that was not made by the current user. +#: actions/deletenotice.php:78 msgid "Can't delete this notice." msgstr "تعذّر حذف هذا الإشعار." -#: actions/deletenotice.php:106 +#. TRANS: Instructions for deleting a notice. +#: actions/deletenotice.php:110 msgid "" "You are about to permanently delete a notice. Once this is done, it cannot " "be undone." msgstr "" -#: actions/deletenotice.php:112 actions/deletenotice.php:144 +#. TRANS: Page title when deleting a notice. +#. TRANS: Fieldset legend for the delete notice form. +#: actions/deletenotice.php:117 actions/deletenotice.php:148 msgid "Delete notice" msgstr "احذف الإشعار" -#: actions/deletenotice.php:147 +#. TRANS: Message for the delete notice form. +#: actions/deletenotice.php:152 msgid "Are you sure you want to delete this notice?" msgstr "أمتأكد من أنك تريد حذف هذا الإشعار؟" #. TRANS: Submit button title for 'No' when deleting a notice. -#: actions/deletenotice.php:154 +#: actions/deletenotice.php:159 msgid "Do not delete this notice" msgstr "لا تحذف هذا الإشعار" #. TRANS: Submit button title for 'Yes' when deleting a notice. -#: actions/deletenotice.php:161 lib/noticelist.php:667 +#: actions/deletenotice.php:166 lib/noticelist.php:667 msgid "Delete this notice" msgstr "احذف هذا الإشعار" @@ -1720,11 +1747,9 @@ msgstr "ارجع إلى المبدئي" #. TRANS: Submit button title. #: actions/designadminpanel.php:711 actions/licenseadminpanel.php:319 -#: actions/othersettings.php:126 actions/sessionsadminpanel.php:199 -#: actions/siteadminpanel.php:292 actions/sitenoticeadminpanel.php:195 +#: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:292 #: actions/snapshotadminpanel.php:245 actions/tagother.php:154 -#: actions/useradminpanel.php:295 lib/applicationeditform.php:357 -#: lib/designsettings.php:256 lib/groupeditform.php:202 +#: lib/applicationeditform.php:357 lib/designsettings.php:256 msgid "Save" msgstr "أرسل" @@ -1773,9 +1798,9 @@ msgid "Name is required." msgstr "الاسم مطلوب." #. TRANS: Validation error shown when providing too long a name in the "Edit application" form. -#: actions/editapplication.php:188 +#: actions/editapplication.php:188 actions/newapplication.php:169 #, fuzzy -msgid "Name is too long (max 255 characters)." +msgid "Name is too long (maximum 255 characters)." msgstr "الاسم طويل جدا (اكتر حاجه 255 رمز)." #. TRANS: Validation error shown when providing a name for an application that already exists in the "Edit application" form. @@ -1806,7 +1831,7 @@ msgid "Organization is required." msgstr "الوصف مطلوب." #. TRANS: Validation error shown when providing too long an arganisation name in the "Edit application" form. -#: actions/editapplication.php:223 +#: actions/editapplication.php:223 actions/newapplication.php:199 #, fuzzy msgid "Organization is too long (maximum 255 characters)." msgstr "المنظمه طويله جدا (اكتر حاجه 255 رمز)." @@ -2592,7 +2617,7 @@ msgid "Publish a MicroID for my Jabber/GTalk address." msgstr "" #. TRANS: Confirmation message for successful IM preferences save. -#: actions/imsettings.php:290 actions/othersettings.php:180 +#: actions/imsettings.php:290 actions/othersettings.php:190 msgid "Preferences saved." msgstr "حُفِظت التفضيلات." @@ -2723,10 +2748,9 @@ msgstr[5] "لست مشتركًا بأحد." #. TRANS: Used as list item for already subscribed users (%1$s is nickname, %2$s is e-mail address). #. TRANS: Used as list item for already registered people (%1$s is nickname, %2$s is e-mail address). -#. TRANS: Whois output. -#. TRANS: %1$s nickname of the queried user, %2$s is their profile URL. -#: actions/invite.php:145 actions/invite.php:159 lib/command.php:426 -#, php-format +#: actions/invite.php:145 actions/invite.php:159 +#, fuzzy, php-format +msgctxt "INVITE" msgid "%1$s (%2$s)" msgstr "%1$s (%2$s)" @@ -2888,8 +2912,9 @@ msgid "" msgstr "" #: actions/licenseadminpanel.php:156 -msgid "Invalid license title. Max length is 255 characters." -msgstr "" +#, fuzzy +msgid "Invalid license title. Maximum length is 255 characters." +msgstr "رساله ترحيب غير صالحه. أقصى طول هو 255 حرف." #: actions/licenseadminpanel.php:168 msgid "Invalid license URL." @@ -3058,21 +3083,11 @@ msgstr "لازم تكون مسجل دخوللك علشان تسجل application. msgid "Use this form to register a new application." msgstr "استعمل الفورمه دى علشان تسجل application جديد." -#: actions/newapplication.php:169 -#, fuzzy -msgid "Name is too long (maximum 255 chars)." -msgstr "الاسم طويل جدا (اكتر حاجه 255 رمز)." - #: actions/newapplication.php:184 #, fuzzy msgid "Source URL is required." msgstr "الSource URL مش مظبوط." -#: actions/newapplication.php:199 -#, fuzzy -msgid "Organization is too long (maximum 255 chars)." -msgstr "المنظمه طويله جدا (اكتر حاجه 255 رمز)." - #: actions/newapplication.php:266 actions/newapplication.php:275 msgid "Could not create application." msgstr "مش ممكن إنشاء الapplication." @@ -3092,7 +3107,7 @@ msgid "New message" msgstr "رساله جديدة" #. TRANS: Error text shown when trying to send a direct message to a user without a mutual subscription (each user must be subscribed to the other). -#: actions/newmessage.php:121 actions/newmessage.php:164 lib/command.php:499 +#: actions/newmessage.php:121 actions/newmessage.php:164 lib/command.php:501 #, fuzzy msgid "You can't send a message to this user." msgstr "أرسل رساله مباشره إلى هذا المستخدم" @@ -3100,7 +3115,7 @@ msgstr "أرسل رساله مباشره إلى هذا المستخدم" #. TRANS: Command exception text shown when trying to send a direct message to another user without content. #. TRANS: Command exception text shown when trying to reply to a notice without providing content for the reply. #: actions/newmessage.php:144 actions/newnotice.php:140 lib/command.php:478 -#: lib/command.php:579 +#: lib/command.php:581 msgid "No content!" msgstr "لا محتوى!" @@ -3109,7 +3124,7 @@ msgid "No recipient specified." msgstr "لا مستلم حُدّد." #. TRANS: Error text shown when trying to send a direct message to self. -#: actions/newmessage.php:167 lib/command.php:503 +#: actions/newmessage.php:167 lib/command.php:505 msgid "" "Don't send a message to yourself; just say it to yourself quietly instead." msgstr "" @@ -3120,12 +3135,12 @@ msgstr "أُرسلت الرسالة" #. TRANS: Message given have sent a direct message to another user. #. TRANS: %s is the name of the other user. -#: actions/newmessage.php:188 lib/command.php:511 +#: actions/newmessage.php:188 lib/command.php:513 #, php-format msgid "Direct message to %s sent." msgstr "رساله مباشره اتبعتت لـ%s." -#: actions/newmessage.php:213 actions/newnotice.php:263 +#: actions/newmessage.php:213 actions/newnotice.php:264 msgid "Ajax Error" msgstr "خطأ أجاكس" @@ -3133,17 +3148,7 @@ msgstr "خطأ أجاكس" msgid "New notice" msgstr "إشعار جديد" -#: actions/newnotice.php:159 lib/mailhandler.php:60 -#, fuzzy, php-format -msgid "That's too long. Max notice size is %d chars." -msgstr "هذا الملف كبير جدًا. إن أقصى حجم للملفات هو %d." - -#: actions/newnotice.php:183 -#, php-format -msgid "Max notice size is %d chars, including attachment URL." -msgstr "" - -#: actions/newnotice.php:229 +#: actions/newnotice.php:230 msgid "Notice posted" msgstr "أُرسل الإشعار" @@ -3305,37 +3310,46 @@ msgstr "تدوير فى الأشخاص" msgid "Notice Search" msgstr "بحث الإشعارات" -#: actions/othersettings.php:60 +#: actions/othersettings.php:59 msgid "Other settings" msgstr "تظبيطات تانيه" +#. TRANS: Instructions for tab "Other" in user profile settings. #: actions/othersettings.php:71 msgid "Manage various other options." msgstr "أدر خيارات أخرى عديده." -#: actions/othersettings.php:108 +#. TRANS: Used as a suffix for free URL shorteners in a dropdown list in the tab "Other" of a +#. TRANS: user's profile settings. This message has one space at the beginning. Use your +#. TRANS: language's word separator here if it has one (most likely a single space). +#: actions/othersettings.php:111 msgid " (free service)" msgstr " (خدمه حرة)" -#: actions/othersettings.php:116 +#. TRANS: Label for dropdown with URL shortener services. +#: actions/othersettings.php:120 msgid "Shorten URLs with" msgstr "قصّر المسارات بـ" -#: actions/othersettings.php:117 +#. TRANS: Tooltip for for dropdown with URL shortener services. +#: actions/othersettings.php:122 msgid "Automatic shortening service to use." msgstr "خدمه التقصير المطلوب استخدامها." -#: actions/othersettings.php:122 +#. TRANS: Label for checkbox. +#: actions/othersettings.php:128 msgid "View profile designs" msgstr "اعرض تصاميم الملف الشخصي" -#: actions/othersettings.php:123 +#. TRANS: Tooltip for checkbox. +#: actions/othersettings.php:130 msgid "Show or hide profile designs." msgstr "أظهر أو أخفِ تصاميم الملفات الشخصيه." -#: actions/othersettings.php:153 +#. TRANS: Form validation error for form "Other settings" in user profile. +#: actions/othersettings.php:162 #, fuzzy -msgid "URL shortening service is too long (max 50 chars)." +msgid "URL shortening service is too long (maximum 50 characters)." msgstr "الاسم الكامل طويل جدا (الأقصى 255 حرفًا)" #: actions/otp.php:69 @@ -3821,7 +3835,7 @@ msgstr "السيرة" #. TRANS: Label for group location (dt). Text hidden by default. #: actions/profilesettings.php:149 actions/register.php:485 #: actions/showgroup.php:267 actions/tagother.php:112 -#: actions/userauthorization.php:166 lib/groupeditform.php:177 +#: actions/userauthorization.php:166 lib/groupeditform.php:180 #: lib/userprofile.php:165 msgid "Location" msgstr "الموقع" @@ -4159,7 +4173,8 @@ msgid "Unexpected password reset." msgstr "أعد ضبط كلمه السر" #: actions/recoverpassword.php:365 -msgid "Password must be 6 chars or more." +#, fuzzy +msgid "Password must be 6 characters or more." msgstr "يجب أن تكون كلمه السر 6 محارف أو أكثر." #: actions/recoverpassword.php:369 @@ -4508,7 +4523,7 @@ msgstr "المنظمه" #. TRANS: Form input field label. #: actions/showapplication.php:187 actions/version.php:200 -#: lib/applicationeditform.php:208 lib/groupeditform.php:172 +#: lib/applicationeditform.php:208 lib/groupeditform.php:175 msgid "Description" msgstr "الوصف" @@ -4658,7 +4673,7 @@ msgid "Note" msgstr "ملاحظة" #. TRANS: Label for group aliases (dt). Text hidden by default. -#: actions/showgroup.php:298 lib/groupeditform.php:184 +#: actions/showgroup.php:298 lib/groupeditform.php:187 msgid "Aliases" msgstr "الكنى" @@ -4788,60 +4803,84 @@ msgstr "نتايج التدوير لـ\"%1$s\" على %2$s" msgid "Notice deleted." msgstr "حُذف الإشعار." -#: actions/showstream.php:72 +#. TRANS: Page title showing tagged notices in one user's stream. %1$s is the username, %2$s is the hash tag. +#: actions/showstream.php:70 #, fuzzy, php-format -msgid " tagged %s" +msgid "%1$s tagged %2$s" +msgstr "%1$s و الصحاب, صفحه %2$d" + +#. TRANS: Page title showing tagged notices in one user's stream. +#. TRANS: %1$s is the username, %2$s is the hash tag, %1$d is the page number. +#: actions/showstream.php:74 +#, fuzzy, php-format +msgid "%1$s tagged %2$s, page %3$d" msgstr "الإشعارات الموسومه ب%s" -#: actions/showstream.php:78 +#. TRANS: Extended page title showing tagged notices in one user's stream. +#. TRANS: %1$s is the username, %2$d is the page number. +#: actions/showstream.php:82 #, php-format msgid "%1$s, page %2$d" msgstr "%1$s و الصحاب, صفحه %2$d" -#: actions/showstream.php:120 +#. TRANS: Title for link to notice feed. +#. TRANS: %1$s is a user nickname, %2$s is a hashtag. +#: actions/showstream.php:127 #, php-format msgid "Notice feed for %1$s tagged %2$s (RSS 1.0)" msgstr "" -#: actions/showstream.php:127 +#. TRANS: Title for link to notice feed. +#. TRANS: %s is a user nickname. +#: actions/showstream.php:136 #, php-format msgid "Notice feed for %s (RSS 1.0)" msgstr "" -#: actions/showstream.php:134 +#. TRANS: Title for link to notice feed. +#. TRANS: %s is a user nickname. +#: actions/showstream.php:145 #, php-format msgid "Notice feed for %s (RSS 2.0)" msgstr "" -#: actions/showstream.php:141 +#: actions/showstream.php:152 #, php-format msgid "Notice feed for %s (Atom)" msgstr "" -#: actions/showstream.php:146 +#. TRANS: Title for link to notice feed. FOAF stands for Friend of a Friend. +#. TRANS: More information at http://www.foaf-project.org. %s is a user nickname. +#: actions/showstream.php:159 #, php-format msgid "FOAF for %s" msgstr "" -#: actions/showstream.php:197 +#. TRANS: First sentence of empty list message for a stream. $1%s is a user nickname. +#: actions/showstream.php:211 #, php-format -msgid "This is the timeline for %1$s but %2$s hasn't posted anything yet." +msgid "This is the timeline for %1$s, but %1$s hasn't posted anything yet." msgstr "" -#: actions/showstream.php:202 +#. TRANS: Second sentence of empty list message for a stream for the user themselves. +#: actions/showstream.php:217 msgid "" "Seen anything interesting recently? You haven't posted any notices yet, now " "would be a good time to start :)" msgstr "" -#: actions/showstream.php:204 +#. TRANS: Second sentence of empty list message for a non-self stream. %1$s is a user nickname, %2$s is a part of a URL. +#. TRANS: This message contains a Markdown link. Keep "](" together. +#: actions/showstream.php:221 #, php-format msgid "" "You can try to nudge %1$s or [post something to them](%%%%action.newnotice%%%" "%?status_textarea=%2$s)." msgstr "" -#: actions/showstream.php:243 +#. TRANS: Announcement for anonymous users showing a stream if site registrations are open. +#. TRANS: This message contains a Markdown link. Keep "](" together. +#: actions/showstream.php:264 #, fuzzy, php-format msgid "" "**%s** has an account on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -4854,7 +4893,9 @@ msgstr "" "الآن](%%action.register%%) لتشارك اشعاراتك مع أصدقائك وعائلتك وزملائك! " "([اقرأ المزيد](%%doc.help%%))" -#: actions/showstream.php:248 +#. TRANS: Announcement for anonymous users showing a stream if site registrations are closed or invite only. +#. TRANS: This message contains a Markdown link. Keep "](" together. +#: actions/showstream.php:271 #, fuzzy, php-format msgid "" "**%s** has an account on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -4864,7 +4905,8 @@ msgstr "" "هنا %%site.name%%، خدمه [التدوين المُصغّر](http://en.wikipedia.org/wiki/Micro-" "blogging) المبنيه على البرنامج الحر [StatusNet](http://status.net/)." -#: actions/showstream.php:305 +#. TRANS: Link to the author of a repeated notice. %s is a linked nickname. +#: actions/showstream.php:328 #, php-format msgid "Repeat of %s" msgstr "تكرارات %s" @@ -4977,35 +5019,42 @@ msgstr "حد النص" msgid "How long users must wait (in seconds) to post the same thing again." msgstr "" -#: actions/sitenoticeadminpanel.php:56 +#. TRANS: Page title for site-wide notice tab in admin panel. +#: actions/sitenoticeadminpanel.php:55 #, fuzzy msgid "Site Notice" msgstr "إشعار الموقع" -#: actions/sitenoticeadminpanel.php:67 +#. TRANS: Instructions for site-wide notice tab in admin panel. +#: actions/sitenoticeadminpanel.php:66 #, fuzzy msgid "Edit site-wide message" msgstr "رساله جديدة" -#: actions/sitenoticeadminpanel.php:103 +#. TRANS: Server error displayed when saving a site-wide notice was impossible. +#: actions/sitenoticeadminpanel.php:101 #, fuzzy msgid "Unable to save site notice." msgstr "مشكله أثناء حفظ الإشعار." -#: actions/sitenoticeadminpanel.php:113 -msgid "Max length for the site-wide notice is 255 chars." +#. TRANS: Client error displayed when a site-wide notice was longer than allowed. +#: actions/sitenoticeadminpanel.php:112 +msgid "Maximum length for the site-wide notice is 255 characters." msgstr "" +#. TRANS: Label for site-wide notice text field in admin panel. #: actions/sitenoticeadminpanel.php:176 #, fuzzy msgid "Site notice text" msgstr "إشعار الموقع" -#: actions/sitenoticeadminpanel.php:178 -msgid "Site-wide notice text (255 chars max; HTML okay)" +#. TRANS: Tooltip for site-wide notice text field in admin panel. +#: actions/sitenoticeadminpanel.php:179 +msgid "Site-wide notice text (255 characters maximum; HTML allowed)" msgstr "" -#: actions/sitenoticeadminpanel.php:198 +#. TRANS: Title for button to save site notice in admin panel. +#: actions/sitenoticeadminpanel.php:201 #, fuzzy msgid "Save site notice" msgstr "إشعار الموقع" @@ -5466,76 +5515,94 @@ msgid "" msgstr "" #. TRANS: User admin panel title -#: actions/useradminpanel.php:60 +#: actions/useradminpanel.php:58 #, fuzzy msgctxt "TITLE" msgid "User" msgstr "المستخدم" -#: actions/useradminpanel.php:71 +#. TRANS: Instruction for user admin panel. +#: actions/useradminpanel.php:69 msgid "User settings for this StatusNet site" msgstr "" -#: actions/useradminpanel.php:150 +#. TRANS: Form validation error in user admin panel when a non-numeric character limit was set. +#: actions/useradminpanel.php:147 msgid "Invalid bio limit. Must be numeric." msgstr "" -#: actions/useradminpanel.php:156 -msgid "Invalid welcome text. Max length is 255 characters." +#. TRANS: Form validation error in user admin panel when welcome text is too long. +#: actions/useradminpanel.php:154 +#, fuzzy +msgid "Invalid welcome text. Maximum length is 255 characters." msgstr "رساله ترحيب غير صالحه. أقصى طول هو 255 حرف." +#. TRANS: Client error displayed when trying to set a non-existing user as default subscription for new +#. TRANS: users in user admin panel. %1$s is the invalid nickname. #: actions/useradminpanel.php:166 #, php-format -msgid "Invalid default subscripton: '%1$s' is not user." +msgid "Invalid default subscripton: '%1$s' is not a user." msgstr "" #. TRANS: Link description in user account settings menu. -#: actions/useradminpanel.php:219 lib/accountsettingsaction.php:106 +#: actions/useradminpanel.php:215 lib/accountsettingsaction.php:106 #: lib/personalgroupnav.php:109 msgid "Profile" msgstr "الملف الشخصي" -#: actions/useradminpanel.php:223 +#. TRANS: Field label in user admin panel for setting the character limit for the bio field. +#: actions/useradminpanel.php:220 msgid "Bio Limit" msgstr "حد السيرة" -#: actions/useradminpanel.php:224 +#. TRANS: Tooltip in user admin panel for setting the character limit for the bio field. +#: actions/useradminpanel.php:222 msgid "Maximum length of a profile bio in characters." msgstr "" -#: actions/useradminpanel.php:232 +#. TRANS: Form legend in user admin panel. +#: actions/useradminpanel.php:231 msgid "New users" msgstr "مستخدمون جدد" +#. TRANS: Field label in user admin panel for setting new user welcome text. #: actions/useradminpanel.php:236 msgid "New user welcome" msgstr "ترحيب المستخدمين الجدد" -#: actions/useradminpanel.php:237 -msgid "Welcome text for new users (Max 255 chars)." +#. TRANS: Tooltip in user admin panel for setting new user welcome text. +#: actions/useradminpanel.php:238 +#, fuzzy +msgid "Welcome text for new users (maximum 255 characters)." msgstr "نص الترحيب بالمستخدمين الجدد (255 حرفًا كحد أقصى)." -#: actions/useradminpanel.php:242 +#. TRANS: Field label in user admin panel for setting default subscription for new users. +#: actions/useradminpanel.php:244 msgid "Default subscription" msgstr "الاشتراك المبدئي" -#: actions/useradminpanel.php:243 +#. TRANS: Tooltip in user admin panel for setting default subscription for new users. +#: actions/useradminpanel.php:246 msgid "Automatically subscribe new users to this user." msgstr "أشرك المستخدمين الجدد بهذا المستخدم تلقائيًا." -#: actions/useradminpanel.php:252 +#. TRANS: Form legend in user admin panel. +#: actions/useradminpanel.php:256 msgid "Invitations" msgstr "الدعوات" -#: actions/useradminpanel.php:257 +#. TRANS: Field label for checkbox in user admin panel for allowing users to invite friend using site e-mail. +#: actions/useradminpanel.php:262 msgid "Invitations enabled" msgstr "الدعوات مُفعلة" -#: actions/useradminpanel.php:259 +#. TRANS: Tooltip for checkbox in user admin panel for allowing users to invite friend using site e-mail. +#: actions/useradminpanel.php:265 msgid "Whether to allow users to invite new users." msgstr "" -#: actions/useradminpanel.php:295 +#. TRANS: Title for button to save user settings in user admin panel. +#: actions/useradminpanel.php:302 msgid "Save user settings" msgstr "" @@ -5726,7 +5793,7 @@ msgid "Plugins" msgstr "" #. TRANS: Secondary navigation menu option leading to version information on the StatusNet site. -#: actions/version.php:198 lib/action.php:831 +#: actions/version.php:198 lib/action.php:880 msgid "Version" msgstr "النسخه" @@ -5934,16 +6001,23 @@ msgstr "تعذّر حفظ الاشتراك." msgid "RT @%1$s %2$s" msgstr "آر تى @%1$s %2$s" +#. TRANS: Full name of a profile or group followed by nickname in parens +#: classes/Profile.php:164 +#, fuzzy, php-format +msgctxt "FANCYNAME" +msgid "%1$s (%2$s)" +msgstr "%1$s (%2$s)" + #. TRANS: Exception thrown when trying to revoke an existing role for a user that does not exist. #. TRANS: %1$s is the role name, %2$s is the user ID (number). -#: classes/Profile.php:791 +#: classes/Profile.php:812 #, php-format msgid "Cannot revoke role \"%1$s\" for user #%2$d; does not exist." msgstr "" #. TRANS: Exception thrown when trying to revoke a role for a user with a failing database query. #. TRANS: %1$s is the role name, %2$s is the user ID (number). -#: classes/Profile.php:800 +#: classes/Profile.php:821 #, php-format msgid "Cannot revoke role \"%1$s\" for user #%2$d; database error." msgstr "" @@ -6090,139 +6164,145 @@ msgstr "%1$s - %2$s" msgid "Untitled page" msgstr "صفحه غير مُعنونة" +#. TRANS: Localized tooltip for '...' expansion button on overlong remote messages. +#: lib/action.php:310 +msgctxt "TOOLTIP" +msgid "Show more" +msgstr "" + #. TRANS: DT element for primary navigation menu. String is hidden in default CSS. -#: lib/action.php:477 +#: lib/action.php:526 #, fuzzy msgid "Primary site navigation" msgstr "ضبط الموقع الأساسي" #. TRANS: Tooltip for main menu option "Personal" -#: lib/action.php:483 +#: lib/action.php:532 #, fuzzy msgctxt "TOOLTIP" msgid "Personal profile and friends timeline" msgstr "الملف الشخصى ومسار الأصدقاء الزمني" #. TRANS: Main menu option when logged in for access to personal profile and friends timeline -#: lib/action.php:486 +#: lib/action.php:535 #, fuzzy msgctxt "MENU" msgid "Personal" msgstr "شخصية" #. TRANS: Tooltip for main menu option "Account" -#: lib/action.php:488 +#: lib/action.php:537 #, fuzzy msgctxt "TOOLTIP" msgid "Change your email, avatar, password, profile" msgstr "غير كلمه سرّك" #. TRANS: Main menu option when logged in for access to user settings -#: lib/action.php:491 +#: lib/action.php:540 msgid "Account" msgstr "الحساب" #. TRANS: Tooltip for main menu option "Services" -#: lib/action.php:493 +#: lib/action.php:542 #, fuzzy msgctxt "TOOLTIP" msgid "Connect to services" msgstr "كونيكشونات (Connections)" #. TRANS: Main menu option when logged in and connection are possible for access to options to connect to other services -#: lib/action.php:496 +#: lib/action.php:545 msgid "Connect" msgstr "اتصل" #. TRANS: Tooltip for menu option "Admin" -#: lib/action.php:499 +#: lib/action.php:548 msgctxt "TOOLTIP" msgid "Change site configuration" msgstr "ضبط الموقع الأساسي" #. TRANS: Main menu option when logged in and site admin for access to site configuration #. TRANS: Menu item in the group navigation page. Only shown for group administrators. -#: lib/action.php:502 lib/groupnav.php:117 +#: lib/action.php:551 lib/groupnav.php:117 #, fuzzy msgctxt "MENU" msgid "Admin" msgstr "إداري" #. TRANS: Tooltip for main menu option "Invite" -#: lib/action.php:506 +#: lib/action.php:555 #, php-format msgctxt "TOOLTIP" msgid "Invite friends and colleagues to join you on %s" msgstr "" #. TRANS: Main menu option when logged in and invitations are allowed for inviting new users -#: lib/action.php:509 +#: lib/action.php:558 #, fuzzy msgctxt "MENU" msgid "Invite" msgstr "ادعُ" #. TRANS: Tooltip for main menu option "Logout" -#: lib/action.php:515 +#: lib/action.php:564 msgctxt "TOOLTIP" msgid "Logout from the site" msgstr "سمه الموقع." #. TRANS: Main menu option when logged in to log out the current user -#: lib/action.php:518 +#: lib/action.php:567 msgctxt "MENU" msgid "Logout" msgstr "الشعار" #. TRANS: Tooltip for main menu option "Register" -#: lib/action.php:523 +#: lib/action.php:572 msgctxt "TOOLTIP" msgid "Create an account" msgstr "أنشئ مجموعه جديدة" #. TRANS: Main menu option when not logged in to register a new account -#: lib/action.php:526 +#: lib/action.php:575 #, fuzzy msgctxt "MENU" msgid "Register" msgstr "سجّل" #. TRANS: Tooltip for main menu option "Login" -#: lib/action.php:529 +#: lib/action.php:578 #, fuzzy msgctxt "TOOLTIP" msgid "Login to the site" msgstr "لُج إلى الموقع" #. TRANS: Main menu option when not logged in to log in -#: lib/action.php:532 +#: lib/action.php:581 #, fuzzy msgctxt "MENU" msgid "Login" msgstr "لُج" #. TRANS: Tooltip for main menu option "Help" -#: lib/action.php:535 +#: lib/action.php:584 msgctxt "TOOLTIP" msgid "Help me!" msgstr "مساعدة" #. TRANS: Main menu option for help on the StatusNet site -#: lib/action.php:538 +#: lib/action.php:587 #, fuzzy msgctxt "MENU" msgid "Help" msgstr "مساعدة" #. TRANS: Tooltip for main menu option "Search" -#: lib/action.php:541 +#: lib/action.php:590 #, fuzzy msgctxt "TOOLTIP" msgid "Search for people or text" msgstr "ابحث عن أشخاص أو نص" #. TRANS: Main menu option when logged in or when the StatusNet instance is not private -#: lib/action.php:544 +#: lib/action.php:593 #, fuzzy msgctxt "MENU" msgid "Search" @@ -6230,69 +6310,70 @@ msgstr "ابحث" #. TRANS: DT element for site notice. String is hidden in default CSS. #. TRANS: Menu item for site administration -#: lib/action.php:566 lib/adminpanelaction.php:387 +#: lib/action.php:615 lib/adminpanelaction.php:387 msgid "Site notice" msgstr "إشعار الموقع" #. TRANS: DT element for local views block. String is hidden in default CSS. -#: lib/action.php:633 +#: lib/action.php:682 msgid "Local views" msgstr "المشاهدات المحلية" #. TRANS: DT element for page notice. String is hidden in default CSS. -#: lib/action.php:703 +#: lib/action.php:752 msgid "Page notice" msgstr "إشعار الصفحة" #. TRANS: DT element for secondary navigation menu. String is hidden in default CSS. -#: lib/action.php:804 +#: lib/action.php:853 #, fuzzy msgid "Secondary site navigation" msgstr "ضبط الموقع الأساسي" #. TRANS: Secondary navigation menu option leading to help on StatusNet. -#: lib/action.php:810 +#: lib/action.php:859 msgid "Help" msgstr "مساعدة" #. TRANS: Secondary navigation menu option leading to text about StatusNet site. -#: lib/action.php:813 +#: lib/action.php:862 msgid "About" msgstr "عن" #. TRANS: Secondary navigation menu option leading to Frequently Asked Questions. -#: lib/action.php:816 +#: lib/action.php:865 msgid "FAQ" msgstr "الأسئله المكررة" #. TRANS: Secondary navigation menu option leading to Terms of Service. -#: lib/action.php:821 +#: lib/action.php:870 msgid "TOS" msgstr "الشروط" #. TRANS: Secondary navigation menu option leading to privacy policy. -#: lib/action.php:825 +#: lib/action.php:874 msgid "Privacy" msgstr "خصوصية" -#. TRANS: Secondary navigation menu option. -#: lib/action.php:828 +#. TRANS: Secondary navigation menu option. Leads to information about StatusNet and its license. +#: lib/action.php:877 msgid "Source" msgstr "المصدر" -#. TRANS: Secondary navigation menu option leading to contact information on the StatusNet site. -#: lib/action.php:834 +#. TRANS: Secondary navigation menu option leading to e-mail contact information on the +#. TRANS: StatusNet site, where to report bugs, ... +#: lib/action.php:884 msgid "Contact" msgstr "اتصل" -#. TRANS: Secondary navigation menu option. -#: lib/action.php:837 +#. TRANS: Secondary navigation menu option. Leads to information about embedding a timeline widget. +#: lib/action.php:887 #, fuzzy msgid "Badge" msgstr "نبّه" #. TRANS: DT element for StatusNet software license. -#: lib/action.php:866 +#: lib/action.php:916 #, fuzzy msgid "StatusNet software license" msgstr "رخصه محتوى الموقع" @@ -6301,7 +6382,7 @@ msgstr "رخصه محتوى الموقع" #. TRANS: Text between [] is a link description, text between () is the link itself. #. TRANS: Make sure there is no whitespace between "]" and "(". #. TRANS: "%%site.broughtby%%" is the value of the variable site.broughtby -#: lib/action.php:873 +#: lib/action.php:923 #, fuzzy, php-format msgid "" "**%%site.name%%** is a microblogging service brought to you by [%%site." @@ -6311,7 +6392,7 @@ msgstr "" "broughtbyurl%%). " #. TRANS: First sentence of the StatusNet site license. Used if 'broughtby' is not set. -#: lib/action.php:876 +#: lib/action.php:926 #, php-format msgid "**%%site.name%%** is a microblogging service." msgstr "" @@ -6320,7 +6401,7 @@ msgstr "" #. TRANS: Make sure there is no whitespace between "]" and "(". #. TRANS: Text between [] is a link description, text between () is the link itself. #. TRANS: %s is the version of StatusNet that is being used. -#: lib/action.php:883 +#: lib/action.php:933 #, php-format msgid "" "It runs the [StatusNet](http://status.net/) microblogging software, version %" @@ -6332,51 +6413,51 @@ msgstr "" "agpl-3.0.html)." #. TRANS: DT element for StatusNet site content license. -#: lib/action.php:899 +#: lib/action.php:949 msgid "Site content license" msgstr "رخصه محتوى الموقع" #. TRANS: Content license displayed when license is set to 'private'. #. TRANS: %1$s is the site name. -#: lib/action.php:906 +#: lib/action.php:956 #, php-format msgid "Content and data of %1$s are private and confidential." msgstr "" #. TRANS: Content license displayed when license is set to 'allrightsreserved'. #. TRANS: %1$s is the copyright owner. -#: lib/action.php:913 +#: lib/action.php:963 #, php-format msgid "Content and data copyright by %1$s. All rights reserved." msgstr "" #. TRANS: Content license displayed when license is set to 'allrightsreserved' and no owner is set. -#: lib/action.php:917 +#: lib/action.php:967 msgid "Content and data copyright by contributors. All rights reserved." msgstr "" #. TRANS: license message in footer. #. TRANS: %1$s is the site name, %2$s is a link to the license URL, with a licence name set in configuration. -#: lib/action.php:949 +#: lib/action.php:999 #, php-format msgid "All %1$s content and data are available under the %2$s license." msgstr "" #. TRANS: DT element for pagination (previous/next, etc.). -#: lib/action.php:1285 +#: lib/action.php:1335 #, fuzzy msgid "Pagination" msgstr "المنظمه" #. TRANS: Pagination message to go to a page displaying information more in the #. TRANS: present than the currently displayed information. -#: lib/action.php:1296 +#: lib/action.php:1346 msgid "After" msgstr "بعد" #. TRANS: Pagination message to go to a page displaying information more in the #. TRANS: past than the currently displayed information. -#: lib/action.php:1306 +#: lib/action.php:1356 msgid "Before" msgstr "قبل" @@ -6737,7 +6818,7 @@ msgid "AJAX error" msgstr "خطأ أجاكس" #. TRANS: E-mail subject when a command has completed. -#: lib/channel.php:233 lib/mailhandler.php:142 +#: lib/channel.php:233 lib/mailhandler.php:143 msgid "Command complete" msgstr "اكتمل الأمر" @@ -6754,7 +6835,7 @@ msgstr "لا ملف بهذه الهويه." #. TRANS: Command exception text shown when a last user notice is requested and it does not exist. #. TRANS: Error text shown when a last user notice is requested and it does not exist. -#: lib/command.php:99 lib/command.php:626 +#: lib/command.php:99 lib/command.php:630 #, fuzzy msgid "User has no last notice." msgstr "ليس للمستخدم إشعار أخير" @@ -6825,6 +6906,14 @@ msgstr "" msgid "%1$s left group %2$s." msgstr "" +#. TRANS: Whois output. +#. TRANS: %1$s nickname of the queried user, %2$s is their profile URL. +#: lib/command.php:426 +#, fuzzy, php-format +msgctxt "WHOIS" +msgid "%1$s (%2$s)" +msgstr "%1$s (%2$s)" + #. TRANS: Whois output. %s is the full name of the queried user. #: lib/command.php:430 #, php-format @@ -6862,138 +6951,150 @@ msgid "" "same server." msgstr "" -#. TRANS: Message given if content is too long. +#. TRANS: Message given if content is too long. %1$sd is used for plural. #. TRANS: %1$d is the maximum number of characters, %2$d is the number of submitted characters. #: lib/command.php:488 -#, php-format -msgid "Message too long - maximum is %1$d characters, you sent %2$d." -msgstr "" +#, fuzzy, php-format +msgid "Message too long - maximum is %1$d character, you sent %2$d." +msgid_plural "Message too long - maximum is %1$d characters, you sent %2$d." +msgstr[0] "هذا الملف كبير جدًا. إن أقصى حجم للملفات هو %d." +msgstr[1] "هذا الملف كبير جدًا. إن أقصى حجم للملفات هو %d." +msgstr[2] "هذا الملف كبير جدًا. إن أقصى حجم للملفات هو %d." +msgstr[3] "هذا الملف كبير جدًا. إن أقصى حجم للملفات هو %d." +msgstr[4] "هذا الملف كبير جدًا. إن أقصى حجم للملفات هو %d." +msgstr[5] "هذا الملف كبير جدًا. إن أقصى حجم للملفات هو %d." #. TRANS: Error text shown sending a direct message fails with an unknown reason. -#: lib/command.php:514 +#: lib/command.php:516 #, fuzzy msgid "Error sending direct message." msgstr "أنت ممنوع من إرسال رسائل مباشره." #. TRANS: Message given having repeated a notice from another user. #. TRANS: %s is the name of the user for which the notice was repeated. -#: lib/command.php:551 +#: lib/command.php:553 #, fuzzy, php-format msgid "Notice from %s repeated." msgstr "الإشعار من %s مكرر" #. TRANS: Error text shown when repeating a notice fails with an unknown reason. -#: lib/command.php:554 +#: lib/command.php:556 msgid "Error repeating notice." msgstr "خطأ تكرار الإشعار." -#. TRANS: Message given if content of a notice for a reply is too long. +#. TRANS: Message given if content of a notice for a reply is too long. %1$d is used for plural. #. TRANS: %1$d is the maximum number of characters, %2$d is the number of submitted characters. -#: lib/command.php:589 -#, php-format -msgid "Notice too long - maximum is %1$d characters, you sent %2$d." -msgstr "" +#: lib/command.php:591 +#, fuzzy, php-format +msgid "Notice too long - maximum is %1$d character, you sent %2$d." +msgid_plural "Notice too long - maximum is %1$d characters, you sent %2$d." +msgstr[0] "هذا الملف كبير جدًا. إن أقصى حجم للملفات هو %d." +msgstr[1] "هذا الملف كبير جدًا. إن أقصى حجم للملفات هو %d." +msgstr[2] "هذا الملف كبير جدًا. إن أقصى حجم للملفات هو %d." +msgstr[3] "هذا الملف كبير جدًا. إن أقصى حجم للملفات هو %d." +msgstr[4] "هذا الملف كبير جدًا. إن أقصى حجم للملفات هو %d." +msgstr[5] "هذا الملف كبير جدًا. إن أقصى حجم للملفات هو %d." #. TRANS: Text shown having sent a reply to a notice successfully. #. TRANS: %s is the nickname of the user of the notice the reply was sent to. -#: lib/command.php:600 +#: lib/command.php:604 #, fuzzy, php-format msgid "Reply to %s sent." msgstr "رُد على رساله %s" #. TRANS: Error text shown when a reply to a notice fails with an unknown reason. -#: lib/command.php:603 +#: lib/command.php:607 msgid "Error saving notice." msgstr "خطأ أثناء حفظ الإشعار." #. TRANS: Error text shown when no username was provided when issuing a subscribe command. -#: lib/command.php:650 +#: lib/command.php:654 msgid "Specify the name of the user to subscribe to." msgstr "" #. TRANS: Command exception text shown when trying to subscribe to an OMB profile using the subscribe command. -#: lib/command.php:659 +#: lib/command.php:663 msgid "Can't subscribe to OMB profiles by command." msgstr "" #. TRANS: Text shown after having subscribed to another user successfully. #. TRANS: %s is the name of the user the subscription was requested for. -#: lib/command.php:667 +#: lib/command.php:671 #, php-format msgid "Subscribed to %s." msgstr "" #. TRANS: Error text shown when no username was provided when issuing an unsubscribe command. #. TRANS: Error text shown when no username was provided when issuing the command. -#: lib/command.php:688 lib/command.php:799 +#: lib/command.php:692 lib/command.php:803 msgid "Specify the name of the user to unsubscribe from." msgstr "" #. TRANS: Text shown after having unsubscribed from another user successfully. #. TRANS: %s is the name of the user the unsubscription was requested for. -#: lib/command.php:699 +#: lib/command.php:703 #, php-format msgid "Unsubscribed from %s." msgstr "" #. TRANS: Error text shown when issuing the command "off" with a setting which has not yet been implemented. #. TRANS: Error text shown when issuing the command "on" with a setting which has not yet been implemented. -#: lib/command.php:719 lib/command.php:745 +#: lib/command.php:723 lib/command.php:749 #, fuzzy msgid "Command not yet implemented." msgstr "اكتمل الأمر" #. TRANS: Text shown when issuing the command "off" successfully. -#: lib/command.php:723 +#: lib/command.php:727 #, fuzzy msgid "Notification off." msgstr "لا رمز تأكيد." #. TRANS: Error text shown when the command "off" fails for an unknown reason. -#: lib/command.php:726 +#: lib/command.php:730 msgid "Can't turn off notification." msgstr "" #. TRANS: Text shown when issuing the command "on" successfully. -#: lib/command.php:749 +#: lib/command.php:753 #, fuzzy msgid "Notification on." msgstr "لا رمز تأكيد." #. TRANS: Error text shown when the command "on" fails for an unknown reason. -#: lib/command.php:752 +#: lib/command.php:756 #, fuzzy msgid "Can't turn on notification." msgstr "مش نافعه تتكرر الملاحظتك بتاعتك." #. TRANS: Error text shown when issuing the login command while login is disabled. -#: lib/command.php:766 +#: lib/command.php:770 msgid "Login command is disabled." msgstr "" #. TRANS: Text shown after issuing the login command successfully. #. TRANS: %s is a logon link.. -#: lib/command.php:779 +#: lib/command.php:783 #, php-format msgid "This link is useable only once and is valid for only 2 minutes: %s." msgstr "" #. TRANS: Text shown after issuing the lose command successfully (stop another user from following the current user). #. TRANS: %s is the name of the user the unsubscription was requested for. -#: lib/command.php:808 +#: lib/command.php:812 #, php-format msgid "Unsubscribed %s." msgstr "" #. TRANS: Text shown after requesting other users a user is subscribed to without having any subscriptions. -#: lib/command.php:826 +#: lib/command.php:830 msgid "You are not subscribed to anyone." msgstr "لست مُشتركًا بأى أحد." #. TRANS: Text shown after requesting other users a user is subscribed to. #. TRANS: This message supports plural forms. This message is followed by a #. TRANS: hard coded space and a comma separated list of subscribed users. -#: lib/command.php:831 +#: lib/command.php:835 msgid "You are subscribed to this person:" msgid_plural "You are subscribed to these people:" msgstr[0] "لست مشتركًا بأحد." @@ -7005,14 +7106,14 @@ msgstr[5] "" #. TRANS: Text shown after requesting other users that are subscribed to a user #. TRANS: (followers) without having any subscribers. -#: lib/command.php:853 +#: lib/command.php:857 msgid "No one is subscribed to you." msgstr "لا أحد مشترك بك." #. TRANS: Text shown after requesting other users that are subscribed to a user (followers). #. TRANS: This message supports plural forms. This message is followed by a #. TRANS: hard coded space and a comma separated list of subscribing users. -#: lib/command.php:858 +#: lib/command.php:862 msgid "This person is subscribed to you:" msgid_plural "These people are subscribed to you:" msgstr[0] "لا أحد مشترك بك." @@ -7024,14 +7125,14 @@ msgstr[5] "" #. TRANS: Text shown after requesting groups a user is subscribed to without having #. TRANS: any group subscriptions. -#: lib/command.php:880 +#: lib/command.php:884 msgid "You are not a member of any groups." msgstr "لست عضوًا فى أى مجموعه." #. TRANS: Text shown after requesting groups a user is subscribed to. #. TRANS: This message supports plural forms. This message is followed by a #. TRANS: hard coded space and a comma separated list of subscribed groups. -#: lib/command.php:885 +#: lib/command.php:889 msgid "You are a member of this group:" msgid_plural "You are a member of these groups:" msgstr[0] "لست عضوًا فى أى مجموعه." @@ -7042,7 +7143,7 @@ msgstr[4] "" msgstr[5] "" #. TRANS: Help text for commands. Do not translate the command names themselves; they are fixed strings. -#: lib/command.php:900 +#: lib/command.php:904 msgid "" "Commands:\n" "on - turn on notifications\n" @@ -7231,8 +7332,9 @@ msgid "1-64 lowercase letters or numbers, no punctuation or spaces" msgstr "" #: lib/groupeditform.php:163 -msgid "URL of the homepage or blog of the group or topic" -msgstr "" +#, fuzzy +msgid "URL of the homepage or blog of the group or topic." +msgstr "انت مش بتملك الapplication دى." #: lib/groupeditform.php:168 #, fuzzy @@ -7240,19 +7342,35 @@ msgid "Describe the group or topic" msgstr "اوصف الapplication بتاعتك" #: lib/groupeditform.php:170 -#, php-format -msgid "Describe the group or topic in %d characters" -msgstr "" +#, fuzzy, php-format +msgid "Describe the group or topic in %d character or less" +msgid_plural "Describe the group or topic in %d characters or less" +msgstr[0] "اوصف الapplication بتاعتك" +msgstr[1] "اوصف الapplication بتاعتك" +msgstr[2] "اوصف الapplication بتاعتك" +msgstr[3] "اوصف الapplication بتاعتك" +msgstr[4] "اوصف الapplication بتاعتك" +msgstr[5] "اوصف الapplication بتاعتك" -#: lib/groupeditform.php:179 +#: lib/groupeditform.php:182 msgid "" -"Location for the group, if any, like \"City, State (or Region), Country\"" +"Location for the group, if any, like \"City, State (or Region), Country\"." msgstr "" -#: lib/groupeditform.php:187 +#: lib/groupeditform.php:190 #, php-format -msgid "Extra nicknames for the group, comma- or space- separated, max %d" -msgstr "" +msgid "" +"Extra nicknames for the group, separated with commas or spaces. Maximum %d " +"alias allowed." +msgid_plural "" +"Extra nicknames for the group, separated with commas or spaces. Maximum %d " +"aliases allowed." +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" +msgstr[3] "" +msgstr[4] "" +msgstr[5] "" #. TRANS: Menu item in the group navigation page. #: lib/groupnav.php:86 @@ -7723,7 +7841,7 @@ msgstr "هذا ليس عنوان بريدك الإلكترونى." msgid "Sorry, no incoming email allowed." msgstr "" -#: lib/mailhandler.php:228 +#: lib/mailhandler.php:229 #, php-format msgid "Unsupported message type: %s" msgstr "نوع رساله مش مدعوم: %s" @@ -8067,16 +8185,17 @@ msgid "Sandbox this user" msgstr "أضف هذا المستخدم إلى صندوق الرمل" #. TRANS: Fieldset legend for the search form. -#: lib/searchaction.php:121 +#: lib/searchaction.php:120 msgid "Search site" msgstr "ابحث فى الموقع" #. TRANS: Used as a field label for the field where one or more keywords #. TRANS: for searching can be entered. -#: lib/searchaction.php:129 +#: lib/searchaction.php:128 msgid "Keyword(s)" msgstr "الكلمات المفتاحية" +#. TRANS: Button text for searching site. #: lib/searchaction.php:130 msgctxt "BUTTON" msgid "Search" @@ -8166,8 +8285,8 @@ msgid "The theme file is missing or the upload failed." msgstr "" #: lib/themeuploader.php:91 lib/themeuploader.php:102 -#: lib/themeuploader.php:278 lib/themeuploader.php:282 -#: lib/themeuploader.php:290 lib/themeuploader.php:297 +#: lib/themeuploader.php:279 lib/themeuploader.php:283 +#: lib/themeuploader.php:291 lib/themeuploader.php:298 #, fuzzy msgid "Failed saving theme." msgstr "فشل تحديث الأفتار." @@ -8178,29 +8297,36 @@ msgstr "" #: lib/themeuploader.php:166 #, php-format -msgid "Uploaded theme is too large; must be less than %d bytes uncompressed." -msgstr "" +msgid "Uploaded theme is too large; must be less than %d byte uncompressed." +msgid_plural "" +"Uploaded theme is too large; must be less than %d bytes uncompressed." +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" +msgstr[3] "" +msgstr[4] "" +msgstr[5] "" -#: lib/themeuploader.php:178 +#: lib/themeuploader.php:179 msgid "Invalid theme archive: missing file css/display.css" msgstr "" -#: lib/themeuploader.php:218 +#: lib/themeuploader.php:219 msgid "" "Theme contains invalid file or folder name. Stick with ASCII letters, " "digits, underscore, and minus sign." msgstr "" -#: lib/themeuploader.php:224 +#: lib/themeuploader.php:225 msgid "Theme contains unsafe file extension names; may be unsafe." msgstr "" -#: lib/themeuploader.php:241 +#: lib/themeuploader.php:242 #, php-format msgid "Theme contains file of type '.%s', which is not allowed." msgstr "" -#: lib/themeuploader.php:259 +#: lib/themeuploader.php:260 msgid "Error opening theme archive." msgstr "خطأ أثناء منع الحجب." @@ -8404,21 +8530,42 @@ msgstr[3] "هذا الملف كبير جدًا. إن أقصى حجم للملف msgstr[4] "هذا الملف كبير جدًا. إن أقصى حجم للملفات هو %d." msgstr[5] "هذا الملف كبير جدًا. إن أقصى حجم للملفات هو %d." -#: scripts/restoreuser.php:82 +#. TRANS: Commandline script output. %s is the filename that contains a backup for a user. +#: scripts/restoreuser.php:61 #, php-format -msgid "Backup file for user %s (%s)" +msgid "Getting backup from file '%s'." msgstr "" -#: scripts/restoreuser.php:88 +#. TRANS: Commandline script output. +#: scripts/restoreuser.php:91 #, fuzzy msgid "No user specified; using backup user." msgstr "ما فيش ID متحدد لليوزر." -#: scripts/restoreuser.php:94 +#. TRANS: Commandline script output. %d is the number of entries in the activity stream in backup; used for plural. +#: scripts/restoreuser.php:98 #, php-format -msgid "%d entries in backup." -msgstr "" +msgid "%d entry in backup." +msgid_plural "%d entries in backup." +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" +msgstr[3] "" +msgstr[4] "" +msgstr[5] "" #, fuzzy -#~ msgid "Description is too long (max %d chars)." -#~ msgstr "المنظمه طويله جدا (اكتر حاجه %d رمز)." +#~ msgid "Name is too long (maximum 255 chars)." +#~ msgstr "الاسم طويل جدا (اكتر حاجه 255 رمز)." + +#, fuzzy +#~ msgid "Organization is too long (maximum 255 chars)." +#~ msgstr "المنظمه طويله جدا (اكتر حاجه 255 رمز)." + +#, fuzzy +#~ msgid "That's too long. Max notice size is %d chars." +#~ msgstr "هذا الملف كبير جدًا. إن أقصى حجم للملفات هو %d." + +#, fuzzy +#~ msgid " tagged %s" +#~ msgstr "الإشعارات الموسومه ب%s" diff --git a/locale/bg/LC_MESSAGES/statusnet.po b/locale/bg/LC_MESSAGES/statusnet.po index 78ce578d22..f3029d880b 100644 --- a/locale/bg/LC_MESSAGES/statusnet.po +++ b/locale/bg/LC_MESSAGES/statusnet.po @@ -10,17 +10,17 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet - Core\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-10-30 23:18+0000\n" -"PO-Revision-Date: 2010-10-30 23:19:53+0000\n" +"POT-Creation-Date: 2010-11-02 22:51+0000\n" +"PO-Revision-Date: 2010-11-02 22:53:00+0000\n" "Language-Team: Bulgarian \n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r75708); Translate extension (2010-09-17)\n" +"X-Generator: MediaWiki 1.17alpha (r75875); Translate extension (2010-09-17)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: bg\n" "X-Message-Group: #out-statusnet-core\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-POT-Import-Date: 2010-10-30 09:48:40+0000\n" +"X-POT-Import-Date: 2010-10-30 23:42:01+0000\n" #. TRANS: Page title for Access admin panel that allows configuring site access. #. TRANS: Menu item for site administration @@ -77,15 +77,20 @@ msgstr "Запазване настройките за достъп" #. TRANS: Tooltip for button to save access settings in site admin panel. #. TRANS: Button label to save e-mail preferences. #. TRANS: Button label to save IM preferences. +#. TRANS: Button text for saving "Other settings" in profile. #. TRANS: Button text to store form data in the Paths admin panel. #. TRANS: Button to save input in profile settings. +#. TRANS: Button text for saving site notice in admin panel. #. TRANS: Button label to save SMS preferences. #. TRANS: Save button for settings for a profile in a subscriptions list. +#. TRANS: Button text to save user settings in user admin panel. #. TRANS: Button label in the "Edit application" form. #: actions/accessadminpanel.php:193 actions/emailsettings.php:228 -#: actions/imsettings.php:187 actions/pathsadminpanel.php:512 -#: actions/profilesettings.php:201 actions/smssettings.php:209 -#: actions/subscriptions.php:246 lib/applicationeditform.php:355 +#: actions/imsettings.php:187 actions/othersettings.php:134 +#: actions/pathsadminpanel.php:512 actions/profilesettings.php:201 +#: actions/sitenoticeadminpanel.php:197 actions/smssettings.php:209 +#: actions/subscriptions.php:246 actions/useradminpanel.php:298 +#: lib/applicationeditform.php:355 lib/groupeditform.php:207 msgctxt "BUTTON" msgid "Save" msgstr "Запазване" @@ -136,7 +141,7 @@ msgstr "Няма такака страница." #: 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:93 actions/userrss.php:40 -#: actions/xrds.php:71 lib/command.php:495 lib/galleryaction.php:59 +#: actions/xrds.php:71 lib/command.php:497 lib/galleryaction.php:59 #: lib/mailbox.php:82 lib/profileaction.php:77 msgid "No such user." msgstr "Няма такъв потребител" @@ -203,7 +208,9 @@ msgstr "" #. TRANS: Encoutagement displayed on empty timeline user pages for anonymous users. #. TRANS: %s is a user nickname. This message contains Markdown links. Keep "](" together. -#: actions/all.php:155 actions/replies.php:210 actions/showstream.php:208 +#. TRANS: Second sentence of empty message for anonymous users. %s is a user nickname. +#. TRANS: This message contains a Markdown link. Keep "](" together. +#: actions/all.php:155 actions/replies.php:210 actions/showstream.php:227 #, php-format msgid "" "Why not [register an account](%%%%action.register%%%%) and then nudge %s or " @@ -558,8 +565,11 @@ msgstr "Пълното име е твърде дълго (макс. 255 знак #. TRANS: Group edit form validation error. #. TRANS: Form validation error in New application form. #. TRANS: %d is the maximum number of characters for the description. +#. TRANS: Group create form validation error. +#. TRANS: %d is the maximum number of allowed characters. #: actions/apigroupcreate.php:220 actions/editapplication.php:201 #: actions/editgroup.php:216 actions/newapplication.php:178 +#: actions/newgroup.php:152 #, fuzzy, php-format msgid "Description is too long (maximum %d character)." msgid_plural "Description is too long (maximum %d characters)." @@ -721,14 +731,14 @@ msgstr "Не сте абонирани за никого." #. TRANS: Form validation error in API OAuth authorisation because of an invalid session token. #: actions/apioauthauthorize.php:147 actions/avatarsettings.php:280 -#: actions/deletenotice.php:172 actions/disfavor.php:74 +#: actions/deletenotice.php:177 actions/disfavor.php:74 #: actions/emailsettings.php:271 actions/favor.php:75 actions/geocode.php:55 #: actions/groupblock.php:66 actions/grouplogo.php:312 #: actions/groupunblock.php:65 actions/imsettings.php:230 #: actions/invite.php:59 actions/login.php:137 actions/makeadmin.php:66 #: actions/newmessage.php:135 actions/newnotice.php:105 actions/nudge.php:80 #: actions/oauthappssettings.php:165 actions/oauthconnectionssettings.php:138 -#: actions/othersettings.php:145 actions/passwordsettings.php:138 +#: actions/othersettings.php:153 actions/passwordsettings.php:138 #: actions/profilesettings.php:221 actions/recoverpassword.php:350 #: actions/register.php:172 actions/remotesubscribe.php:77 #: actions/repeat.php:83 actions/smssettings.php:256 actions/subedit.php:40 @@ -901,20 +911,21 @@ msgstr "Не може да изтривате бележки на друг по #. TRANS: Client error displayed trying to repeat a non-existing notice through the API. #. TRANS: Client error displayed trying to display redents of a non-exiting notice. +#. TRANS: Error message displayed trying to delete a non-existing notice. #: actions/apistatusesretweet.php:74 actions/apistatusesretweets.php:70 -#: actions/deletenotice.php:58 actions/shownotice.php:92 +#: actions/deletenotice.php:61 actions/shownotice.php:92 msgid "No such notice." msgstr "Няма такава бележка." #. TRANS: Client error displayed trying to repeat an own notice through the API. #. TRANS: Error text shown when trying to repeat an own notice. -#: actions/apistatusesretweet.php:83 lib/command.php:535 +#: actions/apistatusesretweet.php:83 lib/command.php:537 msgid "Cannot repeat your own notice." msgstr "Не можете да повтаряте собствени бележки." #. TRANS: Client error displayed trying to re-repeat a notice through the API. #. TRANS: Error text shown when trying to repeat an notice that was already repeated by the user. -#: actions/apistatusesretweet.php:92 lib/command.php:541 +#: actions/apistatusesretweet.php:92 lib/command.php:543 msgid "Already repeated that notice." msgstr "Вече сте повторили тази бележка." @@ -935,7 +946,8 @@ msgstr "" #. TRANS: Client error displayed when the parameter "status" is missing. #. TRANS: %d is the maximum number of character for a notice. -#: actions/apistatusesupdate.php:244 +#: actions/apistatusesupdate.php:244 actions/newnotice.php:161 +#: lib/mailhandler.php:60 #, fuzzy, php-format msgid "That's too long. Maximum notice size is %d character." msgid_plural "That's too long. Maximum notice size is %d characters." @@ -950,7 +962,7 @@ msgstr "Не е открит методът в API." #. TRANS: Client error displayed exceeding the maximum notice length. #. TRANS: %d is the maximum lenth for a notice. -#: actions/apistatusesupdate.php:308 +#: actions/apistatusesupdate.php:308 actions/newnotice.php:184 #, php-format msgid "Maximum notice size is %d character, including attachment URL." msgid_plural "Maximum notice size is %d characters, including attachment URL." @@ -1161,17 +1173,18 @@ msgstr "Изберете квадратна област от изображен msgid "Lost our file data." msgstr "" -#: actions/avatarsettings.php:384 +#. TRANS: Success message for having updated a user avatar. +#: actions/avatarsettings.php:385 msgid "Avatar updated." msgstr "Аватарът е обновен." #. TRANS: Error displayed on the avatar upload page if the avatar could not be updated for an unknown reason. -#: actions/avatarsettings.php:388 +#: actions/avatarsettings.php:389 msgid "Failed updating avatar." msgstr "Неуспешно обновяване на аватара." #. TRANS: Success message for deleting a user avatar. -#: actions/avatarsettings.php:412 +#: actions/avatarsettings.php:413 msgid "Avatar deleted." msgstr "Аватарът е изтрит." @@ -1200,8 +1213,8 @@ msgstr "" #. TRANS: Button label on the delete notice form. #. TRANS: Button label on the delete user form. #. TRANS: Button label on the form to block a user from a group. -#: actions/block.php:154 actions/deleteapplication.php:154 -#: actions/deletegroup.php:220 actions/deletenotice.php:150 +#: actions/block.php:154 actions/deleteapplication.php:157 +#: actions/deletegroup.php:220 actions/deletenotice.php:155 #: actions/deleteuser.php:152 actions/groupblock.php:178 msgctxt "BUTTON" msgid "No" @@ -1219,8 +1232,8 @@ msgstr "Да не се блокира този потребител" #. TRANS: Button label on the delete notice form. #. TRANS: Button label on the delete user form. #. TRANS: Button label on the form to block a user from a group. -#: actions/block.php:161 actions/deleteapplication.php:161 -#: actions/deletegroup.php:227 actions/deletenotice.php:157 +#: actions/block.php:161 actions/deleteapplication.php:164 +#: actions/deletegroup.php:227 actions/deletenotice.php:162 #: actions/deleteuser.php:159 actions/groupblock.php:185 msgctxt "BUTTON" msgid "Yes" @@ -1338,12 +1351,13 @@ msgstr "Този адрес е вече потвърден." #. TRANS: Server error thrown on database error removing a registered e-mail address. #. TRANS: Server error thrown on database error updating IM preferences. #. TRANS: Server error thrown on database error removing a registered IM address. +#. TRANS: Server error displayed when "Other" settings in user profile could not be updated on the server. #. TRANS: Server error thrown when user profile settings could not be updated. #. TRANS: Server error thrown on database error updating SMS preferences. #. TRANS: Server error thrown on database error removing a registered SMS phone number. #: actions/confirmaddress.php:118 actions/emailsettings.php:331 #: actions/emailsettings.php:477 actions/imsettings.php:283 -#: actions/imsettings.php:442 actions/othersettings.php:174 +#: actions/imsettings.php:442 actions/othersettings.php:184 #: actions/profilesettings.php:326 actions/smssettings.php:308 #: actions/smssettings.php:464 msgid "Couldn't update user." @@ -1379,16 +1393,19 @@ msgstr "Разговор" msgid "Notices" msgstr "Бележки" -#: actions/deleteapplication.php:63 +#. TRANS: Client error displayed trying to delete an application while not logged in. +#: actions/deleteapplication.php:62 msgid "You must be logged in to delete an application." msgstr "За да изтриете приложение, трябва да сте влезли." +#. TRANS: Client error displayed trying to delete an application that does not exist. #: actions/deleteapplication.php:71 msgid "Application not found." msgstr "Приложението не е открито." +#. TRANS: Client error displayed trying to delete an application the current user does not own. #. TRANS: Client error displayed trying to edit an application while not being its owner. -#: actions/deleteapplication.php:78 actions/editapplication.php:78 +#: actions/deleteapplication.php:79 actions/editapplication.php:78 #: actions/showapplication.php:94 msgid "You are not the owner of this application." msgstr "Не сте собственик на това приложение." @@ -1396,15 +1413,18 @@ msgstr "Не сте собственик на това приложение." #. TRANS: Client error text when there is a problem with the session token. #: actions/deleteapplication.php:102 actions/editapplication.php:131 #: actions/newapplication.php:114 actions/showapplication.php:118 -#: lib/action.php:1354 +#: lib/action.php:1404 msgid "There was a problem with your session token." msgstr "Имаше проблем със сесията ви в сайта." -#: actions/deleteapplication.php:123 actions/deleteapplication.php:147 +#. TRANS: Title for delete application page. +#. TRANS: Fieldset legend on delete application page. +#: actions/deleteapplication.php:124 actions/deleteapplication.php:149 msgid "Delete application" msgstr "Изтриване на приложението" -#: actions/deleteapplication.php:149 +#. TRANS: Confirmation text on delete application page. +#: actions/deleteapplication.php:152 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 " @@ -1412,12 +1432,12 @@ msgid "" msgstr "" #. TRANS: Submit button title for 'No' when deleting an application. -#: actions/deleteapplication.php:158 +#: actions/deleteapplication.php:161 msgid "Do not delete this application" msgstr "Да не се изтрива приложението" #. TRANS: Submit button title for 'Yes' when deleting an application. -#: actions/deleteapplication.php:164 +#: actions/deleteapplication.php:167 msgid "Delete this application" msgstr "Изтриване на това приложение" @@ -1454,13 +1474,14 @@ msgstr "Грешка при обновяване на групата." msgid "Deleted group %s" msgstr "%1$s напусна групата %2$s" -#. TRANS: Title. +#. TRANS: Title of delete group page. #. TRANS: Form legend for deleting a group. #: actions/deletegroup.php:176 actions/deletegroup.php:202 #, fuzzy msgid "Delete group" msgstr "Изтриване на потребител" +#. TRANS: Warning in form for deleleting a group. #: actions/deletegroup.php:206 msgid "" "Are you sure you want to delete this group? This will clear all data about " @@ -1480,10 +1501,11 @@ msgstr "Да не се изтрива бележката" msgid "Delete this group" msgstr "Изтриване на този потребител" +#. TRANS: Error message displayed trying to delete a notice while not logged in. #. TRANS: Client error displayed when trying to unblock a user from a group while not logged in. #. TRANS: Client error displayed trying a change a subscription while not logged in. #. TRANS: Client error message thrown when trying to access the admin panel while not logged in. -#: actions/deletenotice.php:50 actions/disfavor.php:61 actions/favor.php:62 +#: actions/deletenotice.php:52 actions/disfavor.php:61 actions/favor.php:62 #: actions/groupblock.php:61 actions/groupunblock.php:60 actions/logout.php:69 #: actions/makeadmin.php:61 actions/newmessage.php:87 actions/newnotice.php:88 #: actions/nudge.php:63 actions/subedit.php:33 actions/subscribe.php:96 @@ -1493,31 +1515,36 @@ msgstr "Изтриване на този потребител" msgid "Not logged in." msgstr "Не сте влезли в системата." -#: actions/deletenotice.php:74 +#. TRANS: Error message displayed trying to delete a notice that was not made by the current user. +#: actions/deletenotice.php:78 msgid "Can't delete this notice." msgstr "Грешка при изтриване на бележката." -#: actions/deletenotice.php:106 +#. TRANS: Instructions for deleting a notice. +#: actions/deletenotice.php:110 msgid "" "You are about to permanently delete a notice. Once this is done, it cannot " "be undone." msgstr "Ще изтриете напълно бележката. Изтриването е невъзвратимо." -#: actions/deletenotice.php:112 actions/deletenotice.php:144 +#. TRANS: Page title when deleting a notice. +#. TRANS: Fieldset legend for the delete notice form. +#: actions/deletenotice.php:117 actions/deletenotice.php:148 msgid "Delete notice" msgstr "Изтриване на бележката" -#: actions/deletenotice.php:147 +#. TRANS: Message for the delete notice form. +#: actions/deletenotice.php:152 msgid "Are you sure you want to delete this notice?" msgstr "Наистина ли искате да изтриете тази бележка?" #. TRANS: Submit button title for 'No' when deleting a notice. -#: actions/deletenotice.php:154 +#: actions/deletenotice.php:159 msgid "Do not delete this notice" msgstr "Да не се изтрива бележката" #. TRANS: Submit button title for 'Yes' when deleting a notice. -#: actions/deletenotice.php:161 lib/noticelist.php:667 +#: actions/deletenotice.php:166 lib/noticelist.php:667 msgid "Delete this notice" msgstr "Изтриване на бележката" @@ -1686,11 +1713,9 @@ msgstr "" #. TRANS: Submit button title. #: actions/designadminpanel.php:711 actions/licenseadminpanel.php:319 -#: actions/othersettings.php:126 actions/sessionsadminpanel.php:199 -#: actions/siteadminpanel.php:292 actions/sitenoticeadminpanel.php:195 +#: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:292 #: actions/snapshotadminpanel.php:245 actions/tagother.php:154 -#: actions/useradminpanel.php:295 lib/applicationeditform.php:357 -#: lib/designsettings.php:256 lib/groupeditform.php:202 +#: lib/applicationeditform.php:357 lib/designsettings.php:256 msgid "Save" msgstr "Запазване" @@ -1741,9 +1766,9 @@ msgid "Name is required." msgstr "Името е задължително." #. TRANS: Validation error shown when providing too long a name in the "Edit application" form. -#: actions/editapplication.php:188 +#: actions/editapplication.php:188 actions/newapplication.php:169 #, fuzzy -msgid "Name is too long (max 255 characters)." +msgid "Name is too long (maximum 255 characters)." msgstr "Пълното име е твърде дълго (макс. 255 знака)" #. TRANS: Validation error shown when providing a name for an application that already exists in the "Edit application" form. @@ -1775,7 +1800,7 @@ msgid "Organization is required." msgstr "Описанието е задължително." #. TRANS: Validation error shown when providing too long an arganisation name in the "Edit application" form. -#: actions/editapplication.php:223 +#: actions/editapplication.php:223 actions/newapplication.php:199 #, fuzzy msgid "Organization is too long (maximum 255 characters)." msgstr "Името на организацията е твърде дълго (макс. 255 знака)." @@ -2569,7 +2594,7 @@ msgid "Publish a MicroID for my Jabber/GTalk address." msgstr "Публикуване на MicroID за адреса в Jabber/GTalk." #. TRANS: Confirmation message for successful IM preferences save. -#: actions/imsettings.php:290 actions/othersettings.php:180 +#: actions/imsettings.php:290 actions/othersettings.php:190 msgid "Preferences saved." msgstr "Настройките са запазени." @@ -2693,10 +2718,9 @@ msgstr[1] "Вече сте абонирани за следните потреб #. TRANS: Used as list item for already subscribed users (%1$s is nickname, %2$s is e-mail address). #. TRANS: Used as list item for already registered people (%1$s is nickname, %2$s is e-mail address). -#. TRANS: Whois output. -#. TRANS: %1$s nickname of the queried user, %2$s is their profile URL. -#: actions/invite.php:145 actions/invite.php:159 lib/command.php:426 -#, php-format +#: actions/invite.php:145 actions/invite.php:159 +#, fuzzy, php-format +msgctxt "INVITE" msgid "%1$s (%2$s)" msgstr "%1$s (%2$s)" @@ -2880,8 +2904,9 @@ msgid "" msgstr "" #: actions/licenseadminpanel.php:156 -msgid "Invalid license title. Max length is 255 characters." -msgstr "" +#, fuzzy +msgid "Invalid license title. Maximum length is 255 characters." +msgstr "Името на местоположението е твърде дълго (макс. 255 знака)." #: actions/licenseadminpanel.php:168 msgid "Invalid license URL." @@ -3058,21 +3083,11 @@ msgstr "За да редактирате приложение, трябва да msgid "Use this form to register a new application." msgstr "Използвайте тази бланка за създаване на нова група." -#: actions/newapplication.php:169 -#, fuzzy -msgid "Name is too long (maximum 255 chars)." -msgstr "Пълното име е твърде дълго (макс. 255 знака)" - #: actions/newapplication.php:184 #, fuzzy msgid "Source URL is required." msgstr "Името е задължително." -#: actions/newapplication.php:199 -#, fuzzy -msgid "Organization is too long (maximum 255 chars)." -msgstr "Името на организацията е твърде дълго (макс. 255 знака)." - #: actions/newapplication.php:266 actions/newapplication.php:275 #, fuzzy msgid "Could not create application." @@ -3093,14 +3108,14 @@ msgid "New message" msgstr "Ново съобщение" #. TRANS: Error text shown when trying to send a direct message to a user without a mutual subscription (each user must be subscribed to the other). -#: actions/newmessage.php:121 actions/newmessage.php:164 lib/command.php:499 +#: actions/newmessage.php:121 actions/newmessage.php:164 lib/command.php:501 msgid "You can't send a message to this user." msgstr "Не може да изпращате съобщения до този потребител." #. TRANS: Command exception text shown when trying to send a direct message to another user without content. #. TRANS: Command exception text shown when trying to reply to a notice without providing content for the reply. #: actions/newmessage.php:144 actions/newnotice.php:140 lib/command.php:478 -#: lib/command.php:579 +#: lib/command.php:581 msgid "No content!" msgstr "Няма съдържание!" @@ -3109,7 +3124,7 @@ msgid "No recipient specified." msgstr "Не е указан получател." #. TRANS: Error text shown when trying to send a direct message to self. -#: actions/newmessage.php:167 lib/command.php:503 +#: actions/newmessage.php:167 lib/command.php:505 msgid "" "Don't send a message to yourself; just say it to yourself quietly instead." msgstr "" @@ -3122,12 +3137,12 @@ msgstr "Съобщението е изпратено" #. TRANS: Message given have sent a direct message to another user. #. TRANS: %s is the name of the other user. -#: actions/newmessage.php:188 lib/command.php:511 +#: actions/newmessage.php:188 lib/command.php:513 #, fuzzy, php-format msgid "Direct message to %s sent." msgstr "Прякото съобщение до %s е изпратено." -#: actions/newmessage.php:213 actions/newnotice.php:263 +#: actions/newmessage.php:213 actions/newnotice.php:264 msgid "Ajax Error" msgstr "Грешка в Ajax" @@ -3135,17 +3150,7 @@ msgstr "Грешка в Ajax" msgid "New notice" msgstr "Нова бележка" -#: actions/newnotice.php:159 lib/mailhandler.php:60 -#, php-format -msgid "That's too long. Max notice size is %d chars." -msgstr "Твърде дълго. Може да е най-много %d знака." - -#: actions/newnotice.php:183 -#, php-format -msgid "Max notice size is %d chars, including attachment URL." -msgstr "" - -#: actions/newnotice.php:229 +#: actions/newnotice.php:230 msgid "Notice posted" msgstr "Бележката е публикувана" @@ -3308,36 +3313,46 @@ msgstr "Търсене на хора" msgid "Notice Search" msgstr "Търсене на бележки" -#: actions/othersettings.php:60 +#: actions/othersettings.php:59 msgid "Other settings" msgstr "Други настройки" +#. TRANS: Instructions for tab "Other" in user profile settings. #: actions/othersettings.php:71 msgid "Manage various other options." msgstr "Управление на различни други настройки." -#: actions/othersettings.php:108 +#. TRANS: Used as a suffix for free URL shorteners in a dropdown list in the tab "Other" of a +#. TRANS: user's profile settings. This message has one space at the beginning. Use your +#. TRANS: language's word separator here if it has one (most likely a single space). +#: actions/othersettings.php:111 msgid " (free service)" msgstr " (безплатна услуга)" -#: actions/othersettings.php:116 +#. TRANS: Label for dropdown with URL shortener services. +#: actions/othersettings.php:120 msgid "Shorten URLs with" msgstr "Съкращаване на адресите с" -#: actions/othersettings.php:117 +#. TRANS: Tooltip for for dropdown with URL shortener services. +#: actions/othersettings.php:122 msgid "Automatic shortening service to use." msgstr "Услуга за автоматично съкращаване, която да се ползва." -#: actions/othersettings.php:122 +#. TRANS: Label for checkbox. +#: actions/othersettings.php:128 msgid "View profile designs" msgstr "Редактиране на профила" -#: actions/othersettings.php:123 +#. TRANS: Tooltip for checkbox. +#: actions/othersettings.php:130 msgid "Show or hide profile designs." msgstr "" -#: actions/othersettings.php:153 -msgid "URL shortening service is too long (max 50 chars)." +#. TRANS: Form validation error for form "Other settings" in user profile. +#: actions/othersettings.php:162 +#, fuzzy +msgid "URL shortening service is too long (maximum 50 characters)." msgstr "Услугата за съкращаване е твърде дълга (може да е до 50 знака)." #: actions/otp.php:69 @@ -3821,7 +3836,7 @@ msgstr "За мен" #. TRANS: Label for group location (dt). Text hidden by default. #: actions/profilesettings.php:149 actions/register.php:485 #: actions/showgroup.php:267 actions/tagother.php:112 -#: actions/userauthorization.php:166 lib/groupeditform.php:177 +#: actions/userauthorization.php:166 lib/groupeditform.php:180 #: lib/userprofile.php:165 msgid "Location" msgstr "Местоположение" @@ -4151,7 +4166,8 @@ msgid "Unexpected password reset." msgstr "Неочаквано подновяване на паролата." #: actions/recoverpassword.php:365 -msgid "Password must be 6 chars or more." +#, fuzzy +msgid "Password must be 6 characters or more." msgstr "Паролата трябва да е от поне 6 знака." #: actions/recoverpassword.php:369 @@ -4520,7 +4536,7 @@ msgstr "Организация" #. TRANS: Form input field label. #: actions/showapplication.php:187 actions/version.php:200 -#: lib/applicationeditform.php:208 lib/groupeditform.php:172 +#: lib/applicationeditform.php:208 lib/groupeditform.php:175 msgid "Description" msgstr "Описание" @@ -4665,7 +4681,7 @@ msgid "Note" msgstr "Бележка" #. TRANS: Label for group aliases (dt). Text hidden by default. -#: actions/showgroup.php:298 lib/groupeditform.php:184 +#: actions/showgroup.php:298 lib/groupeditform.php:187 msgid "Aliases" msgstr "Псевдоними" @@ -4789,60 +4805,84 @@ msgstr "Съобщение от %1$s в %2$s" msgid "Notice deleted." msgstr "Бележката е изтрита." -#: actions/showstream.php:72 +#. TRANS: Page title showing tagged notices in one user's stream. %1$s is the username, %2$s is the hash tag. +#: actions/showstream.php:70 #, fuzzy, php-format -msgid " tagged %s" +msgid "%1$s tagged %2$s" +msgstr "%1$s, страница %2$d" + +#. TRANS: Page title showing tagged notices in one user's stream. +#. TRANS: %1$s is the username, %2$s is the hash tag, %1$d is the page number. +#: actions/showstream.php:74 +#, fuzzy, php-format +msgid "%1$s tagged %2$s, page %3$d" msgstr "Бележки с етикет %s" -#: actions/showstream.php:78 +#. TRANS: Extended page title showing tagged notices in one user's stream. +#. TRANS: %1$s is the username, %2$d is the page number. +#: actions/showstream.php:82 #, php-format msgid "%1$s, page %2$d" msgstr "%1$s, страница %2$d" -#: actions/showstream.php:120 +#. TRANS: Title for link to notice feed. +#. TRANS: %1$s is a user nickname, %2$s is a hashtag. +#: actions/showstream.php:127 #, php-format msgid "Notice feed for %1$s tagged %2$s (RSS 1.0)" msgstr "Емисия с бележки на %s (RSS 1.0)" -#: actions/showstream.php:127 +#. TRANS: Title for link to notice feed. +#. TRANS: %s is a user nickname. +#: actions/showstream.php:136 #, php-format msgid "Notice feed for %s (RSS 1.0)" msgstr "Емисия с бележки на %s (RSS 1.0)" -#: actions/showstream.php:134 +#. TRANS: Title for link to notice feed. +#. TRANS: %s is a user nickname. +#: actions/showstream.php:145 #, php-format msgid "Notice feed for %s (RSS 2.0)" msgstr "Емисия с бележки на %s (RSS 2.0)" -#: actions/showstream.php:141 +#: actions/showstream.php:152 #, php-format msgid "Notice feed for %s (Atom)" msgstr "Емисия с бележки на %s (Atom)" -#: actions/showstream.php:146 +#. TRANS: Title for link to notice feed. FOAF stands for Friend of a Friend. +#. TRANS: More information at http://www.foaf-project.org. %s is a user nickname. +#: actions/showstream.php:159 #, php-format msgid "FOAF for %s" msgstr "FOAF за %s" -#: actions/showstream.php:197 +#. TRANS: First sentence of empty list message for a stream. $1%s is a user nickname. +#: actions/showstream.php:211 #, php-format -msgid "This is the timeline for %1$s but %2$s hasn't posted anything yet." +msgid "This is the timeline for %1$s, but %1$s hasn't posted anything yet." msgstr "" -#: actions/showstream.php:202 +#. TRANS: Second sentence of empty list message for a stream for the user themselves. +#: actions/showstream.php:217 msgid "" "Seen anything interesting recently? You haven't posted any notices yet, now " "would be a good time to start :)" msgstr "" -#: actions/showstream.php:204 +#. TRANS: Second sentence of empty list message for a non-self stream. %1$s is a user nickname, %2$s is a part of a URL. +#. TRANS: This message contains a Markdown link. Keep "](" together. +#: actions/showstream.php:221 #, php-format msgid "" "You can try to nudge %1$s or [post something to them](%%%%action.newnotice%%%" "%?status_textarea=%2$s)." msgstr "" -#: actions/showstream.php:243 +#. TRANS: Announcement for anonymous users showing a stream if site registrations are open. +#. TRANS: This message contains a Markdown link. Keep "](" together. +#: actions/showstream.php:264 #, php-format msgid "" "**%s** has an account on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -4851,7 +4891,9 @@ msgid "" "follow **%s**'s notices and many more! ([Read more](%%%%doc.help%%%%))" msgstr "" -#: actions/showstream.php:248 +#. TRANS: Announcement for anonymous users showing a stream if site registrations are closed or invite only. +#. TRANS: This message contains a Markdown link. Keep "](" together. +#: actions/showstream.php:271 #, php-format msgid "" "**%s** has an account on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -4859,7 +4901,8 @@ msgid "" "[StatusNet](http://status.net/) tool. " msgstr "" -#: actions/showstream.php:305 +#. TRANS: Link to the author of a repeated notice. %s is a linked nickname. +#: actions/showstream.php:328 #, php-format msgid "Repeat of %s" msgstr "Повторения на %s" @@ -4971,33 +5014,40 @@ msgstr "" msgid "How long users must wait (in seconds) to post the same thing again." msgstr "" -#: actions/sitenoticeadminpanel.php:56 +#. TRANS: Page title for site-wide notice tab in admin panel. +#: actions/sitenoticeadminpanel.php:55 msgid "Site Notice" msgstr "Бележки" -#: actions/sitenoticeadminpanel.php:67 +#. TRANS: Instructions for site-wide notice tab in admin panel. +#: actions/sitenoticeadminpanel.php:66 #, fuzzy msgid "Edit site-wide message" msgstr "Ново съобщение" -#: actions/sitenoticeadminpanel.php:103 +#. TRANS: Server error displayed when saving a site-wide notice was impossible. +#: actions/sitenoticeadminpanel.php:101 #, fuzzy msgid "Unable to save site notice." msgstr "Грешка при записване настройките за Twitter" -#: actions/sitenoticeadminpanel.php:113 -msgid "Max length for the site-wide notice is 255 chars." +#. TRANS: Client error displayed when a site-wide notice was longer than allowed. +#: actions/sitenoticeadminpanel.php:112 +msgid "Maximum length for the site-wide notice is 255 characters." msgstr "" +#. TRANS: Label for site-wide notice text field in admin panel. #: actions/sitenoticeadminpanel.php:176 msgid "Site notice text" msgstr "Изтриване на бележката" -#: actions/sitenoticeadminpanel.php:178 -msgid "Site-wide notice text (255 chars max; HTML okay)" +#. TRANS: Tooltip for site-wide notice text field in admin panel. +#: actions/sitenoticeadminpanel.php:179 +msgid "Site-wide notice text (255 characters maximum; HTML allowed)" msgstr "" -#: actions/sitenoticeadminpanel.php:198 +#. TRANS: Title for button to save site notice in admin panel. +#: actions/sitenoticeadminpanel.php:201 msgid "Save site notice" msgstr "Запазване настройките на сайта" @@ -5455,81 +5505,98 @@ msgid "" msgstr "" #. TRANS: User admin panel title -#: actions/useradminpanel.php:60 +#: actions/useradminpanel.php:58 msgctxt "TITLE" msgid "User" msgstr "Потребител" -#: actions/useradminpanel.php:71 +#. TRANS: Instruction for user admin panel. +#: actions/useradminpanel.php:69 msgid "User settings for this StatusNet site" msgstr "" -#: actions/useradminpanel.php:150 +#. TRANS: Form validation error in user admin panel when a non-numeric character limit was set. +#: actions/useradminpanel.php:147 msgid "Invalid bio limit. Must be numeric." msgstr "" -#: actions/useradminpanel.php:156 -msgid "Invalid welcome text. Max length is 255 characters." +#. TRANS: Form validation error in user admin panel when welcome text is too long. +#: actions/useradminpanel.php:154 +msgid "Invalid welcome text. Maximum length is 255 characters." msgstr "" +#. TRANS: Client error displayed when trying to set a non-existing user as default subscription for new +#. TRANS: users in user admin panel. %1$s is the invalid nickname. #: actions/useradminpanel.php:166 #, php-format -msgid "Invalid default subscripton: '%1$s' is not user." +msgid "Invalid default subscripton: '%1$s' is not a user." msgstr "" #. TRANS: Link description in user account settings menu. -#: actions/useradminpanel.php:219 lib/accountsettingsaction.php:106 +#: actions/useradminpanel.php:215 lib/accountsettingsaction.php:106 #: lib/personalgroupnav.php:109 msgid "Profile" msgstr "Профил" -#: actions/useradminpanel.php:223 +#. TRANS: Field label in user admin panel for setting the character limit for the bio field. +#: actions/useradminpanel.php:220 #, fuzzy msgid "Bio Limit" msgstr "Ограничения" -#: actions/useradminpanel.php:224 +#. TRANS: Tooltip in user admin panel for setting the character limit for the bio field. +#: actions/useradminpanel.php:222 msgid "Maximum length of a profile bio in characters." msgstr "" -#: actions/useradminpanel.php:232 +#. TRANS: Form legend in user admin panel. +#: actions/useradminpanel.php:231 msgid "New users" msgstr "Нови потребители" +#. TRANS: Field label in user admin panel for setting new user welcome text. #: actions/useradminpanel.php:236 #, fuzzy msgid "New user welcome" msgstr "Нови потребители" -#: actions/useradminpanel.php:237 -msgid "Welcome text for new users (Max 255 chars)." -msgstr "" +#. TRANS: Tooltip in user admin panel for setting new user welcome text. +#: actions/useradminpanel.php:238 +#, fuzzy +msgid "Welcome text for new users (maximum 255 characters)." +msgstr "Пълното име е твърде дълго (макс. 255 знака)" -#: actions/useradminpanel.php:242 +#. TRANS: Field label in user admin panel for setting default subscription for new users. +#: actions/useradminpanel.php:244 #, fuzzy msgid "Default subscription" msgstr "Всички абонаменти" -#: actions/useradminpanel.php:243 +#. TRANS: Tooltip in user admin panel for setting default subscription for new users. +#: actions/useradminpanel.php:246 #, fuzzy msgid "Automatically subscribe new users to this user." msgstr "" "Автоматично абониране за всеки, който се абонира за мен (подходящо за " "ботове)." -#: actions/useradminpanel.php:252 +#. TRANS: Form legend in user admin panel. +#: actions/useradminpanel.php:256 msgid "Invitations" msgstr "Покани" -#: actions/useradminpanel.php:257 +#. TRANS: Field label for checkbox in user admin panel for allowing users to invite friend using site e-mail. +#: actions/useradminpanel.php:262 msgid "Invitations enabled" msgstr "Поканите са включени" -#: actions/useradminpanel.php:259 +#. TRANS: Tooltip for checkbox in user admin panel for allowing users to invite friend using site e-mail. +#: actions/useradminpanel.php:265 msgid "Whether to allow users to invite new users." msgstr "" -#: actions/useradminpanel.php:295 +#. TRANS: Title for button to save user settings in user admin panel. +#: actions/useradminpanel.php:302 msgid "Save user settings" msgstr "" @@ -5728,7 +5795,7 @@ msgid "Plugins" msgstr "Приставки" #. TRANS: Secondary navigation menu option leading to version information on the StatusNet site. -#: actions/version.php:198 lib/action.php:831 +#: actions/version.php:198 lib/action.php:880 msgid "Version" msgstr "Версия" @@ -5944,16 +6011,23 @@ msgstr "Грешка при запазване на етикетите." msgid "RT @%1$s %2$s" msgstr "RT @%1$s %2$s" +#. TRANS: Full name of a profile or group followed by nickname in parens +#: classes/Profile.php:164 +#, fuzzy, php-format +msgctxt "FANCYNAME" +msgid "%1$s (%2$s)" +msgstr "%1$s (%2$s)" + #. TRANS: Exception thrown when trying to revoke an existing role for a user that does not exist. #. TRANS: %1$s is the role name, %2$s is the user ID (number). -#: classes/Profile.php:791 +#: classes/Profile.php:812 #, php-format msgid "Cannot revoke role \"%1$s\" for user #%2$d; does not exist." msgstr "" #. TRANS: Exception thrown when trying to revoke a role for a user with a failing database query. #. TRANS: %1$s is the role name, %2$s is the user ID (number). -#: classes/Profile.php:800 +#: classes/Profile.php:821 #, php-format msgid "Cannot revoke role \"%1$s\" for user #%2$d; database error." msgstr "" @@ -6103,200 +6177,207 @@ msgstr "%1$s - %2$s" msgid "Untitled page" msgstr "Неозаглавена страница" +#. TRANS: Localized tooltip for '...' expansion button on overlong remote messages. +#: lib/action.php:310 +msgctxt "TOOLTIP" +msgid "Show more" +msgstr "" + #. TRANS: DT element for primary navigation menu. String is hidden in default CSS. -#: lib/action.php:477 +#: lib/action.php:526 #, fuzzy msgid "Primary site navigation" msgstr "Основна настройка на сайта" #. TRANS: Tooltip for main menu option "Personal" -#: lib/action.php:483 +#: lib/action.php:532 msgctxt "TOOLTIP" msgid "Personal profile and friends timeline" msgstr "" #. TRANS: Main menu option when logged in for access to personal profile and friends timeline -#: lib/action.php:486 +#: lib/action.php:535 msgctxt "MENU" msgid "Personal" msgstr "Лично" #. TRANS: Tooltip for main menu option "Account" -#: lib/action.php:488 +#: lib/action.php:537 msgctxt "TOOLTIP" msgid "Change your email, avatar, password, profile" msgstr "Промяна на поща, аватар, парола, профил" #. TRANS: Main menu option when logged in for access to user settings -#: lib/action.php:491 +#: lib/action.php:540 msgid "Account" msgstr "Сметка" #. TRANS: Tooltip for main menu option "Services" -#: lib/action.php:493 +#: lib/action.php:542 msgctxt "TOOLTIP" msgid "Connect to services" msgstr "Свързване към услуги" #. TRANS: Main menu option when logged in and connection are possible for access to options to connect to other services -#: lib/action.php:496 +#: lib/action.php:545 msgid "Connect" msgstr "Свързване" #. TRANS: Tooltip for menu option "Admin" -#: lib/action.php:499 +#: lib/action.php:548 msgctxt "TOOLTIP" msgid "Change site configuration" msgstr "Промяна настройките на сайта" #. TRANS: Main menu option when logged in and site admin for access to site configuration #. TRANS: Menu item in the group navigation page. Only shown for group administrators. -#: lib/action.php:502 lib/groupnav.php:117 +#: lib/action.php:551 lib/groupnav.php:117 #, fuzzy msgctxt "MENU" msgid "Admin" msgstr "Настройки" #. TRANS: Tooltip for main menu option "Invite" -#: lib/action.php:506 +#: lib/action.php:555 #, php-format msgctxt "TOOLTIP" msgid "Invite friends and colleagues to join you on %s" msgstr "Поканете приятели и колеги да се присъединят към вас в %s" #. TRANS: Main menu option when logged in and invitations are allowed for inviting new users -#: lib/action.php:509 +#: lib/action.php:558 #, fuzzy msgctxt "MENU" msgid "Invite" msgstr "Покани" #. TRANS: Tooltip for main menu option "Logout" -#: lib/action.php:515 +#: lib/action.php:564 msgctxt "TOOLTIP" msgid "Logout from the site" msgstr "Излизане от сайта" #. TRANS: Main menu option when logged in to log out the current user -#: lib/action.php:518 +#: lib/action.php:567 msgctxt "MENU" msgid "Logout" msgstr "Изход" #. TRANS: Tooltip for main menu option "Register" -#: lib/action.php:523 +#: lib/action.php:572 msgctxt "TOOLTIP" msgid "Create an account" msgstr "Създаване на нова сметка" #. TRANS: Main menu option when not logged in to register a new account -#: lib/action.php:526 +#: lib/action.php:575 msgctxt "MENU" msgid "Register" msgstr "Регистриране" #. TRANS: Tooltip for main menu option "Login" -#: lib/action.php:529 +#: lib/action.php:578 msgctxt "TOOLTIP" msgid "Login to the site" msgstr "Влизане в сайта" #. TRANS: Main menu option when not logged in to log in -#: lib/action.php:532 +#: lib/action.php:581 msgctxt "MENU" msgid "Login" msgstr "Вход" #. TRANS: Tooltip for main menu option "Help" -#: lib/action.php:535 +#: lib/action.php:584 #, fuzzy msgctxt "TOOLTIP" msgid "Help me!" msgstr "Помощ" #. TRANS: Main menu option for help on the StatusNet site -#: lib/action.php:538 +#: lib/action.php:587 msgctxt "MENU" msgid "Help" msgstr "Помощ" #. TRANS: Tooltip for main menu option "Search" -#: lib/action.php:541 +#: lib/action.php:590 msgctxt "TOOLTIP" msgid "Search for people or text" msgstr "Търсене за хора или бележки" #. TRANS: Main menu option when logged in or when the StatusNet instance is not private -#: lib/action.php:544 +#: lib/action.php:593 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:566 lib/adminpanelaction.php:387 +#: lib/action.php:615 lib/adminpanelaction.php:387 #, fuzzy msgid "Site notice" msgstr "Нова бележка" #. TRANS: DT element for local views block. String is hidden in default CSS. -#: lib/action.php:633 +#: lib/action.php:682 msgid "Local views" msgstr "" #. TRANS: DT element for page notice. String is hidden in default CSS. -#: lib/action.php:703 +#: lib/action.php:752 #, fuzzy msgid "Page notice" msgstr "Нова бележка" #. TRANS: DT element for secondary navigation menu. String is hidden in default CSS. -#: lib/action.php:804 +#: lib/action.php:853 msgid "Secondary site navigation" msgstr "Основна настройка на сайта" #. TRANS: Secondary navigation menu option leading to help on StatusNet. -#: lib/action.php:810 +#: lib/action.php:859 msgid "Help" msgstr "Помощ" #. TRANS: Secondary navigation menu option leading to text about StatusNet site. -#: lib/action.php:813 +#: lib/action.php:862 msgid "About" msgstr "Относно" #. TRANS: Secondary navigation menu option leading to Frequently Asked Questions. -#: lib/action.php:816 +#: lib/action.php:865 msgid "FAQ" msgstr "Въпроси" #. TRANS: Secondary navigation menu option leading to Terms of Service. -#: lib/action.php:821 +#: lib/action.php:870 msgid "TOS" msgstr "Условия" #. TRANS: Secondary navigation menu option leading to privacy policy. -#: lib/action.php:825 +#: lib/action.php:874 msgid "Privacy" msgstr "Поверителност" -#. TRANS: Secondary navigation menu option. -#: lib/action.php:828 +#. TRANS: Secondary navigation menu option. Leads to information about StatusNet and its license. +#: lib/action.php:877 msgid "Source" msgstr "Изходен код" -#. TRANS: Secondary navigation menu option leading to contact information on the StatusNet site. -#: lib/action.php:834 +#. TRANS: Secondary navigation menu option leading to e-mail contact information on the +#. TRANS: StatusNet site, where to report bugs, ... +#: lib/action.php:884 msgid "Contact" msgstr "Контакт" -#. TRANS: Secondary navigation menu option. -#: lib/action.php:837 +#. TRANS: Secondary navigation menu option. Leads to information about embedding a timeline widget. +#: lib/action.php:887 msgid "Badge" msgstr "Табелка" #. TRANS: DT element for StatusNet software license. -#: lib/action.php:866 +#: lib/action.php:916 msgid "StatusNet software license" msgstr "Лиценз на програмата StatusNet" @@ -6304,7 +6385,7 @@ msgstr "Лиценз на програмата StatusNet" #. TRANS: Text between [] is a link description, text between () is the link itself. #. TRANS: Make sure there is no whitespace between "]" and "(". #. TRANS: "%%site.broughtby%%" is the value of the variable site.broughtby -#: lib/action.php:873 +#: lib/action.php:923 #, fuzzy, php-format msgid "" "**%%site.name%%** is a microblogging service brought to you by [%%site." @@ -6314,7 +6395,7 @@ msgstr "" "broughtby%%](%%site.broughtbyurl%%). " #. TRANS: First sentence of the StatusNet site license. Used if 'broughtby' is not set. -#: lib/action.php:876 +#: lib/action.php:926 #, php-format msgid "**%%site.name%%** is a microblogging service." msgstr "**%%site.name%%** е услуга за микроблогване." @@ -6323,7 +6404,7 @@ msgstr "**%%site.name%%** е услуга за микроблогване." #. TRANS: Make sure there is no whitespace between "]" and "(". #. TRANS: Text between [] is a link description, text between () is the link itself. #. TRANS: %s is the version of StatusNet that is being used. -#: lib/action.php:883 +#: lib/action.php:933 #, php-format msgid "" "It runs the [StatusNet](http://status.net/) microblogging software, version %" @@ -6335,50 +6416,50 @@ msgstr "" "licensing/licenses/agpl-3.0.html)." #. TRANS: DT element for StatusNet site content license. -#: lib/action.php:899 +#: lib/action.php:949 msgid "Site content license" msgstr "Лиценз на съдържанието" #. TRANS: Content license displayed when license is set to 'private'. #. TRANS: %1$s is the site name. -#: lib/action.php:906 +#: lib/action.php:956 #, php-format msgid "Content and data of %1$s are private and confidential." msgstr "" #. TRANS: Content license displayed when license is set to 'allrightsreserved'. #. TRANS: %1$s is the copyright owner. -#: lib/action.php:913 +#: lib/action.php:963 #, php-format msgid "Content and data copyright by %1$s. All rights reserved." msgstr "" #. TRANS: Content license displayed when license is set to 'allrightsreserved' and no owner is set. -#: lib/action.php:917 +#: lib/action.php:967 msgid "Content and data copyright by contributors. All rights reserved." msgstr "" #. TRANS: license message in footer. #. TRANS: %1$s is the site name, %2$s is a link to the license URL, with a licence name set in configuration. -#: lib/action.php:949 +#: lib/action.php:999 #, php-format msgid "All %1$s content and data are available under the %2$s license." msgstr "" #. TRANS: DT element for pagination (previous/next, etc.). -#: lib/action.php:1285 +#: lib/action.php:1335 msgid "Pagination" msgstr "Страниране" #. TRANS: Pagination message to go to a page displaying information more in the #. TRANS: present than the currently displayed information. -#: lib/action.php:1296 +#: lib/action.php:1346 msgid "After" msgstr "След" #. TRANS: Pagination message to go to a page displaying information more in the #. TRANS: past than the currently displayed information. -#: lib/action.php:1306 +#: lib/action.php:1356 msgid "Before" msgstr "Преди" @@ -6737,7 +6818,7 @@ msgid "AJAX error" msgstr "Грешка в Ajax" #. TRANS: E-mail subject when a command has completed. -#: lib/channel.php:233 lib/mailhandler.php:142 +#: lib/channel.php:233 lib/mailhandler.php:143 msgid "Command complete" msgstr "Командата е изпълнена" @@ -6754,7 +6835,7 @@ msgstr "Не е открита бележка с такъв идентифика #. TRANS: Command exception text shown when a last user notice is requested and it does not exist. #. TRANS: Error text shown when a last user notice is requested and it does not exist. -#: lib/command.php:99 lib/command.php:626 +#: lib/command.php:99 lib/command.php:630 #, fuzzy msgid "User has no last notice." msgstr "Потребителят няма последна бележка" @@ -6824,6 +6905,14 @@ msgstr "" msgid "%1$s left group %2$s." msgstr "" +#. TRANS: Whois output. +#. TRANS: %1$s nickname of the queried user, %2$s is their profile URL. +#: lib/command.php:426 +#, fuzzy, php-format +msgctxt "WHOIS" +msgid "%1$s (%2$s)" +msgstr "%1$s (%2$s)" + #. TRANS: Whois output. %s is the full name of the queried user. #: lib/command.php:430 #, php-format @@ -6861,139 +6950,146 @@ msgid "" "same server." msgstr "" -#. TRANS: Message given if content is too long. +#. TRANS: Message given if content is too long. %1$sd is used for plural. #. TRANS: %1$d is the maximum number of characters, %2$d is the number of submitted characters. #: lib/command.php:488 -#, php-format -msgid "Message too long - maximum is %1$d characters, you sent %2$d." -msgstr "" +#, fuzzy, php-format +msgid "Message too long - maximum is %1$d character, you sent %2$d." +msgid_plural "Message too long - maximum is %1$d characters, you sent %2$d." +msgstr[0] "" +"Съобщението е твърде дълго. Най-много може да е %1$d знака, а сте въвели %2" +"$d." +msgstr[1] "" "Съобщението е твърде дълго. Най-много може да е %1$d знака, а сте въвели %2" "$d." #. TRANS: Error text shown sending a direct message fails with an unknown reason. -#: lib/command.php:514 +#: lib/command.php:516 msgid "Error sending direct message." msgstr "Грешка при изпращане на прякото съобщение" #. TRANS: Message given having repeated a notice from another user. #. TRANS: %s is the name of the user for which the notice was repeated. -#: lib/command.php:551 +#: lib/command.php:553 #, fuzzy, php-format msgid "Notice from %s repeated." msgstr "Бележката от %s е повторена" #. TRANS: Error text shown when repeating a notice fails with an unknown reason. -#: lib/command.php:554 +#: lib/command.php:556 msgid "Error repeating notice." msgstr "Грешка при повтаряне на бележката." -#. TRANS: Message given if content of a notice for a reply is too long. +#. TRANS: Message given if content of a notice for a reply is too long. %1$d is used for plural. #. TRANS: %1$d is the maximum number of characters, %2$d is the number of submitted characters. -#: lib/command.php:589 +#: lib/command.php:591 #, fuzzy, php-format -msgid "Notice too long - maximum is %1$d characters, you sent %2$d." -msgstr "" +msgid "Notice too long - maximum is %1$d character, you sent %2$d." +msgid_plural "Notice too long - maximum is %1$d characters, you sent %2$d." +msgstr[0] "" +"Съобщението е твърде дълго. Най-много може да е 140 знака, а сте въвели %d." +msgstr[1] "" "Съобщението е твърде дълго. Най-много може да е 140 знака, а сте въвели %d." #. TRANS: Text shown having sent a reply to a notice successfully. #. TRANS: %s is the nickname of the user of the notice the reply was sent to. -#: lib/command.php:600 +#: lib/command.php:604 #, fuzzy, php-format msgid "Reply to %s sent." msgstr "Отговорът до %s е изпратен" #. TRANS: Error text shown when a reply to a notice fails with an unknown reason. -#: lib/command.php:603 +#: lib/command.php:607 msgid "Error saving notice." msgstr "Грешка при записване на бележката." #. TRANS: Error text shown when no username was provided when issuing a subscribe command. -#: lib/command.php:650 +#: lib/command.php:654 #, fuzzy msgid "Specify the name of the user to subscribe to." msgstr "Уточнете името на потребителя, за когото се абонирате." #. TRANS: Command exception text shown when trying to subscribe to an OMB profile using the subscribe command. -#: lib/command.php:659 +#: lib/command.php:663 #, fuzzy msgid "Can't subscribe to OMB profiles by command." msgstr "Не сте абонирани за този профил" #. TRANS: Text shown after having subscribed to another user successfully. #. TRANS: %s is the name of the user the subscription was requested for. -#: lib/command.php:667 +#: lib/command.php:671 #, php-format msgid "Subscribed to %s." msgstr "" #. TRANS: Error text shown when no username was provided when issuing an unsubscribe command. #. TRANS: Error text shown when no username was provided when issuing the command. -#: lib/command.php:688 lib/command.php:799 +#: lib/command.php:692 lib/command.php:803 #, fuzzy msgid "Specify the name of the user to unsubscribe from." msgstr "Уточнете името на потребителя, от когото се отписвате." #. TRANS: Text shown after having unsubscribed from another user successfully. #. TRANS: %s is the name of the user the unsubscription was requested for. -#: lib/command.php:699 +#: lib/command.php:703 #, php-format msgid "Unsubscribed from %s." msgstr "" #. TRANS: Error text shown when issuing the command "off" with a setting which has not yet been implemented. #. TRANS: Error text shown when issuing the command "on" with a setting which has not yet been implemented. -#: lib/command.php:719 lib/command.php:745 +#: lib/command.php:723 lib/command.php:749 msgid "Command not yet implemented." msgstr "Командата все още не се поддържа." #. TRANS: Text shown when issuing the command "off" successfully. -#: lib/command.php:723 +#: lib/command.php:727 msgid "Notification off." msgstr "Уведомлението е изключено." #. TRANS: Error text shown when the command "off" fails for an unknown reason. -#: lib/command.php:726 +#: lib/command.php:730 msgid "Can't turn off notification." msgstr "Грешка при изключване на уведомлението." #. TRANS: Text shown when issuing the command "on" successfully. -#: lib/command.php:749 +#: lib/command.php:753 msgid "Notification on." msgstr "Уведомлението е включено." #. TRANS: Error text shown when the command "on" fails for an unknown reason. -#: lib/command.php:752 +#: lib/command.php:756 msgid "Can't turn on notification." msgstr "Грешка при включване на уведомлението." #. TRANS: Error text shown when issuing the login command while login is disabled. -#: lib/command.php:766 +#: lib/command.php:770 msgid "Login command is disabled." msgstr "" #. TRANS: Text shown after issuing the login command successfully. #. TRANS: %s is a logon link.. -#: lib/command.php:779 +#: lib/command.php:783 #, php-format msgid "This link is useable only once and is valid for only 2 minutes: %s." msgstr "" #. TRANS: Text shown after issuing the lose command successfully (stop another user from following the current user). #. TRANS: %s is the name of the user the unsubscription was requested for. -#: lib/command.php:808 +#: lib/command.php:812 #, php-format msgid "Unsubscribed %s." msgstr "" #. TRANS: Text shown after requesting other users a user is subscribed to without having any subscriptions. -#: lib/command.php:826 +#: lib/command.php:830 msgid "You are not subscribed to anyone." msgstr "Не сте абонирани за никого." #. TRANS: Text shown after requesting other users a user is subscribed to. #. TRANS: This message supports plural forms. This message is followed by a #. TRANS: hard coded space and a comma separated list of subscribed users. -#: lib/command.php:831 +#: lib/command.php:835 msgid "You are subscribed to this person:" msgid_plural "You are subscribed to these people:" msgstr[0] "Вече сте абонирани за следните потребители:" @@ -7001,14 +7097,14 @@ msgstr[1] "Вече сте абонирани за следните потреб #. TRANS: Text shown after requesting other users that are subscribed to a user #. TRANS: (followers) without having any subscribers. -#: lib/command.php:853 +#: lib/command.php:857 msgid "No one is subscribed to you." msgstr "Никой не е абониран за вас." #. TRANS: Text shown after requesting other users that are subscribed to a user (followers). #. TRANS: This message supports plural forms. This message is followed by a #. TRANS: hard coded space and a comma separated list of subscribing users. -#: lib/command.php:858 +#: lib/command.php:862 msgid "This person is subscribed to you:" msgid_plural "These people are subscribed to you:" msgstr[0] "Грешка при абониране на друг потребител за вас." @@ -7016,21 +7112,21 @@ msgstr[1] "Грешка при абониране на друг потребит #. TRANS: Text shown after requesting groups a user is subscribed to without having #. TRANS: any group subscriptions. -#: lib/command.php:880 +#: lib/command.php:884 msgid "You are not a member of any groups." msgstr "Не членувате в нито една група." #. TRANS: Text shown after requesting groups a user is subscribed to. #. TRANS: This message supports plural forms. This message is followed by a #. TRANS: hard coded space and a comma separated list of subscribed groups. -#: lib/command.php:885 +#: lib/command.php:889 msgid "You are a member of this group:" msgid_plural "You are a member of these groups:" msgstr[0] "Не членувате в тази група." msgstr[1] "Не членувате в тази група." #. TRANS: Help text for commands. Do not translate the command names themselves; they are fixed strings. -#: lib/command.php:900 +#: lib/command.php:904 msgid "" "Commands:\n" "on - turn on notifications\n" @@ -7223,7 +7319,8 @@ msgid "1-64 lowercase letters or numbers, no punctuation or spaces" msgstr "От 1 до 64 малки букви или цифри, без пунктоация и интервали" #: lib/groupeditform.php:163 -msgid "URL of the homepage or blog of the group or topic" +#, fuzzy +msgid "URL of the homepage or blog of the group or topic." msgstr "Адрес на страница, блог или профил в друг сайт на групата" #: lib/groupeditform.php:168 @@ -7231,20 +7328,29 @@ msgid "Describe the group or topic" msgstr "Опишете групата или темата" #: lib/groupeditform.php:170 -#, php-format -msgid "Describe the group or topic in %d characters" -msgstr "Опишете групата или темата в до %d букви" +#, fuzzy, php-format +msgid "Describe the group or topic in %d character or less" +msgid_plural "Describe the group or topic in %d characters or less" +msgstr[0] "Опишете групата или темата в до %d букви" +msgstr[1] "Опишете групата или темата в до %d букви" -#: lib/groupeditform.php:179 +#: lib/groupeditform.php:182 +#, fuzzy msgid "" -"Location for the group, if any, like \"City, State (or Region), Country\"" +"Location for the group, if any, like \"City, State (or Region), Country\"." msgstr "" "Къде се намира групата — град, община, държава и т.н. (ако е приложимо)" -#: lib/groupeditform.php:187 +#: lib/groupeditform.php:190 #, php-format -msgid "Extra nicknames for the group, comma- or space- separated, max %d" -msgstr "" +msgid "" +"Extra nicknames for the group, separated with commas or spaces. Maximum %d " +"alias allowed." +msgid_plural "" +"Extra nicknames for the group, separated with commas or spaces. Maximum %d " +"aliases allowed." +msgstr[0] "" +msgstr[1] "" #. TRANS: Menu item in the group navigation page. #: lib/groupnav.php:86 @@ -7706,7 +7812,7 @@ msgstr "Това не е вашият входящ адрес." msgid "Sorry, no incoming email allowed." msgstr "Входящата поща не е разрешена." -#: lib/mailhandler.php:228 +#: lib/mailhandler.php:229 #, fuzzy, php-format msgid "Unsupported message type: %s" msgstr "Форматът на файла с изображението не се поддържа." @@ -8052,16 +8158,17 @@ msgid "Sandbox this user" msgstr "Разблокиране на този потребител" #. TRANS: Fieldset legend for the search form. -#: lib/searchaction.php:121 +#: lib/searchaction.php:120 msgid "Search site" msgstr "Търсене в сайта" #. TRANS: Used as a field label for the field where one or more keywords #. TRANS: for searching can be entered. -#: lib/searchaction.php:129 +#: lib/searchaction.php:128 msgid "Keyword(s)" msgstr "Ключови думи" +#. TRANS: Button text for searching site. #: lib/searchaction.php:130 msgctxt "BUTTON" msgid "Search" @@ -8151,8 +8258,8 @@ msgid "The theme file is missing or the upload failed." msgstr "" #: lib/themeuploader.php:91 lib/themeuploader.php:102 -#: lib/themeuploader.php:278 lib/themeuploader.php:282 -#: lib/themeuploader.php:290 lib/themeuploader.php:297 +#: lib/themeuploader.php:279 lib/themeuploader.php:283 +#: lib/themeuploader.php:291 lib/themeuploader.php:298 #, fuzzy msgid "Failed saving theme." msgstr "Неуспешно обновяване на аватара." @@ -8163,29 +8270,32 @@ msgstr "" #: lib/themeuploader.php:166 #, php-format -msgid "Uploaded theme is too large; must be less than %d bytes uncompressed." -msgstr "" +msgid "Uploaded theme is too large; must be less than %d byte uncompressed." +msgid_plural "" +"Uploaded theme is too large; must be less than %d bytes uncompressed." +msgstr[0] "" +msgstr[1] "" -#: lib/themeuploader.php:178 +#: lib/themeuploader.php:179 msgid "Invalid theme archive: missing file css/display.css" msgstr "" -#: lib/themeuploader.php:218 +#: lib/themeuploader.php:219 msgid "" "Theme contains invalid file or folder name. Stick with ASCII letters, " "digits, underscore, and minus sign." msgstr "" -#: lib/themeuploader.php:224 +#: lib/themeuploader.php:225 msgid "Theme contains unsafe file extension names; may be unsafe." msgstr "" -#: lib/themeuploader.php:241 +#: lib/themeuploader.php:242 #, php-format msgid "Theme contains file of type '.%s', which is not allowed." msgstr "" -#: lib/themeuploader.php:259 +#: lib/themeuploader.php:260 msgid "Error opening theme archive." msgstr "Грешка при изпращане на прякото съобщение" @@ -8373,20 +8483,37 @@ msgstr[1] "" "Съобщението е твърде дълго. Най-много може да е %1$d знака, а сте въвели %2" "$d." -#: scripts/restoreuser.php:82 +#. TRANS: Commandline script output. %s is the filename that contains a backup for a user. +#: scripts/restoreuser.php:61 #, php-format -msgid "Backup file for user %s (%s)" +msgid "Getting backup from file '%s'." msgstr "" -#: scripts/restoreuser.php:88 +#. TRANS: Commandline script output. +#: scripts/restoreuser.php:91 #, fuzzy msgid "No user specified; using backup user." msgstr "Не е указана група." -#: scripts/restoreuser.php:94 +#. TRANS: Commandline script output. %d is the number of entries in the activity stream in backup; used for plural. +#: scripts/restoreuser.php:98 #, php-format -msgid "%d entries in backup." -msgstr "" +msgid "%d entry in backup." +msgid_plural "%d entries in backup." +msgstr[0] "" +msgstr[1] "" -#~ msgid "Description is too long (max %d chars)." -#~ msgstr "Описанието е твърде дълго (до %d символа)." +#, fuzzy +#~ msgid "Name is too long (maximum 255 chars)." +#~ msgstr "Пълното име е твърде дълго (макс. 255 знака)" + +#, fuzzy +#~ msgid "Organization is too long (maximum 255 chars)." +#~ msgstr "Името на организацията е твърде дълго (макс. 255 знака)." + +#~ msgid "That's too long. Max notice size is %d chars." +#~ msgstr "Твърде дълго. Може да е най-много %d знака." + +#, fuzzy +#~ msgid " tagged %s" +#~ msgstr "Бележки с етикет %s" diff --git a/locale/br/LC_MESSAGES/statusnet.po b/locale/br/LC_MESSAGES/statusnet.po index 93e5c729ac..a3f61932ee 100644 --- a/locale/br/LC_MESSAGES/statusnet.po +++ b/locale/br/LC_MESSAGES/statusnet.po @@ -11,17 +11,17 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet - Core\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-10-30 23:18+0000\n" -"PO-Revision-Date: 2010-10-30 23:19:55+0000\n" +"POT-Creation-Date: 2010-11-02 22:51+0000\n" +"PO-Revision-Date: 2010-11-02 22:53:01+0000\n" "Language-Team: Breton \n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r75708); Translate extension (2010-09-17)\n" +"X-Generator: MediaWiki 1.17alpha (r75875); Translate extension (2010-09-17)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: br\n" "X-Message-Group: #out-statusnet-core\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" -"X-POT-Import-Date: 2010-10-30 09:48:40+0000\n" +"X-POT-Import-Date: 2010-10-30 23:42:01+0000\n" #. TRANS: Page title for Access admin panel that allows configuring site access. #. TRANS: Menu item for site administration @@ -78,15 +78,20 @@ msgstr "Enrollañ an arventennoù moned" #. TRANS: Tooltip for button to save access settings in site admin panel. #. TRANS: Button label to save e-mail preferences. #. TRANS: Button label to save IM preferences. +#. TRANS: Button text for saving "Other settings" in profile. #. TRANS: Button text to store form data in the Paths admin panel. #. TRANS: Button to save input in profile settings. +#. TRANS: Button text for saving site notice in admin panel. #. TRANS: Button label to save SMS preferences. #. TRANS: Save button for settings for a profile in a subscriptions list. +#. TRANS: Button text to save user settings in user admin panel. #. TRANS: Button label in the "Edit application" form. #: actions/accessadminpanel.php:193 actions/emailsettings.php:228 -#: actions/imsettings.php:187 actions/pathsadminpanel.php:512 -#: actions/profilesettings.php:201 actions/smssettings.php:209 -#: actions/subscriptions.php:246 lib/applicationeditform.php:355 +#: actions/imsettings.php:187 actions/othersettings.php:134 +#: actions/pathsadminpanel.php:512 actions/profilesettings.php:201 +#: actions/sitenoticeadminpanel.php:197 actions/smssettings.php:209 +#: actions/subscriptions.php:246 actions/useradminpanel.php:298 +#: lib/applicationeditform.php:355 lib/groupeditform.php:207 msgctxt "BUTTON" msgid "Save" msgstr "Enrollañ" @@ -137,7 +142,7 @@ msgstr "N'eus ket eus ar bajenn-se." #: 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:93 actions/userrss.php:40 -#: actions/xrds.php:71 lib/command.php:495 lib/galleryaction.php:59 +#: actions/xrds.php:71 lib/command.php:497 lib/galleryaction.php:59 #: lib/mailbox.php:82 lib/profileaction.php:77 msgid "No such user." msgstr "N'eus ket eus an implijer-se." @@ -206,7 +211,9 @@ msgstr "" #. TRANS: Encoutagement displayed on empty timeline user pages for anonymous users. #. TRANS: %s is a user nickname. This message contains Markdown links. Keep "](" together. -#: actions/all.php:155 actions/replies.php:210 actions/showstream.php:208 +#. TRANS: Second sentence of empty message for anonymous users. %s is a user nickname. +#. TRANS: This message contains a Markdown link. Keep "](" together. +#: actions/all.php:155 actions/replies.php:210 actions/showstream.php:227 #, php-format msgid "" "Why not [register an account](%%%%action.register%%%%) and then nudge %s or " @@ -561,8 +568,11 @@ msgstr "Re hir eo an anv klok (255 arouezenn d'ar muiañ)." #. TRANS: Group edit form validation error. #. TRANS: Form validation error in New application form. #. TRANS: %d is the maximum number of characters for the description. +#. TRANS: Group create form validation error. +#. TRANS: %d is the maximum number of allowed characters. #: actions/apigroupcreate.php:220 actions/editapplication.php:201 #: actions/editgroup.php:216 actions/newapplication.php:178 +#: actions/newgroup.php:152 #, fuzzy, php-format msgid "Description is too long (maximum %d character)." msgid_plural "Description is too long (maximum %d characters)." @@ -722,14 +732,14 @@ msgstr "N'oc'h ket aotreet." #. TRANS: Form validation error in API OAuth authorisation because of an invalid session token. #: actions/apioauthauthorize.php:147 actions/avatarsettings.php:280 -#: actions/deletenotice.php:172 actions/disfavor.php:74 +#: actions/deletenotice.php:177 actions/disfavor.php:74 #: actions/emailsettings.php:271 actions/favor.php:75 actions/geocode.php:55 #: actions/groupblock.php:66 actions/grouplogo.php:312 #: actions/groupunblock.php:65 actions/imsettings.php:230 #: actions/invite.php:59 actions/login.php:137 actions/makeadmin.php:66 #: actions/newmessage.php:135 actions/newnotice.php:105 actions/nudge.php:80 #: actions/oauthappssettings.php:165 actions/oauthconnectionssettings.php:138 -#: actions/othersettings.php:145 actions/passwordsettings.php:138 +#: actions/othersettings.php:153 actions/passwordsettings.php:138 #: actions/profilesettings.php:221 actions/recoverpassword.php:350 #: actions/register.php:172 actions/remotesubscribe.php:77 #: actions/repeat.php:83 actions/smssettings.php:256 actions/subedit.php:40 @@ -903,20 +913,21 @@ msgstr "Ne c'helloc'h ket dilemel statud un implijer all." #. TRANS: Client error displayed trying to repeat a non-existing notice through the API. #. TRANS: Client error displayed trying to display redents of a non-exiting notice. +#. TRANS: Error message displayed trying to delete a non-existing notice. #: actions/apistatusesretweet.php:74 actions/apistatusesretweets.php:70 -#: actions/deletenotice.php:58 actions/shownotice.php:92 +#: actions/deletenotice.php:61 actions/shownotice.php:92 msgid "No such notice." msgstr "N'eus ket eus an ali-se." #. TRANS: Client error displayed trying to repeat an own notice through the API. #. TRANS: Error text shown when trying to repeat an own notice. -#: actions/apistatusesretweet.php:83 lib/command.php:535 +#: actions/apistatusesretweet.php:83 lib/command.php:537 msgid "Cannot repeat your own notice." msgstr "Ne c'helloc'h ket adlavar ho alioù." #. TRANS: Client error displayed trying to re-repeat a notice through the API. #. TRANS: Error text shown when trying to repeat an notice that was already repeated by the user. -#: actions/apistatusesretweet.php:92 lib/command.php:541 +#: actions/apistatusesretweet.php:92 lib/command.php:543 msgid "Already repeated that notice." msgstr "Kemenn bet adkemeret dija." @@ -937,7 +948,8 @@ msgstr "" #. TRANS: Client error displayed when the parameter "status" is missing. #. TRANS: %d is the maximum number of character for a notice. -#: actions/apistatusesupdate.php:244 +#: actions/apistatusesupdate.php:244 actions/newnotice.php:161 +#: lib/mailhandler.php:60 #, fuzzy, php-format msgid "That's too long. Maximum notice size is %d character." msgid_plural "That's too long. Maximum notice size is %d characters." @@ -952,7 +964,7 @@ msgstr "N'eo ket bet kavet an hentenn API !" #. TRANS: Client error displayed exceeding the maximum notice length. #. TRANS: %d is the maximum lenth for a notice. -#: actions/apistatusesupdate.php:308 +#: actions/apistatusesupdate.php:308 actions/newnotice.php:184 #, php-format msgid "Maximum notice size is %d character, including attachment URL." msgid_plural "Maximum notice size is %d characters, including attachment URL." @@ -1163,17 +1175,18 @@ msgstr "Diuzit ur zonenn gant ur stumm karrez evit tremeniñ ho avatar" msgid "Lost our file data." msgstr "Kollet eo bet roadennoù." -#: actions/avatarsettings.php:384 +#. TRANS: Success message for having updated a user avatar. +#: actions/avatarsettings.php:385 msgid "Avatar updated." msgstr "Hizivaet eo bet an avatar." #. TRANS: Error displayed on the avatar upload page if the avatar could not be updated for an unknown reason. -#: actions/avatarsettings.php:388 +#: actions/avatarsettings.php:389 msgid "Failed updating avatar." msgstr "Ur gudenn 'zo bet e-pad hizivadenn an avatar." #. TRANS: Success message for deleting a user avatar. -#: actions/avatarsettings.php:412 +#: actions/avatarsettings.php:413 msgid "Avatar deleted." msgstr "Dilammet eo bet an Avatar." @@ -1202,8 +1215,8 @@ msgstr "" #. TRANS: Button label on the delete notice form. #. TRANS: Button label on the delete user form. #. TRANS: Button label on the form to block a user from a group. -#: actions/block.php:154 actions/deleteapplication.php:154 -#: actions/deletegroup.php:220 actions/deletenotice.php:150 +#: actions/block.php:154 actions/deleteapplication.php:157 +#: actions/deletegroup.php:220 actions/deletenotice.php:155 #: actions/deleteuser.php:152 actions/groupblock.php:178 msgctxt "BUTTON" msgid "No" @@ -1221,8 +1234,8 @@ msgstr "Arabat stankañ an implijer-mañ" #. TRANS: Button label on the delete notice form. #. TRANS: Button label on the delete user form. #. TRANS: Button label on the form to block a user from a group. -#: actions/block.php:161 actions/deleteapplication.php:161 -#: actions/deletegroup.php:227 actions/deletenotice.php:157 +#: actions/block.php:161 actions/deleteapplication.php:164 +#: actions/deletegroup.php:227 actions/deletenotice.php:162 #: actions/deleteuser.php:159 actions/groupblock.php:185 msgctxt "BUTTON" msgid "Yes" @@ -1340,12 +1353,13 @@ msgstr "Kadarnaet eo bet dija ar chomlec'h-mañ." #. TRANS: Server error thrown on database error removing a registered e-mail address. #. TRANS: Server error thrown on database error updating IM preferences. #. TRANS: Server error thrown on database error removing a registered IM address. +#. TRANS: Server error displayed when "Other" settings in user profile could not be updated on the server. #. TRANS: Server error thrown when user profile settings could not be updated. #. TRANS: Server error thrown on database error updating SMS preferences. #. TRANS: Server error thrown on database error removing a registered SMS phone number. #: actions/confirmaddress.php:118 actions/emailsettings.php:331 #: actions/emailsettings.php:477 actions/imsettings.php:283 -#: actions/imsettings.php:442 actions/othersettings.php:174 +#: actions/imsettings.php:442 actions/othersettings.php:184 #: actions/profilesettings.php:326 actions/smssettings.php:308 #: actions/smssettings.php:464 msgid "Couldn't update user." @@ -1381,16 +1395,19 @@ msgstr "Kaozeadenn" msgid "Notices" msgstr "Ali" -#: actions/deleteapplication.php:63 +#. TRANS: Client error displayed trying to delete an application while not logged in. +#: actions/deleteapplication.php:62 msgid "You must be logged in to delete an application." msgstr "Rankout a reoc'h bezañ kevreet evit dilemel ur poellad." +#. TRANS: Client error displayed trying to delete an application that does not exist. #: actions/deleteapplication.php:71 msgid "Application not found." msgstr "N'eo ket bet kavet ar poellad" +#. TRANS: Client error displayed trying to delete an application the current user does not own. #. TRANS: Client error displayed trying to edit an application while not being its owner. -#: actions/deleteapplication.php:78 actions/editapplication.php:78 +#: actions/deleteapplication.php:79 actions/editapplication.php:78 #: actions/showapplication.php:94 msgid "You are not the owner of this application." msgstr "N'oc'h ket perc'henn ar poellad-se." @@ -1398,15 +1415,18 @@ msgstr "N'oc'h ket perc'henn ar poellad-se." #. TRANS: Client error text when there is a problem with the session token. #: actions/deleteapplication.php:102 actions/editapplication.php:131 #: actions/newapplication.php:114 actions/showapplication.php:118 -#: lib/action.php:1354 +#: lib/action.php:1404 msgid "There was a problem with your session token." msgstr "Ur gudenn 'zo bet gant ho jedaouer dalc'h." -#: actions/deleteapplication.php:123 actions/deleteapplication.php:147 +#. TRANS: Title for delete application page. +#. TRANS: Fieldset legend on delete application page. +#: actions/deleteapplication.php:124 actions/deleteapplication.php:149 msgid "Delete application" msgstr "Dilemel ar poelad" -#: actions/deleteapplication.php:149 +#. TRANS: Confirmation text on delete application page. +#: actions/deleteapplication.php:152 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 " @@ -1414,12 +1434,12 @@ msgid "" msgstr "" #. TRANS: Submit button title for 'No' when deleting an application. -#: actions/deleteapplication.php:158 +#: actions/deleteapplication.php:161 msgid "Do not delete this application" msgstr "Arabat eo dilemel ar poellad-mañ" #. TRANS: Submit button title for 'Yes' when deleting an application. -#: actions/deleteapplication.php:164 +#: actions/deleteapplication.php:167 msgid "Delete this application" msgstr "Dilemel ar poelad-se" @@ -1455,13 +1475,14 @@ msgstr "Diposubl eo hizivaat ar strollad." msgid "Deleted group %s" msgstr "%1$s en deus kuitaet ar strollad %2$s" -#. TRANS: Title. +#. TRANS: Title of delete group page. #. TRANS: Form legend for deleting a group. #: actions/deletegroup.php:176 actions/deletegroup.php:202 #, fuzzy msgid "Delete group" msgstr "Diverkañ an implijer" +#. TRANS: Warning in form for deleleting a group. #: actions/deletegroup.php:206 msgid "" "Are you sure you want to delete this group? This will clear all data about " @@ -1481,10 +1502,11 @@ msgstr "Arabat dilemel ar c'hemenn-mañ" msgid "Delete this group" msgstr "Diverkañ an implijer-mañ" +#. TRANS: Error message displayed trying to delete a notice while not logged in. #. TRANS: Client error displayed when trying to unblock a user from a group while not logged in. #. TRANS: Client error displayed trying a change a subscription while not logged in. #. TRANS: Client error message thrown when trying to access the admin panel while not logged in. -#: actions/deletenotice.php:50 actions/disfavor.php:61 actions/favor.php:62 +#: actions/deletenotice.php:52 actions/disfavor.php:61 actions/favor.php:62 #: actions/groupblock.php:61 actions/groupunblock.php:60 actions/logout.php:69 #: actions/makeadmin.php:61 actions/newmessage.php:87 actions/newnotice.php:88 #: actions/nudge.php:63 actions/subedit.php:33 actions/subscribe.php:96 @@ -1494,31 +1516,36 @@ msgstr "Diverkañ an implijer-mañ" msgid "Not logged in." msgstr "Nann-luget." -#: actions/deletenotice.php:74 +#. TRANS: Error message displayed trying to delete a notice that was not made by the current user. +#: actions/deletenotice.php:78 msgid "Can't delete this notice." msgstr "Dibosupl eo dilemel ar c'hemenn-mañ." -#: actions/deletenotice.php:106 +#. TRANS: Instructions for deleting a notice. +#: actions/deletenotice.php:110 msgid "" "You are about to permanently delete a notice. Once this is done, it cannot " "be undone." msgstr "" -#: actions/deletenotice.php:112 actions/deletenotice.php:144 +#. TRANS: Page title when deleting a notice. +#. TRANS: Fieldset legend for the delete notice form. +#: actions/deletenotice.php:117 actions/deletenotice.php:148 msgid "Delete notice" msgstr "Dilemel un ali" -#: actions/deletenotice.php:147 +#. TRANS: Message for the delete notice form. +#: actions/deletenotice.php:152 msgid "Are you sure you want to delete this notice?" msgstr "Ha sur oc'h ho peus c'hoant dilemel ar c'hemenn-mañ ?" #. TRANS: Submit button title for 'No' when deleting a notice. -#: actions/deletenotice.php:154 +#: actions/deletenotice.php:159 msgid "Do not delete this notice" msgstr "Arabat dilemel ar c'hemenn-mañ" #. TRANS: Submit button title for 'Yes' when deleting a notice. -#: actions/deletenotice.php:161 lib/noticelist.php:667 +#: actions/deletenotice.php:166 lib/noticelist.php:667 msgid "Delete this notice" msgstr "Dilemel ar c'hemenn-mañ" @@ -1678,11 +1705,9 @@ msgstr "Adlakaat an arventennoù dre ziouer" #. TRANS: Submit button title. #: actions/designadminpanel.php:711 actions/licenseadminpanel.php:319 -#: actions/othersettings.php:126 actions/sessionsadminpanel.php:199 -#: actions/siteadminpanel.php:292 actions/sitenoticeadminpanel.php:195 +#: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:292 #: actions/snapshotadminpanel.php:245 actions/tagother.php:154 -#: actions/useradminpanel.php:295 lib/applicationeditform.php:357 -#: lib/designsettings.php:256 lib/groupeditform.php:202 +#: lib/applicationeditform.php:357 lib/designsettings.php:256 msgid "Save" msgstr "Enrollañ" @@ -1730,9 +1755,9 @@ msgid "Name is required." msgstr "Ret eo lakaat un anv." #. TRANS: Validation error shown when providing too long a name in the "Edit application" form. -#: actions/editapplication.php:188 +#: actions/editapplication.php:188 actions/newapplication.php:169 #, fuzzy -msgid "Name is too long (max 255 characters)." +msgid "Name is too long (maximum 255 characters)." msgstr "Re hir eo an anv (255 arouezenn d'ar muiañ)." #. TRANS: Validation error shown when providing a name for an application that already exists in the "Edit application" form. @@ -1761,7 +1786,7 @@ msgid "Organization is required." msgstr "Ezhomm 'zo eus an aozadur." #. TRANS: Validation error shown when providing too long an arganisation name in the "Edit application" form. -#: actions/editapplication.php:223 +#: actions/editapplication.php:223 actions/newapplication.php:199 #, fuzzy msgid "Organization is too long (maximum 255 characters)." msgstr "Re hir eo an aozadur (255 arouezenn d'ar muiañ)." @@ -2544,7 +2569,7 @@ msgid "Publish a MicroID for my Jabber/GTalk address." msgstr "Embann ur MicroID evit ma chomlec'h Jabber/GTalk." #. TRANS: Confirmation message for successful IM preferences save. -#: actions/imsettings.php:290 actions/othersettings.php:180 +#: actions/imsettings.php:290 actions/othersettings.php:190 msgid "Preferences saved." msgstr "Penndibaboù enrollet" @@ -2666,10 +2691,9 @@ msgstr[1] "Koumanantet oc'h dija d'an implijerien-mañ :" #. TRANS: Used as list item for already subscribed users (%1$s is nickname, %2$s is e-mail address). #. TRANS: Used as list item for already registered people (%1$s is nickname, %2$s is e-mail address). -#. TRANS: Whois output. -#. TRANS: %1$s nickname of the queried user, %2$s is their profile URL. -#: actions/invite.php:145 actions/invite.php:159 lib/command.php:426 -#, php-format +#: actions/invite.php:145 actions/invite.php:159 +#, fuzzy, php-format +msgctxt "INVITE" msgid "%1$s (%2$s)" msgstr "%1$s (%2$s)" @@ -2827,8 +2851,9 @@ msgid "" msgstr "" #: actions/licenseadminpanel.php:156 -msgid "Invalid license title. Max length is 255 characters." -msgstr "" +#, fuzzy +msgid "Invalid license title. Maximum length is 255 characters." +msgstr "Re hir eo al lec'hiadur (255 arouezenn d'ar muiañ)." #: actions/licenseadminpanel.php:168 msgid "Invalid license URL." @@ -3003,20 +3028,10 @@ msgstr "Ret eo deoc'h bezañ luget evit enrollañ ur poellad." msgid "Use this form to register a new application." msgstr "Implijit ar furmskrid-mañ evit enskrivañ ur poellad nevez." -#: actions/newapplication.php:169 -#, fuzzy -msgid "Name is too long (maximum 255 chars)." -msgstr "Re hir eo an anv (255 arouezenn d'ar muiañ)." - #: actions/newapplication.php:184 msgid "Source URL is required." msgstr "Ezhomm 'zo eus ar vammenn URL." -#: actions/newapplication.php:199 -#, fuzzy -msgid "Organization is too long (maximum 255 chars)." -msgstr "Re hir eo an aozadur (255 arouezenn d'ar muiañ)." - #: actions/newapplication.php:266 actions/newapplication.php:275 msgid "Could not create application." msgstr "N'eo ket posubl krouiñ ar poellad." @@ -3036,14 +3051,14 @@ msgid "New message" msgstr "Kemennadenn nevez" #. TRANS: Error text shown when trying to send a direct message to a user without a mutual subscription (each user must be subscribed to the other). -#: actions/newmessage.php:121 actions/newmessage.php:164 lib/command.php:499 +#: actions/newmessage.php:121 actions/newmessage.php:164 lib/command.php:501 msgid "You can't send a message to this user." msgstr "Ne c'helloc'h ket kas kemennadennoù d'an implijer-mañ." #. TRANS: Command exception text shown when trying to send a direct message to another user without content. #. TRANS: Command exception text shown when trying to reply to a notice without providing content for the reply. #: actions/newmessage.php:144 actions/newnotice.php:140 lib/command.php:478 -#: lib/command.php:579 +#: lib/command.php:581 msgid "No content!" msgstr "Goullo eo !" @@ -3052,7 +3067,7 @@ msgid "No recipient specified." msgstr "N'ho peus ket lakaet a resever." #. TRANS: Error text shown when trying to send a direct message to self. -#: actions/newmessage.php:167 lib/command.php:503 +#: actions/newmessage.php:167 lib/command.php:505 msgid "" "Don't send a message to yourself; just say it to yourself quietly instead." msgstr "" @@ -3065,12 +3080,12 @@ msgstr "Kemennadenn kaset" #. TRANS: Message given have sent a direct message to another user. #. TRANS: %s is the name of the other user. -#: actions/newmessage.php:188 lib/command.php:511 +#: actions/newmessage.php:188 lib/command.php:513 #, php-format msgid "Direct message to %s sent." msgstr "Kaset eo bet da %s ar gemennadenn war-eeun." -#: actions/newmessage.php:213 actions/newnotice.php:263 +#: actions/newmessage.php:213 actions/newnotice.php:264 msgid "Ajax Error" msgstr "Fazi Ajax" @@ -3078,17 +3093,7 @@ msgstr "Fazi Ajax" msgid "New notice" msgstr "Ali nevez" -#: actions/newnotice.php:159 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/newnotice.php:183 -#, php-format -msgid "Max notice size is %d chars, including attachment URL." -msgstr "" - -#: actions/newnotice.php:229 +#: actions/newnotice.php:230 msgid "Notice posted" msgstr "Ali embannet" @@ -3254,38 +3259,47 @@ msgstr "Klask tud" msgid "Notice Search" msgstr "Klask alioù" -#: actions/othersettings.php:60 +#: actions/othersettings.php:59 msgid "Other settings" msgstr "Arventennoù all" +#. TRANS: Instructions for tab "Other" in user profile settings. #: actions/othersettings.php:71 msgid "Manage various other options." msgstr "Dibarzhioù all da gefluniañ." -#: actions/othersettings.php:108 +#. TRANS: Used as a suffix for free URL shorteners in a dropdown list in the tab "Other" of a +#. TRANS: user's profile settings. This message has one space at the beginning. Use your +#. TRANS: language's word separator here if it has one (most likely a single space). +#: actions/othersettings.php:111 msgid " (free service)" msgstr " (servij digoust)" -#: actions/othersettings.php:116 +#. TRANS: Label for dropdown with URL shortener services. +#: actions/othersettings.php:120 msgid "Shorten URLs with" msgstr "" -#: actions/othersettings.php:117 +#. TRANS: Tooltip for for dropdown with URL shortener services. +#: actions/othersettings.php:122 msgid "Automatic shortening service to use." msgstr "" -#: actions/othersettings.php:122 +#. TRANS: Label for checkbox. +#: actions/othersettings.php:128 #, fuzzy msgid "View profile designs" msgstr "Design ar profil" -#: actions/othersettings.php:123 +#. TRANS: Tooltip for checkbox. +#: actions/othersettings.php:130 msgid "Show or hide profile designs." msgstr "Diskouez pe kuzhat designoù ar profil." -#: actions/othersettings.php:153 +#. TRANS: Form validation error for form "Other settings" in user profile. +#: actions/othersettings.php:162 #, fuzzy -msgid "URL shortening service is too long (max 50 chars)." +msgid "URL shortening service is too long (maximum 50 characters)." msgstr "Re hir eo ar yezh (255 arouezenn d'ar muiañ)." #: actions/otp.php:69 @@ -3774,7 +3788,7 @@ msgstr "Buhezskrid" #. TRANS: Label for group location (dt). Text hidden by default. #: actions/profilesettings.php:149 actions/register.php:485 #: actions/showgroup.php:267 actions/tagother.php:112 -#: actions/userauthorization.php:166 lib/groupeditform.php:177 +#: actions/userauthorization.php:166 lib/groupeditform.php:180 #: lib/userprofile.php:165 msgid "Location" msgstr "Lec'hiadur" @@ -4112,7 +4126,8 @@ msgid "Unexpected password reset." msgstr "Adderaouekadur dic'hortoz ar ger-tremen." #: actions/recoverpassword.php:365 -msgid "Password must be 6 chars or more." +#, fuzzy +msgid "Password must be 6 characters or more." msgstr "Rankout a ra ar ger-tremen bezañ 6 arouezenn d'an nebeutañ." #: actions/recoverpassword.php:369 @@ -4466,7 +4481,7 @@ msgstr "Aozadur" #. TRANS: Form input field label. #: actions/showapplication.php:187 actions/version.php:200 -#: lib/applicationeditform.php:208 lib/groupeditform.php:172 +#: lib/applicationeditform.php:208 lib/groupeditform.php:175 msgid "Description" msgstr "Deskrivadur" @@ -4610,7 +4625,7 @@ msgid "Note" msgstr "Notenn" #. TRANS: Label for group aliases (dt). Text hidden by default. -#: actions/showgroup.php:298 lib/groupeditform.php:184 +#: actions/showgroup.php:298 lib/groupeditform.php:187 msgid "Aliases" msgstr "Aliasoù" @@ -4739,62 +4754,86 @@ msgstr "Kemenadenn resevet eus %1$s d'an %2$s" msgid "Notice deleted." msgstr "Ali dilammet." -#: actions/showstream.php:72 -#, php-format -msgid " tagged %s" -msgstr " merket %s" +#. TRANS: Page title showing tagged notices in one user's stream. %1$s is the username, %2$s is the hash tag. +#: actions/showstream.php:70 +#, fuzzy, php-format +msgid "%1$s tagged %2$s" +msgstr "%1$s, pajenn %2$d" -#: actions/showstream.php:78 +#. TRANS: Page title showing tagged notices in one user's stream. +#. TRANS: %1$s is the username, %2$s is the hash tag, %1$d is the page number. +#: actions/showstream.php:74 +#, fuzzy, php-format +msgid "%1$s tagged %2$s, page %3$d" +msgstr "Alioù merket gant %1$s, pajenn %2$d" + +#. TRANS: Extended page title showing tagged notices in one user's stream. +#. TRANS: %1$s is the username, %2$d is the page number. +#: actions/showstream.php:82 #, php-format msgid "%1$s, page %2$d" msgstr "%1$s, pajenn %2$d" -#: actions/showstream.php:120 +#. TRANS: Title for link to notice feed. +#. TRANS: %1$s is a user nickname, %2$s is a hashtag. +#: actions/showstream.php:127 #, php-format msgid "Notice feed for %1$s tagged %2$s (RSS 1.0)" msgstr "Neudenn an alioù evit %1$s merket %2$s (RSS 1.0)" -#: actions/showstream.php:127 +#. TRANS: Title for link to notice feed. +#. TRANS: %s is a user nickname. +#: actions/showstream.php:136 #, php-format msgid "Notice feed for %s (RSS 1.0)" msgstr "Neudenn an alioù evit %s (RSS 1.0)" -#: actions/showstream.php:134 +#. TRANS: Title for link to notice feed. +#. TRANS: %s is a user nickname. +#: actions/showstream.php:145 #, php-format msgid "Notice feed for %s (RSS 2.0)" msgstr "Neudenn an alioù evit %s (RSS 2.0)" -#: actions/showstream.php:141 +#: actions/showstream.php:152 #, php-format msgid "Notice feed for %s (Atom)" msgstr "Gwazh alioù %s (Atom)" -#: actions/showstream.php:146 +#. TRANS: Title for link to notice feed. FOAF stands for Friend of a Friend. +#. TRANS: More information at http://www.foaf-project.org. %s is a user nickname. +#: actions/showstream.php:159 #, php-format msgid "FOAF for %s" msgstr "mignon ur mignon evit %s" -#: actions/showstream.php:197 -#, php-format -msgid "This is the timeline for %1$s but %2$s hasn't posted anything yet." +#. TRANS: First sentence of empty list message for a stream. $1%s is a user nickname. +#: actions/showstream.php:211 +#, fuzzy, php-format +msgid "This is the timeline for %1$s, but %1$s hasn't posted anything yet." msgstr "" "Hemañ eo al lanvad evit %s hag e vignoned met den n'en deus skrivet tra ebet " "evit ar mare." -#: actions/showstream.php:202 +#. TRANS: Second sentence of empty list message for a stream for the user themselves. +#: actions/showstream.php:217 msgid "" "Seen anything interesting recently? You haven't posted any notices yet, now " "would be a good time to start :)" msgstr "" -#: actions/showstream.php:204 +#. TRANS: Second sentence of empty list message for a non-self stream. %1$s is a user nickname, %2$s is a part of a URL. +#. TRANS: This message contains a Markdown link. Keep "](" together. +#: actions/showstream.php:221 #, php-format msgid "" "You can try to nudge %1$s or [post something to them](%%%%action.newnotice%%%" "%?status_textarea=%2$s)." msgstr "" -#: actions/showstream.php:243 +#. TRANS: Announcement for anonymous users showing a stream if site registrations are open. +#. TRANS: This message contains a Markdown link. Keep "](" together. +#: actions/showstream.php:264 #, fuzzy, php-format msgid "" "**%s** has an account on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -4805,7 +4844,9 @@ msgstr "" "%%site.name%% a zo ur servij [micro-blogging](http://br.wikipedia.org/wiki/" "Microblog) diazezet war ar meziant frank [StatusNet](http://status.net/)." -#: actions/showstream.php:248 +#. TRANS: Announcement for anonymous users showing a stream if site registrations are closed or invite only. +#. TRANS: This message contains a Markdown link. Keep "](" together. +#: actions/showstream.php:271 #, fuzzy, php-format msgid "" "**%s** has an account on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -4815,7 +4856,8 @@ msgstr "" "%%site.name%% a zo ur servij [micro-blogging](http://br.wikipedia.org/wiki/" "Microblog) diazezet war ar meziant frank [StatusNet](http://status.net/)." -#: actions/showstream.php:305 +#. TRANS: Link to the author of a repeated notice. %s is a linked nickname. +#: actions/showstream.php:328 #, php-format msgid "Repeat of %s" msgstr "Adkemeret eus %s" @@ -4928,33 +4970,41 @@ msgstr "Bevenn a doublennoù" msgid "How long users must wait (in seconds) to post the same thing again." msgstr "" -#: actions/sitenoticeadminpanel.php:56 +#. TRANS: Page title for site-wide notice tab in admin panel. +#: actions/sitenoticeadminpanel.php:55 msgid "Site Notice" msgstr "Ali al lec'hienn" -#: actions/sitenoticeadminpanel.php:67 +#. TRANS: Instructions for site-wide notice tab in admin panel. +#: actions/sitenoticeadminpanel.php:66 msgid "Edit site-wide message" msgstr "Kemmañ ur gemennadenn hag a zo diwar-benn al lec'hienn a-bezh" -#: actions/sitenoticeadminpanel.php:103 +#. TRANS: Server error displayed when saving a site-wide notice was impossible. +#: actions/sitenoticeadminpanel.php:101 msgid "Unable to save site notice." msgstr "Diposubl eo enrollañ ali al lec'hienn." -#: actions/sitenoticeadminpanel.php:113 -msgid "Max length for the site-wide notice is 255 chars." +#. TRANS: Client error displayed when a site-wide notice was longer than allowed. +#: actions/sitenoticeadminpanel.php:112 +msgid "Maximum length for the site-wide notice is 255 characters." msgstr "" +#. TRANS: Label for site-wide notice text field in admin panel. #: actions/sitenoticeadminpanel.php:176 msgid "Site notice text" msgstr "Testenn ali al lec'hienn" -#: actions/sitenoticeadminpanel.php:178 -msgid "Site-wide notice text (255 chars max; HTML okay)" +#. TRANS: Tooltip for site-wide notice text field in admin panel. +#: actions/sitenoticeadminpanel.php:179 +#, fuzzy +msgid "Site-wide notice text (255 characters maximum; HTML allowed)" msgstr "" "Testenn an ali diwar-benn al lec'hienn a-bezh (255 arouezenn d'ar muiañ ; " "HTML gweredekaet)" -#: actions/sitenoticeadminpanel.php:198 +#. TRANS: Title for button to save site notice in admin panel. +#: actions/sitenoticeadminpanel.php:201 msgid "Save site notice" msgstr "Enrollañ ali ul lec'hienn" @@ -5418,80 +5468,96 @@ msgstr "" "lec'hienn \"%2$s\"." #. TRANS: User admin panel title -#: actions/useradminpanel.php:60 +#: actions/useradminpanel.php:58 msgctxt "TITLE" msgid "User" msgstr "Implijer" -#: actions/useradminpanel.php:71 +#. TRANS: Instruction for user admin panel. +#: actions/useradminpanel.php:69 msgid "User settings for this StatusNet site" msgstr "" -#: actions/useradminpanel.php:150 +#. TRANS: Form validation error in user admin panel when a non-numeric character limit was set. +#: actions/useradminpanel.php:147 msgid "Invalid bio limit. Must be numeric." msgstr "" -#: actions/useradminpanel.php:156 -msgid "Invalid welcome text. Max length is 255 characters." +#. TRANS: Form validation error in user admin panel when welcome text is too long. +#: actions/useradminpanel.php:154 +msgid "Invalid welcome text. Maximum length is 255 characters." msgstr "" +#. TRANS: Client error displayed when trying to set a non-existing user as default subscription for new +#. TRANS: users in user admin panel. %1$s is the invalid nickname. #: actions/useradminpanel.php:166 #, php-format -msgid "Invalid default subscripton: '%1$s' is not user." +msgid "Invalid default subscripton: '%1$s' is not a user." msgstr "" #. TRANS: Link description in user account settings menu. -#: actions/useradminpanel.php:219 lib/accountsettingsaction.php:106 +#: actions/useradminpanel.php:215 lib/accountsettingsaction.php:106 #: lib/personalgroupnav.php:109 msgid "Profile" msgstr "Profil" -#: actions/useradminpanel.php:223 +#. TRANS: Field label in user admin panel for setting the character limit for the bio field. +#: actions/useradminpanel.php:220 msgid "Bio Limit" msgstr "Bevenn ar bio" -#: actions/useradminpanel.php:224 +#. TRANS: Tooltip in user admin panel for setting the character limit for the bio field. +#: actions/useradminpanel.php:222 msgid "Maximum length of a profile bio in characters." msgstr "" -#: actions/useradminpanel.php:232 +#. TRANS: Form legend in user admin panel. +#: actions/useradminpanel.php:231 msgid "New users" msgstr "Implijerien nevez" +#. TRANS: Field label in user admin panel for setting new user welcome text. #: actions/useradminpanel.php:236 msgid "New user welcome" msgstr "Degemer an implijerien nevez" -#: actions/useradminpanel.php:237 +#. TRANS: Tooltip in user admin panel for setting new user welcome text. +#: actions/useradminpanel.php:238 #, fuzzy -msgid "Welcome text for new users (Max 255 chars)." +msgid "Welcome text for new users (maximum 255 characters)." msgstr "Re hir eo an anv (255 arouezenn d'ar muiañ)." -#: actions/useradminpanel.php:242 +#. TRANS: Field label in user admin panel for setting default subscription for new users. +#: actions/useradminpanel.php:244 msgid "Default subscription" msgstr "Koumanantoù dre ziouer" -#: actions/useradminpanel.php:243 +#. TRANS: Tooltip in user admin panel for setting default subscription for new users. +#: actions/useradminpanel.php:246 #, fuzzy msgid "Automatically subscribe new users to this user." msgstr "" "En em enskrivañ ez emgefre d'an holl re hag en em goumanant din (erbedet " "evit an implijerien nann-denel)" -#: actions/useradminpanel.php:252 +#. TRANS: Form legend in user admin panel. +#: actions/useradminpanel.php:256 msgid "Invitations" msgstr "Pedadennoù" -#: actions/useradminpanel.php:257 +#. TRANS: Field label for checkbox in user admin panel for allowing users to invite friend using site e-mail. +#: actions/useradminpanel.php:262 msgid "Invitations enabled" msgstr "Pedadennoù gweredekaet" -#: actions/useradminpanel.php:259 +#. TRANS: Tooltip for checkbox in user admin panel for allowing users to invite friend using site e-mail. +#: actions/useradminpanel.php:265 #, fuzzy msgid "Whether to allow users to invite new users." msgstr "Ma rankomp merañ an dalc'hoù hon unan." -#: actions/useradminpanel.php:295 +#. TRANS: Title for button to save user settings in user admin panel. +#: actions/useradminpanel.php:302 msgid "Save user settings" msgstr "Enrollañ arventennoù an implijer" @@ -5679,7 +5745,7 @@ msgid "Plugins" msgstr "Pluginoù" #. TRANS: Secondary navigation menu option leading to version information on the StatusNet site. -#: actions/version.php:198 lib/action.php:831 +#: actions/version.php:198 lib/action.php:880 msgid "Version" msgstr "Stumm" @@ -5886,16 +5952,23 @@ msgstr "Dibosupl eo enrollañ titouroù ar strollad lec'hel." msgid "RT @%1$s %2$s" msgstr "RT @%1$s %2$s" +#. TRANS: Full name of a profile or group followed by nickname in parens +#: classes/Profile.php:164 +#, fuzzy, php-format +msgctxt "FANCYNAME" +msgid "%1$s (%2$s)" +msgstr "%1$s (%2$s)" + #. TRANS: Exception thrown when trying to revoke an existing role for a user that does not exist. #. TRANS: %1$s is the role name, %2$s is the user ID (number). -#: classes/Profile.php:791 +#: classes/Profile.php:812 #, php-format msgid "Cannot revoke role \"%1$s\" for user #%2$d; does not exist." msgstr "" #. TRANS: Exception thrown when trying to revoke a role for a user with a failing database query. #. TRANS: %1$s is the role name, %2$s is the user ID (number). -#: classes/Profile.php:800 +#: classes/Profile.php:821 #, php-format msgid "Cannot revoke role \"%1$s\" for user #%2$d; database error." msgstr "" @@ -6040,196 +6113,203 @@ msgstr "%1$s - %2$s" msgid "Untitled page" msgstr "Pajenn hep anv" +#. TRANS: Localized tooltip for '...' expansion button on overlong remote messages. +#: lib/action.php:310 +msgctxt "TOOLTIP" +msgid "Show more" +msgstr "" + #. TRANS: DT element for primary navigation menu. String is hidden in default CSS. -#: lib/action.php:477 +#: lib/action.php:526 #, fuzzy msgid "Primary site navigation" msgstr "Arventennoù diazez al lec'hienn" #. TRANS: Tooltip for main menu option "Personal" -#: lib/action.php:483 +#: lib/action.php:532 msgctxt "TOOLTIP" msgid "Personal profile and friends timeline" msgstr "" #. TRANS: Main menu option when logged in for access to personal profile and friends timeline -#: lib/action.php:486 +#: lib/action.php:535 msgctxt "MENU" msgid "Personal" msgstr "Personel" #. TRANS: Tooltip for main menu option "Account" -#: lib/action.php:488 +#: lib/action.php:537 msgctxt "TOOLTIP" msgid "Change your email, avatar, password, profile" msgstr "Kemmañ ho chomlec'h postel, hoc'h avatar, ho ger-tremen, ho profil" #. TRANS: Main menu option when logged in for access to user settings -#: lib/action.php:491 +#: lib/action.php:540 msgid "Account" msgstr "Kont" #. TRANS: Tooltip for main menu option "Services" -#: lib/action.php:493 +#: lib/action.php:542 msgctxt "TOOLTIP" msgid "Connect to services" msgstr "Liammañ d'ar servijoù" #. TRANS: Main menu option when logged in and connection are possible for access to options to connect to other services -#: lib/action.php:496 +#: lib/action.php:545 msgid "Connect" msgstr "Kevreañ" #. TRANS: Tooltip for menu option "Admin" -#: lib/action.php:499 +#: lib/action.php:548 msgctxt "TOOLTIP" msgid "Change site configuration" msgstr "Kemmañ arventennoù al lec'hienn" #. TRANS: Main menu option when logged in and site admin for access to site configuration #. TRANS: Menu item in the group navigation page. Only shown for group administrators. -#: lib/action.php:502 lib/groupnav.php:117 +#: lib/action.php:551 lib/groupnav.php:117 msgctxt "MENU" msgid "Admin" msgstr "Merañ" #. TRANS: Tooltip for main menu option "Invite" -#: lib/action.php:506 +#: lib/action.php:555 #, php-format msgctxt "TOOLTIP" msgid "Invite friends and colleagues to join you on %s" msgstr "Pediñ mignoned hag kenseurted da zont ganeoc'h war %s" #. TRANS: Main menu option when logged in and invitations are allowed for inviting new users -#: lib/action.php:509 +#: lib/action.php:558 msgctxt "MENU" msgid "Invite" msgstr "Pediñ" #. TRANS: Tooltip for main menu option "Logout" -#: lib/action.php:515 +#: lib/action.php:564 msgctxt "TOOLTIP" msgid "Logout from the site" msgstr "Digevreañ diouzh al lec'hienn" #. TRANS: Main menu option when logged in to log out the current user -#: lib/action.php:518 +#: lib/action.php:567 msgctxt "MENU" msgid "Logout" msgstr "Digevreañ" #. TRANS: Tooltip for main menu option "Register" -#: lib/action.php:523 +#: lib/action.php:572 msgctxt "TOOLTIP" msgid "Create an account" msgstr "Krouiñ ur gont" #. TRANS: Main menu option when not logged in to register a new account -#: lib/action.php:526 +#: lib/action.php:575 msgctxt "MENU" msgid "Register" msgstr "En em enskrivañ" #. TRANS: Tooltip for main menu option "Login" -#: lib/action.php:529 +#: lib/action.php:578 msgctxt "TOOLTIP" msgid "Login to the site" msgstr "Kevreañ d'al lec'hienn" #. TRANS: Main menu option when not logged in to log in -#: lib/action.php:532 +#: lib/action.php:581 msgctxt "MENU" msgid "Login" msgstr "Kevreañ" #. TRANS: Tooltip for main menu option "Help" -#: lib/action.php:535 +#: lib/action.php:584 msgctxt "TOOLTIP" msgid "Help me!" msgstr "Sikour din !" #. TRANS: Main menu option for help on the StatusNet site -#: lib/action.php:538 +#: lib/action.php:587 msgctxt "MENU" msgid "Help" msgstr "Skoazell" #. TRANS: Tooltip for main menu option "Search" -#: lib/action.php:541 +#: lib/action.php:590 msgctxt "TOOLTIP" msgid "Search for people or text" msgstr "Klask tud pe un tamm testenn" #. TRANS: Main menu option when logged in or when the StatusNet instance is not private -#: lib/action.php:544 +#: lib/action.php:593 msgctxt "MENU" msgid "Search" msgstr "Klask" #. TRANS: DT element for site notice. String is hidden in default CSS. #. TRANS: Menu item for site administration -#: lib/action.php:566 lib/adminpanelaction.php:387 +#: lib/action.php:615 lib/adminpanelaction.php:387 msgid "Site notice" msgstr "Ali al lec'hienn" #. TRANS: DT element for local views block. String is hidden in default CSS. -#: lib/action.php:633 +#: lib/action.php:682 msgid "Local views" msgstr "Selloù lec'hel" #. TRANS: DT element for page notice. String is hidden in default CSS. -#: lib/action.php:703 +#: lib/action.php:752 msgid "Page notice" msgstr "Ali ar bajenn" #. TRANS: DT element for secondary navigation menu. String is hidden in default CSS. -#: lib/action.php:804 +#: lib/action.php:853 #, fuzzy msgid "Secondary site navigation" msgstr "Arventennoù diazez al lec'hienn" #. TRANS: Secondary navigation menu option leading to help on StatusNet. -#: lib/action.php:810 +#: lib/action.php:859 msgid "Help" msgstr "Skoazell" #. TRANS: Secondary navigation menu option leading to text about StatusNet site. -#: lib/action.php:813 +#: lib/action.php:862 msgid "About" msgstr "Diwar-benn" #. TRANS: Secondary navigation menu option leading to Frequently Asked Questions. -#: lib/action.php:816 +#: lib/action.php:865 msgid "FAQ" msgstr "FAG" #. TRANS: Secondary navigation menu option leading to Terms of Service. -#: lib/action.php:821 +#: lib/action.php:870 msgid "TOS" msgstr "AIH" #. TRANS: Secondary navigation menu option leading to privacy policy. -#: lib/action.php:825 +#: lib/action.php:874 msgid "Privacy" msgstr "Prevezded" -#. TRANS: Secondary navigation menu option. -#: lib/action.php:828 +#. TRANS: Secondary navigation menu option. Leads to information about StatusNet and its license. +#: lib/action.php:877 msgid "Source" msgstr "Mammenn" -#. TRANS: Secondary navigation menu option leading to contact information on the StatusNet site. -#: lib/action.php:834 +#. TRANS: Secondary navigation menu option leading to e-mail contact information on the +#. TRANS: StatusNet site, where to report bugs, ... +#: lib/action.php:884 msgid "Contact" msgstr "Darempred" -#. TRANS: Secondary navigation menu option. -#: lib/action.php:837 +#. TRANS: Secondary navigation menu option. Leads to information about embedding a timeline widget. +#: lib/action.php:887 msgid "Badge" msgstr "Badj" #. TRANS: DT element for StatusNet software license. -#: lib/action.php:866 +#: lib/action.php:916 msgid "StatusNet software license" msgstr "Aotre-implijout ar meziant StatusNet" @@ -6237,7 +6317,7 @@ msgstr "Aotre-implijout ar meziant StatusNet" #. TRANS: Text between [] is a link description, text between () is the link itself. #. TRANS: Make sure there is no whitespace between "]" and "(". #. TRANS: "%%site.broughtby%%" is the value of the variable site.broughtby -#: lib/action.php:873 +#: lib/action.php:923 #, php-format msgid "" "**%%site.name%%** is a microblogging service brought to you by [%%site." @@ -6245,7 +6325,7 @@ msgid "" msgstr "" #. TRANS: First sentence of the StatusNet site license. Used if 'broughtby' is not set. -#: lib/action.php:876 +#: lib/action.php:926 #, php-format msgid "**%%site.name%%** is a microblogging service." msgstr "**%%site.name%%** a zo ur servij microblogging." @@ -6254,7 +6334,7 @@ msgstr "**%%site.name%%** a zo ur servij microblogging." #. TRANS: Make sure there is no whitespace between "]" and "(". #. TRANS: Text between [] is a link description, text between () is the link itself. #. TRANS: %s is the version of StatusNet that is being used. -#: lib/action.php:883 +#: lib/action.php:933 #, php-format msgid "" "It runs the [StatusNet](http://status.net/) microblogging software, version %" @@ -6263,50 +6343,50 @@ msgid "" msgstr "" #. TRANS: DT element for StatusNet site content license. -#: lib/action.php:899 +#: lib/action.php:949 msgid "Site content license" msgstr "Aotre-implijout diwar-benn danvez al lec'hienn" #. TRANS: Content license displayed when license is set to 'private'. #. TRANS: %1$s is the site name. -#: lib/action.php:906 +#: lib/action.php:956 #, fuzzy, php-format msgid "Content and data of %1$s are private and confidential." msgstr "Kompren a ran ez eo prevez danvez ha roadennoù %1$s." #. TRANS: Content license displayed when license is set to 'allrightsreserved'. #. TRANS: %1$s is the copyright owner. -#: lib/action.php:913 +#: lib/action.php:963 #, php-format msgid "Content and data copyright by %1$s. All rights reserved." msgstr "" #. TRANS: Content license displayed when license is set to 'allrightsreserved' and no owner is set. -#: lib/action.php:917 +#: lib/action.php:967 msgid "Content and data copyright by contributors. All rights reserved." msgstr "" #. TRANS: license message in footer. #. TRANS: %1$s is the site name, %2$s is a link to the license URL, with a licence name set in configuration. -#: lib/action.php:949 +#: lib/action.php:999 #, php-format msgid "All %1$s content and data are available under the %2$s license." msgstr "" #. TRANS: DT element for pagination (previous/next, etc.). -#: lib/action.php:1285 +#: lib/action.php:1335 msgid "Pagination" msgstr "Pajennadur" #. TRANS: Pagination message to go to a page displaying information more in the #. TRANS: present than the currently displayed information. -#: lib/action.php:1296 +#: lib/action.php:1346 msgid "After" msgstr "War-lerc'h" #. TRANS: Pagination message to go to a page displaying information more in the #. TRANS: past than the currently displayed information. -#: lib/action.php:1306 +#: lib/action.php:1356 msgid "Before" msgstr "Kent" @@ -6651,7 +6731,7 @@ msgid "AJAX error" msgstr "Fazi Ajax" #. TRANS: E-mail subject when a command has completed. -#: lib/channel.php:233 lib/mailhandler.php:142 +#: lib/channel.php:233 lib/mailhandler.php:143 msgid "Command complete" msgstr "Urzhiad bet klokaet" @@ -6667,7 +6747,7 @@ msgstr "" #. TRANS: Command exception text shown when a last user notice is requested and it does not exist. #. TRANS: Error text shown when a last user notice is requested and it does not exist. -#: lib/command.php:99 lib/command.php:626 +#: lib/command.php:99 lib/command.php:630 msgid "User has no last notice." msgstr "" @@ -6737,6 +6817,14 @@ msgstr "" msgid "%1$s left group %2$s." msgstr "" +#. TRANS: Whois output. +#. TRANS: %1$s nickname of the queried user, %2$s is their profile URL. +#: lib/command.php:426 +#, fuzzy, php-format +msgctxt "WHOIS" +msgid "%1$s (%2$s)" +msgstr "%1$s (%2$s)" + #. TRANS: Whois output. %s is the full name of the queried user. #: lib/command.php:430 #, php-format @@ -6774,138 +6862,148 @@ msgid "" "same server." msgstr "" -#. TRANS: Message given if content is too long. +#. TRANS: Message given if content is too long. %1$sd is used for plural. #. TRANS: %1$d is the maximum number of characters, %2$d is the number of submitted characters. #: lib/command.php:488 -#, php-format -msgid "Message too long - maximum is %1$d characters, you sent %2$d." -msgstr "" +#, fuzzy, php-format +msgid "Message too long - maximum is %1$d character, you sent %2$d." +msgid_plural "Message too long - maximum is %1$d characters, you sent %2$d." +msgstr[0] "" +"Re hir eo ar gemennadenn - ar ment brasañ a zo %1$d arouezenn, %2$d " +"arouezenn ho peus lakaet." +msgstr[1] "" "Re hir eo ar gemennadenn - ar ment brasañ a zo %1$d arouezenn, %2$d " "arouezenn ho peus lakaet." #. TRANS: Error text shown sending a direct message fails with an unknown reason. -#: lib/command.php:514 +#: lib/command.php:516 msgid "Error sending direct message." msgstr "Ur gudenn 'zo bet pa veze kaset ho kemennadenn." #. TRANS: Message given having repeated a notice from another user. #. TRANS: %s is the name of the user for which the notice was repeated. -#: lib/command.php:551 +#: lib/command.php:553 #, php-format msgid "Notice from %s repeated." msgstr "" #. TRANS: Error text shown when repeating a notice fails with an unknown reason. -#: lib/command.php:554 +#: lib/command.php:556 #, fuzzy msgid "Error repeating notice." msgstr "Fazi en ur hizivaat ar profil a-bell." -#. TRANS: Message given if content of a notice for a reply is too long. +#. TRANS: Message given if content of a notice for a reply is too long. %1$d is used for plural. #. TRANS: %1$d is the maximum number of characters, %2$d is the number of submitted characters. -#: lib/command.php:589 -#, php-format -msgid "Notice too long - maximum is %1$d characters, you sent %2$d." -msgstr "" +#: lib/command.php:591 +#, fuzzy, php-format +msgid "Notice too long - maximum is %1$d character, you sent %2$d." +msgid_plural "Notice too long - maximum is %1$d characters, you sent %2$d." +msgstr[0] "" +"Re hir eo ar gemennadenn - ar ment brasañ a zo %1$d arouezenn, %2$d " +"arouezenn ho peus lakaet." +msgstr[1] "" +"Re hir eo ar gemennadenn - ar ment brasañ a zo %1$d arouezenn, %2$d " +"arouezenn ho peus lakaet." #. TRANS: Text shown having sent a reply to a notice successfully. #. TRANS: %s is the nickname of the user of the notice the reply was sent to. -#: lib/command.php:600 +#: lib/command.php:604 #, php-format msgid "Reply to %s sent." msgstr "" #. TRANS: Error text shown when a reply to a notice fails with an unknown reason. -#: lib/command.php:603 +#: lib/command.php:607 #, fuzzy msgid "Error saving notice." msgstr "Ur gudenn 'zo bet pa veze enrollet an ali." #. TRANS: Error text shown when no username was provided when issuing a subscribe command. -#: lib/command.php:650 +#: lib/command.php:654 msgid "Specify the name of the user to subscribe to." msgstr "" #. TRANS: Command exception text shown when trying to subscribe to an OMB profile using the subscribe command. -#: lib/command.php:659 +#: lib/command.php:663 msgid "Can't subscribe to OMB profiles by command." msgstr "" #. TRANS: Text shown after having subscribed to another user successfully. #. TRANS: %s is the name of the user the subscription was requested for. -#: lib/command.php:667 +#: lib/command.php:671 #, php-format msgid "Subscribed to %s." msgstr "Koumanantet da %s." #. TRANS: Error text shown when no username was provided when issuing an unsubscribe command. #. TRANS: Error text shown when no username was provided when issuing the command. -#: lib/command.php:688 lib/command.php:799 +#: lib/command.php:692 lib/command.php:803 msgid "Specify the name of the user to unsubscribe from." msgstr "" #. TRANS: Text shown after having unsubscribed from another user successfully. #. TRANS: %s is the name of the user the unsubscription was requested for. -#: lib/command.php:699 +#: lib/command.php:703 #, php-format msgid "Unsubscribed from %s." msgstr "" #. TRANS: Error text shown when issuing the command "off" with a setting which has not yet been implemented. #. TRANS: Error text shown when issuing the command "on" with a setting which has not yet been implemented. -#: lib/command.php:719 lib/command.php:745 +#: lib/command.php:723 lib/command.php:749 #, fuzzy msgid "Command not yet implemented." msgstr "Digarezit, n'eo ket bet emplementet an urzhiad-mañ c'hoazh." #. TRANS: Text shown when issuing the command "off" successfully. -#: lib/command.php:723 +#: lib/command.php:727 msgid "Notification off." msgstr "Kemennoù diweredekaet." #. TRANS: Error text shown when the command "off" fails for an unknown reason. -#: lib/command.php:726 +#: lib/command.php:730 msgid "Can't turn off notification." msgstr "Dibosupl eo diweredekaat ar c'hemennoù." #. TRANS: Text shown when issuing the command "on" successfully. -#: lib/command.php:749 +#: lib/command.php:753 msgid "Notification on." msgstr "Kemennoù gweredekaet" #. TRANS: Error text shown when the command "on" fails for an unknown reason. -#: lib/command.php:752 +#: lib/command.php:756 msgid "Can't turn on notification." msgstr "Dibosupl eo gweredekaat ar c'hemennoù." #. TRANS: Error text shown when issuing the login command while login is disabled. -#: lib/command.php:766 +#: lib/command.php:770 msgid "Login command is disabled." msgstr "" #. TRANS: Text shown after issuing the login command successfully. #. TRANS: %s is a logon link.. -#: lib/command.php:779 +#: lib/command.php:783 #, php-format msgid "This link is useable only once and is valid for only 2 minutes: %s." msgstr "" #. TRANS: Text shown after issuing the lose command successfully (stop another user from following the current user). #. TRANS: %s is the name of the user the unsubscription was requested for. -#: lib/command.php:808 +#: lib/command.php:812 #, php-format msgid "Unsubscribed %s." msgstr "Digoumanatet %s." #. TRANS: Text shown after requesting other users a user is subscribed to without having any subscriptions. -#: lib/command.php:826 +#: lib/command.php:830 msgid "You are not subscribed to anyone." msgstr "N'hoc'h ket koumanantet da zen ebet." #. TRANS: Text shown after requesting other users a user is subscribed to. #. TRANS: This message supports plural forms. This message is followed by a #. TRANS: hard coded space and a comma separated list of subscribed users. -#: lib/command.php:831 +#: lib/command.php:835 #, fuzzy msgid "You are subscribed to this person:" msgid_plural "You are subscribed to these people:" @@ -6914,14 +7012,14 @@ msgstr[1] "You are subscribed to these people:" #. TRANS: Text shown after requesting other users that are subscribed to a user #. TRANS: (followers) without having any subscribers. -#: lib/command.php:853 +#: lib/command.php:857 msgid "No one is subscribed to you." msgstr "Den n'eo koumanantet deoc'h." #. TRANS: Text shown after requesting other users that are subscribed to a user (followers). #. TRANS: This message supports plural forms. This message is followed by a #. TRANS: hard coded space and a comma separated list of subscribing users. -#: lib/command.php:858 +#: lib/command.php:862 #, fuzzy msgid "This person is subscribed to you:" msgid_plural "These people are subscribed to you:" @@ -6930,14 +7028,14 @@ msgstr[1] "These people are subscribed to you:" #. TRANS: Text shown after requesting groups a user is subscribed to without having #. TRANS: any group subscriptions. -#: lib/command.php:880 +#: lib/command.php:884 msgid "You are not a member of any groups." msgstr "N'oc'h ezel eus strollad ebet." #. TRANS: Text shown after requesting groups a user is subscribed to. #. TRANS: This message supports plural forms. This message is followed by a #. TRANS: hard coded space and a comma separated list of subscribed groups. -#: lib/command.php:885 +#: lib/command.php:889 #, fuzzy msgid "You are a member of this group:" msgid_plural "You are a member of these groups:" @@ -6945,7 +7043,7 @@ msgstr[0] "You are a member of this group:" msgstr[1] "You are a member of these groups:" #. TRANS: Help text for commands. Do not translate the command names themselves; they are fixed strings. -#: lib/command.php:900 +#: lib/command.php:904 msgid "" "Commands:\n" "on - turn on notifications\n" @@ -7138,7 +7236,7 @@ msgstr "1 da 64 lizherenn vihan pe sifr, hep poentaouiñ nag esaouenn" #: lib/groupeditform.php:163 #, fuzzy -msgid "URL of the homepage or blog of the group or topic" +msgid "URL of the homepage or blog of the group or topic." msgstr "URL pajenn degemer ar poellad-mañ" #: lib/groupeditform.php:168 @@ -7148,19 +7246,27 @@ msgstr "Deskrivit ho poellad" #: lib/groupeditform.php:170 #, fuzzy, php-format -msgid "Describe the group or topic in %d characters" -msgstr "Diskrivit ho poellad gant %d arouezenn" +msgid "Describe the group or topic in %d character or less" +msgid_plural "Describe the group or topic in %d characters or less" +msgstr[0] "Diskrivit ho poellad gant %d arouezenn" +msgstr[1] "Diskrivit ho poellad gant %d arouezenn" -#: lib/groupeditform.php:179 +#: lib/groupeditform.php:182 #, fuzzy msgid "" -"Location for the group, if any, like \"City, State (or Region), Country\"" +"Location for the group, if any, like \"City, State (or Region), Country\"." msgstr "El lec'h m'emaoc'h, da skouer \"Kêr, Stad (pe Rannvro), Bro\"" -#: lib/groupeditform.php:187 +#: lib/groupeditform.php:190 #, php-format -msgid "Extra nicknames for the group, comma- or space- separated, max %d" -msgstr "" +msgid "" +"Extra nicknames for the group, separated with commas or spaces. Maximum %d " +"alias allowed." +msgid_plural "" +"Extra nicknames for the group, separated with commas or spaces. Maximum %d " +"aliases allowed." +msgstr[0] "" +msgstr[1] "" #. TRANS: Menu item in the group navigation page. #: lib/groupnav.php:86 @@ -7622,7 +7728,7 @@ msgstr "N'eo ket ho postel." msgid "Sorry, no incoming email allowed." msgstr "Chomlec'h postel ebet o tont." -#: lib/mailhandler.php:228 +#: lib/mailhandler.php:229 #, fuzzy, php-format msgid "Unsupported message type: %s" msgstr "Diembreget eo ar furmad-se." @@ -7969,16 +8075,17 @@ msgid "Sandbox this user" msgstr "Distankañ an implijer-mañ" #. TRANS: Fieldset legend for the search form. -#: lib/searchaction.php:121 +#: lib/searchaction.php:120 msgid "Search site" msgstr "Klask el lec'hienn" #. TRANS: Used as a field label for the field where one or more keywords #. TRANS: for searching can be entered. -#: lib/searchaction.php:129 +#: lib/searchaction.php:128 msgid "Keyword(s)" msgstr "Ger(ioù) alc'hwez" +#. TRANS: Button text for searching site. #: lib/searchaction.php:130 msgctxt "BUTTON" msgid "Search" @@ -8069,8 +8176,8 @@ msgid "The theme file is missing or the upload failed." msgstr "" #: lib/themeuploader.php:91 lib/themeuploader.php:102 -#: lib/themeuploader.php:278 lib/themeuploader.php:282 -#: lib/themeuploader.php:290 lib/themeuploader.php:297 +#: lib/themeuploader.php:279 lib/themeuploader.php:283 +#: lib/themeuploader.php:291 lib/themeuploader.php:298 #, fuzzy msgid "Failed saving theme." msgstr "Ur gudenn 'zo bet e-pad hizivadenn an avatar." @@ -8081,29 +8188,32 @@ msgstr "" #: lib/themeuploader.php:166 #, php-format -msgid "Uploaded theme is too large; must be less than %d bytes uncompressed." -msgstr "" +msgid "Uploaded theme is too large; must be less than %d byte uncompressed." +msgid_plural "" +"Uploaded theme is too large; must be less than %d bytes uncompressed." +msgstr[0] "" +msgstr[1] "" -#: lib/themeuploader.php:178 +#: lib/themeuploader.php:179 msgid "Invalid theme archive: missing file css/display.css" msgstr "" -#: lib/themeuploader.php:218 +#: lib/themeuploader.php:219 msgid "" "Theme contains invalid file or folder name. Stick with ASCII letters, " "digits, underscore, and minus sign." msgstr "" -#: lib/themeuploader.php:224 +#: lib/themeuploader.php:225 msgid "Theme contains unsafe file extension names; may be unsafe." msgstr "" -#: lib/themeuploader.php:241 +#: lib/themeuploader.php:242 #, php-format msgid "Theme contains file of type '.%s', which is not allowed." msgstr "" -#: lib/themeuploader.php:259 +#: lib/themeuploader.php:260 #, fuzzy msgid "Error opening theme archive." msgstr "Fazi en ur hizivaat ar profil a-bell." @@ -8293,23 +8403,36 @@ msgstr[1] "" "Re hir eo ar gemennadenn - ar ment brasañ a zo %1$d arouezenn, %2$d " "arouezenn ho peus lakaet." -#: scripts/restoreuser.php:82 +#. TRANS: Commandline script output. %s is the filename that contains a backup for a user. +#: scripts/restoreuser.php:61 #, php-format -msgid "Backup file for user %s (%s)" +msgid "Getting backup from file '%s'." msgstr "" -#: scripts/restoreuser.php:88 +#. TRANS: Commandline script output. +#: scripts/restoreuser.php:91 #, fuzzy msgid "No user specified; using backup user." msgstr "N'eus bet diferet ID implijer ebet." -#: scripts/restoreuser.php:94 +#. TRANS: Commandline script output. %d is the number of entries in the activity stream in backup; used for plural. +#: scripts/restoreuser.php:98 #, php-format -msgid "%d entries in backup." -msgstr "" +msgid "%d entry in backup." +msgid_plural "%d entries in backup." +msgstr[0] "" +msgstr[1] "" -#~ msgid "Description is too long (max %d chars)." -#~ msgstr "Re hir eo an deskrivadur (%d arouezenn d'ar muiañ)." +#, fuzzy +#~ msgid "Name is too long (maximum 255 chars)." +#~ msgstr "Re hir eo an anv (255 arouezenn d'ar muiañ)." -#~ msgid "Too many aliases! Maximum %d." -#~ msgstr "Re a aliasoù ! %d d'ar muiañ." +#, fuzzy +#~ msgid "Organization is too long (maximum 255 chars)." +#~ msgstr "Re hir eo an aozadur (255 arouezenn d'ar muiañ)." + +#~ msgid "That's too long. Max notice size is %d chars." +#~ msgstr "Re hir eo ! Ment hirañ an ali a zo a %d arouezenn." + +#~ msgid " tagged %s" +#~ msgstr " merket %s" diff --git a/locale/ca/LC_MESSAGES/statusnet.po b/locale/ca/LC_MESSAGES/statusnet.po index 78a49f197f..80f1e85970 100644 --- a/locale/ca/LC_MESSAGES/statusnet.po +++ b/locale/ca/LC_MESSAGES/statusnet.po @@ -2,6 +2,7 @@ # Expored from translatewiki.net # # Author: Aleator +# Author: Martorell # Author: McDutchie # Author: Paucabot # Author: SMP @@ -13,17 +14,17 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet - Core\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-10-30 23:18+0000\n" -"PO-Revision-Date: 2010-10-30 23:19:57+0000\n" +"POT-Creation-Date: 2010-11-02 22:51+0000\n" +"PO-Revision-Date: 2010-11-02 22:53:08+0000\n" "Language-Team: Catalan \n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r75708); Translate extension (2010-09-17)\n" +"X-Generator: MediaWiki 1.17alpha (r75875); Translate extension (2010-09-17)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: ca\n" "X-Message-Group: #out-statusnet-core\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-POT-Import-Date: 2010-10-30 09:48:40+0000\n" +"X-POT-Import-Date: 2010-10-30 23:42:01+0000\n" #. TRANS: Page title for Access admin panel that allows configuring site access. #. TRANS: Menu item for site administration @@ -82,15 +83,20 @@ msgstr "Desa els paràmetres d'accés" #. TRANS: Tooltip for button to save access settings in site admin panel. #. TRANS: Button label to save e-mail preferences. #. TRANS: Button label to save IM preferences. +#. TRANS: Button text for saving "Other settings" in profile. #. TRANS: Button text to store form data in the Paths admin panel. #. TRANS: Button to save input in profile settings. +#. TRANS: Button text for saving site notice in admin panel. #. TRANS: Button label to save SMS preferences. #. TRANS: Save button for settings for a profile in a subscriptions list. +#. TRANS: Button text to save user settings in user admin panel. #. TRANS: Button label in the "Edit application" form. #: actions/accessadminpanel.php:193 actions/emailsettings.php:228 -#: actions/imsettings.php:187 actions/pathsadminpanel.php:512 -#: actions/profilesettings.php:201 actions/smssettings.php:209 -#: actions/subscriptions.php:246 lib/applicationeditform.php:355 +#: actions/imsettings.php:187 actions/othersettings.php:134 +#: actions/pathsadminpanel.php:512 actions/profilesettings.php:201 +#: actions/sitenoticeadminpanel.php:197 actions/smssettings.php:209 +#: actions/subscriptions.php:246 actions/useradminpanel.php:298 +#: lib/applicationeditform.php:355 lib/groupeditform.php:207 msgctxt "BUTTON" msgid "Save" msgstr "Desa" @@ -141,7 +147,7 @@ msgstr "No existeix la pàgina." #: 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:93 actions/userrss.php:40 -#: actions/xrds.php:71 lib/command.php:495 lib/galleryaction.php:59 +#: actions/xrds.php:71 lib/command.php:497 lib/galleryaction.php:59 #: lib/mailbox.php:82 lib/profileaction.php:77 msgid "No such user." msgstr "No existeix l'usuari." @@ -214,7 +220,9 @@ msgstr "" #. TRANS: Encoutagement displayed on empty timeline user pages for anonymous users. #. TRANS: %s is a user nickname. This message contains Markdown links. Keep "](" together. -#: actions/all.php:155 actions/replies.php:210 actions/showstream.php:208 +#. TRANS: Second sentence of empty message for anonymous users. %s is a user nickname. +#. TRANS: This message contains a Markdown link. Keep "](" together. +#: actions/all.php:155 actions/replies.php:210 actions/showstream.php:227 #, php-format msgid "" "Why not [register an account](%%%%action.register%%%%) and then nudge %s or " @@ -572,8 +580,11 @@ msgstr "El vostre nom sencer és massa llarg (màx. 255 caràcters)." #. TRANS: Group edit form validation error. #. TRANS: Form validation error in New application form. #. TRANS: %d is the maximum number of characters for the description. +#. TRANS: Group create form validation error. +#. TRANS: %d is the maximum number of allowed characters. #: actions/apigroupcreate.php:220 actions/editapplication.php:201 #: actions/editgroup.php:216 actions/newapplication.php:178 +#: actions/newgroup.php:152 #, fuzzy, php-format msgid "Description is too long (maximum %d character)." msgid_plural "Description is too long (maximum %d characters)." @@ -733,14 +744,14 @@ msgstr "No esteu autoritzat." #. TRANS: Form validation error in API OAuth authorisation because of an invalid session token. #: actions/apioauthauthorize.php:147 actions/avatarsettings.php:280 -#: actions/deletenotice.php:172 actions/disfavor.php:74 +#: actions/deletenotice.php:177 actions/disfavor.php:74 #: actions/emailsettings.php:271 actions/favor.php:75 actions/geocode.php:55 #: actions/groupblock.php:66 actions/grouplogo.php:312 #: actions/groupunblock.php:65 actions/imsettings.php:230 #: actions/invite.php:59 actions/login.php:137 actions/makeadmin.php:66 #: actions/newmessage.php:135 actions/newnotice.php:105 actions/nudge.php:80 #: actions/oauthappssettings.php:165 actions/oauthconnectionssettings.php:138 -#: actions/othersettings.php:145 actions/passwordsettings.php:138 +#: actions/othersettings.php:153 actions/passwordsettings.php:138 #: actions/profilesettings.php:221 actions/recoverpassword.php:350 #: actions/register.php:172 actions/remotesubscribe.php:77 #: actions/repeat.php:83 actions/smssettings.php:256 actions/subedit.php:40 @@ -920,20 +931,21 @@ msgstr "No podeu eliminar l'estat d'un altre usuari." #. TRANS: Client error displayed trying to repeat a non-existing notice through the API. #. TRANS: Client error displayed trying to display redents of a non-exiting notice. +#. TRANS: Error message displayed trying to delete a non-existing notice. #: actions/apistatusesretweet.php:74 actions/apistatusesretweets.php:70 -#: actions/deletenotice.php:58 actions/shownotice.php:92 +#: actions/deletenotice.php:61 actions/shownotice.php:92 msgid "No such notice." msgstr "No existeix aquest avís." #. TRANS: Client error displayed trying to repeat an own notice through the API. #. TRANS: Error text shown when trying to repeat an own notice. -#: actions/apistatusesretweet.php:83 lib/command.php:535 +#: actions/apistatusesretweet.php:83 lib/command.php:537 msgid "Cannot repeat your own notice." msgstr "No podeu repetir els vostres propis avisos." #. TRANS: Client error displayed trying to re-repeat a notice through the API. #. TRANS: Error text shown when trying to repeat an notice that was already repeated by the user. -#: actions/apistatusesretweet.php:92 lib/command.php:541 +#: actions/apistatusesretweet.php:92 lib/command.php:543 msgid "Already repeated that notice." msgstr "Avís duplicat." @@ -954,7 +966,8 @@ msgstr "El client ha de proporcionar un paràmetre 'status' amb un valor." #. TRANS: Client error displayed when the parameter "status" is missing. #. TRANS: %d is the maximum number of character for a notice. -#: actions/apistatusesupdate.php:244 +#: actions/apistatusesupdate.php:244 actions/newnotice.php:161 +#: lib/mailhandler.php:60 #, fuzzy, php-format msgid "That's too long. Maximum notice size is %d character." msgid_plural "That's too long. Maximum notice size is %d characters." @@ -969,7 +982,7 @@ msgstr "No s'ha trobat el mètode API!" #. TRANS: Client error displayed exceeding the maximum notice length. #. TRANS: %d is the maximum lenth for a notice. -#: actions/apistatusesupdate.php:308 +#: actions/apistatusesupdate.php:308 actions/newnotice.php:184 #, fuzzy, php-format msgid "Maximum notice size is %d character, including attachment URL." msgid_plural "Maximum notice size is %d characters, including attachment URL." @@ -1184,17 +1197,18 @@ msgstr "" msgid "Lost our file data." msgstr "S'ha perdut el nostre fitxer de dades." -#: actions/avatarsettings.php:384 +#. TRANS: Success message for having updated a user avatar. +#: actions/avatarsettings.php:385 msgid "Avatar updated." msgstr "Avatar actualitzat." #. TRANS: Error displayed on the avatar upload page if the avatar could not be updated for an unknown reason. -#: actions/avatarsettings.php:388 +#: actions/avatarsettings.php:389 msgid "Failed updating avatar." msgstr "Error en actualitzar avatar." #. TRANS: Success message for deleting a user avatar. -#: actions/avatarsettings.php:412 +#: actions/avatarsettings.php:413 msgid "Avatar deleted." msgstr "S'ha eliminat l'avatar." @@ -1226,8 +1240,8 @@ msgstr "" #. TRANS: Button label on the delete notice form. #. TRANS: Button label on the delete user form. #. TRANS: Button label on the form to block a user from a group. -#: actions/block.php:154 actions/deleteapplication.php:154 -#: actions/deletegroup.php:220 actions/deletenotice.php:150 +#: actions/block.php:154 actions/deleteapplication.php:157 +#: actions/deletegroup.php:220 actions/deletenotice.php:155 #: actions/deleteuser.php:152 actions/groupblock.php:178 msgctxt "BUTTON" msgid "No" @@ -1245,8 +1259,8 @@ msgstr "No bloquis l'usuari" #. TRANS: Button label on the delete notice form. #. TRANS: Button label on the delete user form. #. TRANS: Button label on the form to block a user from a group. -#: actions/block.php:161 actions/deleteapplication.php:161 -#: actions/deletegroup.php:227 actions/deletenotice.php:157 +#: actions/block.php:161 actions/deleteapplication.php:164 +#: actions/deletegroup.php:227 actions/deletenotice.php:162 #: actions/deleteuser.php:159 actions/groupblock.php:185 msgctxt "BUTTON" msgid "Yes" @@ -1363,12 +1377,13 @@ msgstr "Aquesta adreça ja ha estat confirmada." #. TRANS: Server error thrown on database error removing a registered e-mail address. #. TRANS: Server error thrown on database error updating IM preferences. #. TRANS: Server error thrown on database error removing a registered IM address. +#. TRANS: Server error displayed when "Other" settings in user profile could not be updated on the server. #. TRANS: Server error thrown when user profile settings could not be updated. #. TRANS: Server error thrown on database error updating SMS preferences. #. TRANS: Server error thrown on database error removing a registered SMS phone number. #: actions/confirmaddress.php:118 actions/emailsettings.php:331 #: actions/emailsettings.php:477 actions/imsettings.php:283 -#: actions/imsettings.php:442 actions/othersettings.php:174 +#: actions/imsettings.php:442 actions/othersettings.php:184 #: actions/profilesettings.php:326 actions/smssettings.php:308 #: actions/smssettings.php:464 msgid "Couldn't update user." @@ -1404,16 +1419,19 @@ msgstr "Conversa" msgid "Notices" msgstr "Avisos" -#: actions/deleteapplication.php:63 +#. TRANS: Client error displayed trying to delete an application while not logged in. +#: actions/deleteapplication.php:62 msgid "You must be logged in to delete an application." msgstr "Heu d'haver iniciat una sessió per eliminar una aplicació." +#. TRANS: Client error displayed trying to delete an application that does not exist. #: actions/deleteapplication.php:71 msgid "Application not found." msgstr "No s'ha trobat l'aplicació." +#. TRANS: Client error displayed trying to delete an application the current user does not own. #. TRANS: Client error displayed trying to edit an application while not being its owner. -#: actions/deleteapplication.php:78 actions/editapplication.php:78 +#: actions/deleteapplication.php:79 actions/editapplication.php:78 #: actions/showapplication.php:94 msgid "You are not the owner of this application." msgstr "No sou el propietari d'aquesta aplicació." @@ -1421,15 +1439,18 @@ msgstr "No sou el propietari d'aquesta aplicació." #. TRANS: Client error text when there is a problem with the session token. #: actions/deleteapplication.php:102 actions/editapplication.php:131 #: actions/newapplication.php:114 actions/showapplication.php:118 -#: lib/action.php:1354 +#: lib/action.php:1404 msgid "There was a problem with your session token." msgstr "S'ha produït un problema amb el testimoni de la vostra sessió." -#: actions/deleteapplication.php:123 actions/deleteapplication.php:147 +#. TRANS: Title for delete application page. +#. TRANS: Fieldset legend on delete application page. +#: actions/deleteapplication.php:124 actions/deleteapplication.php:149 msgid "Delete application" msgstr "Elimina l'aplicació" -#: actions/deleteapplication.php:149 +#. TRANS: Confirmation text on delete application page. +#: actions/deleteapplication.php:152 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 " @@ -1440,12 +1461,12 @@ msgstr "" "existents." #. TRANS: Submit button title for 'No' when deleting an application. -#: actions/deleteapplication.php:158 +#: actions/deleteapplication.php:161 msgid "Do not delete this application" msgstr "No eliminis l'aplicació" #. TRANS: Submit button title for 'Yes' when deleting an application. -#: actions/deleteapplication.php:164 +#: actions/deleteapplication.php:167 msgid "Delete this application" msgstr "Elimina aquesta aplicació" @@ -1481,12 +1502,13 @@ msgstr "No s'ha pogut eliminar el grup %s." msgid "Deleted group %s" msgstr "S'ha eliminat el grup %s" -#. TRANS: Title. +#. TRANS: Title of delete group page. #. TRANS: Form legend for deleting a group. #: actions/deletegroup.php:176 actions/deletegroup.php:202 msgid "Delete group" msgstr "Elimina el grup" +#. TRANS: Warning in form for deleleting a group. #: actions/deletegroup.php:206 #, fuzzy msgid "" @@ -1507,10 +1529,11 @@ msgstr "No eliminis aquest grup" msgid "Delete this group" msgstr "Elimina aquest grup" +#. TRANS: Error message displayed trying to delete a notice while not logged in. #. TRANS: Client error displayed when trying to unblock a user from a group while not logged in. #. TRANS: Client error displayed trying a change a subscription while not logged in. #. TRANS: Client error message thrown when trying to access the admin panel while not logged in. -#: actions/deletenotice.php:50 actions/disfavor.php:61 actions/favor.php:62 +#: actions/deletenotice.php:52 actions/disfavor.php:61 actions/favor.php:62 #: actions/groupblock.php:61 actions/groupunblock.php:60 actions/logout.php:69 #: actions/makeadmin.php:61 actions/newmessage.php:87 actions/newnotice.php:88 #: actions/nudge.php:63 actions/subedit.php:33 actions/subscribe.php:96 @@ -1520,11 +1543,13 @@ msgstr "Elimina aquest grup" msgid "Not logged in." msgstr "No heu iniciat una sessió." -#: actions/deletenotice.php:74 +#. TRANS: Error message displayed trying to delete a notice that was not made by the current user. +#: actions/deletenotice.php:78 msgid "Can't delete this notice." msgstr "No es pot eliminar l'avís." -#: actions/deletenotice.php:106 +#. TRANS: Instructions for deleting a notice. +#: actions/deletenotice.php:110 msgid "" "You are about to permanently delete a notice. Once this is done, it cannot " "be undone." @@ -1532,21 +1557,24 @@ msgstr "" "Esteu a punt d'eliminar permanentment un avís. Una vegada fet, no es podrà " "desfer." -#: actions/deletenotice.php:112 actions/deletenotice.php:144 +#. TRANS: Page title when deleting a notice. +#. TRANS: Fieldset legend for the delete notice form. +#: actions/deletenotice.php:117 actions/deletenotice.php:148 msgid "Delete notice" msgstr "Elimina l'avís" -#: actions/deletenotice.php:147 +#. TRANS: Message for the delete notice form. +#: actions/deletenotice.php:152 msgid "Are you sure you want to delete this notice?" msgstr "Esteu segur que voleu eliminar aquest avís?" #. TRANS: Submit button title for 'No' when deleting a notice. -#: actions/deletenotice.php:154 +#: actions/deletenotice.php:159 msgid "Do not delete this notice" msgstr "No eliminis aquest avís" #. TRANS: Submit button title for 'Yes' when deleting a notice. -#: actions/deletenotice.php:161 lib/noticelist.php:667 +#: actions/deletenotice.php:166 lib/noticelist.php:667 msgid "Delete this notice" msgstr "Elimina aquest avís" @@ -1708,11 +1736,9 @@ msgstr "Torna a restaurar al valor per defecte" #. TRANS: Submit button title. #: actions/designadminpanel.php:711 actions/licenseadminpanel.php:319 -#: actions/othersettings.php:126 actions/sessionsadminpanel.php:199 -#: actions/siteadminpanel.php:292 actions/sitenoticeadminpanel.php:195 +#: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:292 #: actions/snapshotadminpanel.php:245 actions/tagother.php:154 -#: actions/useradminpanel.php:295 lib/applicationeditform.php:357 -#: lib/designsettings.php:256 lib/groupeditform.php:202 +#: lib/applicationeditform.php:357 lib/designsettings.php:256 msgid "Save" msgstr "Desa" @@ -1760,8 +1786,9 @@ msgid "Name is required." msgstr "Cal un nom." #. TRANS: Validation error shown when providing too long a name in the "Edit application" form. -#: actions/editapplication.php:188 -msgid "Name is too long (max 255 characters)." +#: actions/editapplication.php:188 actions/newapplication.php:169 +#, fuzzy +msgid "Name is too long (maximum 255 characters)." msgstr "El nom és massa llarg (màx. 255 caràcters)." #. TRANS: Validation error shown when providing a name for an application that already exists in the "Edit application" form. @@ -1790,7 +1817,7 @@ msgid "Organization is required." msgstr "Cal una organització." #. TRANS: Validation error shown when providing too long an arganisation name in the "Edit application" form. -#: actions/editapplication.php:223 +#: actions/editapplication.php:223 actions/newapplication.php:199 msgid "Organization is too long (maximum 255 characters)." msgstr "El camp organització és massa llarg (màx. 255 caràcters)." @@ -2586,10 +2613,10 @@ msgstr "" #. TRANS: Checkbox label in IM preferences form. #: actions/imsettings.php:182 msgid "Publish a MicroID for my Jabber/GTalk address." -msgstr "Publica una MicroID per a la meva direcció de Jabber/GTalk." +msgstr "Publica una MicroID per al meu compte de Jabber/GTalk." #. TRANS: Confirmation message for successful IM preferences save. -#: actions/imsettings.php:290 actions/othersettings.php:180 +#: actions/imsettings.php:290 actions/othersettings.php:190 msgid "Preferences saved." msgstr "S'han desat les preferències." @@ -2714,10 +2741,9 @@ msgstr[1] "Ja estàs subscrit a aquests usuaris:" #. TRANS: Used as list item for already subscribed users (%1$s is nickname, %2$s is e-mail address). #. TRANS: Used as list item for already registered people (%1$s is nickname, %2$s is e-mail address). -#. TRANS: Whois output. -#. TRANS: %1$s nickname of the queried user, %2$s is their profile URL. -#: actions/invite.php:145 actions/invite.php:159 lib/command.php:426 -#, php-format +#: actions/invite.php:145 actions/invite.php:159 +#, fuzzy, php-format +msgctxt "INVITE" msgid "%1$s (%2$s)" msgstr "%1$s (%2$s)" @@ -2904,7 +2930,8 @@ msgstr "" "«Tots els drets reservats»." #: actions/licenseadminpanel.php:156 -msgid "Invalid license title. Max length is 255 characters." +#, fuzzy +msgid "Invalid license title. Maximum length is 255 characters." msgstr "" "El títol de la llicència no és vàlid. La longitud màxima és 255 caràcters." @@ -3082,20 +3109,10 @@ msgstr "Heu d'haver iniciat una sessió per registrar-hi una aplicació." msgid "Use this form to register a new application." msgstr "Utilitzeu aquest formulari per crear una nova aplicació." -#: actions/newapplication.php:169 -#, fuzzy -msgid "Name is too long (maximum 255 chars)." -msgstr "El nom és massa llarg (màx. 255 caràcters)." - #: actions/newapplication.php:184 msgid "Source URL is required." msgstr "URL d'origen requerida." -#: actions/newapplication.php:199 -#, fuzzy -msgid "Organization is too long (maximum 255 chars)." -msgstr "El camp organització és massa llarg (màx. 255 caràcters)." - #: actions/newapplication.php:266 actions/newapplication.php:275 msgid "Could not create application." msgstr "No s'ha pogut crear l'aplicació." @@ -3115,14 +3132,14 @@ msgid "New message" msgstr "Nou missatge" #. TRANS: Error text shown when trying to send a direct message to a user without a mutual subscription (each user must be subscribed to the other). -#: actions/newmessage.php:121 actions/newmessage.php:164 lib/command.php:499 +#: actions/newmessage.php:121 actions/newmessage.php:164 lib/command.php:501 msgid "You can't send a message to this user." msgstr "No podeu enviar un misssatge a aquest usuari." #. TRANS: Command exception text shown when trying to send a direct message to another user without content. #. TRANS: Command exception text shown when trying to reply to a notice without providing content for the reply. #: actions/newmessage.php:144 actions/newnotice.php:140 lib/command.php:478 -#: lib/command.php:579 +#: lib/command.php:581 msgid "No content!" msgstr "Cap contingut!" @@ -3131,7 +3148,7 @@ msgid "No recipient specified." msgstr "No has especificat el destinatari." #. TRANS: Error text shown when trying to send a direct message to self. -#: actions/newmessage.php:167 lib/command.php:503 +#: actions/newmessage.php:167 lib/command.php:505 msgid "" "Don't send a message to yourself; just say it to yourself quietly instead." msgstr "No t'enviïs missatges a tu mateix, simplement dir-te això." @@ -3142,12 +3159,12 @@ msgstr "S'ha enviat el missatge" #. TRANS: Message given have sent a direct message to another user. #. TRANS: %s is the name of the other user. -#: actions/newmessage.php:188 lib/command.php:511 +#: actions/newmessage.php:188 lib/command.php:513 #, php-format msgid "Direct message to %s sent." msgstr "S'ha enviat un missatge directe a %s." -#: actions/newmessage.php:213 actions/newnotice.php:263 +#: actions/newmessage.php:213 actions/newnotice.php:264 msgid "Ajax Error" msgstr "Ajax Error" @@ -3155,17 +3172,7 @@ msgstr "Ajax Error" msgid "New notice" msgstr "Nou avís" -#: actions/newnotice.php:159 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/newnotice.php:183 -#, php-format -msgid "Max notice size is %d chars, including attachment URL." -msgstr "La mida màxima de l'avís és %d caràcters, incloent l'URL de l'adjunt." - -#: actions/newnotice.php:229 +#: actions/newnotice.php:230 msgid "Notice posted" msgstr "S'ha publicat l'avís" @@ -3336,36 +3343,46 @@ msgstr "Cerca de gent" msgid "Notice Search" msgstr "Cerca d'avisos" -#: actions/othersettings.php:60 +#: actions/othersettings.php:59 msgid "Other settings" msgstr "Altres paràmetres" +#. TRANS: Instructions for tab "Other" in user profile settings. #: actions/othersettings.php:71 msgid "Manage various other options." msgstr "Gestiona altres opcions diferents." -#: actions/othersettings.php:108 +#. TRANS: Used as a suffix for free URL shorteners in a dropdown list in the tab "Other" of a +#. TRANS: user's profile settings. This message has one space at the beginning. Use your +#. TRANS: language's word separator here if it has one (most likely a single space). +#: actions/othersettings.php:111 msgid " (free service)" msgstr " (servei gratuït)" -#: actions/othersettings.php:116 +#. TRANS: Label for dropdown with URL shortener services. +#: actions/othersettings.php:120 msgid "Shorten URLs with" msgstr "Escurça els URL amb" -#: actions/othersettings.php:117 +#. TRANS: Tooltip for for dropdown with URL shortener services. +#: actions/othersettings.php:122 msgid "Automatic shortening service to use." msgstr "Servei d'auto-escurçament a utilitzar." -#: actions/othersettings.php:122 +#. TRANS: Label for checkbox. +#: actions/othersettings.php:128 msgid "View profile designs" msgstr "Visualitza els dissenys de perfil" -#: actions/othersettings.php:123 +#. TRANS: Tooltip for checkbox. +#: actions/othersettings.php:130 msgid "Show or hide profile designs." msgstr "Mostra o amaga els dissenys de perfil." -#: actions/othersettings.php:153 -msgid "URL shortening service is too long (max 50 chars)." +#. TRANS: Form validation error for form "Other settings" in user profile. +#: actions/othersettings.php:162 +#, fuzzy +msgid "URL shortening service is too long (maximum 50 characters)." msgstr "" "El servei d'auto-escurçament d'URL és massa llarga (màx. 50 caràcters)." @@ -3857,7 +3874,7 @@ msgstr "Biografia" #. TRANS: Label for group location (dt). Text hidden by default. #: actions/profilesettings.php:149 actions/register.php:485 #: actions/showgroup.php:267 actions/tagother.php:112 -#: actions/userauthorization.php:166 lib/groupeditform.php:177 +#: actions/userauthorization.php:166 lib/groupeditform.php:180 #: lib/userprofile.php:165 msgid "Location" msgstr "Ubicació" @@ -3870,7 +3887,7 @@ msgstr "On us trobeu, per exemple «ciutat, comarca (o illa), país»" #. TRANS: Checkbox label in form for profile settings. #: actions/profilesettings.php:157 msgid "Share my current location when posting notices" -msgstr "Comparteix la meva ubicació actual en enviar avisos" +msgstr "Comparteix la ubicació on estic en enviar avisos" #. TRANS: Field label in form for profile settings. #: actions/profilesettings.php:165 actions/tagother.php:149 @@ -4201,7 +4218,8 @@ msgid "Unexpected password reset." msgstr "Restabliment de contrasenya inesperat." #: actions/recoverpassword.php:365 -msgid "Password must be 6 chars or more." +#, fuzzy +msgid "Password must be 6 characters or more." msgstr "La contrasenya ha de tenir 6 o més caràcters." #: actions/recoverpassword.php:369 @@ -4578,7 +4596,7 @@ msgstr "Organització" #. TRANS: Form input field label. #: actions/showapplication.php:187 actions/version.php:200 -#: lib/applicationeditform.php:208 lib/groupeditform.php:172 +#: lib/applicationeditform.php:208 lib/groupeditform.php:175 msgid "Description" msgstr "Descripció" @@ -4729,7 +4747,7 @@ msgid "Note" msgstr "Avisos" #. TRANS: Label for group aliases (dt). Text hidden by default. -#: actions/showgroup.php:298 lib/groupeditform.php:184 +#: actions/showgroup.php:298 lib/groupeditform.php:187 msgid "Aliases" msgstr "Àlies" @@ -4862,48 +4880,68 @@ msgstr "Missatge de %1$s a %2$s" msgid "Notice deleted." msgstr "S'ha eliminat l'avís." -#: actions/showstream.php:72 -#, php-format -msgid " tagged %s" -msgstr " etiquetats amb %s" +#. TRANS: Page title showing tagged notices in one user's stream. %1$s is the username, %2$s is the hash tag. +#: actions/showstream.php:70 +#, fuzzy, php-format +msgid "%1$s tagged %2$s" +msgstr "%1$s, pàgina %2$d" -#: actions/showstream.php:78 +#. TRANS: Page title showing tagged notices in one user's stream. +#. TRANS: %1$s is the username, %2$s is the hash tag, %1$d is the page number. +#: actions/showstream.php:74 +#, fuzzy, php-format +msgid "%1$s tagged %2$s, page %3$d" +msgstr "Avisos etiquetats amb %1$s, pàgina %2$d" + +#. TRANS: Extended page title showing tagged notices in one user's stream. +#. TRANS: %1$s is the username, %2$d is the page number. +#: actions/showstream.php:82 #, php-format msgid "%1$s, page %2$d" msgstr "%1$s, pàgina %2$d" -#: actions/showstream.php:120 +#. TRANS: Title for link to notice feed. +#. TRANS: %1$s is a user nickname, %2$s is a hashtag. +#: actions/showstream.php:127 #, php-format msgid "Notice feed for %1$s tagged %2$s (RSS 1.0)" msgstr "Canal d'avisos de %1$s etiquetats amb %2$s (RSS 1.0)" -#: actions/showstream.php:127 +#. TRANS: Title for link to notice feed. +#. TRANS: %s is a user nickname. +#: actions/showstream.php:136 #, php-format msgid "Notice feed for %s (RSS 1.0)" msgstr "Canal d'avisos de %s (RSS 1.0)" -#: actions/showstream.php:134 +#. TRANS: Title for link to notice feed. +#. TRANS: %s is a user nickname. +#: actions/showstream.php:145 #, php-format msgid "Notice feed for %s (RSS 2.0)" msgstr "Canal d'avisos de %s (RSS 2.0)" -#: actions/showstream.php:141 +#: actions/showstream.php:152 #, php-format msgid "Notice feed for %s (Atom)" msgstr "Canal d'avisos de %s (Atom)" -#: actions/showstream.php:146 +#. TRANS: Title for link to notice feed. FOAF stands for Friend of a Friend. +#. TRANS: More information at http://www.foaf-project.org. %s is a user nickname. +#: actions/showstream.php:159 #, php-format msgid "FOAF for %s" msgstr "FOAF de %s" -#: actions/showstream.php:197 -#, php-format -msgid "This is the timeline for %1$s but %2$s hasn't posted anything yet." +#. TRANS: First sentence of empty list message for a stream. $1%s is a user nickname. +#: actions/showstream.php:211 +#, fuzzy, php-format +msgid "This is the timeline for %1$s, but %1$s hasn't posted anything yet." msgstr "" "Aquesta és la línia temporal de %1$s, però %2$s no hi ha enviat res encara." -#: actions/showstream.php:202 +#. TRANS: Second sentence of empty list message for a stream for the user themselves. +#: actions/showstream.php:217 msgid "" "Seen anything interesting recently? You haven't posted any notices yet, now " "would be a good time to start :)" @@ -4911,7 +4949,9 @@ msgstr "" "Heu vist res interessant recentment? No heu enviat cap avís encara, ara " "podria ser un bon moment per començar :)" -#: actions/showstream.php:204 +#. TRANS: Second sentence of empty list message for a non-self stream. %1$s is a user nickname, %2$s is a part of a URL. +#. TRANS: This message contains a Markdown link. Keep "](" together. +#: actions/showstream.php:221 #, php-format msgid "" "You can try to nudge %1$s or [post something to them](%%%%action.newnotice%%%" @@ -4920,7 +4960,9 @@ msgstr "" "Sigueu el primer en [enviar sobre aquest tema](%%%%action.newnotice%%%%?" "status_textarea=%s)!" -#: actions/showstream.php:243 +#. TRANS: Announcement for anonymous users showing a stream if site registrations are open. +#. TRANS: This message contains a Markdown link. Keep "](" together. +#: actions/showstream.php:264 #, php-format msgid "" "**%s** has an account on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -4935,7 +4977,9 @@ msgstr "" "seguir els avisos de **%s** i molt més! ([Més informació...](%%%%doc.help%%%" "%))" -#: actions/showstream.php:248 +#. TRANS: Announcement for anonymous users showing a stream if site registrations are closed or invite only. +#. TRANS: This message contains a Markdown link. Keep "](" together. +#: actions/showstream.php:271 #, php-format msgid "" "**%s** has an account on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -4946,7 +4990,8 @@ msgstr "" "ca.wikipedia.org/wiki/Microblogging) basat en l'eina lliure [StatusNet]" "(http://status.net/). " -#: actions/showstream.php:305 +#. TRANS: Link to the author of a repeated notice. %s is a linked nickname. +#: actions/showstream.php:328 #, php-format msgid "Repeat of %s" msgstr "Repetició de %s" @@ -5060,31 +5105,40 @@ msgstr "" "Quant de temps cal que esperin els usuaris (en segons) per enviar el mateix " "de nou." -#: actions/sitenoticeadminpanel.php:56 +#. TRANS: Page title for site-wide notice tab in admin panel. +#: actions/sitenoticeadminpanel.php:55 msgid "Site Notice" msgstr "Avís del lloc" -#: actions/sitenoticeadminpanel.php:67 +#. TRANS: Instructions for site-wide notice tab in admin panel. +#: actions/sitenoticeadminpanel.php:66 msgid "Edit site-wide message" msgstr "Edita el missatge de tot el lloc" -#: actions/sitenoticeadminpanel.php:103 +#. TRANS: Server error displayed when saving a site-wide notice was impossible. +#: actions/sitenoticeadminpanel.php:101 msgid "Unable to save site notice." msgstr "No s'ha pogut desar l'avís del lloc." -#: actions/sitenoticeadminpanel.php:113 -msgid "Max length for the site-wide notice is 255 chars." +#. TRANS: Client error displayed when a site-wide notice was longer than allowed. +#: actions/sitenoticeadminpanel.php:112 +#, fuzzy +msgid "Maximum length for the site-wide notice is 255 characters." msgstr "La mida màxima per als avisos de tot el lloc és de 255 caràcters." +#. TRANS: Label for site-wide notice text field in admin panel. #: actions/sitenoticeadminpanel.php:176 msgid "Site notice text" msgstr "Text de l'avís del lloc" -#: actions/sitenoticeadminpanel.php:178 -msgid "Site-wide notice text (255 chars max; HTML okay)" +#. TRANS: Tooltip for site-wide notice text field in admin panel. +#: actions/sitenoticeadminpanel.php:179 +#, fuzzy +msgid "Site-wide notice text (255 characters maximum; HTML allowed)" msgstr "Text d'avís de tot el lloc (màxim 255 caràcters, es permet l'HTML)" -#: actions/sitenoticeadminpanel.php:198 +#. TRANS: Title for button to save site notice in admin panel. +#: actions/sitenoticeadminpanel.php:201 msgid "Save site notice" msgstr "Desa l'avís del lloc" @@ -5554,76 +5608,94 @@ msgstr "" "llicència del lloc, «%2$s»." #. TRANS: User admin panel title -#: actions/useradminpanel.php:60 +#: actions/useradminpanel.php:58 msgctxt "TITLE" msgid "User" msgstr "Usuari" -#: actions/useradminpanel.php:71 +#. TRANS: Instruction for user admin panel. +#: actions/useradminpanel.php:69 msgid "User settings for this StatusNet site" msgstr "Paràmetres d'usuari d'aquest lloc basat en StatusNet" -#: actions/useradminpanel.php:150 +#. TRANS: Form validation error in user admin panel when a non-numeric character limit was set. +#: actions/useradminpanel.php:147 msgid "Invalid bio limit. Must be numeric." msgstr "El límit de la biografia no és vàlid. Cal que sigui numèric." -#: actions/useradminpanel.php:156 -msgid "Invalid welcome text. Max length is 255 characters." +#. TRANS: Form validation error in user admin panel when welcome text is too long. +#: actions/useradminpanel.php:154 +#, fuzzy +msgid "Invalid welcome text. Maximum length is 255 characters." msgstr "" "El text de benvinguda no és vàlid. La longitud màxima és de 255 caràcters." +#. TRANS: Client error displayed when trying to set a non-existing user as default subscription for new +#. TRANS: users in user admin panel. %1$s is the invalid nickname. #: actions/useradminpanel.php:166 -#, php-format -msgid "Invalid default subscripton: '%1$s' is not user." +#, fuzzy, php-format +msgid "Invalid default subscripton: '%1$s' is not a user." msgstr "La subscripció per defecte no és vàlida: «%1$s» no és cap usuari." #. TRANS: Link description in user account settings menu. -#: actions/useradminpanel.php:219 lib/accountsettingsaction.php:106 +#: actions/useradminpanel.php:215 lib/accountsettingsaction.php:106 #: lib/personalgroupnav.php:109 msgid "Profile" msgstr "Perfil" -#: actions/useradminpanel.php:223 +#. TRANS: Field label in user admin panel for setting the character limit for the bio field. +#: actions/useradminpanel.php:220 msgid "Bio Limit" msgstr "Límit de la biografia" -#: actions/useradminpanel.php:224 +#. TRANS: Tooltip in user admin panel for setting the character limit for the bio field. +#: 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:232 +#. TRANS: Form legend in user admin panel. +#: actions/useradminpanel.php:231 msgid "New users" msgstr "Usuaris nous" +#. TRANS: Field label in user admin panel for setting new user welcome text. #: actions/useradminpanel.php:236 msgid "New user welcome" msgstr "Benvinguda als usuaris nous" -#: actions/useradminpanel.php:237 -msgid "Welcome text for new users (Max 255 chars)." +#. TRANS: Tooltip in user admin panel for setting new user welcome text. +#: actions/useradminpanel.php:238 +#, fuzzy +msgid "Welcome text for new users (maximum 255 characters)." msgstr "Text de benvinguda per a nous usuaris (màx. 255 caràcters)." -#: actions/useradminpanel.php:242 +#. TRANS: Field label in user admin panel for setting default subscription for new users. +#: actions/useradminpanel.php:244 msgid "Default subscription" msgstr "Subscripció per defecte" -#: actions/useradminpanel.php:243 +#. TRANS: Tooltip in user admin panel for setting default subscription for new users. +#: actions/useradminpanel.php:246 msgid "Automatically subscribe new users to this user." msgstr "Subscriviu automàticament els usuaris nous a aquest usuari." -#: actions/useradminpanel.php:252 +#. TRANS: Form legend in user admin panel. +#: actions/useradminpanel.php:256 msgid "Invitations" msgstr "Invitacions" -#: actions/useradminpanel.php:257 +#. TRANS: Field label for checkbox in user admin panel for allowing users to invite friend using site e-mail. +#: actions/useradminpanel.php:262 msgid "Invitations enabled" msgstr "S'han habilitat les invitacions" -#: actions/useradminpanel.php:259 +#. TRANS: Tooltip for checkbox in user admin panel for allowing users to invite friend using site e-mail. +#: actions/useradminpanel.php:265 msgid "Whether to allow users to invite new users." msgstr "Si es permet als usuaris invitar-ne de nous." -#: actions/useradminpanel.php:295 +#. TRANS: Title for button to save user settings in user admin panel. +#: actions/useradminpanel.php:302 msgid "Save user settings" msgstr "Desa els paràmetres d'usuari" @@ -5834,7 +5906,7 @@ msgid "Plugins" msgstr "Connectors" #. TRANS: Secondary navigation menu option leading to version information on the StatusNet site. -#: actions/version.php:198 lib/action.php:831 +#: actions/version.php:198 lib/action.php:880 msgid "Version" msgstr "Versió" @@ -6046,16 +6118,23 @@ msgstr "No s'ha pogut desar la resposta de %1$d, %2$d." msgid "RT @%1$s %2$s" msgstr "RT @%1$s %2$s" +#. TRANS: Full name of a profile or group followed by nickname in parens +#: classes/Profile.php:164 +#, fuzzy, php-format +msgctxt "FANCYNAME" +msgid "%1$s (%2$s)" +msgstr "%1$s (%2$s)" + #. TRANS: Exception thrown when trying to revoke an existing role for a user that does not exist. #. TRANS: %1$s is the role name, %2$s is the user ID (number). -#: classes/Profile.php:791 +#: classes/Profile.php:812 #, php-format msgid "Cannot revoke role \"%1$s\" for user #%2$d; does not exist." msgstr "No es pot revocar el rol «%1$s» de l'usuari #%2$d; no existeix." #. TRANS: Exception thrown when trying to revoke a role for a user with a failing database query. #. TRANS: %1$s is the role name, %2$s is the user ID (number). -#: classes/Profile.php:800 +#: classes/Profile.php:821 #, php-format msgid "Cannot revoke role \"%1$s\" for user #%2$d; database error." msgstr "" @@ -6202,194 +6281,201 @@ msgstr "%1$s - %2$s" msgid "Untitled page" msgstr "Pàgina sense titol" +#. TRANS: Localized tooltip for '...' expansion button on overlong remote messages. +#: lib/action.php:310 +msgctxt "TOOLTIP" +msgid "Show more" +msgstr "" + #. TRANS: DT element for primary navigation menu. String is hidden in default CSS. -#: lib/action.php:477 +#: lib/action.php:526 msgid "Primary site navigation" msgstr "Navegació primària del lloc" #. TRANS: Tooltip for main menu option "Personal" -#: lib/action.php:483 +#: lib/action.php:532 msgctxt "TOOLTIP" msgid "Personal profile and friends timeline" msgstr "Perfil personal i línia temporal dels amics" #. TRANS: Main menu option when logged in for access to personal profile and friends timeline -#: lib/action.php:486 +#: lib/action.php:535 msgctxt "MENU" msgid "Personal" msgstr "Personal" #. TRANS: Tooltip for main menu option "Account" -#: lib/action.php:488 +#: lib/action.php:537 msgctxt "TOOLTIP" msgid "Change your email, avatar, password, profile" msgstr "Canvia l'adreça electrònica, l'avatar, la contrasenya o el perfil" #. TRANS: Main menu option when logged in for access to user settings -#: lib/action.php:491 +#: lib/action.php:540 msgid "Account" msgstr "Compte" #. TRANS: Tooltip for main menu option "Services" -#: lib/action.php:493 +#: lib/action.php:542 msgctxt "TOOLTIP" msgid "Connect to services" msgstr "Connecta als serveis" #. TRANS: Main menu option when logged in and connection are possible for access to options to connect to other services -#: lib/action.php:496 +#: lib/action.php:545 msgid "Connect" msgstr "Connexió" #. TRANS: Tooltip for menu option "Admin" -#: lib/action.php:499 +#: lib/action.php:548 msgctxt "TOOLTIP" msgid "Change site configuration" msgstr "Canvia la configuració del lloc" #. TRANS: Main menu option when logged in and site admin for access to site configuration #. TRANS: Menu item in the group navigation page. Only shown for group administrators. -#: lib/action.php:502 lib/groupnav.php:117 +#: lib/action.php:551 lib/groupnav.php:117 msgctxt "MENU" msgid "Admin" msgstr "Administrador" #. TRANS: Tooltip for main menu option "Invite" -#: lib/action.php:506 +#: lib/action.php:555 #, php-format msgctxt "TOOLTIP" msgid "Invite friends and colleagues to join you on %s" msgstr "Convida amics i coneguts perquè participin a %s" #. TRANS: Main menu option when logged in and invitations are allowed for inviting new users -#: lib/action.php:509 +#: lib/action.php:558 msgctxt "MENU" msgid "Invite" msgstr "Convida" #. TRANS: Tooltip for main menu option "Logout" -#: lib/action.php:515 +#: lib/action.php:564 msgctxt "TOOLTIP" msgid "Logout from the site" msgstr "Finalitza la sessió del lloc" #. TRANS: Main menu option when logged in to log out the current user -#: lib/action.php:518 +#: lib/action.php:567 msgctxt "MENU" msgid "Logout" msgstr "Finalitza la sessió" #. TRANS: Tooltip for main menu option "Register" -#: lib/action.php:523 +#: lib/action.php:572 msgctxt "TOOLTIP" msgid "Create an account" msgstr "Crea un compte" #. TRANS: Main menu option when not logged in to register a new account -#: lib/action.php:526 +#: lib/action.php:575 msgctxt "MENU" msgid "Register" msgstr "Registre" #. TRANS: Tooltip for main menu option "Login" -#: lib/action.php:529 +#: lib/action.php:578 msgctxt "TOOLTIP" msgid "Login to the site" msgstr "Inicia una sessió al lloc" #. TRANS: Main menu option when not logged in to log in -#: lib/action.php:532 +#: lib/action.php:581 msgctxt "MENU" msgid "Login" msgstr "Inici de sessió" #. TRANS: Tooltip for main menu option "Help" -#: lib/action.php:535 +#: lib/action.php:584 msgctxt "TOOLTIP" msgid "Help me!" msgstr "Ajuda'm!" #. TRANS: Main menu option for help on the StatusNet site -#: lib/action.php:538 +#: lib/action.php:587 msgctxt "MENU" msgid "Help" msgstr "Ajuda" #. TRANS: Tooltip for main menu option "Search" -#: lib/action.php:541 +#: lib/action.php:590 msgctxt "TOOLTIP" msgid "Search for people or text" msgstr "Cerca gent o text" #. TRANS: Main menu option when logged in or when the StatusNet instance is not private -#: lib/action.php:544 +#: lib/action.php:593 msgctxt "MENU" msgid "Search" msgstr "Cerca" #. TRANS: DT element for site notice. String is hidden in default CSS. #. TRANS: Menu item for site administration -#: lib/action.php:566 lib/adminpanelaction.php:387 +#: lib/action.php:615 lib/adminpanelaction.php:387 msgid "Site notice" msgstr "Avís del lloc" #. TRANS: DT element for local views block. String is hidden in default CSS. -#: lib/action.php:633 +#: lib/action.php:682 msgid "Local views" msgstr "Vistes locals" #. TRANS: DT element for page notice. String is hidden in default CSS. -#: lib/action.php:703 +#: lib/action.php:752 msgid "Page notice" msgstr "Avís de pàgina" #. TRANS: DT element for secondary navigation menu. String is hidden in default CSS. -#: lib/action.php:804 +#: lib/action.php:853 msgid "Secondary site navigation" msgstr "Navegació del lloc secundària" #. TRANS: Secondary navigation menu option leading to help on StatusNet. -#: lib/action.php:810 +#: lib/action.php:859 msgid "Help" msgstr "Ajuda" #. TRANS: Secondary navigation menu option leading to text about StatusNet site. -#: lib/action.php:813 +#: lib/action.php:862 msgid "About" msgstr "Quant a" #. TRANS: Secondary navigation menu option leading to Frequently Asked Questions. -#: lib/action.php:816 +#: lib/action.php:865 msgid "FAQ" msgstr "Preguntes més freqüents" #. TRANS: Secondary navigation menu option leading to Terms of Service. -#: lib/action.php:821 +#: lib/action.php:870 msgid "TOS" msgstr "Termes del servei" #. TRANS: Secondary navigation menu option leading to privacy policy. -#: lib/action.php:825 +#: lib/action.php:874 msgid "Privacy" msgstr "Privadesa" -#. TRANS: Secondary navigation menu option. -#: lib/action.php:828 +#. TRANS: Secondary navigation menu option. Leads to information about StatusNet and its license. +#: lib/action.php:877 msgid "Source" msgstr "Font" -#. TRANS: Secondary navigation menu option leading to contact information on the StatusNet site. -#: lib/action.php:834 +#. TRANS: Secondary navigation menu option leading to e-mail contact information on the +#. TRANS: StatusNet site, where to report bugs, ... +#: lib/action.php:884 msgid "Contact" msgstr "Contacte" -#. TRANS: Secondary navigation menu option. -#: lib/action.php:837 +#. TRANS: Secondary navigation menu option. Leads to information about embedding a timeline widget. +#: lib/action.php:887 msgid "Badge" msgstr "Insígnia" #. TRANS: DT element for StatusNet software license. -#: lib/action.php:866 +#: lib/action.php:916 msgid "StatusNet software license" msgstr "Llicència del programari StatusNet" @@ -6397,7 +6483,7 @@ msgstr "Llicència del programari StatusNet" #. TRANS: Text between [] is a link description, text between () is the link itself. #. TRANS: Make sure there is no whitespace between "]" and "(". #. TRANS: "%%site.broughtby%%" is the value of the variable site.broughtby -#: lib/action.php:873 +#: lib/action.php:923 #, php-format msgid "" "**%%site.name%%** is a microblogging service brought to you by [%%site." @@ -6407,7 +6493,7 @@ msgstr "" "site.broughtbyurl%%)." #. TRANS: First sentence of the StatusNet site license. Used if 'broughtby' is not set. -#: lib/action.php:876 +#: lib/action.php:926 #, php-format msgid "**%%site.name%%** is a microblogging service." msgstr "**%%site.name%%** és un servei de microblogging." @@ -6416,7 +6502,7 @@ msgstr "**%%site.name%%** és un servei de microblogging." #. TRANS: Make sure there is no whitespace between "]" and "(". #. TRANS: Text between [] is a link description, text between () is the link itself. #. TRANS: %s is the version of StatusNet that is being used. -#: lib/action.php:883 +#: lib/action.php:933 #, php-format msgid "" "It runs the [StatusNet](http://status.net/) microblogging software, version %" @@ -6428,27 +6514,27 @@ msgstr "" "org/licensing/licenses/agpl-3.0.html)." #. TRANS: DT element for StatusNet site content license. -#: lib/action.php:899 +#: lib/action.php:949 msgid "Site content license" msgstr "Llicència de contingut del lloc" #. TRANS: Content license displayed when license is set to 'private'. #. TRANS: %1$s is the site name. -#: lib/action.php:906 +#: lib/action.php:956 #, php-format msgid "Content and data of %1$s are private and confidential." msgstr "El contingut i les dades de %1$s són privades i confidencials." #. TRANS: Content license displayed when license is set to 'allrightsreserved'. #. TRANS: %1$s is the copyright owner. -#: lib/action.php:913 +#: lib/action.php:963 #, php-format msgid "Content and data copyright by %1$s. All rights reserved." msgstr "" "El contingut i les dades són copyright de %1$s. Tots els drets reservats." #. TRANS: Content license displayed when license is set to 'allrightsreserved' and no owner is set. -#: lib/action.php:917 +#: lib/action.php:967 msgid "Content and data copyright by contributors. All rights reserved." msgstr "" "El contingut i les dades són copyright dels col·laboradors. Tots els drets " @@ -6456,7 +6542,7 @@ msgstr "" #. TRANS: license message in footer. #. TRANS: %1$s is the site name, %2$s is a link to the license URL, with a licence name set in configuration. -#: lib/action.php:949 +#: lib/action.php:999 #, php-format msgid "All %1$s content and data are available under the %2$s license." msgstr "" @@ -6464,19 +6550,19 @@ msgstr "" "llicència %2$s." #. TRANS: DT element for pagination (previous/next, etc.). -#: lib/action.php:1285 +#: lib/action.php:1335 msgid "Pagination" msgstr "Paginació" #. TRANS: Pagination message to go to a page displaying information more in the #. TRANS: present than the currently displayed information. -#: lib/action.php:1296 +#: lib/action.php:1346 msgid "After" msgstr "Posteriors" #. TRANS: Pagination message to go to a page displaying information more in the #. TRANS: past than the currently displayed information. -#: lib/action.php:1306 +#: lib/action.php:1356 msgid "Before" msgstr "Anteriors" @@ -6824,7 +6910,7 @@ msgid "AJAX error" msgstr "Ajax Error" #. TRANS: E-mail subject when a command has completed. -#: lib/channel.php:233 lib/mailhandler.php:142 +#: lib/channel.php:233 lib/mailhandler.php:143 msgid "Command complete" msgstr "Comanda completada" @@ -6840,7 +6926,7 @@ msgstr "No existeix cap avís amb aquest identificador." #. TRANS: Command exception text shown when a last user notice is requested and it does not exist. #. TRANS: Error text shown when a last user notice is requested and it does not exist. -#: lib/command.php:99 lib/command.php:626 +#: lib/command.php:99 lib/command.php:630 msgid "User has no last notice." msgstr "L'usuari no té un darrer avís." @@ -6909,6 +6995,14 @@ msgstr "%1$s s'ha unit al grup %2$s." msgid "%1$s left group %2$s." msgstr "%1$s ha deixat el grup %2$s." +#. TRANS: Whois output. +#. TRANS: %1$s nickname of the queried user, %2$s is their profile URL. +#: lib/command.php:426 +#, fuzzy, php-format +msgctxt "WHOIS" +msgid "%1$s (%2$s)" +msgstr "%1$s (%2$s)" + #. TRANS: Whois output. %s is the full name of the queried user. #: lib/command.php:430 #, php-format @@ -6948,114 +7042,121 @@ msgstr "" "%s és un perfil remot; només podeu enviar missatges directess a usuaris del " "mateix servidor." -#. TRANS: Message given if content is too long. +#. TRANS: Message given if content is too long. %1$sd is used for plural. #. TRANS: %1$d is the maximum number of characters, %2$d is the number of submitted characters. #: lib/command.php:488 -#, php-format -msgid "Message too long - maximum is %1$d characters, you sent %2$d." -msgstr "" +#, fuzzy, php-format +msgid "Message too long - maximum is %1$d character, you sent %2$d." +msgid_plural "Message too long - maximum is %1$d characters, you sent %2$d." +msgstr[0] "" +"El missatge és massa llarg - el màxim és %1$d caràcters, i n'heu enviat %2$d." +msgstr[1] "" "El missatge és massa llarg - el màxim és %1$d caràcters, i n'heu enviat %2$d." #. TRANS: Error text shown sending a direct message fails with an unknown reason. -#: lib/command.php:514 +#: lib/command.php:516 msgid "Error sending direct message." msgstr "S'ha produït un error en enviar el missatge directe." #. TRANS: Message given having repeated a notice from another user. #. TRANS: %s is the name of the user for which the notice was repeated. -#: lib/command.php:551 +#: lib/command.php:553 #, php-format msgid "Notice from %s repeated." msgstr "S'ha repetit l'avís de %s." #. TRANS: Error text shown when repeating a notice fails with an unknown reason. -#: lib/command.php:554 +#: lib/command.php:556 msgid "Error repeating notice." msgstr "S'ha produït un error en repetir l'avís." -#. TRANS: Message given if content of a notice for a reply is too long. +#. TRANS: Message given if content of a notice for a reply is too long. %1$d is used for plural. #. TRANS: %1$d is the maximum number of characters, %2$d is the number of submitted characters. -#: lib/command.php:589 -#, php-format -msgid "Notice too long - maximum is %1$d characters, you sent %2$d." -msgstr "L'avís és massa llarg - el màxim és %1$d caràcters, n'heu enviat %2$d." +#: lib/command.php:591 +#, fuzzy, php-format +msgid "Notice too long - maximum is %1$d character, you sent %2$d." +msgid_plural "Notice too long - maximum is %1$d characters, you sent %2$d." +msgstr[0] "" +"L'avís és massa llarg - el màxim és %1$d caràcters, n'heu enviat %2$d." +msgstr[1] "" +"L'avís és massa llarg - el màxim és %1$d caràcters, n'heu enviat %2$d." #. TRANS: Text shown having sent a reply to a notice successfully. #. TRANS: %s is the nickname of the user of the notice the reply was sent to. -#: lib/command.php:600 +#: lib/command.php:604 #, php-format msgid "Reply to %s sent." msgstr "S'ha enviat la resposta a %s." #. TRANS: Error text shown when a reply to a notice fails with an unknown reason. -#: lib/command.php:603 +#: lib/command.php:607 msgid "Error saving notice." msgstr "S'ha produït un error en desar l'avís." #. TRANS: Error text shown when no username was provided when issuing a subscribe command. -#: lib/command.php:650 +#: lib/command.php:654 msgid "Specify the name of the user to subscribe to." msgstr "Especifiqueu el nom de l'usuari al qual voleu subscriure-us." #. TRANS: Command exception text shown when trying to subscribe to an OMB profile using the subscribe command. -#: lib/command.php:659 +#: lib/command.php:663 msgid "Can't subscribe to OMB profiles by command." msgstr "No es pot subscriure a perfils de OMB amb ordres." #. TRANS: Text shown after having subscribed to another user successfully. #. TRANS: %s is the name of the user the subscription was requested for. -#: lib/command.php:667 +#: lib/command.php:671 #, php-format msgid "Subscribed to %s." msgstr "Subscrit a %s." #. TRANS: Error text shown when no username was provided when issuing an unsubscribe command. #. TRANS: Error text shown when no username was provided when issuing the command. -#: lib/command.php:688 lib/command.php:799 +#: lib/command.php:692 lib/command.php:803 msgid "Specify the name of the user to unsubscribe from." msgstr "Especifiqueu el nom de l'usuari del qui voleu deixar la subscripció." #. TRANS: Text shown after having unsubscribed from another user successfully. #. TRANS: %s is the name of the user the unsubscription was requested for. -#: lib/command.php:699 +#: lib/command.php:703 #, php-format msgid "Unsubscribed from %s." msgstr "S'ha deixat d'estar subscrit a %s." #. TRANS: Error text shown when issuing the command "off" with a setting which has not yet been implemented. #. TRANS: Error text shown when issuing the command "on" with a setting which has not yet been implemented. -#: lib/command.php:719 lib/command.php:745 +#: lib/command.php:723 lib/command.php:749 msgid "Command not yet implemented." msgstr "Comanda encara no implementada." #. TRANS: Text shown when issuing the command "off" successfully. -#: lib/command.php:723 +#: lib/command.php:727 msgid "Notification off." msgstr "Avisos desactivats." #. TRANS: Error text shown when the command "off" fails for an unknown reason. -#: lib/command.php:726 +#: lib/command.php:730 msgid "Can't turn off notification." msgstr "No es poden desactivar els avisos." #. TRANS: Text shown when issuing the command "on" successfully. -#: lib/command.php:749 +#: lib/command.php:753 msgid "Notification on." msgstr "Avisos activitats." #. TRANS: Error text shown when the command "on" fails for an unknown reason. -#: lib/command.php:752 +#: lib/command.php:756 msgid "Can't turn on notification." msgstr "No es poden activar els avisos." #. TRANS: Error text shown when issuing the login command while login is disabled. -#: lib/command.php:766 +#: lib/command.php:770 msgid "Login command is disabled." msgstr "L'ordre d'inici de sessió no està habilitada." #. TRANS: Text shown after issuing the login command successfully. #. TRANS: %s is a logon link.. -#: lib/command.php:779 +#: lib/command.php:783 #, php-format msgid "This link is useable only once and is valid for only 2 minutes: %s." msgstr "" @@ -7064,20 +7165,20 @@ msgstr "" #. TRANS: Text shown after issuing the lose command successfully (stop another user from following the current user). #. TRANS: %s is the name of the user the unsubscription was requested for. -#: lib/command.php:808 +#: lib/command.php:812 #, php-format msgid "Unsubscribed %s." msgstr "S'ha cancel·lat la subscripció de %s." #. TRANS: Text shown after requesting other users a user is subscribed to without having any subscriptions. -#: lib/command.php:826 +#: lib/command.php:830 msgid "You are not subscribed to anyone." msgstr "No esteu subscrit a ningú." #. TRANS: Text shown after requesting other users a user is subscribed to. #. TRANS: This message supports plural forms. This message is followed by a #. TRANS: hard coded space and a comma separated list of subscribed users. -#: lib/command.php:831 +#: lib/command.php:835 msgid "You are subscribed to this person:" msgid_plural "You are subscribed to these people:" msgstr[0] "Ja estàs subscrit a aquests usuaris:" @@ -7085,14 +7186,14 @@ msgstr[1] "Ja estàs subscrit a aquests usuaris:" #. TRANS: Text shown after requesting other users that are subscribed to a user #. TRANS: (followers) without having any subscribers. -#: lib/command.php:853 +#: lib/command.php:857 msgid "No one is subscribed to you." msgstr "Ningú no us ha subscrit." #. TRANS: Text shown after requesting other users that are subscribed to a user (followers). #. TRANS: This message supports plural forms. This message is followed by a #. TRANS: hard coded space and a comma separated list of subscribing users. -#: lib/command.php:858 +#: lib/command.php:862 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." @@ -7100,21 +7201,21 @@ msgstr[1] "No pots subscriure a un altre a tu mateix." #. TRANS: Text shown after requesting groups a user is subscribed to without having #. TRANS: any group subscriptions. -#: lib/command.php:880 +#: lib/command.php:884 msgid "You are not a member of any groups." msgstr "No sou membre de cap grup." #. TRANS: Text shown after requesting groups a user is subscribed to. #. TRANS: This message supports plural forms. This message is followed by a #. TRANS: hard coded space and a comma separated list of subscribed groups. -#: lib/command.php:885 +#: lib/command.php:889 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:" #. TRANS: Help text for commands. Do not translate the command names themselves; they are fixed strings. -#: lib/command.php:900 +#: lib/command.php:904 msgid "" "Commands:\n" "on - turn on notifications\n" @@ -7346,7 +7447,8 @@ msgstr "" "1-64 lletres en minúscula o números, sense signes de puntuació o espais" #: lib/groupeditform.php:163 -msgid "URL of the homepage or blog of the group or topic" +#, fuzzy +msgid "URL of the homepage or blog of the group or topic." msgstr "URL del teu web, blog del grup o de la temàtica" #: lib/groupeditform.php:168 @@ -7354,20 +7456,31 @@ msgid "Describe the group or topic" msgstr "Descriviu el grup o la temàtica" #: lib/groupeditform.php:170 -#, php-format -msgid "Describe the group or topic in %d characters" -msgstr "Descriviu el grup o la temàtica en %d caràcters" +#, fuzzy, php-format +msgid "Describe the group or topic in %d character or less" +msgid_plural "Describe the group or topic in %d characters or less" +msgstr[0] "Descriviu el grup o la temàtica en %d caràcters" +msgstr[1] "Descriviu el grup o la temàtica en %d caràcters" -#: lib/groupeditform.php:179 +#: lib/groupeditform.php:182 +#, fuzzy msgid "" -"Location for the group, if any, like \"City, State (or Region), Country\"" +"Location for the group, if any, like \"City, State (or Region), Country\"." msgstr "" "Ubicació del grup, si s'hi adiu cap, com ara «ciutat, comarca (o illa), país»" -#: lib/groupeditform.php:187 -#, php-format -msgid "Extra nicknames for the group, comma- or space- separated, max %d" -msgstr "Sobrenoms addicionals del grup, separats amb comes o espais, màx. %d" +#: lib/groupeditform.php:190 +#, fuzzy, php-format +msgid "" +"Extra nicknames for the group, separated with commas or spaces. Maximum %d " +"alias allowed." +msgid_plural "" +"Extra nicknames for the group, separated with commas or spaces. Maximum %d " +"aliases allowed." +msgstr[0] "" +"Sobrenoms addicionals del grup, separats amb comes o espais, màx. %d" +msgstr[1] "" +"Sobrenoms addicionals del grup, separats amb comes o espais, màx. %d" #. TRANS: Menu item in the group navigation page. #: lib/groupnav.php:86 @@ -7922,7 +8035,7 @@ msgstr "Ho sentim, aquesta no és la vostra adreça electrònica d'entrada." msgid "Sorry, no incoming email allowed." msgstr "Ho sentim, no s'hi permet correu d'entrada." -#: lib/mailhandler.php:228 +#: lib/mailhandler.php:229 #, php-format msgid "Unsupported message type: %s" msgstr "Tipus de missatge no permès: %s" @@ -8042,11 +8155,11 @@ msgstr "Adjunta un fitxer" #: lib/noticeform.php:213 msgid "Share my location" -msgstr "Comparteix la meva ubicació" +msgstr "Comparteix la ubicació on estic" #: lib/noticeform.php:216 msgid "Do not share my location" -msgstr "No comparteixis la meva ubicació" +msgstr "Amaga la ubicació on estic" #: lib/noticeform.php:217 msgid "" @@ -8273,16 +8386,17 @@ msgid "Sandbox this user" msgstr "Posa l'usuari a l'entorn de proves" #. TRANS: Fieldset legend for the search form. -#: lib/searchaction.php:121 +#: lib/searchaction.php:120 msgid "Search site" msgstr "Cerca al lloc" #. TRANS: Used as a field label for the field where one or more keywords #. TRANS: for searching can be entered. -#: lib/searchaction.php:129 +#: lib/searchaction.php:128 msgid "Keyword(s)" msgstr "Paraules clau" +#. TRANS: Button text for searching site. #: lib/searchaction.php:130 msgctxt "BUTTON" msgid "Search" @@ -8372,8 +8486,8 @@ msgid "The theme file is missing or the upload failed." msgstr "Manca el fitxer del tema o la pujada ha fallat." #: lib/themeuploader.php:91 lib/themeuploader.php:102 -#: lib/themeuploader.php:278 lib/themeuploader.php:282 -#: lib/themeuploader.php:290 lib/themeuploader.php:297 +#: lib/themeuploader.php:279 lib/themeuploader.php:283 +#: lib/themeuploader.php:291 lib/themeuploader.php:298 msgid "Failed saving theme." msgstr "Ha fallat el desament del tema." @@ -8382,16 +8496,20 @@ msgid "Invalid theme: bad directory structure." msgstr "El tema no és vàlid: l'estructura del directori no és correcta" #: lib/themeuploader.php:166 -#, php-format -msgid "Uploaded theme is too large; must be less than %d bytes uncompressed." -msgstr "" +#, fuzzy, php-format +msgid "Uploaded theme is too large; must be less than %d byte uncompressed." +msgid_plural "" +"Uploaded theme is too large; must be less than %d bytes uncompressed." +msgstr[0] "" +"El tema pujat és massa gran; ha de tenir menys de %d bytes descomprimit." +msgstr[1] "" "El tema pujat és massa gran; ha de tenir menys de %d bytes descomprimit." -#: lib/themeuploader.php:178 +#: lib/themeuploader.php:179 msgid "Invalid theme archive: missing file css/display.css" msgstr "L'arxiu del tema no és vàlid: manca el fitxer css/display.css" -#: lib/themeuploader.php:218 +#: lib/themeuploader.php:219 msgid "" "Theme contains invalid file or folder name. Stick with ASCII letters, " "digits, underscore, and minus sign." @@ -8399,16 +8517,16 @@ msgstr "" "El tema conté un fitxer o un nom de carpeta que no és vàlida. Feu servir " "només lletres ASCII, dígits, caràcters de subratllat i el símbol de menys." -#: lib/themeuploader.php:224 +#: lib/themeuploader.php:225 msgid "Theme contains unsafe file extension names; may be unsafe." msgstr "El tema conté uns noms d'extensió de fitxer que no són segurs." -#: lib/themeuploader.php:241 +#: lib/themeuploader.php:242 #, php-format msgid "Theme contains file of type '.%s', which is not allowed." msgstr "El tema conté un tipus de fitxer «.%s», que no està permès." -#: lib/themeuploader.php:259 +#: lib/themeuploader.php:260 msgid "Error opening theme archive." msgstr "S'ha produït un error en obrir l'arxiu del tema." @@ -8591,22 +8709,42 @@ msgstr[0] "" msgstr[1] "" "El missatge és massa llarg - el màxim és %1$d caràcters, i n'heu enviat %2$d." -#: scripts/restoreuser.php:82 +#. TRANS: Commandline script output. %s is the filename that contains a backup for a user. +#: scripts/restoreuser.php:61 #, php-format -msgid "Backup file for user %s (%s)" -msgstr "Fitxer de còpia de seguretat de l'usuari %s (%s)" +msgid "Getting backup from file '%s'." +msgstr "" -#: scripts/restoreuser.php:88 +#. TRANS: Commandline script output. +#: scripts/restoreuser.php:91 msgid "No user specified; using backup user." msgstr "No s'ha especificat cap usuari; s'utilitza l'usuari de reserva." -#: scripts/restoreuser.php:94 -#, php-format -msgid "%d entries in backup." -msgstr "%d entrades a la còpia de seguretat." +#. TRANS: Commandline script output. %d is the number of entries in the activity stream in backup; used for plural. +#: scripts/restoreuser.php:98 +#, fuzzy, php-format +msgid "%d entry in backup." +msgid_plural "%d entries in backup." +msgstr[0] "%d entrades a la còpia de seguretat." +msgstr[1] "%d entrades a la còpia de seguretat." -#~ msgid "Description is too long (max %d chars)." -#~ msgstr "La descripció és massa llarga (màx. %d caràcters)." +#, fuzzy +#~ msgid "Name is too long (maximum 255 chars)." +#~ msgstr "El nom és massa llarg (màx. 255 caràcters)." -#~ msgid "Too many aliases! Maximum %d." -#~ msgstr "Hi ha massa àlies! Màxim %d." +#, fuzzy +#~ msgid "Organization is too long (maximum 255 chars)." +#~ msgstr "El camp organització és massa llarg (màx. 255 caràcters)." + +#~ msgid "That's too long. Max notice size is %d chars." +#~ msgstr "Massa llarg. La longitud màxima és de %d caràcters." + +#~ msgid "Max notice size is %d chars, including attachment URL." +#~ msgstr "" +#~ "La mida màxima de l'avís és %d caràcters, incloent l'URL de l'adjunt." + +#~ msgid " tagged %s" +#~ msgstr " etiquetats amb %s" + +#~ msgid "Backup file for user %s (%s)" +#~ msgstr "Fitxer de còpia de seguretat de l'usuari %s (%s)" diff --git a/locale/cs/LC_MESSAGES/statusnet.po b/locale/cs/LC_MESSAGES/statusnet.po index ef73741d2b..c99c634a64 100644 --- a/locale/cs/LC_MESSAGES/statusnet.po +++ b/locale/cs/LC_MESSAGES/statusnet.po @@ -11,18 +11,18 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet - Core\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-10-30 23:18+0000\n" -"PO-Revision-Date: 2010-10-30 23:19:58+0000\n" +"POT-Creation-Date: 2010-11-02 22:51+0000\n" +"PO-Revision-Date: 2010-11-02 22:53:09+0000\n" "Language-Team: Czech \n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r75708); Translate extension (2010-09-17)\n" +"X-Generator: MediaWiki 1.17alpha (r75875); Translate extension (2010-09-17)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: cs\n" "X-Message-Group: #out-statusnet-core\n" "Plural-Forms: nplurals=3; plural=(n == 1) ? 0 : ( (n >= 2 && n <= 4) ? 1 : " "2 );\n" -"X-POT-Import-Date: 2010-10-30 09:48:40+0000\n" +"X-POT-Import-Date: 2010-10-30 23:42:01+0000\n" #. TRANS: Page title for Access admin panel that allows configuring site access. #. TRANS: Menu item for site administration @@ -79,15 +79,20 @@ msgstr "uložit nastavení přístupu" #. TRANS: Tooltip for button to save access settings in site admin panel. #. TRANS: Button label to save e-mail preferences. #. TRANS: Button label to save IM preferences. +#. TRANS: Button text for saving "Other settings" in profile. #. TRANS: Button text to store form data in the Paths admin panel. #. TRANS: Button to save input in profile settings. +#. TRANS: Button text for saving site notice in admin panel. #. TRANS: Button label to save SMS preferences. #. TRANS: Save button for settings for a profile in a subscriptions list. +#. TRANS: Button text to save user settings in user admin panel. #. TRANS: Button label in the "Edit application" form. #: actions/accessadminpanel.php:193 actions/emailsettings.php:228 -#: actions/imsettings.php:187 actions/pathsadminpanel.php:512 -#: actions/profilesettings.php:201 actions/smssettings.php:209 -#: actions/subscriptions.php:246 lib/applicationeditform.php:355 +#: actions/imsettings.php:187 actions/othersettings.php:134 +#: actions/pathsadminpanel.php:512 actions/profilesettings.php:201 +#: actions/sitenoticeadminpanel.php:197 actions/smssettings.php:209 +#: actions/subscriptions.php:246 actions/useradminpanel.php:298 +#: lib/applicationeditform.php:355 lib/groupeditform.php:207 msgctxt "BUTTON" msgid "Save" msgstr "Uložit" @@ -138,7 +143,7 @@ msgstr "Tady žádná taková stránka není." #: 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:93 actions/userrss.php:40 -#: actions/xrds.php:71 lib/command.php:495 lib/galleryaction.php:59 +#: actions/xrds.php:71 lib/command.php:497 lib/galleryaction.php:59 #: lib/mailbox.php:82 lib/profileaction.php:77 msgid "No such user." msgstr "Uživatel neexistuje." @@ -211,7 +216,9 @@ msgstr "" #. TRANS: Encoutagement displayed on empty timeline user pages for anonymous users. #. TRANS: %s is a user nickname. This message contains Markdown links. Keep "](" together. -#: actions/all.php:155 actions/replies.php:210 actions/showstream.php:208 +#. TRANS: Second sentence of empty message for anonymous users. %s is a user nickname. +#. TRANS: This message contains a Markdown link. Keep "](" together. +#: actions/all.php:155 actions/replies.php:210 actions/showstream.php:227 #, php-format msgid "" "Why not [register an account](%%%%action.register%%%%) and then nudge %s or " @@ -568,8 +575,11 @@ msgstr "Celé jméno je moc dlouhé (maximální délka je 255 znaků)." #. TRANS: Group edit form validation error. #. TRANS: Form validation error in New application form. #. TRANS: %d is the maximum number of characters for the description. +#. TRANS: Group create form validation error. +#. TRANS: %d is the maximum number of allowed characters. #: actions/apigroupcreate.php:220 actions/editapplication.php:201 #: actions/editgroup.php:216 actions/newapplication.php:178 +#: actions/newgroup.php:152 #, fuzzy, php-format msgid "Description is too long (maximum %d character)." msgid_plural "Description is too long (maximum %d characters)." @@ -731,14 +741,14 @@ msgstr "Nejste autorizován." #. TRANS: Form validation error in API OAuth authorisation because of an invalid session token. #: actions/apioauthauthorize.php:147 actions/avatarsettings.php:280 -#: actions/deletenotice.php:172 actions/disfavor.php:74 +#: actions/deletenotice.php:177 actions/disfavor.php:74 #: actions/emailsettings.php:271 actions/favor.php:75 actions/geocode.php:55 #: actions/groupblock.php:66 actions/grouplogo.php:312 #: actions/groupunblock.php:65 actions/imsettings.php:230 #: actions/invite.php:59 actions/login.php:137 actions/makeadmin.php:66 #: actions/newmessage.php:135 actions/newnotice.php:105 actions/nudge.php:80 #: actions/oauthappssettings.php:165 actions/oauthconnectionssettings.php:138 -#: actions/othersettings.php:145 actions/passwordsettings.php:138 +#: actions/othersettings.php:153 actions/passwordsettings.php:138 #: actions/profilesettings.php:221 actions/recoverpassword.php:350 #: actions/register.php:172 actions/remotesubscribe.php:77 #: actions/repeat.php:83 actions/smssettings.php:256 actions/subedit.php:40 @@ -918,20 +928,21 @@ msgstr "Nesmíte odstraňovat status jiného uživatele." #. TRANS: Client error displayed trying to repeat a non-existing notice through the API. #. TRANS: Client error displayed trying to display redents of a non-exiting notice. +#. TRANS: Error message displayed trying to delete a non-existing notice. #: actions/apistatusesretweet.php:74 actions/apistatusesretweets.php:70 -#: actions/deletenotice.php:58 actions/shownotice.php:92 +#: actions/deletenotice.php:61 actions/shownotice.php:92 msgid "No such notice." msgstr "Žádné takové oznámení." #. TRANS: Client error displayed trying to repeat an own notice through the API. #. TRANS: Error text shown when trying to repeat an own notice. -#: actions/apistatusesretweet.php:83 lib/command.php:535 +#: actions/apistatusesretweet.php:83 lib/command.php:537 msgid "Cannot repeat your own notice." msgstr "Nelze opakovat své vlastní oznámení." #. TRANS: Client error displayed trying to re-repeat a notice through the API. #. TRANS: Error text shown when trying to repeat an notice that was already repeated by the user. -#: actions/apistatusesretweet.php:92 lib/command.php:541 +#: actions/apistatusesretweet.php:92 lib/command.php:543 msgid "Already repeated that notice." msgstr "Již jste zopakoval toto oznámení." @@ -952,7 +963,8 @@ msgstr "Klient musí poskytnout 'status' parametr s hodnotou." #. TRANS: Client error displayed when the parameter "status" is missing. #. TRANS: %d is the maximum number of character for a notice. -#: actions/apistatusesupdate.php:244 +#: actions/apistatusesupdate.php:244 actions/newnotice.php:161 +#: lib/mailhandler.php:60 #, fuzzy, php-format msgid "That's too long. Maximum notice size is %d character." msgid_plural "That's too long. Maximum notice size is %d characters." @@ -968,7 +980,7 @@ msgstr " API metoda nebyla nalezena." #. TRANS: Client error displayed exceeding the maximum notice length. #. TRANS: %d is the maximum lenth for a notice. -#: actions/apistatusesupdate.php:308 +#: actions/apistatusesupdate.php:308 actions/newnotice.php:184 #, fuzzy, php-format msgid "Maximum notice size is %d character, including attachment URL." msgid_plural "Maximum notice size is %d characters, including attachment URL." @@ -1180,17 +1192,18 @@ msgstr "Vyberte čtvercovou plochu obrázku, která bude váš avatar" msgid "Lost our file data." msgstr "Ztratili jsme údaje souboru." -#: actions/avatarsettings.php:384 +#. TRANS: Success message for having updated a user avatar. +#: actions/avatarsettings.php:385 msgid "Avatar updated." msgstr "Obrázek nahrán" #. TRANS: Error displayed on the avatar upload page if the avatar could not be updated for an unknown reason. -#: actions/avatarsettings.php:388 +#: actions/avatarsettings.php:389 msgid "Failed updating avatar." msgstr "Nahrávání obrázku selhalo." #. TRANS: Success message for deleting a user avatar. -#: actions/avatarsettings.php:412 +#: actions/avatarsettings.php:413 msgid "Avatar deleted." msgstr "Avatar smazán." @@ -1222,8 +1235,8 @@ msgstr "" #. TRANS: Button label on the delete notice form. #. TRANS: Button label on the delete user form. #. TRANS: Button label on the form to block a user from a group. -#: actions/block.php:154 actions/deleteapplication.php:154 -#: actions/deletegroup.php:220 actions/deletenotice.php:150 +#: actions/block.php:154 actions/deleteapplication.php:157 +#: actions/deletegroup.php:220 actions/deletenotice.php:155 #: actions/deleteuser.php:152 actions/groupblock.php:178 msgctxt "BUTTON" msgid "No" @@ -1241,8 +1254,8 @@ msgstr "Zablokovat tohoto uživatele" #. TRANS: Button label on the delete notice form. #. TRANS: Button label on the delete user form. #. TRANS: Button label on the form to block a user from a group. -#: actions/block.php:161 actions/deleteapplication.php:161 -#: actions/deletegroup.php:227 actions/deletenotice.php:157 +#: actions/block.php:161 actions/deleteapplication.php:164 +#: actions/deletegroup.php:227 actions/deletenotice.php:162 #: actions/deleteuser.php:159 actions/groupblock.php:185 msgctxt "BUTTON" msgid "Yes" @@ -1359,12 +1372,13 @@ msgstr "Adresa již byla potvrzena" #. TRANS: Server error thrown on database error removing a registered e-mail address. #. TRANS: Server error thrown on database error updating IM preferences. #. TRANS: Server error thrown on database error removing a registered IM address. +#. TRANS: Server error displayed when "Other" settings in user profile could not be updated on the server. #. TRANS: Server error thrown when user profile settings could not be updated. #. TRANS: Server error thrown on database error updating SMS preferences. #. TRANS: Server error thrown on database error removing a registered SMS phone number. #: actions/confirmaddress.php:118 actions/emailsettings.php:331 #: actions/emailsettings.php:477 actions/imsettings.php:283 -#: actions/imsettings.php:442 actions/othersettings.php:174 +#: actions/imsettings.php:442 actions/othersettings.php:184 #: actions/profilesettings.php:326 actions/smssettings.php:308 #: actions/smssettings.php:464 msgid "Couldn't update user." @@ -1400,16 +1414,19 @@ msgstr "Konverzace" msgid "Notices" msgstr "Sdělení" -#: actions/deleteapplication.php:63 +#. TRANS: Client error displayed trying to delete an application while not logged in. +#: actions/deleteapplication.php:62 msgid "You must be logged in to delete an application." msgstr "Pro vymazání aplikace musíte být přihlášen." +#. TRANS: Client error displayed trying to delete an application that does not exist. #: actions/deleteapplication.php:71 msgid "Application not found." msgstr "Aplikace nebyla nalezena." +#. TRANS: Client error displayed trying to delete an application the current user does not own. #. TRANS: Client error displayed trying to edit an application while not being its owner. -#: actions/deleteapplication.php:78 actions/editapplication.php:78 +#: actions/deleteapplication.php:79 actions/editapplication.php:78 #: actions/showapplication.php:94 msgid "You are not the owner of this application." msgstr "Nejste vlastníkem této aplikace." @@ -1417,15 +1434,18 @@ msgstr "Nejste vlastníkem této aplikace." #. TRANS: Client error text when there is a problem with the session token. #: actions/deleteapplication.php:102 actions/editapplication.php:131 #: actions/newapplication.php:114 actions/showapplication.php:118 -#: lib/action.php:1354 +#: lib/action.php:1404 msgid "There was a problem with your session token." msgstr "Nastal problém s vaším session tokenem." -#: actions/deleteapplication.php:123 actions/deleteapplication.php:147 +#. TRANS: Title for delete application page. +#. TRANS: Fieldset legend on delete application page. +#: actions/deleteapplication.php:124 actions/deleteapplication.php:149 msgid "Delete application" msgstr "Odstranit aplikaci" -#: actions/deleteapplication.php:149 +#. TRANS: Confirmation text on delete application page. +#: actions/deleteapplication.php:152 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 " @@ -1435,12 +1455,12 @@ msgstr "" "aplikace z databáze, včetně všech existujících uživatelských spojení." #. TRANS: Submit button title for 'No' when deleting an application. -#: actions/deleteapplication.php:158 +#: actions/deleteapplication.php:161 msgid "Do not delete this application" msgstr "Neodstraňujte tuto aplikaci" #. TRANS: Submit button title for 'Yes' when deleting an application. -#: actions/deleteapplication.php:164 +#: actions/deleteapplication.php:167 msgid "Delete this application" msgstr "Odstranit tuto aplikaci" @@ -1476,13 +1496,14 @@ msgstr "Nelze aktualizovat skupinu." msgid "Deleted group %s" msgstr "%1$s opustil(a) skupinu %2$s" -#. TRANS: Title. +#. TRANS: Title of delete group page. #. TRANS: Form legend for deleting a group. #: actions/deletegroup.php:176 actions/deletegroup.php:202 #, fuzzy msgid "Delete group" msgstr "Smazat uživatele" +#. TRANS: Warning in form for deleleting a group. #: actions/deletegroup.php:206 #, fuzzy msgid "" @@ -1505,10 +1526,11 @@ msgstr "Neodstraňujte toto oznámení" msgid "Delete this group" msgstr "Odstranit tohoto uživatele" +#. TRANS: Error message displayed trying to delete a notice while not logged in. #. TRANS: Client error displayed when trying to unblock a user from a group while not logged in. #. TRANS: Client error displayed trying a change a subscription while not logged in. #. TRANS: Client error message thrown when trying to access the admin panel while not logged in. -#: actions/deletenotice.php:50 actions/disfavor.php:61 actions/favor.php:62 +#: actions/deletenotice.php:52 actions/disfavor.php:61 actions/favor.php:62 #: actions/groupblock.php:61 actions/groupunblock.php:60 actions/logout.php:69 #: actions/makeadmin.php:61 actions/newmessage.php:87 actions/newnotice.php:88 #: actions/nudge.php:63 actions/subedit.php:33 actions/subscribe.php:96 @@ -1518,11 +1540,13 @@ msgstr "Odstranit tohoto uživatele" msgid "Not logged in." msgstr "Nejste přihlášen(a)." -#: actions/deletenotice.php:74 +#. TRANS: Error message displayed trying to delete a notice that was not made by the current user. +#: actions/deletenotice.php:78 msgid "Can't delete this notice." msgstr "Toto oznámení nelze odstranit." -#: actions/deletenotice.php:106 +#. TRANS: Instructions for deleting a notice. +#: actions/deletenotice.php:110 msgid "" "You are about to permanently delete a notice. Once this is done, it cannot " "be undone." @@ -1530,21 +1554,24 @@ msgstr "" "Chystáte se trvale odstranit oznámení. Jakmile se tak stane, nemůže se " "odestát." -#: actions/deletenotice.php:112 actions/deletenotice.php:144 +#. TRANS: Page title when deleting a notice. +#. TRANS: Fieldset legend for the delete notice form. +#: actions/deletenotice.php:117 actions/deletenotice.php:148 msgid "Delete notice" msgstr "Odstranit oznámení" -#: actions/deletenotice.php:147 +#. TRANS: Message for the delete notice form. +#: actions/deletenotice.php:152 msgid "Are you sure you want to delete this notice?" msgstr "Jste si jisti, že chcete smazat tohoto oznámení?" #. TRANS: Submit button title for 'No' when deleting a notice. -#: actions/deletenotice.php:154 +#: actions/deletenotice.php:159 msgid "Do not delete this notice" msgstr "Neodstraňujte toto oznámení" #. TRANS: Submit button title for 'Yes' when deleting a notice. -#: actions/deletenotice.php:161 lib/noticelist.php:667 +#: actions/deletenotice.php:166 lib/noticelist.php:667 msgid "Delete this notice" msgstr "Odstranit toto oznámení" @@ -1707,11 +1734,9 @@ msgstr "Reset zpět do výchozího" #. TRANS: Submit button title. #: actions/designadminpanel.php:711 actions/licenseadminpanel.php:319 -#: actions/othersettings.php:126 actions/sessionsadminpanel.php:199 -#: actions/siteadminpanel.php:292 actions/sitenoticeadminpanel.php:195 +#: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:292 #: actions/snapshotadminpanel.php:245 actions/tagother.php:154 -#: actions/useradminpanel.php:295 lib/applicationeditform.php:357 -#: lib/designsettings.php:256 lib/groupeditform.php:202 +#: lib/applicationeditform.php:357 lib/designsettings.php:256 msgid "Save" msgstr "Uložit" @@ -1759,9 +1784,9 @@ msgid "Name is required." msgstr "Název je povinný." #. TRANS: Validation error shown when providing too long a name in the "Edit application" form. -#: actions/editapplication.php:188 +#: actions/editapplication.php:188 actions/newapplication.php:169 #, fuzzy -msgid "Name is too long (max 255 characters)." +msgid "Name is too long (maximum 255 characters)." msgstr "Jméno je moc dlouhé (maximální délka je 255 znaků)." #. TRANS: Validation error shown when providing a name for an application that already exists in the "Edit application" form. @@ -1790,7 +1815,7 @@ msgid "Organization is required." msgstr "Organizace je nutná." #. TRANS: Validation error shown when providing too long an arganisation name in the "Edit application" form. -#: actions/editapplication.php:223 +#: actions/editapplication.php:223 actions/newapplication.php:199 #, fuzzy msgid "Organization is too long (maximum 255 characters)." msgstr "Organizace je příliš dlouhá (max 255 znaků)." @@ -2586,7 +2611,7 @@ msgid "Publish a MicroID for my Jabber/GTalk address." msgstr "Publikovat MicroID pro mou Jabber / GTalk adresu." #. TRANS: Confirmation message for successful IM preferences save. -#: actions/imsettings.php:290 actions/othersettings.php:180 +#: actions/imsettings.php:290 actions/othersettings.php:190 msgid "Preferences saved." msgstr "Nastavení uloženo" @@ -2710,10 +2735,9 @@ msgstr[2] "Jste již přihlášeni k těmto uživatelům:" #. TRANS: Used as list item for already subscribed users (%1$s is nickname, %2$s is e-mail address). #. TRANS: Used as list item for already registered people (%1$s is nickname, %2$s is e-mail address). -#. TRANS: Whois output. -#. TRANS: %1$s nickname of the queried user, %2$s is their profile URL. -#: actions/invite.php:145 actions/invite.php:159 lib/command.php:426 -#, php-format +#: actions/invite.php:145 actions/invite.php:159 +#, fuzzy, php-format +msgctxt "INVITE" msgid "%1$s (%2$s)" msgstr "%1$s (%2$s)" @@ -2897,8 +2921,9 @@ msgid "" msgstr "" #: actions/licenseadminpanel.php:156 -msgid "Invalid license title. Max length is 255 characters." -msgstr "" +#, fuzzy +msgid "Invalid license title. Maximum length is 255 characters." +msgstr "Neplatné uvítací text. Max délka je 255 znaků." #: actions/licenseadminpanel.php:168 msgid "Invalid license URL." @@ -3071,20 +3096,10 @@ msgstr "Musíte být přihlášen k registraci aplikace." msgid "Use this form to register a new application." msgstr "Použijte tento formulář pro registraci nové aplikace." -#: actions/newapplication.php:169 -#, fuzzy -msgid "Name is too long (maximum 255 chars)." -msgstr "Jméno je moc dlouhé (maximální délka je 255 znaků)." - #: actions/newapplication.php:184 msgid "Source URL is required." msgstr "Zdrojové URL je nutné." -#: actions/newapplication.php:199 -#, fuzzy -msgid "Organization is too long (maximum 255 chars)." -msgstr "Organizace je příliš dlouhá (max 255 znaků)." - #: actions/newapplication.php:266 actions/newapplication.php:275 msgid "Could not create application." msgstr "Nelze vytvořit aplikaci." @@ -3104,7 +3119,7 @@ msgid "New message" msgstr "Nová zpráva" #. TRANS: Error text shown when trying to send a direct message to a user without a mutual subscription (each user must be subscribed to the other). -#: actions/newmessage.php:121 actions/newmessage.php:164 lib/command.php:499 +#: actions/newmessage.php:121 actions/newmessage.php:164 lib/command.php:501 msgid "You can't send a message to this user." msgstr "" "Nemůžete odesílat zprávy tomuto uživateli. (musíte být vzájemně prihlášení)" @@ -3112,7 +3127,7 @@ msgstr "" #. TRANS: Command exception text shown when trying to send a direct message to another user without content. #. TRANS: Command exception text shown when trying to reply to a notice without providing content for the reply. #: actions/newmessage.php:144 actions/newnotice.php:140 lib/command.php:478 -#: lib/command.php:579 +#: lib/command.php:581 msgid "No content!" msgstr "Chybí obsah!" @@ -3121,7 +3136,7 @@ msgid "No recipient specified." msgstr "Neuveden příjemce." #. TRANS: Error text shown when trying to send a direct message to self. -#: actions/newmessage.php:167 lib/command.php:503 +#: actions/newmessage.php:167 lib/command.php:505 msgid "" "Don't send a message to yourself; just say it to yourself quietly instead." msgstr "Neposílejte si zprávu, potichu si ji pro sebe řekněte." @@ -3132,12 +3147,12 @@ msgstr "Zpráva odeslána" #. TRANS: Message given have sent a direct message to another user. #. TRANS: %s is the name of the other user. -#: actions/newmessage.php:188 lib/command.php:511 +#: actions/newmessage.php:188 lib/command.php:513 #, php-format msgid "Direct message to %s sent." msgstr "Přímá zpráva pro %s odeslána." -#: actions/newmessage.php:213 actions/newnotice.php:263 +#: actions/newmessage.php:213 actions/newnotice.php:264 msgid "Ajax Error" msgstr "Ajax Chyba" @@ -3145,17 +3160,7 @@ msgstr "Ajax Chyba" msgid "New notice" msgstr "Nové sdělení" -#: actions/newnotice.php:159 lib/mailhandler.php:60 -#, php-format -msgid "That's too long. Max notice size is %d chars." -msgstr "Je to příliš dlouhé. Maximální délka sdělení je %d znaků" - -#: actions/newnotice.php:183 -#, php-format -msgid "Max notice size is %d chars, including attachment URL." -msgstr "Maximální délka notice je %d znaků včetně přiložené URL." - -#: actions/newnotice.php:229 +#: actions/newnotice.php:230 msgid "Notice posted" msgstr "Sdělení posláno" @@ -3324,36 +3329,46 @@ msgstr "Hledání lidí" msgid "Notice Search" msgstr "Hledání oznámení" -#: actions/othersettings.php:60 +#: actions/othersettings.php:59 msgid "Other settings" msgstr "Další nastavení" +#. TRANS: Instructions for tab "Other" in user profile settings. #: actions/othersettings.php:71 msgid "Manage various other options." msgstr "Správa různých dalších možností." -#: actions/othersettings.php:108 +#. TRANS: Used as a suffix for free URL shorteners in a dropdown list in the tab "Other" of a +#. TRANS: user's profile settings. This message has one space at the beginning. Use your +#. TRANS: language's word separator here if it has one (most likely a single space). +#: actions/othersettings.php:111 msgid " (free service)" msgstr " (Služba zdarma)" -#: actions/othersettings.php:116 +#. TRANS: Label for dropdown with URL shortener services. +#: actions/othersettings.php:120 msgid "Shorten URLs with" msgstr "Zkrácovat URL s" -#: actions/othersettings.php:117 +#. TRANS: Tooltip for for dropdown with URL shortener services. +#: actions/othersettings.php:122 msgid "Automatic shortening service to use." msgstr "Služba automatického zkracování, kterou použít." -#: actions/othersettings.php:122 +#. TRANS: Label for checkbox. +#: actions/othersettings.php:128 msgid "View profile designs" msgstr "Zobrazit vzhledy profilu" -#: actions/othersettings.php:123 +#. TRANS: Tooltip for checkbox. +#: actions/othersettings.php:130 msgid "Show or hide profile designs." msgstr "Zobrazit nebo skrýt vzhledy profilu." -#: actions/othersettings.php:153 -msgid "URL shortening service is too long (max 50 chars)." +#. TRANS: Form validation error for form "Other settings" in user profile. +#: actions/othersettings.php:162 +#, fuzzy +msgid "URL shortening service is too long (maximum 50 characters)." msgstr "adresa služby zkracování URL je příliš dlouhá (max. 50 znaků)." #: actions/otp.php:69 @@ -3844,7 +3859,7 @@ msgstr "O mě" #. TRANS: Label for group location (dt). Text hidden by default. #: actions/profilesettings.php:149 actions/register.php:485 #: actions/showgroup.php:267 actions/tagother.php:112 -#: actions/userauthorization.php:166 lib/groupeditform.php:177 +#: actions/userauthorization.php:166 lib/groupeditform.php:180 #: lib/userprofile.php:165 msgid "Location" msgstr "Umístění" @@ -4181,7 +4196,8 @@ msgid "Unexpected password reset." msgstr "Nečekané resetování hesla." #: actions/recoverpassword.php:365 -msgid "Password must be 6 chars or more." +#, fuzzy +msgid "Password must be 6 characters or more." msgstr "Heslo musí být alespoň 6 znaků dlouhé" #: actions/recoverpassword.php:369 @@ -4554,7 +4570,7 @@ msgstr "Organizace" #. TRANS: Form input field label. #: actions/showapplication.php:187 actions/version.php:200 -#: lib/applicationeditform.php:208 lib/groupeditform.php:172 +#: lib/applicationeditform.php:208 lib/groupeditform.php:175 msgid "Description" msgstr "Popis" @@ -4705,7 +4721,7 @@ msgid "Note" msgstr "Poznámka" #. TRANS: Label for group aliases (dt). Text hidden by default. -#: actions/showgroup.php:298 lib/groupeditform.php:184 +#: actions/showgroup.php:298 lib/groupeditform.php:187 msgid "Aliases" msgstr "Aliasy" @@ -4837,47 +4853,67 @@ msgstr "Zpráva od %1$s na %2$s" msgid "Notice deleted." msgstr "Oznámení smazáno." -#: actions/showstream.php:72 -#, php-format -msgid " tagged %s" -msgstr "označen %s" +#. TRANS: Page title showing tagged notices in one user's stream. %1$s is the username, %2$s is the hash tag. +#: actions/showstream.php:70 +#, fuzzy, php-format +msgid "%1$s tagged %2$s" +msgstr "%1$s, strana %2$d" -#: actions/showstream.php:78 +#. TRANS: Page title showing tagged notices in one user's stream. +#. TRANS: %1$s is the username, %2$s is the hash tag, %1$d is the page number. +#: actions/showstream.php:74 +#, fuzzy, php-format +msgid "%1$s tagged %2$s, page %3$d" +msgstr "Oznámení označená %1$s, strana %2$d" + +#. TRANS: Extended page title showing tagged notices in one user's stream. +#. TRANS: %1$s is the username, %2$d is the page number. +#: actions/showstream.php:82 #, php-format msgid "%1$s, page %2$d" msgstr "%1$s, strana %2$d" -#: actions/showstream.php:120 +#. TRANS: Title for link to notice feed. +#. TRANS: %1$s is a user nickname, %2$s is a hashtag. +#: actions/showstream.php:127 #, php-format msgid "Notice feed for %1$s tagged %2$s (RSS 1.0)" msgstr "Feed oznámení pro %1$s otagovaných %2$s (RSS 1.0)" -#: actions/showstream.php:127 +#. TRANS: Title for link to notice feed. +#. TRANS: %s is a user nickname. +#: actions/showstream.php:136 #, php-format msgid "Notice feed for %s (RSS 1.0)" msgstr "Feed oznámení pro %1$s (RSS 1.0)" -#: actions/showstream.php:134 +#. TRANS: Title for link to notice feed. +#. TRANS: %s is a user nickname. +#: actions/showstream.php:145 #, php-format msgid "Notice feed for %s (RSS 2.0)" msgstr "Feed oznámení pro %1$s (RSS 2.0)" -#: actions/showstream.php:141 +#: actions/showstream.php:152 #, php-format msgid "Notice feed for %s (Atom)" msgstr "Feed oznámení pro %1$s (Atom)" -#: actions/showstream.php:146 +#. TRANS: Title for link to notice feed. FOAF stands for Friend of a Friend. +#. TRANS: More information at http://www.foaf-project.org. %s is a user nickname. +#: actions/showstream.php:159 #, php-format msgid "FOAF for %s" msgstr "FOAF pro %s" -#: actions/showstream.php:197 -#, php-format -msgid "This is the timeline for %1$s but %2$s hasn't posted anything yet." +#. TRANS: First sentence of empty list message for a stream. $1%s is a user nickname. +#: actions/showstream.php:211 +#, fuzzy, php-format +msgid "This is the timeline for %1$s, but %1$s hasn't posted anything yet." msgstr "Toto je časová osa pro %1$s, ale %2$s zatím ničím nepřispěli." -#: actions/showstream.php:202 +#. TRANS: Second sentence of empty list message for a stream for the user themselves. +#: actions/showstream.php:217 msgid "" "Seen anything interesting recently? You haven't posted any notices yet, now " "would be a good time to start :)" @@ -4885,7 +4921,9 @@ msgstr "" "Viděli jste v poslední době zajímavého? Nemáte zatím žádné oznámení, teď by " "byl dobrý čas začít:)" -#: actions/showstream.php:204 +#. TRANS: Second sentence of empty list message for a non-self stream. %1$s is a user nickname, %2$s is a part of a URL. +#. TRANS: This message contains a Markdown link. Keep "](" together. +#: actions/showstream.php:221 #, php-format msgid "" "You can try to nudge %1$s or [post something to them](%%%%action.newnotice%%%" @@ -4894,7 +4932,9 @@ msgstr "" "Můžete se pokusit uživatele %1$s postrčit nebo [jim něco poslat](%%%%action." "newnotice%%%%?status_textarea=%2$s)." -#: actions/showstream.php:243 +#. TRANS: Announcement for anonymous users showing a stream if site registrations are open. +#. TRANS: This message contains a Markdown link. Keep "](" together. +#: actions/showstream.php:264 #, php-format msgid "" "**%s** has an account on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -4907,7 +4947,9 @@ msgstr "" "(http://status.net/). [Zaregistrujte se](%%%%action.register%%%%) a sledujte " "oznámení od **%s**a mnoha dalších! ([Čtěte více](%%%%doc.help%%%%))" -#: actions/showstream.php:248 +#. TRANS: Announcement for anonymous users showing a stream if site registrations are closed or invite only. +#. TRANS: This message contains a Markdown link. Keep "](" together. +#: actions/showstream.php:271 #, php-format msgid "" "**%s** has an account on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -4918,7 +4960,8 @@ msgstr "" "napoveda-faq#mikroblog) službě založené na Free Software nástroji [StatusNet]" "(http://status.net/). " -#: actions/showstream.php:305 +#. TRANS: Link to the author of a repeated notice. %s is a linked nickname. +#: actions/showstream.php:328 #, php-format msgid "Repeat of %s" msgstr "Opakování %s" @@ -5029,31 +5072,40 @@ msgid "How long users must wait (in seconds) to post the same thing again." msgstr "" "Jak dlouho uživatel musí čekat (v sekundách) než může poslat totéž znovu." -#: actions/sitenoticeadminpanel.php:56 +#. TRANS: Page title for site-wide notice tab in admin panel. +#: actions/sitenoticeadminpanel.php:55 msgid "Site Notice" msgstr "Oznámení stránky" -#: actions/sitenoticeadminpanel.php:67 +#. TRANS: Instructions for site-wide notice tab in admin panel. +#: actions/sitenoticeadminpanel.php:66 msgid "Edit site-wide message" msgstr "Upravit celo-webovou zprávu" -#: actions/sitenoticeadminpanel.php:103 +#. TRANS: Server error displayed when saving a site-wide notice was impossible. +#: actions/sitenoticeadminpanel.php:101 msgid "Unable to save site notice." msgstr "Problém při ukládání sdělení stránky" -#: actions/sitenoticeadminpanel.php:113 -msgid "Max length for the site-wide notice is 255 chars." +#. TRANS: Client error displayed when a site-wide notice was longer than allowed. +#: actions/sitenoticeadminpanel.php:112 +#, fuzzy +msgid "Maximum length for the site-wide notice is 255 characters." msgstr "Max délka pro celo-webové oznámení je 255 znaků." +#. TRANS: Label for site-wide notice text field in admin panel. #: actions/sitenoticeadminpanel.php:176 msgid "Site notice text" msgstr "Text sdělení stránky" -#: actions/sitenoticeadminpanel.php:178 -msgid "Site-wide notice text (255 chars max; HTML okay)" +#. TRANS: Tooltip for site-wide notice text field in admin panel. +#: actions/sitenoticeadminpanel.php:179 +#, fuzzy +msgid "Site-wide notice text (255 characters maximum; HTML allowed)" msgstr "Celo-webové sdělení (255 znaků max., s HTML)" -#: actions/sitenoticeadminpanel.php:198 +#. TRANS: Title for button to save site notice in admin panel. +#: actions/sitenoticeadminpanel.php:201 msgid "Save site notice" msgstr "Uložit oznámení stránky" @@ -5518,75 +5570,93 @@ msgstr "" "Licence naslouchaného '%1$s' není kompatibilní s licencí stránky '%2$s'." #. TRANS: User admin panel title -#: actions/useradminpanel.php:60 +#: actions/useradminpanel.php:58 msgctxt "TITLE" msgid "User" msgstr "Uživatel" -#: actions/useradminpanel.php:71 +#. TRANS: Instruction for user admin panel. +#: actions/useradminpanel.php:69 msgid "User settings for this StatusNet site" msgstr "" -#: actions/useradminpanel.php:150 +#. TRANS: Form validation error in user admin panel when a non-numeric character limit was set. +#: actions/useradminpanel.php:147 msgid "Invalid bio limit. Must be numeric." msgstr "Neplatný bio limit. Musí být číslo." -#: actions/useradminpanel.php:156 -msgid "Invalid welcome text. Max length is 255 characters." +#. TRANS: Form validation error in user admin panel when welcome text is too long. +#: actions/useradminpanel.php:154 +#, fuzzy +msgid "Invalid welcome text. Maximum length is 255 characters." msgstr "Neplatné uvítací text. Max délka je 255 znaků." +#. TRANS: Client error displayed when trying to set a non-existing user as default subscription for new +#. TRANS: users in user admin panel. %1$s is the invalid nickname. #: actions/useradminpanel.php:166 -#, php-format -msgid "Invalid default subscripton: '%1$s' is not user." +#, fuzzy, php-format +msgid "Invalid default subscripton: '%1$s' is not a user." msgstr "Neplatné výchozí přihlášení: '%1$s' není uživatel." #. TRANS: Link description in user account settings menu. -#: actions/useradminpanel.php:219 lib/accountsettingsaction.php:106 +#: actions/useradminpanel.php:215 lib/accountsettingsaction.php:106 #: lib/personalgroupnav.php:109 msgid "Profile" msgstr "Profil" -#: actions/useradminpanel.php:223 +#. TRANS: Field label in user admin panel for setting the character limit for the bio field. +#: actions/useradminpanel.php:220 msgid "Bio Limit" msgstr "Limit Bia" -#: actions/useradminpanel.php:224 +#. TRANS: Tooltip in user admin panel for setting the character limit for the bio field. +#: actions/useradminpanel.php:222 msgid "Maximum length of a profile bio in characters." msgstr "Maximální počet znaků bia profilu." -#: actions/useradminpanel.php:232 +#. TRANS: Form legend in user admin panel. +#: actions/useradminpanel.php:231 msgid "New users" msgstr "Noví uživatelé" +#. TRANS: Field label in user admin panel for setting new user welcome text. #: actions/useradminpanel.php:236 msgid "New user welcome" msgstr "Uvítání nového uživatele" -#: actions/useradminpanel.php:237 -msgid "Welcome text for new users (Max 255 chars)." +#. TRANS: Tooltip in user admin panel for setting new user welcome text. +#: actions/useradminpanel.php:238 +#, fuzzy +msgid "Welcome text for new users (maximum 255 characters)." msgstr "Uvítání nových uživatel (Max 255 znaků)." -#: actions/useradminpanel.php:242 +#. TRANS: Field label in user admin panel for setting default subscription for new users. +#: actions/useradminpanel.php:244 msgid "Default subscription" msgstr "Výchozí odběr" -#: actions/useradminpanel.php:243 +#. TRANS: Tooltip in user admin panel for setting default subscription for new users. +#: actions/useradminpanel.php:246 msgid "Automatically subscribe new users to this user." msgstr "Automaticky přihlásit nové uživatele k tomuto uživateli." -#: actions/useradminpanel.php:252 +#. TRANS: Form legend in user admin panel. +#: actions/useradminpanel.php:256 msgid "Invitations" msgstr "Pozvánky" -#: actions/useradminpanel.php:257 +#. TRANS: Field label for checkbox in user admin panel for allowing users to invite friend using site e-mail. +#: actions/useradminpanel.php:262 msgid "Invitations enabled" msgstr "Pozvánky povoleny" -#: actions/useradminpanel.php:259 +#. TRANS: Tooltip for checkbox in user admin panel for allowing users to invite friend using site e-mail. +#: actions/useradminpanel.php:265 msgid "Whether to allow users to invite new users." msgstr "Zda chcete uživatelům umožnit pozvat nové uživatele." -#: actions/useradminpanel.php:295 +#. TRANS: Title for button to save user settings in user admin panel. +#: actions/useradminpanel.php:302 msgid "Save user settings" msgstr "" @@ -5797,7 +5867,7 @@ msgid "Plugins" msgstr "Pluginy" #. TRANS: Secondary navigation menu option leading to version information on the StatusNet site. -#: actions/version.php:198 lib/action.php:831 +#: actions/version.php:198 lib/action.php:880 msgid "Version" msgstr "Verze" @@ -6006,16 +6076,23 @@ msgstr "Nelze uložit místní info skupiny." msgid "RT @%1$s %2$s" msgstr "RT @%1$s %2$s" +#. TRANS: Full name of a profile or group followed by nickname in parens +#: classes/Profile.php:164 +#, fuzzy, php-format +msgctxt "FANCYNAME" +msgid "%1$s (%2$s)" +msgstr "%1$s (%2$s)" + #. TRANS: Exception thrown when trying to revoke an existing role for a user that does not exist. #. TRANS: %1$s is the role name, %2$s is the user ID (number). -#: classes/Profile.php:791 +#: classes/Profile.php:812 #, php-format msgid "Cannot revoke role \"%1$s\" for user #%2$d; does not exist." msgstr "Nelze zrušit roli \"%1$s\" pro uživatele #%2$d, neexistuje." #. TRANS: Exception thrown when trying to revoke a role for a user with a failing database query. #. TRANS: %1$s is the role name, %2$s is the user ID (number). -#: classes/Profile.php:800 +#: classes/Profile.php:821 #, php-format msgid "Cannot revoke role \"%1$s\" for user #%2$d; database error." msgstr "Nelze zrušit roli \"%1$s\" pro uživatele #%2$d, chyba databáze." @@ -6160,194 +6237,201 @@ msgstr "%1$s - %2$s" msgid "Untitled page" msgstr "stránka bez názvu" +#. TRANS: Localized tooltip for '...' expansion button on overlong remote messages. +#: lib/action.php:310 +msgctxt "TOOLTIP" +msgid "Show more" +msgstr "" + #. TRANS: DT element for primary navigation menu. String is hidden in default CSS. -#: lib/action.php:477 +#: lib/action.php:526 msgid "Primary site navigation" msgstr "Primární navigace na webu" #. TRANS: Tooltip for main menu option "Personal" -#: lib/action.php:483 +#: lib/action.php:532 msgctxt "TOOLTIP" msgid "Personal profile and friends timeline" msgstr "Osobní profil a časová osa přátel" #. TRANS: Main menu option when logged in for access to personal profile and friends timeline -#: lib/action.php:486 +#: lib/action.php:535 msgctxt "MENU" msgid "Personal" msgstr "Osobní" #. TRANS: Tooltip for main menu option "Account" -#: lib/action.php:488 +#: lib/action.php:537 msgctxt "TOOLTIP" msgid "Change your email, avatar, password, profile" msgstr "Změňte svůj e-mail, avatar, heslo, profil" #. TRANS: Main menu option when logged in for access to user settings -#: lib/action.php:491 +#: lib/action.php:540 msgid "Account" msgstr "Účet" #. TRANS: Tooltip for main menu option "Services" -#: lib/action.php:493 +#: lib/action.php:542 msgctxt "TOOLTIP" msgid "Connect to services" msgstr "Připojení ke službám" #. TRANS: Main menu option when logged in and connection are possible for access to options to connect to other services -#: lib/action.php:496 +#: lib/action.php:545 msgid "Connect" msgstr "Připojit" #. TRANS: Tooltip for menu option "Admin" -#: lib/action.php:499 +#: lib/action.php:548 msgctxt "TOOLTIP" msgid "Change site configuration" msgstr "Změna konfigurace webu" #. TRANS: Main menu option when logged in and site admin for access to site configuration #. TRANS: Menu item in the group navigation page. Only shown for group administrators. -#: lib/action.php:502 lib/groupnav.php:117 +#: lib/action.php:551 lib/groupnav.php:117 msgctxt "MENU" msgid "Admin" msgstr "Admin" #. TRANS: Tooltip for main menu option "Invite" -#: lib/action.php:506 +#: lib/action.php:555 #, php-format msgctxt "TOOLTIP" msgid "Invite friends and colleagues to join you on %s" msgstr "Pozvěte přátele a kolegy, aby se k vám připojili na %s" #. TRANS: Main menu option when logged in and invitations are allowed for inviting new users -#: lib/action.php:509 +#: lib/action.php:558 msgctxt "MENU" msgid "Invite" msgstr "Pozvat" #. TRANS: Tooltip for main menu option "Logout" -#: lib/action.php:515 +#: lib/action.php:564 msgctxt "TOOLTIP" msgid "Logout from the site" msgstr "Odhlášení z webu" #. TRANS: Main menu option when logged in to log out the current user -#: lib/action.php:518 +#: lib/action.php:567 msgctxt "MENU" msgid "Logout" msgstr "Odhlásit se" #. TRANS: Tooltip for main menu option "Register" -#: lib/action.php:523 +#: lib/action.php:572 msgctxt "TOOLTIP" msgid "Create an account" msgstr "Zaregistrujte se" #. TRANS: Main menu option when not logged in to register a new account -#: lib/action.php:526 +#: lib/action.php:575 msgctxt "MENU" msgid "Register" msgstr "Registrovat" #. TRANS: Tooltip for main menu option "Login" -#: lib/action.php:529 +#: lib/action.php:578 msgctxt "TOOLTIP" msgid "Login to the site" msgstr "Přihlásit se na stránky" #. TRANS: Main menu option when not logged in to log in -#: lib/action.php:532 +#: lib/action.php:581 msgctxt "MENU" msgid "Login" msgstr "Přihlásit" #. TRANS: Tooltip for main menu option "Help" -#: lib/action.php:535 +#: lib/action.php:584 msgctxt "TOOLTIP" msgid "Help me!" msgstr "Nápověda" #. TRANS: Main menu option for help on the StatusNet site -#: lib/action.php:538 +#: lib/action.php:587 msgctxt "MENU" msgid "Help" msgstr "Nápověda" #. TRANS: Tooltip for main menu option "Search" -#: lib/action.php:541 +#: lib/action.php:590 msgctxt "TOOLTIP" msgid "Search for people or text" msgstr "Vyhledávání osob nebo textu" #. TRANS: Main menu option when logged in or when the StatusNet instance is not private -#: lib/action.php:544 +#: lib/action.php:593 msgctxt "MENU" msgid "Search" msgstr "Hledat" #. TRANS: DT element for site notice. String is hidden in default CSS. #. TRANS: Menu item for site administration -#: lib/action.php:566 lib/adminpanelaction.php:387 +#: lib/action.php:615 lib/adminpanelaction.php:387 msgid "Site notice" msgstr "Sdělení" #. TRANS: DT element for local views block. String is hidden in default CSS. -#: lib/action.php:633 +#: lib/action.php:682 msgid "Local views" msgstr "Místní zobrazení" #. TRANS: DT element for page notice. String is hidden in default CSS. -#: lib/action.php:703 +#: lib/action.php:752 msgid "Page notice" msgstr "Sdělení stránky" #. TRANS: DT element for secondary navigation menu. String is hidden in default CSS. -#: lib/action.php:804 +#: lib/action.php:853 msgid "Secondary site navigation" msgstr "Sekundární navigace na webu" #. TRANS: Secondary navigation menu option leading to help on StatusNet. -#: lib/action.php:810 +#: lib/action.php:859 msgid "Help" msgstr "Nápověda" #. TRANS: Secondary navigation menu option leading to text about StatusNet site. -#: lib/action.php:813 +#: lib/action.php:862 msgid "About" msgstr "O nás" #. TRANS: Secondary navigation menu option leading to Frequently Asked Questions. -#: lib/action.php:816 +#: lib/action.php:865 msgid "FAQ" msgstr "FAQ" #. TRANS: Secondary navigation menu option leading to Terms of Service. -#: lib/action.php:821 +#: lib/action.php:870 msgid "TOS" msgstr "TOS (pravidla použití služby)" #. TRANS: Secondary navigation menu option leading to privacy policy. -#: lib/action.php:825 +#: lib/action.php:874 msgid "Privacy" msgstr "Soukromí" -#. TRANS: Secondary navigation menu option. -#: lib/action.php:828 +#. TRANS: Secondary navigation menu option. Leads to information about StatusNet and its license. +#: lib/action.php:877 msgid "Source" msgstr "Zdroj" -#. TRANS: Secondary navigation menu option leading to contact information on the StatusNet site. -#: lib/action.php:834 +#. TRANS: Secondary navigation menu option leading to e-mail contact information on the +#. TRANS: StatusNet site, where to report bugs, ... +#: lib/action.php:884 msgid "Contact" msgstr "Kontakt" -#. TRANS: Secondary navigation menu option. -#: lib/action.php:837 +#. TRANS: Secondary navigation menu option. Leads to information about embedding a timeline widget. +#: lib/action.php:887 msgid "Badge" msgstr "Odznak" #. TRANS: DT element for StatusNet software license. -#: lib/action.php:866 +#: lib/action.php:916 msgid "StatusNet software license" msgstr "Licence softwaru StatusNet" @@ -6355,7 +6439,7 @@ msgstr "Licence softwaru StatusNet" #. TRANS: Text between [] is a link description, text between () is the link itself. #. TRANS: Make sure there is no whitespace between "]" and "(". #. TRANS: "%%site.broughtby%%" is the value of the variable site.broughtby -#: lib/action.php:873 +#: lib/action.php:923 #, php-format msgid "" "**%%site.name%%** is a microblogging service brought to you by [%%site." @@ -6365,7 +6449,7 @@ msgstr "" "broughtby%%](%%site.broughtbyurl%%)." #. TRANS: First sentence of the StatusNet site license. Used if 'broughtby' is not set. -#: lib/action.php:876 +#: lib/action.php:926 #, php-format msgid "**%%site.name%%** is a microblogging service." msgstr "**%%site.name%%** je služba mikroblogů." @@ -6374,7 +6458,7 @@ msgstr "**%%site.name%%** je služba mikroblogů." #. TRANS: Make sure there is no whitespace between "]" and "(". #. TRANS: Text between [] is a link description, text between () is the link itself. #. TRANS: %s is the version of StatusNet that is being used. -#: lib/action.php:883 +#: lib/action.php:933 #, php-format msgid "" "It runs the [StatusNet](http://status.net/) microblogging software, version %" @@ -6386,50 +6470,50 @@ msgstr "" "licensing/licenses/agpl-3.0.html)." #. TRANS: DT element for StatusNet site content license. -#: lib/action.php:899 +#: lib/action.php:949 msgid "Site content license" msgstr "Licence k obsahu stránek" #. TRANS: Content license displayed when license is set to 'private'. #. TRANS: %1$s is the site name. -#: lib/action.php:906 +#: lib/action.php:956 #, php-format msgid "Content and data of %1$s are private and confidential." msgstr "Obsah a data z %1$S jsou soukromé a důvěrné." #. TRANS: Content license displayed when license is set to 'allrightsreserved'. #. TRANS: %1$s is the copyright owner. -#: lib/action.php:913 +#: lib/action.php:963 #, php-format msgid "Content and data copyright by %1$s. All rights reserved." msgstr "Obsah a data copyright %1$s. Všechna práva vyhrazena." #. TRANS: Content license displayed when license is set to 'allrightsreserved' and no owner is set. -#: lib/action.php:917 +#: lib/action.php:967 msgid "Content and data copyright by contributors. All rights reserved." msgstr "Obsah a data copyright přispěvatelů. Všechna práva vyhrazena." #. TRANS: license message in footer. #. TRANS: %1$s is the site name, %2$s is a link to the license URL, with a licence name set in configuration. -#: lib/action.php:949 +#: lib/action.php:999 #, php-format msgid "All %1$s content and data are available under the %2$s license." msgstr "Všechen obsah a data %1$s jsou k dispozici v rámci licence %2$s." #. TRANS: DT element for pagination (previous/next, etc.). -#: lib/action.php:1285 +#: lib/action.php:1335 msgid "Pagination" msgstr "Stránkování" #. TRANS: Pagination message to go to a page displaying information more in the #. TRANS: present than the currently displayed information. -#: lib/action.php:1296 +#: lib/action.php:1346 msgid "After" msgstr "Po" #. TRANS: Pagination message to go to a page displaying information more in the #. TRANS: past than the currently displayed information. -#: lib/action.php:1306 +#: lib/action.php:1356 msgid "Before" msgstr "Před" @@ -6775,7 +6859,7 @@ msgid "AJAX error" msgstr "Ajax Chyba" #. TRANS: E-mail subject when a command has completed. -#: lib/channel.php:233 lib/mailhandler.php:142 +#: lib/channel.php:233 lib/mailhandler.php:143 msgid "Command complete" msgstr "Příkaz dokončen" @@ -6791,7 +6875,7 @@ msgstr "Oznámení s tímto id neexistuje." #. TRANS: Command exception text shown when a last user notice is requested and it does not exist. #. TRANS: Error text shown when a last user notice is requested and it does not exist. -#: lib/command.php:99 lib/command.php:626 +#: lib/command.php:99 lib/command.php:630 msgid "User has no last notice." msgstr "Uživatel nemá žádné poslední oznámení" @@ -6860,6 +6944,14 @@ msgstr "%1$s se připojil(a) ke skupině %2$s." msgid "%1$s left group %2$s." msgstr "%1$s opustil(a) skupinu %2$s." +#. TRANS: Whois output. +#. TRANS: %1$s nickname of the queried user, %2$s is their profile URL. +#: lib/command.php:426 +#, fuzzy, php-format +msgctxt "WHOIS" +msgid "%1$s (%2$s)" +msgstr "%1$s (%2$s)" + #. TRANS: Whois output. %s is the full name of the queried user. #: lib/command.php:430 #, php-format @@ -6899,133 +6991,139 @@ msgstr "" "%s je vzdálený profil, přímé zprávy můžete odesílat pouze pro uživatele na " "stejném serveru." -#. TRANS: Message given if content is too long. +#. TRANS: Message given if content is too long. %1$sd is used for plural. #. TRANS: %1$d is the maximum number of characters, %2$d is the number of submitted characters. #: lib/command.php:488 -#, php-format -msgid "Message too long - maximum is %1$d characters, you sent %2$d." -msgstr "Zpráva je příliš dlouhá - maximum je %1$d znaků, poslal jsi %2$d." +#, fuzzy, php-format +msgid "Message too long - maximum is %1$d character, you sent %2$d." +msgid_plural "Message too long - maximum is %1$d characters, you sent %2$d." +msgstr[0] "Zpráva je příliš dlouhá - maximum je %1$d znaků, poslal jsi %2$d." +msgstr[1] "Zpráva je příliš dlouhá - maximum je %1$d znaků, poslal jsi %2$d." +msgstr[2] "Zpráva je příliš dlouhá - maximum je %1$d znaků, poslal jsi %2$d." #. TRANS: Error text shown sending a direct message fails with an unknown reason. -#: lib/command.php:514 +#: lib/command.php:516 msgid "Error sending direct message." msgstr "Chyba při odesílání přímé zprávy." #. TRANS: Message given having repeated a notice from another user. #. TRANS: %s is the name of the user for which the notice was repeated. -#: lib/command.php:551 +#: lib/command.php:553 #, php-format msgid "Notice from %s repeated." msgstr "Oznámení od %s opakováno." #. TRANS: Error text shown when repeating a notice fails with an unknown reason. -#: lib/command.php:554 +#: lib/command.php:556 msgid "Error repeating notice." msgstr "Chyba nastavení uživatele" -#. TRANS: Message given if content of a notice for a reply is too long. +#. TRANS: Message given if content of a notice for a reply is too long. %1$d is used for plural. #. TRANS: %1$d is the maximum number of characters, %2$d is the number of submitted characters. -#: lib/command.php:589 -#, php-format -msgid "Notice too long - maximum is %1$d characters, you sent %2$d." -msgstr "Oznámení je příliš dlouhé - maximum je %1$d znaků, poslal jsi %2$d." +#: lib/command.php:591 +#, fuzzy, php-format +msgid "Notice too long - maximum is %1$d character, you sent %2$d." +msgid_plural "Notice too long - maximum is %1$d characters, you sent %2$d." +msgstr[0] "Oznámení je příliš dlouhé - maximum je %1$d znaků, poslal jsi %2$d." +msgstr[1] "Oznámení je příliš dlouhé - maximum je %1$d znaků, poslal jsi %2$d." +msgstr[2] "Oznámení je příliš dlouhé - maximum je %1$d znaků, poslal jsi %2$d." #. TRANS: Text shown having sent a reply to a notice successfully. #. TRANS: %s is the nickname of the user of the notice the reply was sent to. -#: lib/command.php:600 +#: lib/command.php:604 #, php-format msgid "Reply to %s sent." msgstr "Odpověď %s odeslána." #. TRANS: Error text shown when a reply to a notice fails with an unknown reason. -#: lib/command.php:603 +#: lib/command.php:607 msgid "Error saving notice." msgstr "Problém při ukládání sdělení." #. TRANS: Error text shown when no username was provided when issuing a subscribe command. -#: lib/command.php:650 +#: lib/command.php:654 msgid "Specify the name of the user to subscribe to." msgstr "Uveďte jméno uživatele ke kterému se přihlásit." #. TRANS: Command exception text shown when trying to subscribe to an OMB profile using the subscribe command. -#: lib/command.php:659 +#: lib/command.php:663 msgid "Can't subscribe to OMB profiles by command." msgstr "Nelze se přihlásit k odběru OMB profilů příkazem." #. TRANS: Text shown after having subscribed to another user successfully. #. TRANS: %s is the name of the user the subscription was requested for. -#: lib/command.php:667 +#: lib/command.php:671 #, php-format msgid "Subscribed to %s." msgstr "Přihlášeno k %s." #. TRANS: Error text shown when no username was provided when issuing an unsubscribe command. #. TRANS: Error text shown when no username was provided when issuing the command. -#: lib/command.php:688 lib/command.php:799 +#: lib/command.php:692 lib/command.php:803 msgid "Specify the name of the user to unsubscribe from." msgstr "Uveďte jméno uživatele od kterého se odhlásit." #. TRANS: Text shown after having unsubscribed from another user successfully. #. TRANS: %s is the name of the user the unsubscription was requested for. -#: lib/command.php:699 +#: lib/command.php:703 #, php-format msgid "Unsubscribed from %s." msgstr "Odhlášeno od %s." #. TRANS: Error text shown when issuing the command "off" with a setting which has not yet been implemented. #. TRANS: Error text shown when issuing the command "on" with a setting which has not yet been implemented. -#: lib/command.php:719 lib/command.php:745 +#: lib/command.php:723 lib/command.php:749 msgid "Command not yet implemented." msgstr "Příkaz ještě nebyl implementován." #. TRANS: Text shown when issuing the command "off" successfully. -#: lib/command.php:723 +#: lib/command.php:727 msgid "Notification off." msgstr "Oznámení vypnuta." #. TRANS: Error text shown when the command "off" fails for an unknown reason. -#: lib/command.php:726 +#: lib/command.php:730 msgid "Can't turn off notification." msgstr "Nelze vypnout oznámení." #. TRANS: Text shown when issuing the command "on" successfully. -#: lib/command.php:749 +#: lib/command.php:753 msgid "Notification on." msgstr "Oznámení zapnuta." #. TRANS: Error text shown when the command "on" fails for an unknown reason. -#: lib/command.php:752 +#: lib/command.php:756 msgid "Can't turn on notification." msgstr "Nelze zapnout oznámení." #. TRANS: Error text shown when issuing the login command while login is disabled. -#: lib/command.php:766 +#: lib/command.php:770 msgid "Login command is disabled." msgstr "Příkaz login je vypnut." #. TRANS: Text shown after issuing the login command successfully. #. TRANS: %s is a logon link.. -#: lib/command.php:779 +#: lib/command.php:783 #, php-format msgid "This link is useable only once and is valid for only 2 minutes: %s." msgstr "Tento odkaz je použitelný pouze jednou a je platný pouze 2 minuty: %s." #. TRANS: Text shown after issuing the lose command successfully (stop another user from following the current user). #. TRANS: %s is the name of the user the unsubscription was requested for. -#: lib/command.php:808 +#: lib/command.php:812 #, php-format msgid "Unsubscribed %s." msgstr "%s odhlášen." #. TRANS: Text shown after requesting other users a user is subscribed to without having any subscriptions. -#: lib/command.php:826 +#: lib/command.php:830 msgid "You are not subscribed to anyone." msgstr "Nejste přihlášen k nikomu." #. TRANS: Text shown after requesting other users a user is subscribed to. #. TRANS: This message supports plural forms. This message is followed by a #. TRANS: hard coded space and a comma separated list of subscribed users. -#: lib/command.php:831 +#: lib/command.php:835 msgid "You are subscribed to this person:" msgid_plural "You are subscribed to these people:" msgstr[0] "Jste přihlášeni k této osobě:" @@ -7034,14 +7132,14 @@ msgstr[2] "Jste přihlášeni k těmto lidem:" #. TRANS: Text shown after requesting other users that are subscribed to a user #. TRANS: (followers) without having any subscribers. -#: lib/command.php:853 +#: lib/command.php:857 msgid "No one is subscribed to you." msgstr "Nikdo k vám není přihlášen." #. TRANS: Text shown after requesting other users that are subscribed to a user (followers). #. TRANS: This message supports plural forms. This message is followed by a #. TRANS: hard coded space and a comma separated list of subscribing users. -#: lib/command.php:858 +#: lib/command.php:862 msgid "This person is subscribed to you:" msgid_plural "These people are subscribed to you:" msgstr[0] "Tato osoba je k vám přihlášena:" @@ -7050,14 +7148,14 @@ msgstr[2] "Tito lidé jsou k vám přihlášeni:" #. TRANS: Text shown after requesting groups a user is subscribed to without having #. TRANS: any group subscriptions. -#: lib/command.php:880 +#: lib/command.php:884 msgid "You are not a member of any groups." msgstr "Nejste členem žádné skupiny." #. TRANS: Text shown after requesting groups a user is subscribed to. #. TRANS: This message supports plural forms. This message is followed by a #. TRANS: hard coded space and a comma separated list of subscribed groups. -#: lib/command.php:885 +#: lib/command.php:889 msgid "You are a member of this group:" msgid_plural "You are a member of these groups:" msgstr[0] "Jste členem této skupiny:" @@ -7065,7 +7163,7 @@ msgstr[1] "Jste členem těchto skupin:" msgstr[2] "" #. TRANS: Help text for commands. Do not translate the command names themselves; they are fixed strings. -#: lib/command.php:900 +#: lib/command.php:904 msgid "" "Commands:\n" "on - turn on notifications\n" @@ -7296,7 +7394,8 @@ msgid "1-64 lowercase letters or numbers, no punctuation or spaces" msgstr "1-64 znaků nebo čísel, bez teček, čárek a mezer" #: lib/groupeditform.php:163 -msgid "URL of the homepage or blog of the group or topic" +#, fuzzy +msgid "URL of the homepage or blog of the group or topic." msgstr "URL domovské stránky nebo blogu skupiny nebo tématu" #: lib/groupeditform.php:168 @@ -7304,21 +7403,32 @@ msgid "Describe the group or topic" msgstr "Popište skupinu nebo téma" #: lib/groupeditform.php:170 -#, php-format -msgid "Describe the group or topic in %d characters" -msgstr "Popište skupinu nebo téma ve %d znacích" +#, fuzzy, php-format +msgid "Describe the group or topic in %d character or less" +msgid_plural "Describe the group or topic in %d characters or less" +msgstr[0] "Popište skupinu nebo téma ve %d znacích" +msgstr[1] "Popište skupinu nebo téma ve %d znacích" +msgstr[2] "Popište skupinu nebo téma ve %d znacích" -#: lib/groupeditform.php:179 +#: lib/groupeditform.php:182 +#, fuzzy msgid "" -"Location for the group, if any, like \"City, State (or Region), Country\"" +"Location for the group, if any, like \"City, State (or Region), Country\"." msgstr "" "Umístění skupiny, pokud je nějaké, ve stylu \"město, stát (nebo region), země" "\"" -#: lib/groupeditform.php:187 -#, php-format -msgid "Extra nicknames for the group, comma- or space- separated, max %d" -msgstr "Další přezdívky pro skupinu, oddělené čárkou nebo mezerou, max %d" +#: lib/groupeditform.php:190 +#, fuzzy, php-format +msgid "" +"Extra nicknames for the group, separated with commas or spaces. Maximum %d " +"alias allowed." +msgid_plural "" +"Extra nicknames for the group, separated with commas or spaces. Maximum %d " +"aliases allowed." +msgstr[0] "Další přezdívky pro skupinu, oddělené čárkou nebo mezerou, max %d" +msgstr[1] "Další přezdívky pro skupinu, oddělené čárkou nebo mezerou, max %d" +msgstr[2] "Další přezdívky pro skupinu, oddělené čárkou nebo mezerou, max %d" #. TRANS: Menu item in the group navigation page. #: lib/groupnav.php:86 @@ -7877,7 +7987,7 @@ msgstr "Je nám líto, toto není vaše příchozí e-mailová adresa." msgid "Sorry, no incoming email allowed." msgstr "Je nám líto, žádný příchozí e-mail není dovolen." -#: lib/mailhandler.php:228 +#: lib/mailhandler.php:229 #, php-format msgid "Unsupported message type: %s" msgstr "Nepodporovaný typ zprávy: %s" @@ -8223,16 +8333,17 @@ msgid "Sandbox this user" msgstr "Sandboxovat tohoto uživatele" #. TRANS: Fieldset legend for the search form. -#: lib/searchaction.php:121 +#: lib/searchaction.php:120 msgid "Search site" msgstr "Prohledat stránky" #. TRANS: Used as a field label for the field where one or more keywords #. TRANS: for searching can be entered. -#: lib/searchaction.php:129 +#: lib/searchaction.php:128 msgid "Keyword(s)" msgstr "Klíčová slova" +#. TRANS: Button text for searching site. #: lib/searchaction.php:130 msgctxt "BUTTON" msgid "Search" @@ -8322,8 +8433,8 @@ msgid "The theme file is missing or the upload failed." msgstr "Chybí soubor tématu nebo se nepodařilo nahrání." #: lib/themeuploader.php:91 lib/themeuploader.php:102 -#: lib/themeuploader.php:278 lib/themeuploader.php:282 -#: lib/themeuploader.php:290 lib/themeuploader.php:297 +#: lib/themeuploader.php:279 lib/themeuploader.php:283 +#: lib/themeuploader.php:291 lib/themeuploader.php:298 msgid "Failed saving theme." msgstr "Chyba při ukládání tématu." @@ -8332,16 +8443,22 @@ msgid "Invalid theme: bad directory structure." msgstr "Neplatné téma: špatná adresářová struktura." #: lib/themeuploader.php:166 -#, php-format -msgid "Uploaded theme is too large; must be less than %d bytes uncompressed." -msgstr "" +#, fuzzy, php-format +msgid "Uploaded theme is too large; must be less than %d byte uncompressed." +msgid_plural "" +"Uploaded theme is too large; must be less than %d bytes uncompressed." +msgstr[0] "" +"Nahrané téma je příliš velké, nezkomprimované musí být menší než %d bajtů." +msgstr[1] "" +"Nahrané téma je příliš velké, nezkomprimované musí být menší než %d bajtů." +msgstr[2] "" "Nahrané téma je příliš velké, nezkomprimované musí být menší než %d bajtů." -#: lib/themeuploader.php:178 +#: lib/themeuploader.php:179 msgid "Invalid theme archive: missing file css/display.css" msgstr "Neplatný archiv tématu: chybí soubor css/display.css" -#: lib/themeuploader.php:218 +#: lib/themeuploader.php:219 msgid "" "Theme contains invalid file or folder name. Stick with ASCII letters, " "digits, underscore, and minus sign." @@ -8349,16 +8466,16 @@ msgstr "" "Téma obsahuje neplatné jméno souboru nebo složky. Zůstaňte u písmen ASCII, " "číslic, podtržítka a mínusu." -#: lib/themeuploader.php:224 +#: lib/themeuploader.php:225 msgid "Theme contains unsafe file extension names; may be unsafe." msgstr "Téma obsahuje nebezpečné přípony souborů, může být nebezpečné." -#: lib/themeuploader.php:241 +#: lib/themeuploader.php:242 #, php-format msgid "Theme contains file of type '.%s', which is not allowed." msgstr "Téma obsahuje soubor typu '.%s', což není povoleno." -#: lib/themeuploader.php:259 +#: lib/themeuploader.php:260 msgid "Error opening theme archive." msgstr "Chyba při otevírání archivu tématu." @@ -8544,23 +8661,40 @@ msgstr[0] "Zpráva je příliš dlouhá - maximum je %1$d znaků, poslal jsi %2$ msgstr[1] "Zpráva je příliš dlouhá - maximum je %1$d znaků, poslal jsi %2$d." msgstr[2] "Zpráva je příliš dlouhá - maximum je %1$d znaků, poslal jsi %2$d." -#: scripts/restoreuser.php:82 +#. TRANS: Commandline script output. %s is the filename that contains a backup for a user. +#: scripts/restoreuser.php:61 #, php-format -msgid "Backup file for user %s (%s)" +msgid "Getting backup from file '%s'." msgstr "" -#: scripts/restoreuser.php:88 +#. TRANS: Commandline script output. +#: scripts/restoreuser.php:91 #, fuzzy msgid "No user specified; using backup user." msgstr "Nebylo zadáno uživatelské ID." -#: scripts/restoreuser.php:94 +#. TRANS: Commandline script output. %d is the number of entries in the activity stream in backup; used for plural. +#: scripts/restoreuser.php:98 #, php-format -msgid "%d entries in backup." -msgstr "" +msgid "%d entry in backup." +msgid_plural "%d entries in backup." +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" -#~ msgid "Description is too long (max %d chars)." -#~ msgstr "Popis je příliš dlouhý (maximálně %d znaků)." +#, fuzzy +#~ msgid "Name is too long (maximum 255 chars)." +#~ msgstr "Jméno je moc dlouhé (maximální délka je 255 znaků)." -#~ msgid "Too many aliases! Maximum %d." -#~ msgstr "Příliš mnoho aliasů! Maximálně %d." +#, fuzzy +#~ msgid "Organization is too long (maximum 255 chars)." +#~ msgstr "Organizace je příliš dlouhá (max 255 znaků)." + +#~ msgid "That's too long. Max notice size is %d chars." +#~ msgstr "Je to příliš dlouhé. Maximální délka sdělení je %d znaků" + +#~ msgid "Max notice size is %d chars, including attachment URL." +#~ msgstr "Maximální délka notice je %d znaků včetně přiložené URL." + +#~ msgid " tagged %s" +#~ msgstr "označen %s" diff --git a/locale/de/LC_MESSAGES/statusnet.po b/locale/de/LC_MESSAGES/statusnet.po index 2439f18265..27edfc5594 100644 --- a/locale/de/LC_MESSAGES/statusnet.po +++ b/locale/de/LC_MESSAGES/statusnet.po @@ -19,17 +19,17 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet - Core\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-10-30 23:18+0000\n" -"PO-Revision-Date: 2010-10-30 23:20:00+0000\n" +"POT-Creation-Date: 2010-11-02 22:51+0000\n" +"PO-Revision-Date: 2010-11-02 22:53:10+0000\n" "Language-Team: German \n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r75708); Translate extension (2010-09-17)\n" +"X-Generator: MediaWiki 1.17alpha (r75875); Translate extension (2010-09-17)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: de\n" "X-Message-Group: #out-statusnet-core\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-POT-Import-Date: 2010-10-30 09:48:40+0000\n" +"X-POT-Import-Date: 2010-10-30 23:42:01+0000\n" #. TRANS: Page title for Access admin panel that allows configuring site access. #. TRANS: Menu item for site administration @@ -87,15 +87,20 @@ msgstr "Zugangs-Einstellungen speichern" #. TRANS: Tooltip for button to save access settings in site admin panel. #. TRANS: Button label to save e-mail preferences. #. TRANS: Button label to save IM preferences. +#. TRANS: Button text for saving "Other settings" in profile. #. TRANS: Button text to store form data in the Paths admin panel. #. TRANS: Button to save input in profile settings. +#. TRANS: Button text for saving site notice in admin panel. #. TRANS: Button label to save SMS preferences. #. TRANS: Save button for settings for a profile in a subscriptions list. +#. TRANS: Button text to save user settings in user admin panel. #. TRANS: Button label in the "Edit application" form. #: actions/accessadminpanel.php:193 actions/emailsettings.php:228 -#: actions/imsettings.php:187 actions/pathsadminpanel.php:512 -#: actions/profilesettings.php:201 actions/smssettings.php:209 -#: actions/subscriptions.php:246 lib/applicationeditform.php:355 +#: actions/imsettings.php:187 actions/othersettings.php:134 +#: actions/pathsadminpanel.php:512 actions/profilesettings.php:201 +#: actions/sitenoticeadminpanel.php:197 actions/smssettings.php:209 +#: actions/subscriptions.php:246 actions/useradminpanel.php:298 +#: lib/applicationeditform.php:355 lib/groupeditform.php:207 msgctxt "BUTTON" msgid "Save" msgstr "Speichern" @@ -146,7 +151,7 @@ msgstr "Seite nicht vorhanden" #: 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:93 actions/userrss.php:40 -#: actions/xrds.php:71 lib/command.php:495 lib/galleryaction.php:59 +#: actions/xrds.php:71 lib/command.php:497 lib/galleryaction.php:59 #: lib/mailbox.php:82 lib/profileaction.php:77 msgid "No such user." msgstr "Unbekannter Benutzer." @@ -219,7 +224,9 @@ msgstr "" #. TRANS: Encoutagement displayed on empty timeline user pages for anonymous users. #. TRANS: %s is a user nickname. This message contains Markdown links. Keep "](" together. -#: actions/all.php:155 actions/replies.php:210 actions/showstream.php:208 +#. TRANS: Second sentence of empty message for anonymous users. %s is a user nickname. +#. TRANS: This message contains a Markdown link. Keep "](" together. +#: actions/all.php:155 actions/replies.php:210 actions/showstream.php:227 #, php-format msgid "" "Why not [register an account](%%%%action.register%%%%) and then nudge %s or " @@ -580,8 +587,11 @@ msgstr "Der bürgerliche Name ist zu lang (maximal 255 Zeichen)." #. TRANS: Group edit form validation error. #. TRANS: Form validation error in New application form. #. TRANS: %d is the maximum number of characters for the description. +#. TRANS: Group create form validation error. +#. TRANS: %d is the maximum number of allowed characters. #: actions/apigroupcreate.php:220 actions/editapplication.php:201 #: actions/editgroup.php:216 actions/newapplication.php:178 +#: actions/newgroup.php:152 #, php-format msgid "Description is too long (maximum %d character)." msgid_plural "Description is too long (maximum %d characters)." @@ -738,14 +748,14 @@ msgstr "Du bist nicht autorisiert." #. TRANS: Form validation error in API OAuth authorisation because of an invalid session token. #: actions/apioauthauthorize.php:147 actions/avatarsettings.php:280 -#: actions/deletenotice.php:172 actions/disfavor.php:74 +#: actions/deletenotice.php:177 actions/disfavor.php:74 #: actions/emailsettings.php:271 actions/favor.php:75 actions/geocode.php:55 #: actions/groupblock.php:66 actions/grouplogo.php:312 #: actions/groupunblock.php:65 actions/imsettings.php:230 #: actions/invite.php:59 actions/login.php:137 actions/makeadmin.php:66 #: actions/newmessage.php:135 actions/newnotice.php:105 actions/nudge.php:80 #: actions/oauthappssettings.php:165 actions/oauthconnectionssettings.php:138 -#: actions/othersettings.php:145 actions/passwordsettings.php:138 +#: actions/othersettings.php:153 actions/passwordsettings.php:138 #: actions/profilesettings.php:221 actions/recoverpassword.php:350 #: actions/register.php:172 actions/remotesubscribe.php:77 #: actions/repeat.php:83 actions/smssettings.php:256 actions/subedit.php:40 @@ -926,20 +936,21 @@ msgstr "Du kannst den Status eines anderen Benutzers nicht löschen." #. TRANS: Client error displayed trying to repeat a non-existing notice through the API. #. TRANS: Client error displayed trying to display redents of a non-exiting notice. +#. TRANS: Error message displayed trying to delete a non-existing notice. #: actions/apistatusesretweet.php:74 actions/apistatusesretweets.php:70 -#: actions/deletenotice.php:58 actions/shownotice.php:92 +#: actions/deletenotice.php:61 actions/shownotice.php:92 msgid "No such notice." msgstr "Unbekannte Nachricht." #. TRANS: Client error displayed trying to repeat an own notice through the API. #. TRANS: Error text shown when trying to repeat an own notice. -#: actions/apistatusesretweet.php:83 lib/command.php:535 +#: actions/apistatusesretweet.php:83 lib/command.php:537 msgid "Cannot repeat your own notice." msgstr "Du kannst deine eigenen Nachrichten nicht wiederholen." #. TRANS: Client error displayed trying to re-repeat a notice through the API. #. TRANS: Error text shown when trying to repeat an notice that was already repeated by the user. -#: actions/apistatusesretweet.php:92 lib/command.php:541 +#: actions/apistatusesretweet.php:92 lib/command.php:543 msgid "Already repeated that notice." msgstr "Nachricht bereits wiederholt" @@ -962,7 +973,8 @@ msgstr "" #. TRANS: Client error displayed when the parameter "status" is missing. #. TRANS: %d is the maximum number of character for a notice. -#: actions/apistatusesupdate.php:244 +#: actions/apistatusesupdate.php:244 actions/newnotice.php:161 +#: lib/mailhandler.php:60 #, php-format msgid "That's too long. Maximum notice size is %d character." msgid_plural "That's too long. Maximum notice size is %d characters." @@ -978,7 +990,7 @@ msgstr "API-Methode nicht gefunden." #. TRANS: Client error displayed exceeding the maximum notice length. #. TRANS: %d is the maximum lenth for a notice. -#: actions/apistatusesupdate.php:308 +#: actions/apistatusesupdate.php:308 actions/newnotice.php:184 #, php-format msgid "Maximum notice size is %d character, including attachment URL." msgid_plural "Maximum notice size is %d characters, including attachment URL." @@ -1159,21 +1171,18 @@ msgstr "Vorschau" #. TRANS: Button on avatar upload page to delete current avatar. #: actions/avatarsettings.php:155 -#, fuzzy msgctxt "BUTTON" msgid "Delete" msgstr "Löschen" #. TRANS: Button on avatar upload page to upload an avatar. #: actions/avatarsettings.php:173 -#, fuzzy msgctxt "BUTTON" msgid "Upload" msgstr "Hochladen" #. TRANS: Button on avatar upload crop form to confirm a selected crop as avatar. #: actions/avatarsettings.php:243 -#, fuzzy msgctxt "BUTTON" msgid "Crop" msgstr "Zuschneiden" @@ -1194,17 +1203,18 @@ msgstr "" msgid "Lost our file data." msgstr "Daten verloren." -#: actions/avatarsettings.php:384 +#. TRANS: Success message for having updated a user avatar. +#: actions/avatarsettings.php:385 msgid "Avatar updated." msgstr "Avatar aktualisiert." #. TRANS: Error displayed on the avatar upload page if the avatar could not be updated for an unknown reason. -#: actions/avatarsettings.php:388 +#: actions/avatarsettings.php:389 msgid "Failed updating avatar." msgstr "Aktualisierung des Avatars fehlgeschlagen." #. TRANS: Success message for deleting a user avatar. -#: actions/avatarsettings.php:412 +#: actions/avatarsettings.php:413 msgid "Avatar deleted." msgstr "Avatar gelöscht." @@ -1236,8 +1246,8 @@ msgstr "" #. TRANS: Button label on the delete notice form. #. TRANS: Button label on the delete user form. #. TRANS: Button label on the form to block a user from a group. -#: actions/block.php:154 actions/deleteapplication.php:154 -#: actions/deletegroup.php:220 actions/deletenotice.php:150 +#: actions/block.php:154 actions/deleteapplication.php:157 +#: actions/deletegroup.php:220 actions/deletenotice.php:155 #: actions/deleteuser.php:152 actions/groupblock.php:178 msgctxt "BUTTON" msgid "No" @@ -1255,8 +1265,8 @@ msgstr "Diesen Benutzer freigeben" #. TRANS: Button label on the delete notice form. #. TRANS: Button label on the delete user form. #. TRANS: Button label on the form to block a user from a group. -#: actions/block.php:161 actions/deleteapplication.php:161 -#: actions/deletegroup.php:227 actions/deletenotice.php:157 +#: actions/block.php:161 actions/deleteapplication.php:164 +#: actions/deletegroup.php:227 actions/deletenotice.php:162 #: actions/deleteuser.php:159 actions/groupblock.php:185 msgctxt "BUTTON" msgid "Yes" @@ -1324,7 +1334,6 @@ msgstr "Blockierung des Benutzers für die Gruppe aufheben." #. TRANS: Button text for unblocking a user from a group. #: actions/blockedfromgroup.php:323 -#, fuzzy msgctxt "BUTTON" msgid "Unblock" msgstr "Freigeben" @@ -1373,12 +1382,13 @@ msgstr "Diese Adresse wurde bereits bestätigt." #. TRANS: Server error thrown on database error removing a registered e-mail address. #. TRANS: Server error thrown on database error updating IM preferences. #. TRANS: Server error thrown on database error removing a registered IM address. +#. TRANS: Server error displayed when "Other" settings in user profile could not be updated on the server. #. TRANS: Server error thrown when user profile settings could not be updated. #. TRANS: Server error thrown on database error updating SMS preferences. #. TRANS: Server error thrown on database error removing a registered SMS phone number. #: actions/confirmaddress.php:118 actions/emailsettings.php:331 #: actions/emailsettings.php:477 actions/imsettings.php:283 -#: actions/imsettings.php:442 actions/othersettings.php:174 +#: actions/imsettings.php:442 actions/othersettings.php:184 #: actions/profilesettings.php:326 actions/smssettings.php:308 #: actions/smssettings.php:464 msgid "Couldn't update user." @@ -1414,16 +1424,19 @@ msgstr "Unterhaltung" msgid "Notices" msgstr "Nachrichten" -#: actions/deleteapplication.php:63 +#. TRANS: Client error displayed trying to delete an application while not logged in. +#: actions/deleteapplication.php:62 msgid "You must be logged in to delete an application." msgstr "Du musst angemeldet sein, um dieses Programm zu entfernen." +#. TRANS: Client error displayed trying to delete an application that does not exist. #: actions/deleteapplication.php:71 msgid "Application not found." msgstr "Programm nicht gefunden." +#. TRANS: Client error displayed trying to delete an application the current user does not own. #. TRANS: Client error displayed trying to edit an application while not being its owner. -#: actions/deleteapplication.php:78 actions/editapplication.php:78 +#: actions/deleteapplication.php:79 actions/editapplication.php:78 #: actions/showapplication.php:94 msgid "You are not the owner of this application." msgstr "Du bist Besitzer dieses Programms" @@ -1431,15 +1444,18 @@ msgstr "Du bist Besitzer dieses Programms" #. TRANS: Client error text when there is a problem with the session token. #: actions/deleteapplication.php:102 actions/editapplication.php:131 #: actions/newapplication.php:114 actions/showapplication.php:118 -#: lib/action.php:1354 +#: lib/action.php:1404 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 +#. TRANS: Title for delete application page. +#. TRANS: Fieldset legend on delete application page. +#: actions/deleteapplication.php:124 actions/deleteapplication.php:149 msgid "Delete application" msgstr "Programm entfernen" -#: actions/deleteapplication.php:149 +#. TRANS: Confirmation text on delete application page. +#: actions/deleteapplication.php:152 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 " @@ -1449,12 +1465,12 @@ msgstr "" "aus der Datenbank entfernt, auch alle bestehenden Benutzer-Verbindungen." #. TRANS: Submit button title for 'No' when deleting an application. -#: actions/deleteapplication.php:158 +#: actions/deleteapplication.php:161 msgid "Do not delete this application" msgstr "Dieses Programm nicht löschen" #. TRANS: Submit button title for 'Yes' when deleting an application. -#: actions/deleteapplication.php:164 +#: actions/deleteapplication.php:167 msgid "Delete this application" msgstr "Programm löschen" @@ -1488,12 +1504,13 @@ msgstr "Konnte %s-Gruppe nicht löschen." msgid "Deleted group %s" msgstr "%s-Gruppe gelöscht" -#. TRANS: Title. +#. TRANS: Title of delete group page. #. TRANS: Form legend for deleting a group. #: actions/deletegroup.php:176 actions/deletegroup.php:202 msgid "Delete group" msgstr "Gruppe löschen" +#. TRANS: Warning in form for deleleting a group. #: actions/deletegroup.php:206 msgid "" "Are you sure you want to delete this group? This will clear all data about " @@ -1514,10 +1531,11 @@ msgstr "Diese Gruppe nicht löschen" msgid "Delete this group" msgstr "Diese Gruppe löschen" +#. TRANS: Error message displayed trying to delete a notice while not logged in. #. TRANS: Client error displayed when trying to unblock a user from a group while not logged in. #. TRANS: Client error displayed trying a change a subscription while not logged in. #. TRANS: Client error message thrown when trying to access the admin panel while not logged in. -#: actions/deletenotice.php:50 actions/disfavor.php:61 actions/favor.php:62 +#: actions/deletenotice.php:52 actions/disfavor.php:61 actions/favor.php:62 #: actions/groupblock.php:61 actions/groupunblock.php:60 actions/logout.php:69 #: actions/makeadmin.php:61 actions/newmessage.php:87 actions/newnotice.php:88 #: actions/nudge.php:63 actions/subedit.php:33 actions/subscribe.php:96 @@ -1527,11 +1545,13 @@ msgstr "Diese Gruppe löschen" msgid "Not logged in." msgstr "Nicht angemeldet." -#: actions/deletenotice.php:74 +#. TRANS: Error message displayed trying to delete a notice that was not made by the current user. +#: actions/deletenotice.php:78 msgid "Can't delete this notice." msgstr "Die Nachricht konnte nicht gelöscht werden." -#: actions/deletenotice.php:106 +#. TRANS: Instructions for deleting a notice. +#: actions/deletenotice.php:110 msgid "" "You are about to permanently delete a notice. Once this is done, it cannot " "be undone." @@ -1539,21 +1559,24 @@ msgstr "" "Du bist gerade dabei eine Nachricht unwiderruflich zu löschen. Diese Aktion " "ist irreversibel." -#: actions/deletenotice.php:112 actions/deletenotice.php:144 +#. TRANS: Page title when deleting a notice. +#. TRANS: Fieldset legend for the delete notice form. +#: actions/deletenotice.php:117 actions/deletenotice.php:148 msgid "Delete notice" msgstr "Notiz löschen" -#: actions/deletenotice.php:147 +#. TRANS: Message for the delete notice form. +#: actions/deletenotice.php:152 msgid "Are you sure you want to delete this notice?" msgstr "Bist du sicher, dass du diese Nachricht löschen möchtest?" #. TRANS: Submit button title for 'No' when deleting a notice. -#: actions/deletenotice.php:154 +#: actions/deletenotice.php:159 msgid "Do not delete this notice" msgstr "Diese Nachricht nicht löschen" #. TRANS: Submit button title for 'Yes' when deleting a notice. -#: actions/deletenotice.php:161 lib/noticelist.php:667 +#: actions/deletenotice.php:166 lib/noticelist.php:667 msgid "Delete this notice" msgstr "Nachricht löschen" @@ -1715,11 +1738,9 @@ msgstr "Standard wiederherstellen" #. TRANS: Submit button title. #: actions/designadminpanel.php:711 actions/licenseadminpanel.php:319 -#: actions/othersettings.php:126 actions/sessionsadminpanel.php:199 -#: actions/siteadminpanel.php:292 actions/sitenoticeadminpanel.php:195 +#: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:292 #: actions/snapshotadminpanel.php:245 actions/tagother.php:154 -#: actions/useradminpanel.php:295 lib/applicationeditform.php:357 -#: lib/designsettings.php:256 lib/groupeditform.php:202 +#: lib/applicationeditform.php:357 lib/designsettings.php:256 msgid "Save" msgstr "Speichern" @@ -1767,8 +1788,9 @@ msgid "Name is required." msgstr "Name ist erforderlich." #. TRANS: Validation error shown when providing too long a name in the "Edit application" form. -#: actions/editapplication.php:188 -msgid "Name is too long (max 255 characters)." +#: actions/editapplication.php:188 actions/newapplication.php:169 +#, fuzzy +msgid "Name is too long (maximum 255 characters)." msgstr "Der Name ist zu lang (maximal 255 Zeichen)." #. TRANS: Validation error shown when providing a name for an application that already exists in the "Edit application" form. @@ -1798,7 +1820,7 @@ msgid "Organization is required." msgstr "Organisation ist erforderlich. (Pflichtangabe)" #. TRANS: Validation error shown when providing too long an arganisation name in the "Edit application" form. -#: actions/editapplication.php:223 +#: actions/editapplication.php:223 actions/newapplication.php:199 msgid "Organization is too long (maximum 255 characters)." msgstr "Die angegebene Organisation ist zu lang (maximal 255 Zeichen)." @@ -2602,7 +2624,7 @@ msgid "Publish a MicroID for my Jabber/GTalk address." msgstr "MicroID für meine Jabber/GTalk-Adresse veröffentlichen." #. TRANS: Confirmation message for successful IM preferences save. -#: actions/imsettings.php:290 actions/othersettings.php:180 +#: actions/imsettings.php:290 actions/othersettings.php:190 msgid "Preferences saved." msgstr "Einstellungen gesichert." @@ -2725,10 +2747,9 @@ msgstr[1] "Du hast diese Benutzer bereits abonniert:" #. TRANS: Used as list item for already subscribed users (%1$s is nickname, %2$s is e-mail address). #. TRANS: Used as list item for already registered people (%1$s is nickname, %2$s is e-mail address). -#. TRANS: Whois output. -#. TRANS: %1$s nickname of the queried user, %2$s is their profile URL. -#: actions/invite.php:145 actions/invite.php:159 lib/command.php:426 -#, php-format +#: actions/invite.php:145 actions/invite.php:159 +#, fuzzy, php-format +msgctxt "INVITE" msgid "%1$s (%2$s)" msgstr "%1$s (%2$s)" @@ -2917,7 +2938,8 @@ msgstr "" "wählst." #: actions/licenseadminpanel.php:156 -msgid "Invalid license title. Max length is 255 characters." +#, fuzzy +msgid "Invalid license title. Maximum length is 255 characters." msgstr "Ungültiger Lizenztitel. Die maximale Länge liegt bei 255 Zeichen." #: actions/licenseadminpanel.php:168 @@ -3090,18 +3112,10 @@ msgstr "Du musst angemeldet sein, um ein Programm zu registrieren." msgid "Use this form to register a new application." msgstr "Benutzer dieses Formular, um eine neues Programm zu erstellen." -#: actions/newapplication.php:169 -msgid "Name is too long (maximum 255 chars)." -msgstr "Der Name ist zu lang (maximal 255 Zeichen)." - #: actions/newapplication.php:184 msgid "Source URL is required." msgstr "Quell-URL ist erforderlich." -#: actions/newapplication.php:199 -msgid "Organization is too long (maximum 255 chars)." -msgstr "Die angegebene Organisation ist zu lang (maximal 255 Zeichen)." - #: actions/newapplication.php:266 actions/newapplication.php:275 msgid "Could not create application." msgstr "Konnte das Programm nicht erstellen." @@ -3121,14 +3135,14 @@ msgid "New message" msgstr "Neue Nachricht" #. TRANS: Error text shown when trying to send a direct message to a user without a mutual subscription (each user must be subscribed to the other). -#: actions/newmessage.php:121 actions/newmessage.php:164 lib/command.php:499 +#: actions/newmessage.php:121 actions/newmessage.php:164 lib/command.php:501 msgid "You can't send a message to this user." msgstr "Du kannst diesem Benutzer keine Nachricht schicken." #. TRANS: Command exception text shown when trying to send a direct message to another user without content. #. TRANS: Command exception text shown when trying to reply to a notice without providing content for the reply. #: actions/newmessage.php:144 actions/newnotice.php:140 lib/command.php:478 -#: lib/command.php:579 +#: lib/command.php:581 msgid "No content!" msgstr "Kein Inhalt!" @@ -3137,7 +3151,7 @@ msgid "No recipient specified." msgstr "Kein Empfänger angegeben." #. TRANS: Error text shown when trying to send a direct message to self. -#: actions/newmessage.php:167 lib/command.php:503 +#: actions/newmessage.php:167 lib/command.php:505 msgid "" "Don't send a message to yourself; just say it to yourself quietly instead." msgstr "" @@ -3149,12 +3163,12 @@ msgstr "Nachricht gesendet" #. TRANS: Message given have sent a direct message to another user. #. TRANS: %s is the name of the other user. -#: actions/newmessage.php:188 lib/command.php:511 +#: actions/newmessage.php:188 lib/command.php:513 #, php-format msgid "Direct message to %s sent." msgstr "Direkte Nachricht an %s abgeschickt" -#: actions/newmessage.php:213 actions/newnotice.php:263 +#: actions/newmessage.php:213 actions/newnotice.php:264 msgid "Ajax Error" msgstr "Ajax-Fehler" @@ -3162,20 +3176,7 @@ msgstr "Ajax-Fehler" msgid "New notice" msgstr "Neue Nachricht" -#: actions/newnotice.php:159 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/newnotice.php:183 -#, php-format -msgid "Max notice size is %d chars, including attachment URL." -msgstr "" -"Die maximale Größe von Nachrichten ist %d Zeichen, inklusive der URL der " -"Anhänge" - -#: actions/newnotice.php:229 +#: actions/newnotice.php:230 msgid "Notice posted" msgstr "Nachricht hinzugefügt" @@ -3350,36 +3351,46 @@ msgstr "Suche nach Benutzern" msgid "Notice Search" msgstr "Nachrichtensuche" -#: actions/othersettings.php:60 +#: actions/othersettings.php:59 msgid "Other settings" msgstr "Andere Einstellungen" +#. TRANS: Instructions for tab "Other" in user profile settings. #: actions/othersettings.php:71 msgid "Manage various other options." msgstr "Verwalte zahlreiche andere Einstellungen." -#: actions/othersettings.php:108 +#. TRANS: Used as a suffix for free URL shorteners in a dropdown list in the tab "Other" of a +#. TRANS: user's profile settings. This message has one space at the beginning. Use your +#. TRANS: language's word separator here if it has one (most likely a single space). +#: actions/othersettings.php:111 msgid " (free service)" -msgstr "(kostenloser Dienst)" +msgstr " (kostenloser Dienst)" -#: actions/othersettings.php:116 +#. TRANS: Label for dropdown with URL shortener services. +#: actions/othersettings.php:120 msgid "Shorten URLs with" msgstr "URLs kürzen mit" -#: actions/othersettings.php:117 +#. TRANS: Tooltip for for dropdown with URL shortener services. +#: actions/othersettings.php:122 msgid "Automatic shortening service to use." msgstr "URL-Auto-Kürzungs-Dienst." -#: actions/othersettings.php:122 +#. TRANS: Label for checkbox. +#: actions/othersettings.php:128 msgid "View profile designs" msgstr "Profil-Designs ansehen" -#: actions/othersettings.php:123 +#. TRANS: Tooltip for checkbox. +#: actions/othersettings.php:130 msgid "Show or hide profile designs." msgstr "Profil-Designs anzeigen oder verstecken." -#: actions/othersettings.php:153 -msgid "URL shortening service is too long (max 50 chars)." +#. TRANS: Form validation error for form "Other settings" in user profile. +#: actions/othersettings.php:162 +#, fuzzy +msgid "URL shortening service is too long (maximum 50 characters)." msgstr "URL-Auto-Kürzungs-Dienst ist zu lang (max. 50 Zeichen)." #: actions/otp.php:69 @@ -3853,7 +3864,7 @@ msgstr "Biografie" #. TRANS: Label for group location (dt). Text hidden by default. #: actions/profilesettings.php:149 actions/register.php:485 #: actions/showgroup.php:267 actions/tagother.php:112 -#: actions/userauthorization.php:166 lib/groupeditform.php:177 +#: actions/userauthorization.php:166 lib/groupeditform.php:180 #: lib/userprofile.php:165 msgid "Location" msgstr "Aufenthaltsort" @@ -4196,7 +4207,8 @@ msgid "Unexpected password reset." msgstr "Unerwarteter Passwortreset." #: actions/recoverpassword.php:365 -msgid "Password must be 6 chars or more." +#, fuzzy +msgid "Password must be 6 characters or more." msgstr "Passwort muss mehr als 6 Zeichen enthalten" #: actions/recoverpassword.php:369 @@ -4576,7 +4588,7 @@ msgstr "Organisation" #. TRANS: Form input field label. #: actions/showapplication.php:187 actions/version.php:200 -#: lib/applicationeditform.php:208 lib/groupeditform.php:172 +#: lib/applicationeditform.php:208 lib/groupeditform.php:175 msgid "Description" msgstr "Beschreibung" @@ -4728,7 +4740,7 @@ msgid "Note" msgstr "Nachricht" #. TRANS: Label for group aliases (dt). Text hidden by default. -#: actions/showgroup.php:298 lib/groupeditform.php:184 +#: actions/showgroup.php:298 lib/groupeditform.php:187 msgid "Aliases" msgstr "Pseudonyme" @@ -4780,14 +4792,12 @@ msgstr "Alle Mitglieder" #. TRANS: Label for creation date in statistics on group page. #: actions/showgroup.php:458 -#, fuzzy msgctxt "LABEL" msgid "Created" msgstr "Erstellt" #. TRANS: Label for member count in statistics on group page. #: actions/showgroup.php:466 -#, fuzzy msgctxt "LABEL" msgid "Members" msgstr "Mitglieder" @@ -4860,49 +4870,69 @@ msgstr "Nachricht von %1$s auf %2$s" msgid "Notice deleted." msgstr "Nachricht gelöscht." -#: actions/showstream.php:72 -#, php-format -msgid " tagged %s" -msgstr "Nachrichten, die mit %s getagt sind" +#. TRANS: Page title showing tagged notices in one user's stream. %1$s is the username, %2$s is the hash tag. +#: actions/showstream.php:70 +#, fuzzy, php-format +msgid "%1$s tagged %2$s" +msgstr "%1$s, Seite %2$d" -#: actions/showstream.php:78 +#. TRANS: Page title showing tagged notices in one user's stream. +#. TRANS: %1$s is the username, %2$s is the hash tag, %1$d is the page number. +#: actions/showstream.php:74 +#, fuzzy, php-format +msgid "%1$s tagged %2$s, page %3$d" +msgstr "Mit %1$s gekennzeichnete Nachrichten, Seite %2$d" + +#. TRANS: Extended page title showing tagged notices in one user's stream. +#. TRANS: %1$s is the username, %2$d is the page number. +#: actions/showstream.php:82 #, php-format msgid "%1$s, page %2$d" msgstr "%1$s, Seite %2$d" -#: actions/showstream.php:120 +#. TRANS: Title for link to notice feed. +#. TRANS: %1$s is a user nickname, %2$s is a hashtag. +#: actions/showstream.php:127 #, php-format msgid "Notice feed for %1$s tagged %2$s (RSS 1.0)" msgstr "Nachrichtenfeed für %1$s tagged %2$s (RSS 1.0)" -#: actions/showstream.php:127 +#. TRANS: Title for link to notice feed. +#. TRANS: %s is a user nickname. +#: actions/showstream.php:136 #, php-format msgid "Notice feed for %s (RSS 1.0)" msgstr "Feed der Nachrichten von %s (RSS 1.0)" -#: actions/showstream.php:134 +#. TRANS: Title for link to notice feed. +#. TRANS: %s is a user nickname. +#: actions/showstream.php:145 #, php-format msgid "Notice feed for %s (RSS 2.0)" msgstr "Feed der Nachrichten von %s (RSS 2.0)" -#: actions/showstream.php:141 +#: actions/showstream.php:152 #, php-format msgid "Notice feed for %s (Atom)" msgstr "Feed der Nachrichten von %s (Atom)" -#: actions/showstream.php:146 +#. TRANS: Title for link to notice feed. FOAF stands for Friend of a Friend. +#. TRANS: More information at http://www.foaf-project.org. %s is a user nickname. +#: actions/showstream.php:159 #, php-format msgid "FOAF for %s" msgstr "FOAF von %s" -#: actions/showstream.php:197 -#, php-format -msgid "This is the timeline for %1$s but %2$s hasn't posted anything yet." +#. TRANS: First sentence of empty list message for a stream. $1%s is a user nickname. +#: actions/showstream.php:211 +#, fuzzy, php-format +msgid "This is the timeline for %1$s, but %1$s hasn't posted anything yet." msgstr "" "Dies ist die Zeitleiste von %1$s und Freunden, aber bisher hat niemand etwas " "gepostet." -#: actions/showstream.php:202 +#. TRANS: Second sentence of empty list message for a stream for the user themselves. +#: actions/showstream.php:217 msgid "" "Seen anything interesting recently? You haven't posted any notices yet, now " "would be a good time to start :)" @@ -4910,7 +4940,9 @@ 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:204 +#. TRANS: Second sentence of empty list message for a non-self stream. %1$s is a user nickname, %2$s is a part of a URL. +#. TRANS: This message contains a Markdown link. Keep "](" together. +#: actions/showstream.php:221 #, php-format msgid "" "You can try to nudge %1$s or [post something to them](%%%%action.newnotice%%%" @@ -4919,7 +4951,9 @@ msgstr "" "Du kannst %1$s in seinem Profil einen Stups geben oder [ihm etwas posten](%%%" "%action.newnotice%%%%?status_textarea=%s)." -#: actions/showstream.php:243 +#. TRANS: Announcement for anonymous users showing a stream if site registrations are open. +#. TRANS: This message contains a Markdown link. Keep "](" together. +#: actions/showstream.php:264 #, php-format msgid "" "**%s** has an account on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -4933,7 +4967,9 @@ msgstr "" "um **%s**'s und vielen anderen zu folgen! ([Mehr Informationen](%%%%doc.help%" "%%%))" -#: actions/showstream.php:248 +#. TRANS: Announcement for anonymous users showing a stream if site registrations are closed or invite only. +#. TRANS: This message contains a Markdown link. Keep "](" together. +#: actions/showstream.php:271 #, php-format msgid "" "**%s** has an account on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -4944,7 +4980,8 @@ msgstr "" "wikipedia.org/wiki/Mikroblogging)-Dienst basierend auf der freien Software " "[StatusNet](http://status.net/). " -#: actions/showstream.php:305 +#. TRANS: Link to the author of a repeated notice. %s is a linked nickname. +#: actions/showstream.php:328 #, php-format msgid "Repeat of %s" msgstr "Wiederholung von %s" @@ -5060,31 +5097,40 @@ msgstr "" "Wie lange muss ein Benutzer warten, bis er eine identische Nachricht " "abschicken kann (in Sekunden)." -#: actions/sitenoticeadminpanel.php:56 +#. TRANS: Page title for site-wide notice tab in admin panel. +#: actions/sitenoticeadminpanel.php:55 msgid "Site Notice" msgstr "Seitenbenachrichtigung" -#: actions/sitenoticeadminpanel.php:67 +#. TRANS: Instructions for site-wide notice tab in admin panel. +#: actions/sitenoticeadminpanel.php:66 msgid "Edit site-wide message" msgstr "Neue Nachricht" -#: actions/sitenoticeadminpanel.php:103 +#. TRANS: Server error displayed when saving a site-wide notice was impossible. +#: actions/sitenoticeadminpanel.php:101 msgid "Unable to save site notice." msgstr "Konnte Seitenbenachrichtigung nicht speichern" -#: actions/sitenoticeadminpanel.php:113 -msgid "Max length for the site-wide notice is 255 chars." +#. TRANS: Client error displayed when a site-wide notice was longer than allowed. +#: actions/sitenoticeadminpanel.php:112 +#, fuzzy +msgid "Maximum length for the site-wide notice is 255 characters." msgstr "Maximale Länge von Systembenachrichtigungen ist 255 Zeichen." +#. TRANS: Label for site-wide notice text field in admin panel. #: actions/sitenoticeadminpanel.php:176 msgid "Site notice text" msgstr "Seitenbenachrichtigung" -#: actions/sitenoticeadminpanel.php:178 -msgid "Site-wide notice text (255 chars max; HTML okay)" +#. TRANS: Tooltip for site-wide notice text field in admin panel. +#: actions/sitenoticeadminpanel.php:179 +#, fuzzy +msgid "Site-wide notice text (255 characters maximum; HTML allowed)" msgstr "Systembenachrichtigung (max. 255 Zeichen; HTML erlaubt)" -#: actions/sitenoticeadminpanel.php:198 +#. TRANS: Title for button to save site notice in admin panel. +#: actions/sitenoticeadminpanel.php:201 msgid "Save site notice" msgstr "Systemnachricht speichern" @@ -5550,75 +5596,93 @@ msgstr "" "$s“." #. TRANS: User admin panel title -#: actions/useradminpanel.php:60 +#: actions/useradminpanel.php:58 msgctxt "TITLE" msgid "User" msgstr "Benutzer" -#: actions/useradminpanel.php:71 +#. TRANS: Instruction for user admin panel. +#: actions/useradminpanel.php:69 msgid "User settings for this StatusNet site" msgstr "Benutzer-Einstellungen dieser StatusNet-Website" -#: actions/useradminpanel.php:150 +#. TRANS: Form validation error in user admin panel when a non-numeric character limit was set. +#: actions/useradminpanel.php:147 msgid "Invalid bio limit. Must be numeric." msgstr "Das Zeichenlimit der Biografie muss numerisch sein!" -#: actions/useradminpanel.php:156 -msgid "Invalid welcome text. Max length is 255 characters." +#. TRANS: Form validation error in user admin panel when welcome text is too long. +#: actions/useradminpanel.php:154 +#, fuzzy +msgid "Invalid welcome text. Maximum length is 255 characters." msgstr "Willkommens-Nachricht ungültig. Maximale Länge sind 255 Zeichen." +#. TRANS: Client error displayed when trying to set a non-existing user as default subscription for new +#. TRANS: users in user admin panel. %1$s is the invalid nickname. #: actions/useradminpanel.php:166 -#, php-format -msgid "Invalid default subscripton: '%1$s' is not user." +#, fuzzy, php-format +msgid "Invalid default subscripton: '%1$s' is not a user." msgstr "Ungültiges Abonnement: „%1$s“ ist kein Benutzer" #. TRANS: Link description in user account settings menu. -#: actions/useradminpanel.php:219 lib/accountsettingsaction.php:106 +#: actions/useradminpanel.php:215 lib/accountsettingsaction.php:106 #: lib/personalgroupnav.php:109 msgid "Profile" msgstr "Profil" -#: actions/useradminpanel.php:223 +#. TRANS: Field label in user admin panel for setting the character limit for the bio field. +#: actions/useradminpanel.php:220 msgid "Bio Limit" msgstr "Bio-Limit" -#: actions/useradminpanel.php:224 +#. TRANS: Tooltip in user admin panel for setting the character limit for the bio field. +#: actions/useradminpanel.php:222 msgid "Maximum length of a profile bio in characters." msgstr "Maximale Länge in Zeichen der Profil-Bio." -#: actions/useradminpanel.php:232 +#. TRANS: Form legend in user admin panel. +#: actions/useradminpanel.php:231 msgid "New users" msgstr "Neue Benutzer" +#. TRANS: Field label in user admin panel for setting new user welcome text. #: actions/useradminpanel.php:236 msgid "New user welcome" msgstr "Neue Benutzer empfangen" -#: actions/useradminpanel.php:237 -msgid "Welcome text for new users (Max 255 chars)." +#. TRANS: Tooltip in user admin panel for setting new user welcome text. +#: actions/useradminpanel.php:238 +#, fuzzy +msgid "Welcome text for new users (maximum 255 characters)." msgstr "Willkommens-Nachricht für neue Benutzer (maximal 255 Zeichen)." -#: actions/useradminpanel.php:242 +#. TRANS: Field label in user admin panel for setting default subscription for new users. +#: actions/useradminpanel.php:244 msgid "Default subscription" msgstr "Standard-Abonnement" -#: actions/useradminpanel.php:243 +#. TRANS: Tooltip in user admin panel for setting default subscription for new users. +#: actions/useradminpanel.php:246 msgid "Automatically subscribe new users to this user." msgstr "Neue Benutzer abonnieren automatisch diesen Benutzer" -#: actions/useradminpanel.php:252 +#. TRANS: Form legend in user admin panel. +#: actions/useradminpanel.php:256 msgid "Invitations" msgstr "Einladungen" -#: actions/useradminpanel.php:257 +#. TRANS: Field label for checkbox in user admin panel for allowing users to invite friend using site e-mail. +#: actions/useradminpanel.php:262 msgid "Invitations enabled" msgstr "Einladungen aktivieren" -#: actions/useradminpanel.php:259 +#. TRANS: Tooltip for checkbox in user admin panel for allowing users to invite friend using site e-mail. +#: actions/useradminpanel.php:265 msgid "Whether to allow users to invite new users." msgstr "Ist es Benutzern erlaubt, neue Benutzer einzuladen." -#: actions/useradminpanel.php:295 +#. TRANS: Title for button to save user settings in user admin panel. +#: actions/useradminpanel.php:302 msgid "Save user settings" msgstr "Benutzer-Einstellungen speichern" @@ -5830,7 +5894,7 @@ msgid "Plugins" msgstr "Erweiterungen" #. TRANS: Secondary navigation menu option leading to version information on the StatusNet site. -#: actions/version.php:198 lib/action.php:831 +#: actions/version.php:198 lib/action.php:880 msgid "Version" msgstr "Version" @@ -6043,9 +6107,16 @@ msgstr "Konnte Antwort auf %1$d, %2$d nicht speichern." msgid "RT @%1$s %2$s" msgstr "RT @%1$s %2$s" +#. TRANS: Full name of a profile or group followed by nickname in parens +#: classes/Profile.php:164 +#, fuzzy, php-format +msgctxt "FANCYNAME" +msgid "%1$s (%2$s)" +msgstr "%1$s (%2$s)" + #. TRANS: Exception thrown when trying to revoke an existing role for a user that does not exist. #. TRANS: %1$s is the role name, %2$s is the user ID (number). -#: classes/Profile.php:791 +#: classes/Profile.php:812 #, php-format msgid "Cannot revoke role \"%1$s\" for user #%2$d; does not exist." msgstr "" @@ -6054,7 +6125,7 @@ msgstr "" #. TRANS: Exception thrown when trying to revoke a role for a user with a failing database query. #. TRANS: %1$s is the role name, %2$s is the user ID (number). -#: classes/Profile.php:800 +#: classes/Profile.php:821 #, php-format msgid "Cannot revoke role \"%1$s\" for user #%2$d; database error." msgstr "" @@ -6202,194 +6273,201 @@ msgstr "%1$s - %2$s" msgid "Untitled page" msgstr "Seite ohne Titel" +#. TRANS: Localized tooltip for '...' expansion button on overlong remote messages. +#: lib/action.php:310 +msgctxt "TOOLTIP" +msgid "Show more" +msgstr "" + #. TRANS: DT element for primary navigation menu. String is hidden in default CSS. -#: lib/action.php:477 +#: lib/action.php:526 msgid "Primary site navigation" msgstr "Hauptnavigation" #. TRANS: Tooltip for main menu option "Personal" -#: lib/action.php:483 +#: lib/action.php:532 msgctxt "TOOLTIP" msgid "Personal profile and friends timeline" msgstr "Persönliches Profil und Freundes-Zeitleiste" #. TRANS: Main menu option when logged in for access to personal profile and friends timeline -#: lib/action.php:486 +#: lib/action.php:535 msgctxt "MENU" msgid "Personal" msgstr "Eigene" #. TRANS: Tooltip for main menu option "Account" -#: lib/action.php:488 +#: lib/action.php:537 msgctxt "TOOLTIP" msgid "Change your email, avatar, password, profile" msgstr "Ändere deine E-Mail, Avatar, Passwort und Profil" #. TRANS: Main menu option when logged in for access to user settings -#: lib/action.php:491 +#: lib/action.php:540 msgid "Account" msgstr "Profil" #. TRANS: Tooltip for main menu option "Services" -#: lib/action.php:493 +#: lib/action.php:542 msgctxt "TOOLTIP" msgid "Connect to services" msgstr "Zum Dienst verbinden" #. TRANS: Main menu option when logged in and connection are possible for access to options to connect to other services -#: lib/action.php:496 +#: lib/action.php:545 msgid "Connect" msgstr "Verbinden" #. TRANS: Tooltip for menu option "Admin" -#: lib/action.php:499 +#: lib/action.php:548 msgctxt "TOOLTIP" msgid "Change site configuration" msgstr "Seiteneinstellung ändern" #. TRANS: Main menu option when logged in and site admin for access to site configuration #. TRANS: Menu item in the group navigation page. Only shown for group administrators. -#: lib/action.php:502 lib/groupnav.php:117 +#: lib/action.php:551 lib/groupnav.php:117 msgctxt "MENU" msgid "Admin" msgstr "Admin" #. TRANS: Tooltip for main menu option "Invite" -#: lib/action.php:506 +#: lib/action.php:555 #, 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" #. TRANS: Main menu option when logged in and invitations are allowed for inviting new users -#: lib/action.php:509 +#: lib/action.php:558 msgctxt "MENU" msgid "Invite" msgstr "Einladen" #. TRANS: Tooltip for main menu option "Logout" -#: lib/action.php:515 +#: lib/action.php:564 msgctxt "TOOLTIP" msgid "Logout from the site" msgstr "Von der Seite abmelden" #. TRANS: Main menu option when logged in to log out the current user -#: lib/action.php:518 +#: lib/action.php:567 msgctxt "MENU" msgid "Logout" msgstr "Abmelden" #. TRANS: Tooltip for main menu option "Register" -#: lib/action.php:523 +#: lib/action.php:572 msgctxt "TOOLTIP" msgid "Create an account" msgstr "Neues Benutzerkonto erstellen" #. TRANS: Main menu option when not logged in to register a new account -#: lib/action.php:526 +#: lib/action.php:575 msgctxt "MENU" msgid "Register" msgstr "Registrieren" #. TRANS: Tooltip for main menu option "Login" -#: lib/action.php:529 +#: lib/action.php:578 msgctxt "TOOLTIP" msgid "Login to the site" msgstr "Auf der Seite anmelden" #. TRANS: Main menu option when not logged in to log in -#: lib/action.php:532 +#: lib/action.php:581 msgctxt "MENU" msgid "Login" msgstr "Anmelden" #. TRANS: Tooltip for main menu option "Help" -#: lib/action.php:535 +#: lib/action.php:584 msgctxt "TOOLTIP" msgid "Help me!" msgstr "Hilf mir!" #. TRANS: Main menu option for help on the StatusNet site -#: lib/action.php:538 +#: lib/action.php:587 msgctxt "MENU" msgid "Help" msgstr "Hilfe" #. TRANS: Tooltip for main menu option "Search" -#: lib/action.php:541 +#: lib/action.php:590 msgctxt "TOOLTIP" msgid "Search for people or text" msgstr "Suche nach Leuten oder Text" #. TRANS: Main menu option when logged in or when the StatusNet instance is not private -#: lib/action.php:544 +#: lib/action.php:593 msgctxt "MENU" msgid "Search" msgstr "Suchen" #. TRANS: DT element for site notice. String is hidden in default CSS. #. TRANS: Menu item for site administration -#: lib/action.php:566 lib/adminpanelaction.php:387 +#: lib/action.php:615 lib/adminpanelaction.php:387 msgid "Site notice" msgstr "Seitennachricht" #. TRANS: DT element for local views block. String is hidden in default CSS. -#: lib/action.php:633 +#: lib/action.php:682 msgid "Local views" msgstr "Lokale Ansichten" #. TRANS: DT element for page notice. String is hidden in default CSS. -#: lib/action.php:703 +#: lib/action.php:752 msgid "Page notice" msgstr "Neue Nachricht" #. TRANS: DT element for secondary navigation menu. String is hidden in default CSS. -#: lib/action.php:804 +#: lib/action.php:853 msgid "Secondary site navigation" msgstr "Unternavigation" #. TRANS: Secondary navigation menu option leading to help on StatusNet. -#: lib/action.php:810 +#: lib/action.php:859 msgid "Help" msgstr "Hilfe" #. TRANS: Secondary navigation menu option leading to text about StatusNet site. -#: lib/action.php:813 +#: lib/action.php:862 msgid "About" msgstr "Über" #. TRANS: Secondary navigation menu option leading to Frequently Asked Questions. -#: lib/action.php:816 +#: lib/action.php:865 msgid "FAQ" msgstr "FAQ" #. TRANS: Secondary navigation menu option leading to Terms of Service. -#: lib/action.php:821 +#: lib/action.php:870 msgid "TOS" msgstr "AGB" #. TRANS: Secondary navigation menu option leading to privacy policy. -#: lib/action.php:825 +#: lib/action.php:874 msgid "Privacy" msgstr "Privatsphäre" -#. TRANS: Secondary navigation menu option. -#: lib/action.php:828 +#. TRANS: Secondary navigation menu option. Leads to information about StatusNet and its license. +#: lib/action.php:877 msgid "Source" msgstr "Quellcode" -#. TRANS: Secondary navigation menu option leading to contact information on the StatusNet site. -#: lib/action.php:834 +#. TRANS: Secondary navigation menu option leading to e-mail contact information on the +#. TRANS: StatusNet site, where to report bugs, ... +#: lib/action.php:884 msgid "Contact" msgstr "Kontakt" -#. TRANS: Secondary navigation menu option. -#: lib/action.php:837 +#. TRANS: Secondary navigation menu option. Leads to information about embedding a timeline widget. +#: lib/action.php:887 msgid "Badge" msgstr "Plakette" #. TRANS: DT element for StatusNet software license. -#: lib/action.php:866 +#: lib/action.php:916 msgid "StatusNet software license" msgstr "StatusNet-Software-Lizenz" @@ -6397,7 +6475,7 @@ msgstr "StatusNet-Software-Lizenz" #. TRANS: Text between [] is a link description, text between () is the link itself. #. TRANS: Make sure there is no whitespace between "]" and "(". #. TRANS: "%%site.broughtby%%" is the value of the variable site.broughtby -#: lib/action.php:873 +#: lib/action.php:923 #, php-format msgid "" "**%%site.name%%** is a microblogging service brought to you by [%%site." @@ -6407,7 +6485,7 @@ msgstr "" "site.broughtbyurl%%)." #. TRANS: First sentence of the StatusNet site license. Used if 'broughtby' is not set. -#: lib/action.php:876 +#: lib/action.php:926 #, php-format msgid "**%%site.name%%** is a microblogging service." msgstr "**%%site.name%%** ist ein Mikrobloggingdienst." @@ -6416,7 +6494,7 @@ msgstr "**%%site.name%%** ist ein Mikrobloggingdienst." #. TRANS: Make sure there is no whitespace between "]" and "(". #. TRANS: Text between [] is a link description, text between () is the link itself. #. TRANS: %s is the version of StatusNet that is being used. -#: lib/action.php:883 +#: lib/action.php:933 #, php-format msgid "" "It runs the [StatusNet](http://status.net/) microblogging software, version %" @@ -6428,20 +6506,20 @@ msgstr "" "(http://www.fsf.org/licensing/licenses/agpl-3.0.html) erhältlich ist." #. TRANS: DT element for StatusNet site content license. -#: lib/action.php:899 +#: lib/action.php:949 msgid "Site content license" msgstr "StatusNet-Software-Lizenz" #. TRANS: Content license displayed when license is set to 'private'. #. TRANS: %1$s is the site name. -#: lib/action.php:906 +#: lib/action.php:956 #, php-format msgid "Content and data of %1$s are private and confidential." msgstr "Inhalte und Daten von %1$s sind privat und vertraulich." #. TRANS: Content license displayed when license is set to 'allrightsreserved'. #. TRANS: %1$s is the copyright owner. -#: lib/action.php:913 +#: lib/action.php:963 #, php-format msgid "Content and data copyright by %1$s. All rights reserved." msgstr "" @@ -6449,7 +6527,7 @@ msgstr "" "vorbehalten." #. TRANS: Content license displayed when license is set to 'allrightsreserved' and no owner is set. -#: lib/action.php:917 +#: lib/action.php:967 msgid "Content and data copyright by contributors. All rights reserved." msgstr "" "Urheberrecht von Inhalt und Daten liegt bei den Beteiligten. Alle Rechte " @@ -6457,25 +6535,25 @@ msgstr "" #. TRANS: license message in footer. #. TRANS: %1$s is the site name, %2$s is a link to the license URL, with a licence name set in configuration. -#: lib/action.php:949 +#: lib/action.php:999 #, php-format msgid "All %1$s content and data are available under the %2$s license." msgstr "Alle Inhalte und Daten von %1$s sind unter der %2$s Lizenz verfügbar." #. TRANS: DT element for pagination (previous/next, etc.). -#: lib/action.php:1285 +#: lib/action.php:1335 msgid "Pagination" msgstr "Seitenerstellung" #. TRANS: Pagination message to go to a page displaying information more in the #. TRANS: present than the currently displayed information. -#: lib/action.php:1296 +#: lib/action.php:1346 msgid "After" msgstr "Später" #. TRANS: Pagination message to go to a page displaying information more in the #. TRANS: past than the currently displayed information. -#: lib/action.php:1306 +#: lib/action.php:1356 msgid "Before" msgstr "Vorher" @@ -6818,7 +6896,7 @@ msgid "AJAX error" msgstr "Ajax-Fehler" #. TRANS: E-mail subject when a command has completed. -#: lib/channel.php:233 lib/mailhandler.php:142 +#: lib/channel.php:233 lib/mailhandler.php:143 msgid "Command complete" msgstr "Befehl ausgeführt" @@ -6834,7 +6912,7 @@ msgstr "Nachricht mit dieser ID existiert nicht" #. TRANS: Command exception text shown when a last user notice is requested and it does not exist. #. TRANS: Error text shown when a last user notice is requested and it does not exist. -#: lib/command.php:99 lib/command.php:626 +#: lib/command.php:99 lib/command.php:630 msgid "User has no last notice." msgstr "Benutzer hat keine letzte Nachricht" @@ -6903,6 +6981,14 @@ msgstr "%1$s ist der Gruppe %2$s beigetreten." msgid "%1$s left group %2$s." msgstr "%1$s hat die Gruppe %2$s verlassen." +#. TRANS: Whois output. +#. TRANS: %1$s nickname of the queried user, %2$s is their profile URL. +#: lib/command.php:426 +#, fuzzy, php-format +msgctxt "WHOIS" +msgid "%1$s (%2$s)" +msgstr "%1$s (%2$s)" + #. TRANS: Whois output. %s is the full name of the queried user. #: lib/command.php:430 #, php-format @@ -6942,135 +7028,141 @@ msgstr "" "%s ist ein entferntes Profil; man kann direkte Nachrichten nur an Benutzer " "auf dem selben Server senden." -#. TRANS: Message given if content is too long. +#. TRANS: Message given if content is too long. %1$sd is used for plural. #. TRANS: %1$d is the maximum number of characters, %2$d is the number of submitted characters. #: lib/command.php:488 -#, php-format -msgid "Message too long - maximum is %1$d characters, you sent %2$d." -msgstr "" +#, fuzzy, php-format +msgid "Message too long - maximum is %1$d character, you sent %2$d." +msgid_plural "Message too long - maximum is %1$d characters, you sent %2$d." +msgstr[0] "" +"Nachricht zu lang - maximal %1$d Zeichen erlaubt, du hast %2$d gesendet." +msgstr[1] "" "Nachricht zu lang - maximal %1$d Zeichen erlaubt, du hast %2$d gesendet." #. TRANS: Error text shown sending a direct message fails with an unknown reason. -#: lib/command.php:514 +#: lib/command.php:516 msgid "Error sending direct message." msgstr "Fehler beim Senden der Nachricht" #. TRANS: Message given having repeated a notice from another user. #. TRANS: %s is the name of the user for which the notice was repeated. -#: lib/command.php:551 +#: lib/command.php:553 #, php-format msgid "Notice from %s repeated." msgstr "Nachricht von %s wiederholt." #. TRANS: Error text shown when repeating a notice fails with an unknown reason. -#: lib/command.php:554 +#: lib/command.php:556 msgid "Error repeating notice." msgstr "Fehler beim Wiederholen der Nachricht" -#. TRANS: Message given if content of a notice for a reply is too long. +#. TRANS: Message given if content of a notice for a reply is too long. %1$d is used for plural. #. TRANS: %1$d is the maximum number of characters, %2$d is the number of submitted characters. -#: lib/command.php:589 -#, php-format -msgid "Notice too long - maximum is %1$d characters, you sent %2$d." -msgstr "" +#: lib/command.php:591 +#, fuzzy, php-format +msgid "Notice too long - maximum is %1$d character, you sent %2$d." +msgid_plural "Notice too long - maximum is %1$d characters, you sent %2$d." +msgstr[0] "" +"Nachricht zu lange - maximal %1$d Zeichen erlaubt, du hast %2$ gesendet" +msgstr[1] "" "Nachricht zu lange - maximal %1$d Zeichen erlaubt, du hast %2$ gesendet" #. TRANS: Text shown having sent a reply to a notice successfully. #. TRANS: %s is the nickname of the user of the notice the reply was sent to. -#: lib/command.php:600 +#: lib/command.php:604 #, php-format msgid "Reply to %s sent." msgstr "Antwort an %s gesendet" #. TRANS: Error text shown when a reply to a notice fails with an unknown reason. -#: lib/command.php:603 +#: lib/command.php:607 msgid "Error saving notice." msgstr "Problem beim Speichern der Nachricht." #. TRANS: Error text shown when no username was provided when issuing a subscribe command. -#: lib/command.php:650 +#: lib/command.php:654 msgid "Specify the name of the user to subscribe to." msgstr "Gib den Namen des Benutzers an, den du abonnieren möchtest" #. TRANS: Command exception text shown when trying to subscribe to an OMB profile using the subscribe command. -#: lib/command.php:659 +#: lib/command.php:663 msgid "Can't subscribe to OMB profiles by command." msgstr "OMB-Profile können nicht mit einem Kommando abonniert werden." #. TRANS: Text shown after having subscribed to another user successfully. #. TRANS: %s is the name of the user the subscription was requested for. -#: lib/command.php:667 +#: lib/command.php:671 #, php-format msgid "Subscribed to %s." msgstr "%s abboniert" #. TRANS: Error text shown when no username was provided when issuing an unsubscribe command. #. TRANS: Error text shown when no username was provided when issuing the command. -#: lib/command.php:688 lib/command.php:799 +#: lib/command.php:692 lib/command.php:803 msgid "Specify the name of the user to unsubscribe from." msgstr "Gib den Namen des Benutzers ein, den du nicht mehr abonnieren möchtest" #. TRANS: Text shown after having unsubscribed from another user successfully. #. TRANS: %s is the name of the user the unsubscription was requested for. -#: lib/command.php:699 +#: lib/command.php:703 #, php-format msgid "Unsubscribed from %s." msgstr "Abgemeldet von %s." #. TRANS: Error text shown when issuing the command "off" with a setting which has not yet been implemented. #. TRANS: Error text shown when issuing the command "on" with a setting which has not yet been implemented. -#: lib/command.php:719 lib/command.php:745 +#: lib/command.php:723 lib/command.php:749 msgid "Command not yet implemented." msgstr "Befehl noch nicht implementiert." #. TRANS: Text shown when issuing the command "off" successfully. -#: lib/command.php:723 +#: lib/command.php:727 msgid "Notification off." msgstr "Benachrichtigung deaktiviert." #. TRANS: Error text shown when the command "off" fails for an unknown reason. -#: lib/command.php:726 +#: lib/command.php:730 msgid "Can't turn off notification." msgstr "Konnte Benachrichtigung nicht deaktivieren." #. TRANS: Text shown when issuing the command "on" successfully. -#: lib/command.php:749 +#: lib/command.php:753 msgid "Notification on." msgstr "Benachrichtigung aktiviert." #. TRANS: Error text shown when the command "on" fails for an unknown reason. -#: lib/command.php:752 +#: lib/command.php:756 msgid "Can't turn on notification." msgstr "Konnte Benachrichtigung nicht aktivieren." #. TRANS: Error text shown when issuing the login command while login is disabled. -#: lib/command.php:766 +#: lib/command.php:770 msgid "Login command is disabled." msgstr "Die Anmeldung ist deaktiviert" #. TRANS: Text shown after issuing the login command successfully. #. TRANS: %s is a logon link.. -#: lib/command.php:779 +#: lib/command.php:783 #, php-format msgid "This link is useable only once and is valid for only 2 minutes: %s." msgstr "Der Link ist nur einmal und für eine Dauer von 2 Minuten gültig: %s" #. TRANS: Text shown after issuing the lose command successfully (stop another user from following the current user). #. TRANS: %s is the name of the user the unsubscription was requested for. -#: lib/command.php:808 +#: lib/command.php:812 #, php-format msgid "Unsubscribed %s." msgstr "%s nicht mehr abonniert" #. TRANS: Text shown after requesting other users a user is subscribed to without having any subscriptions. -#: lib/command.php:826 +#: lib/command.php:830 msgid "You are not subscribed to anyone." msgstr "Du hast niemanden abonniert." #. TRANS: Text shown after requesting other users a user is subscribed to. #. TRANS: This message supports plural forms. This message is followed by a #. TRANS: hard coded space and a comma separated list of subscribed users. -#: lib/command.php:831 +#: lib/command.php:835 msgid "You are subscribed to this person:" msgid_plural "You are subscribed to these people:" msgstr[0] "Du hast diesen Benutzer bereits abonniert:" @@ -7078,14 +7170,14 @@ msgstr[1] "Du hast diese Benutzer bereits abonniert:" #. TRANS: Text shown after requesting other users that are subscribed to a user #. TRANS: (followers) without having any subscribers. -#: lib/command.php:853 +#: lib/command.php:857 msgid "No one is subscribed to you." msgstr "Niemand hat dich abonniert." #. TRANS: Text shown after requesting other users that are subscribed to a user (followers). #. TRANS: This message supports plural forms. This message is followed by a #. TRANS: hard coded space and a comma separated list of subscribing users. -#: lib/command.php:858 +#: lib/command.php:862 msgid "This person is subscribed to you:" msgid_plural "These people are subscribed to you:" msgstr[0] "Die Gegenseite konnte dich nicht abonnieren." @@ -7093,21 +7185,21 @@ msgstr[1] "Die Gegenseite konnte dich nicht abonnieren." #. TRANS: Text shown after requesting groups a user is subscribed to without having #. TRANS: any group subscriptions. -#: lib/command.php:880 +#: lib/command.php:884 msgid "You are not a member of any groups." msgstr "Du bist in keiner Gruppe Mitglied." #. TRANS: Text shown after requesting groups a user is subscribed to. #. TRANS: This message supports plural forms. This message is followed by a #. TRANS: hard coded space and a comma separated list of subscribed groups. -#: lib/command.php:885 +#: lib/command.php:889 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:" #. TRANS: Help text for commands. Do not translate the command names themselves; they are fixed strings. -#: lib/command.php:900 +#: lib/command.php:904 msgid "" "Commands:\n" "on - turn on notifications\n" @@ -7336,7 +7428,8 @@ msgid "1-64 lowercase letters or numbers, no punctuation or spaces" msgstr "1-64 Kleinbuchstaben oder Zahlen, keine Satz- oder Leerzeichen" #: lib/groupeditform.php:163 -msgid "URL of the homepage or blog of the group or topic" +#, fuzzy +msgid "URL of the homepage or blog of the group or topic." msgstr "Adresse der Homepage oder Blogs der Gruppe oder des Themas" #: lib/groupeditform.php:168 @@ -7344,19 +7437,30 @@ msgid "Describe the group or topic" msgstr "Beschreibe die Gruppe oder das Thema" #: lib/groupeditform.php:170 -#, php-format -msgid "Describe the group or topic in %d characters" -msgstr "Beschreibe die Gruppe oder das Thema in %d Zeichen" +#, fuzzy, php-format +msgid "Describe the group or topic in %d character or less" +msgid_plural "Describe the group or topic in %d characters or less" +msgstr[0] "Beschreibe die Gruppe oder das Thema in %d Zeichen" +msgstr[1] "Beschreibe die Gruppe oder das Thema in %d Zeichen" -#: lib/groupeditform.php:179 +#: lib/groupeditform.php:182 +#, fuzzy msgid "" -"Location for the group, if any, like \"City, State (or Region), Country\"" +"Location for the group, if any, like \"City, State (or Region), Country\"." msgstr "Ort der Gruppe, optional, beispielsweise „Stadt, Region, Land“" -#: lib/groupeditform.php:187 -#, php-format -msgid "Extra nicknames for the group, comma- or space- separated, max %d" -msgstr "" +#: lib/groupeditform.php:190 +#, fuzzy, php-format +msgid "" +"Extra nicknames for the group, separated with commas or spaces. Maximum %d " +"alias allowed." +msgid_plural "" +"Extra nicknames for the group, separated with commas or spaces. Maximum %d " +"aliases allowed." +msgstr[0] "" +"Zusätzliche Spitznamen für die Gruppe, Komma oder Leerzeichen getrennt, max %" +"d" +msgstr[1] "" "Zusätzliche Spitznamen für die Gruppe, Komma oder Leerzeichen getrennt, max %" "d" @@ -7488,27 +7592,27 @@ msgstr "Unbekannter Dateityp" #. TRANS: Number of megabytes. %d is the number. #: lib/imagefile.php:248 -#, fuzzy, php-format +#, php-format msgid "%dMB" msgid_plural "%dMB" -msgstr[0] "MB" -msgstr[1] "MB" +msgstr[0] "" +msgstr[1] "" #. TRANS: Number of kilobytes. %d is the number. #: lib/imagefile.php:252 -#, fuzzy, php-format +#, php-format msgid "%dkB" msgid_plural "%dkB" -msgstr[0] "kB" -msgstr[1] "kB" +msgstr[0] "" +msgstr[1] "" #. TRANS: Number of bytes. %d is the number. #: lib/imagefile.php:255 #, php-format msgid "%dB" msgid_plural "%dB" -msgstr[0] "" -msgstr[1] "" +msgstr[0] "%d Byte" +msgstr[1] "%d Bytes" #: lib/jabber.php:387 #, php-format @@ -7913,7 +8017,7 @@ msgstr "Sorry, das ist nicht deine Adresse für eingehende E-Mails." msgid "Sorry, no incoming email allowed." msgstr "Sorry, keinen eingehenden E-Mails gestattet." -#: lib/mailhandler.php:228 +#: lib/mailhandler.php:229 #, php-format msgid "Unsupported message type: %s" msgstr "Nachrichten-Typ %s wird nicht unterstützt." @@ -8264,16 +8368,17 @@ msgid "Sandbox this user" msgstr "Diesen Benutzer auf die Spielwiese setzen" #. TRANS: Fieldset legend for the search form. -#: lib/searchaction.php:121 +#: lib/searchaction.php:120 msgid "Search site" msgstr "Website durchsuchen" #. TRANS: Used as a field label for the field where one or more keywords #. TRANS: for searching can be entered. -#: lib/searchaction.php:129 +#: lib/searchaction.php:128 msgid "Keyword(s)" msgstr "Suchbegriff" +#. TRANS: Button text for searching site. #: lib/searchaction.php:130 msgctxt "BUTTON" msgid "Search" @@ -8363,8 +8468,8 @@ msgid "The theme file is missing or the upload failed." msgstr "Die Theme-Datei fehlt oder das Hochladen ist fehlgeschlagen." #: lib/themeuploader.php:91 lib/themeuploader.php:102 -#: lib/themeuploader.php:278 lib/themeuploader.php:282 -#: lib/themeuploader.php:290 lib/themeuploader.php:297 +#: lib/themeuploader.php:279 lib/themeuploader.php:283 +#: lib/themeuploader.php:291 lib/themeuploader.php:298 msgid "Failed saving theme." msgstr "Speicherung des Themes fehlgeschlagen." @@ -8373,15 +8478,18 @@ msgid "Invalid theme: bad directory structure." msgstr "Ungültiger Theme: schlechte Ordner-Struktur." #: lib/themeuploader.php:166 -#, php-format -msgid "Uploaded theme is too large; must be less than %d bytes uncompressed." -msgstr "Der hochgeladene Theme ist zu groß; er muss unter %d Bytes sein." +#, fuzzy, php-format +msgid "Uploaded theme is too large; must be less than %d byte uncompressed." +msgid_plural "" +"Uploaded theme is too large; must be less than %d bytes uncompressed." +msgstr[0] "Der hochgeladene Theme ist zu groß; er muss unter %d Bytes sein." +msgstr[1] "Der hochgeladene Theme ist zu groß; er muss unter %d Bytes sein." -#: lib/themeuploader.php:178 +#: lib/themeuploader.php:179 msgid "Invalid theme archive: missing file css/display.css" msgstr "Ungültigges Theme-Archiv: fehlende Datei css/display.css" -#: lib/themeuploader.php:218 +#: lib/themeuploader.php:219 msgid "" "Theme contains invalid file or folder name. Stick with ASCII letters, " "digits, underscore, and minus sign." @@ -8389,16 +8497,16 @@ msgstr "" "Der Theme enthält einen ungültigen Datei- oder Ordnernamen. Bleib bei ASCII-" "Buchstaben, Zahlen, Unterstrichen und Minuszeichen." -#: lib/themeuploader.php:224 +#: lib/themeuploader.php:225 msgid "Theme contains unsafe file extension names; may be unsafe." msgstr "Theme enthält unsichere Dateierweiterungen; könnte unsicher sein." -#: lib/themeuploader.php:241 +#: lib/themeuploader.php:242 #, php-format msgid "Theme contains file of type '.%s', which is not allowed." msgstr "Das Theme enthält Dateien des Types „.%s“, die nicht erlaubt sind." -#: lib/themeuploader.php:259 +#: lib/themeuploader.php:260 msgid "Error opening theme archive." msgstr "Fehler beim Öffnen des Theme-Archives." @@ -8581,22 +8689,42 @@ msgstr[0] "" msgstr[1] "" "Nachricht zu lang - maximal %1$d Zeichen erlaubt, du hast %2$d gesendet." -#: scripts/restoreuser.php:82 +#. TRANS: Commandline script output. %s is the filename that contains a backup for a user. +#: scripts/restoreuser.php:61 #, php-format -msgid "Backup file for user %s (%s)" -msgstr "Backup-Datei des Benutzers %s (%s)" +msgid "Getting backup from file '%s'." +msgstr "" -#: scripts/restoreuser.php:88 +#. TRANS: Commandline script output. +#: scripts/restoreuser.php:91 msgid "No user specified; using backup user." msgstr "Keine Benutzer-ID angegeben" -#: scripts/restoreuser.php:94 -#, php-format -msgid "%d entries in backup." -msgstr "%d Einträge im Backup." +#. TRANS: Commandline script output. %d is the number of entries in the activity stream in backup; used for plural. +#: scripts/restoreuser.php:98 +#, fuzzy, php-format +msgid "%d entry in backup." +msgid_plural "%d entries in backup." +msgstr[0] "%d Einträge im Backup." +msgstr[1] "%d Einträge im Backup." -#~ msgid "Description is too long (max %d chars)." -#~ msgstr "Die Beschreibung ist zu lang (max. %d Zeichen)." +#~ msgid "Name is too long (maximum 255 chars)." +#~ msgstr "Der Name ist zu lang (maximal 255 Zeichen)." -#~ msgid "Too many aliases! Maximum %d." -#~ msgstr "Zu viele Pseudonyme! Maximale Anzahl ist %d." +#~ msgid "Organization is too long (maximum 255 chars)." +#~ msgstr "Die angegebene Organisation ist zu lang (maximal 255 Zeichen)." + +#~ 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." + +#~ msgid "Max notice size is %d chars, including attachment URL." +#~ msgstr "" +#~ "Die maximale Größe von Nachrichten ist %d Zeichen, inklusive der URL der " +#~ "Anhänge" + +#~ msgid " tagged %s" +#~ msgstr "Nachrichten, die mit %s getagt sind" + +#~ msgid "Backup file for user %s (%s)" +#~ msgstr "Backup-Datei des Benutzers %s (%s)" diff --git a/locale/en_GB/LC_MESSAGES/statusnet.po b/locale/en_GB/LC_MESSAGES/statusnet.po index d85e43536e..c36341dc6f 100644 --- a/locale/en_GB/LC_MESSAGES/statusnet.po +++ b/locale/en_GB/LC_MESSAGES/statusnet.po @@ -13,17 +13,17 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet - Core\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-10-30 23:18+0000\n" -"PO-Revision-Date: 2010-10-30 23:20:02+0000\n" +"POT-Creation-Date: 2010-11-02 22:51+0000\n" +"PO-Revision-Date: 2010-11-02 22:53: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 (r75708); Translate extension (2010-09-17)\n" +"X-Generator: MediaWiki 1.17alpha (r75875); Translate extension (2010-09-17)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: en-gb\n" "X-Message-Group: #out-statusnet-core\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-POT-Import-Date: 2010-10-30 09:48:40+0000\n" +"X-POT-Import-Date: 2010-10-30 23:42:01+0000\n" #. TRANS: Page title for Access admin panel that allows configuring site access. #. TRANS: Menu item for site administration @@ -80,15 +80,20 @@ msgstr "Save access settings" #. TRANS: Tooltip for button to save access settings in site admin panel. #. TRANS: Button label to save e-mail preferences. #. TRANS: Button label to save IM preferences. +#. TRANS: Button text for saving "Other settings" in profile. #. TRANS: Button text to store form data in the Paths admin panel. #. TRANS: Button to save input in profile settings. +#. TRANS: Button text for saving site notice in admin panel. #. TRANS: Button label to save SMS preferences. #. TRANS: Save button for settings for a profile in a subscriptions list. +#. TRANS: Button text to save user settings in user admin panel. #. TRANS: Button label in the "Edit application" form. #: actions/accessadminpanel.php:193 actions/emailsettings.php:228 -#: actions/imsettings.php:187 actions/pathsadminpanel.php:512 -#: actions/profilesettings.php:201 actions/smssettings.php:209 -#: actions/subscriptions.php:246 lib/applicationeditform.php:355 +#: actions/imsettings.php:187 actions/othersettings.php:134 +#: actions/pathsadminpanel.php:512 actions/profilesettings.php:201 +#: actions/sitenoticeadminpanel.php:197 actions/smssettings.php:209 +#: actions/subscriptions.php:246 actions/useradminpanel.php:298 +#: lib/applicationeditform.php:355 lib/groupeditform.php:207 msgctxt "BUTTON" msgid "Save" msgstr "Save" @@ -139,7 +144,7 @@ msgstr "No such page." #: 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:93 actions/userrss.php:40 -#: actions/xrds.php:71 lib/command.php:495 lib/galleryaction.php:59 +#: actions/xrds.php:71 lib/command.php:497 lib/galleryaction.php:59 #: lib/mailbox.php:82 lib/profileaction.php:77 msgid "No such user." msgstr "No such user." @@ -211,7 +216,9 @@ msgstr "" #. TRANS: Encoutagement displayed on empty timeline user pages for anonymous users. #. TRANS: %s is a user nickname. This message contains Markdown links. Keep "](" together. -#: actions/all.php:155 actions/replies.php:210 actions/showstream.php:208 +#. TRANS: Second sentence of empty message for anonymous users. %s is a user nickname. +#. TRANS: This message contains a Markdown link. Keep "](" together. +#: actions/all.php:155 actions/replies.php:210 actions/showstream.php:227 #, php-format msgid "" "Why not [register an account](%%%%action.register%%%%) and then nudge %s or " @@ -565,8 +572,11 @@ msgstr "Full name is too long (max 255 chars)." #. TRANS: Group edit form validation error. #. TRANS: Form validation error in New application form. #. TRANS: %d is the maximum number of characters for the description. +#. TRANS: Group create form validation error. +#. TRANS: %d is the maximum number of allowed characters. #: actions/apigroupcreate.php:220 actions/editapplication.php:201 #: actions/editgroup.php:216 actions/newapplication.php:178 +#: actions/newgroup.php:152 #, fuzzy, php-format msgid "Description is too long (maximum %d character)." msgid_plural "Description is too long (maximum %d characters)." @@ -724,14 +734,14 @@ msgstr "You are not authorised." #. TRANS: Form validation error in API OAuth authorisation because of an invalid session token. #: actions/apioauthauthorize.php:147 actions/avatarsettings.php:280 -#: actions/deletenotice.php:172 actions/disfavor.php:74 +#: actions/deletenotice.php:177 actions/disfavor.php:74 #: actions/emailsettings.php:271 actions/favor.php:75 actions/geocode.php:55 #: actions/groupblock.php:66 actions/grouplogo.php:312 #: actions/groupunblock.php:65 actions/imsettings.php:230 #: actions/invite.php:59 actions/login.php:137 actions/makeadmin.php:66 #: actions/newmessage.php:135 actions/newnotice.php:105 actions/nudge.php:80 #: actions/oauthappssettings.php:165 actions/oauthconnectionssettings.php:138 -#: actions/othersettings.php:145 actions/passwordsettings.php:138 +#: actions/othersettings.php:153 actions/passwordsettings.php:138 #: actions/profilesettings.php:221 actions/recoverpassword.php:350 #: actions/register.php:172 actions/remotesubscribe.php:77 #: actions/repeat.php:83 actions/smssettings.php:256 actions/subedit.php:40 @@ -909,20 +919,21 @@ msgstr "You may not delete another user's status." #. TRANS: Client error displayed trying to repeat a non-existing notice through the API. #. TRANS: Client error displayed trying to display redents of a non-exiting notice. +#. TRANS: Error message displayed trying to delete a non-existing notice. #: actions/apistatusesretweet.php:74 actions/apistatusesretweets.php:70 -#: actions/deletenotice.php:58 actions/shownotice.php:92 +#: actions/deletenotice.php:61 actions/shownotice.php:92 msgid "No such notice." msgstr "No such notice." #. TRANS: Client error displayed trying to repeat an own notice through the API. #. TRANS: Error text shown when trying to repeat an own notice. -#: actions/apistatusesretweet.php:83 lib/command.php:535 +#: actions/apistatusesretweet.php:83 lib/command.php:537 msgid "Cannot repeat your own notice." msgstr "Cannot repeat your own notice." #. TRANS: Client error displayed trying to re-repeat a notice through the API. #. TRANS: Error text shown when trying to repeat an notice that was already repeated by the user. -#: actions/apistatusesretweet.php:92 lib/command.php:541 +#: actions/apistatusesretweet.php:92 lib/command.php:543 msgid "Already repeated that notice." msgstr "Already repeated that notice." @@ -943,7 +954,8 @@ msgstr "" #. TRANS: Client error displayed when the parameter "status" is missing. #. TRANS: %d is the maximum number of character for a notice. -#: actions/apistatusesupdate.php:244 +#: actions/apistatusesupdate.php:244 actions/newnotice.php:161 +#: lib/mailhandler.php:60 #, fuzzy, php-format msgid "That's too long. Maximum notice size is %d character." msgid_plural "That's too long. Maximum notice size is %d characters." @@ -958,7 +970,7 @@ msgstr "API method not found." #. TRANS: Client error displayed exceeding the maximum notice length. #. TRANS: %d is the maximum lenth for a notice. -#: actions/apistatusesupdate.php:308 +#: actions/apistatusesupdate.php:308 actions/newnotice.php:184 #, fuzzy, php-format msgid "Maximum notice size is %d character, including attachment URL." msgid_plural "Maximum notice size is %d characters, including attachment URL." @@ -1168,17 +1180,18 @@ msgstr "Pick a square area of the image to be your avatar" msgid "Lost our file data." msgstr "Lost our file data." -#: actions/avatarsettings.php:384 +#. TRANS: Success message for having updated a user avatar. +#: actions/avatarsettings.php:385 msgid "Avatar updated." msgstr "Avatar updated." #. TRANS: Error displayed on the avatar upload page if the avatar could not be updated for an unknown reason. -#: actions/avatarsettings.php:388 +#: actions/avatarsettings.php:389 msgid "Failed updating avatar." msgstr "Failed updating avatar." #. TRANS: Success message for deleting a user avatar. -#: actions/avatarsettings.php:412 +#: actions/avatarsettings.php:413 msgid "Avatar deleted." msgstr "Avatar deleted." @@ -1210,8 +1223,8 @@ msgstr "" #. TRANS: Button label on the delete notice form. #. TRANS: Button label on the delete user form. #. TRANS: Button label on the form to block a user from a group. -#: actions/block.php:154 actions/deleteapplication.php:154 -#: actions/deletegroup.php:220 actions/deletenotice.php:150 +#: actions/block.php:154 actions/deleteapplication.php:157 +#: actions/deletegroup.php:220 actions/deletenotice.php:155 #: actions/deleteuser.php:152 actions/groupblock.php:178 msgctxt "BUTTON" msgid "No" @@ -1229,8 +1242,8 @@ msgstr "Do not block this user" #. TRANS: Button label on the delete notice form. #. TRANS: Button label on the delete user form. #. TRANS: Button label on the form to block a user from a group. -#: actions/block.php:161 actions/deleteapplication.php:161 -#: actions/deletegroup.php:227 actions/deletenotice.php:157 +#: actions/block.php:161 actions/deleteapplication.php:164 +#: actions/deletegroup.php:227 actions/deletenotice.php:162 #: actions/deleteuser.php:159 actions/groupblock.php:185 msgctxt "BUTTON" msgid "Yes" @@ -1347,12 +1360,13 @@ msgstr "That address has already been confirmed." #. TRANS: Server error thrown on database error removing a registered e-mail address. #. TRANS: Server error thrown on database error updating IM preferences. #. TRANS: Server error thrown on database error removing a registered IM address. +#. TRANS: Server error displayed when "Other" settings in user profile could not be updated on the server. #. TRANS: Server error thrown when user profile settings could not be updated. #. TRANS: Server error thrown on database error updating SMS preferences. #. TRANS: Server error thrown on database error removing a registered SMS phone number. #: actions/confirmaddress.php:118 actions/emailsettings.php:331 #: actions/emailsettings.php:477 actions/imsettings.php:283 -#: actions/imsettings.php:442 actions/othersettings.php:174 +#: actions/imsettings.php:442 actions/othersettings.php:184 #: actions/profilesettings.php:326 actions/smssettings.php:308 #: actions/smssettings.php:464 msgid "Couldn't update user." @@ -1388,16 +1402,19 @@ msgstr "Conversation" msgid "Notices" msgstr "Notices" -#: actions/deleteapplication.php:63 +#. TRANS: Client error displayed trying to delete an application while not logged in. +#: actions/deleteapplication.php:62 msgid "You must be logged in to delete an application." msgstr "You must be logged in to delete an application." +#. TRANS: Client error displayed trying to delete an application that does not exist. #: actions/deleteapplication.php:71 msgid "Application not found." msgstr "Application not found." +#. TRANS: Client error displayed trying to delete an application the current user does not own. #. TRANS: Client error displayed trying to edit an application while not being its owner. -#: actions/deleteapplication.php:78 actions/editapplication.php:78 +#: actions/deleteapplication.php:79 actions/editapplication.php:78 #: actions/showapplication.php:94 msgid "You are not the owner of this application." msgstr "You are not the owner of this application." @@ -1405,15 +1422,18 @@ msgstr "You are not the owner of this application." #. TRANS: Client error text when there is a problem with the session token. #: actions/deleteapplication.php:102 actions/editapplication.php:131 #: actions/newapplication.php:114 actions/showapplication.php:118 -#: lib/action.php:1354 +#: lib/action.php:1404 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 +#. TRANS: Title for delete application page. +#. TRANS: Fieldset legend on delete application page. +#: actions/deleteapplication.php:124 actions/deleteapplication.php:149 msgid "Delete application" msgstr "Delete application" -#: actions/deleteapplication.php:149 +#. TRANS: Confirmation text on delete application page. +#: actions/deleteapplication.php:152 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 " @@ -1424,12 +1444,12 @@ msgstr "" "connections." #. TRANS: Submit button title for 'No' when deleting an application. -#: actions/deleteapplication.php:158 +#: actions/deleteapplication.php:161 msgid "Do not delete this application" msgstr "Do not delete this application" #. TRANS: Submit button title for 'Yes' when deleting an application. -#: actions/deleteapplication.php:164 +#: actions/deleteapplication.php:167 msgid "Delete this application" msgstr "Delete this application" @@ -1463,12 +1483,13 @@ msgstr "Could not delete group %s." msgid "Deleted group %s" msgstr "Deleted group %s" -#. TRANS: Title. +#. TRANS: Title of delete group page. #. TRANS: Form legend for deleting a group. #: actions/deletegroup.php:176 actions/deletegroup.php:202 msgid "Delete group" msgstr "Delete group" +#. TRANS: Warning in form for deleleting a group. #: actions/deletegroup.php:206 msgid "" "Are you sure you want to delete this group? This will clear all data about " @@ -1489,10 +1510,11 @@ msgstr "Do not delete this group" msgid "Delete this group" msgstr "Delete this group" +#. TRANS: Error message displayed trying to delete a notice while not logged in. #. TRANS: Client error displayed when trying to unblock a user from a group while not logged in. #. TRANS: Client error displayed trying a change a subscription while not logged in. #. TRANS: Client error message thrown when trying to access the admin panel while not logged in. -#: actions/deletenotice.php:50 actions/disfavor.php:61 actions/favor.php:62 +#: actions/deletenotice.php:52 actions/disfavor.php:61 actions/favor.php:62 #: actions/groupblock.php:61 actions/groupunblock.php:60 actions/logout.php:69 #: actions/makeadmin.php:61 actions/newmessage.php:87 actions/newnotice.php:88 #: actions/nudge.php:63 actions/subedit.php:33 actions/subscribe.php:96 @@ -1502,11 +1524,13 @@ msgstr "Delete this group" msgid "Not logged in." msgstr "Not logged in." -#: actions/deletenotice.php:74 +#. TRANS: Error message displayed trying to delete a notice that was not made by the current user. +#: actions/deletenotice.php:78 msgid "Can't delete this notice." msgstr "Can't delete this notice." -#: actions/deletenotice.php:106 +#. TRANS: Instructions for deleting a notice. +#: actions/deletenotice.php:110 msgid "" "You are about to permanently delete a notice. Once this is done, it cannot " "be undone." @@ -1514,21 +1538,24 @@ msgstr "" "You are about to permanently delete a notice. Once this is done, it cannot " "be undone." -#: actions/deletenotice.php:112 actions/deletenotice.php:144 +#. TRANS: Page title when deleting a notice. +#. TRANS: Fieldset legend for the delete notice form. +#: actions/deletenotice.php:117 actions/deletenotice.php:148 msgid "Delete notice" msgstr "Delete notice" -#: actions/deletenotice.php:147 +#. TRANS: Message for the delete notice form. +#: actions/deletenotice.php:152 msgid "Are you sure you want to delete this notice?" msgstr "Are you sure you want to delete this notice?" #. TRANS: Submit button title for 'No' when deleting a notice. -#: actions/deletenotice.php:154 +#: actions/deletenotice.php:159 msgid "Do not delete this notice" msgstr "Do not delete this notice" #. TRANS: Submit button title for 'Yes' when deleting a notice. -#: actions/deletenotice.php:161 lib/noticelist.php:667 +#: actions/deletenotice.php:166 lib/noticelist.php:667 msgid "Delete this notice" msgstr "Delete this notice" @@ -1690,11 +1717,9 @@ msgstr "Reset back to default" #. TRANS: Submit button title. #: actions/designadminpanel.php:711 actions/licenseadminpanel.php:319 -#: actions/othersettings.php:126 actions/sessionsadminpanel.php:199 -#: actions/siteadminpanel.php:292 actions/sitenoticeadminpanel.php:195 +#: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:292 #: actions/snapshotadminpanel.php:245 actions/tagother.php:154 -#: actions/useradminpanel.php:295 lib/applicationeditform.php:357 -#: lib/designsettings.php:256 lib/groupeditform.php:202 +#: lib/applicationeditform.php:357 lib/designsettings.php:256 msgid "Save" msgstr "Save" @@ -1742,9 +1767,9 @@ msgid "Name is required." msgstr "Name is required." #. TRANS: Validation error shown when providing too long a name in the "Edit application" form. -#: actions/editapplication.php:188 +#: actions/editapplication.php:188 actions/newapplication.php:169 #, fuzzy -msgid "Name is too long (max 255 characters)." +msgid "Name is too long (maximum 255 characters)." msgstr "Name is too long (max 255 chars)." #. TRANS: Validation error shown when providing a name for an application that already exists in the "Edit application" form. @@ -1773,7 +1798,7 @@ msgid "Organization is required." msgstr "Organisation is required." #. TRANS: Validation error shown when providing too long an arganisation name in the "Edit application" form. -#: actions/editapplication.php:223 +#: actions/editapplication.php:223 actions/newapplication.php:199 #, fuzzy msgid "Organization is too long (maximum 255 characters)." msgstr "Organisation is too long (max 255 chars)." @@ -2566,7 +2591,7 @@ msgid "Publish a MicroID for my Jabber/GTalk address." msgstr "Publish a MicroID for my Jabber/GTalk address." #. TRANS: Confirmation message for successful IM preferences save. -#: actions/imsettings.php:290 actions/othersettings.php:180 +#: actions/imsettings.php:290 actions/othersettings.php:190 msgid "Preferences saved." msgstr "Preferences saved." @@ -2689,10 +2714,9 @@ msgstr[1] "You are already subscribed to these users:" #. TRANS: Used as list item for already subscribed users (%1$s is nickname, %2$s is e-mail address). #. TRANS: Used as list item for already registered people (%1$s is nickname, %2$s is e-mail address). -#. TRANS: Whois output. -#. TRANS: %1$s nickname of the queried user, %2$s is their profile URL. -#: actions/invite.php:145 actions/invite.php:159 lib/command.php:426 -#, php-format +#: actions/invite.php:145 actions/invite.php:159 +#, fuzzy, php-format +msgctxt "INVITE" msgid "%1$s (%2$s)" msgstr "%1$s (%2$s)" @@ -2876,8 +2900,9 @@ msgid "" msgstr "" #: actions/licenseadminpanel.php:156 -msgid "Invalid license title. Max length is 255 characters." -msgstr "" +#, fuzzy +msgid "Invalid license title. Maximum length is 255 characters." +msgstr "Location is too long (max 255 chars)." #: actions/licenseadminpanel.php:168 msgid "Invalid license URL." @@ -3048,20 +3073,10 @@ msgstr "You must be logged in to register an application." msgid "Use this form to register a new application." msgstr "Use this form to register a new application." -#: actions/newapplication.php:169 -#, fuzzy -msgid "Name is too long (maximum 255 chars)." -msgstr "Name is too long (max 255 chars)." - #: actions/newapplication.php:184 msgid "Source URL is required." msgstr "Source URL is required." -#: actions/newapplication.php:199 -#, fuzzy -msgid "Organization is too long (maximum 255 chars)." -msgstr "Organisation is too long (max 255 chars)." - #: actions/newapplication.php:266 actions/newapplication.php:275 msgid "Could not create application." msgstr "Could not create application." @@ -3081,14 +3096,14 @@ msgid "New message" msgstr "New message" #. TRANS: Error text shown when trying to send a direct message to a user without a mutual subscription (each user must be subscribed to the other). -#: actions/newmessage.php:121 actions/newmessage.php:164 lib/command.php:499 +#: actions/newmessage.php:121 actions/newmessage.php:164 lib/command.php:501 msgid "You can't send a message to this user." msgstr "You can't send a message to this user." #. TRANS: Command exception text shown when trying to send a direct message to another user without content. #. TRANS: Command exception text shown when trying to reply to a notice without providing content for the reply. #: actions/newmessage.php:144 actions/newnotice.php:140 lib/command.php:478 -#: lib/command.php:579 +#: lib/command.php:581 msgid "No content!" msgstr "No content!" @@ -3097,7 +3112,7 @@ msgid "No recipient specified." msgstr "No recipient specified." #. TRANS: Error text shown when trying to send a direct message to self. -#: actions/newmessage.php:167 lib/command.php:503 +#: actions/newmessage.php:167 lib/command.php:505 msgid "" "Don't send a message to yourself; just say it to yourself quietly instead." msgstr "" @@ -3109,12 +3124,12 @@ msgstr "Message sent" #. TRANS: Message given have sent a direct message to another user. #. TRANS: %s is the name of the other user. -#: actions/newmessage.php:188 lib/command.php:511 +#: actions/newmessage.php:188 lib/command.php:513 #, php-format msgid "Direct message to %s sent." msgstr "Direct message to %s sent." -#: actions/newmessage.php:213 actions/newnotice.php:263 +#: actions/newmessage.php:213 actions/newnotice.php:264 msgid "Ajax Error" msgstr "Ajax Error" @@ -3122,17 +3137,7 @@ msgstr "Ajax Error" msgid "New notice" msgstr "New notice" -#: actions/newnotice.php:159 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/newnotice.php:183 -#, php-format -msgid "Max notice size is %d chars, including attachment URL." -msgstr "Max notice size is %d chars, including attachment URL." - -#: actions/newnotice.php:229 +#: actions/newnotice.php:230 msgid "Notice posted" msgstr "Notice posted" @@ -3301,36 +3306,46 @@ msgstr "People Search" msgid "Notice Search" msgstr "Notice Search" -#: actions/othersettings.php:60 +#: actions/othersettings.php:59 msgid "Other settings" msgstr "Other settings" +#. TRANS: Instructions for tab "Other" in user profile settings. #: actions/othersettings.php:71 msgid "Manage various other options." msgstr "Manage various other options." -#: actions/othersettings.php:108 +#. TRANS: Used as a suffix for free URL shorteners in a dropdown list in the tab "Other" of a +#. TRANS: user's profile settings. This message has one space at the beginning. Use your +#. TRANS: language's word separator here if it has one (most likely a single space). +#: actions/othersettings.php:111 msgid " (free service)" msgstr "" -#: actions/othersettings.php:116 +#. TRANS: Label for dropdown with URL shortener services. +#: actions/othersettings.php:120 msgid "Shorten URLs with" msgstr "Shorten URLs with" -#: actions/othersettings.php:117 +#. TRANS: Tooltip for for dropdown with URL shortener services. +#: actions/othersettings.php:122 msgid "Automatic shortening service to use." msgstr "Automatic shortening service to use." -#: actions/othersettings.php:122 +#. TRANS: Label for checkbox. +#: actions/othersettings.php:128 msgid "View profile designs" msgstr "View profile designs" -#: actions/othersettings.php:123 +#. TRANS: Tooltip for checkbox. +#: actions/othersettings.php:130 msgid "Show or hide profile designs." msgstr "Show or hide profile designs." -#: actions/othersettings.php:153 -msgid "URL shortening service is too long (max 50 chars)." +#. TRANS: Form validation error for form "Other settings" in user profile. +#: actions/othersettings.php:162 +#, fuzzy +msgid "URL shortening service is too long (maximum 50 characters)." msgstr "URL shortening service is too long (max 50 chars)." #: actions/otp.php:69 @@ -3808,7 +3823,7 @@ msgstr "Bio" #. TRANS: Label for group location (dt). Text hidden by default. #: actions/profilesettings.php:149 actions/register.php:485 #: actions/showgroup.php:267 actions/tagother.php:112 -#: actions/userauthorization.php:166 lib/groupeditform.php:177 +#: actions/userauthorization.php:166 lib/groupeditform.php:180 #: lib/userprofile.php:165 msgid "Location" msgstr "Location" @@ -4146,7 +4161,8 @@ msgid "Unexpected password reset." msgstr "Unexpected password reset." #: actions/recoverpassword.php:365 -msgid "Password must be 6 chars or more." +#, fuzzy +msgid "Password must be 6 characters or more." msgstr "Password must be 6 chars or more." #: actions/recoverpassword.php:369 @@ -4513,7 +4529,7 @@ msgstr "Organization" #. TRANS: Form input field label. #: actions/showapplication.php:187 actions/version.php:200 -#: lib/applicationeditform.php:208 lib/groupeditform.php:172 +#: lib/applicationeditform.php:208 lib/groupeditform.php:175 msgid "Description" msgstr "Description" @@ -4662,7 +4678,7 @@ msgid "Note" msgstr "Note" #. TRANS: Label for group aliases (dt). Text hidden by default. -#: actions/showgroup.php:298 lib/groupeditform.php:184 +#: actions/showgroup.php:298 lib/groupeditform.php:187 msgid "Aliases" msgstr "" @@ -4794,53 +4810,75 @@ msgstr "Message from %1$s on %2$s" msgid "Notice deleted." msgstr "Notice deleted." -#: actions/showstream.php:72 -#, php-format -msgid " tagged %s" -msgstr " tagged %s" +#. TRANS: Page title showing tagged notices in one user's stream. %1$s is the username, %2$s is the hash tag. +#: actions/showstream.php:70 +#, fuzzy, php-format +msgid "%1$s tagged %2$s" +msgstr "%1$s, page %2$d" -#: actions/showstream.php:78 +#. TRANS: Page title showing tagged notices in one user's stream. +#. TRANS: %1$s is the username, %2$s is the hash tag, %1$d is the page number. +#: actions/showstream.php:74 +#, fuzzy, php-format +msgid "%1$s tagged %2$s, page %3$d" +msgstr "Notices tagged with %1$s, page %2$d" + +#. TRANS: Extended page title showing tagged notices in one user's stream. +#. TRANS: %1$s is the username, %2$d is the page number. +#: actions/showstream.php:82 #, php-format msgid "%1$s, page %2$d" msgstr "%1$s, page %2$d" -#: actions/showstream.php:120 +#. TRANS: Title for link to notice feed. +#. TRANS: %1$s is a user nickname, %2$s is a hashtag. +#: actions/showstream.php:127 #, php-format msgid "Notice feed for %1$s tagged %2$s (RSS 1.0)" msgstr "Notice feed for %1$s tagged %2$s (RSS 1.0)" -#: actions/showstream.php:127 +#. TRANS: Title for link to notice feed. +#. TRANS: %s is a user nickname. +#: actions/showstream.php:136 #, php-format msgid "Notice feed for %s (RSS 1.0)" msgstr "Notice feed for %s (RSS 1.0)" -#: actions/showstream.php:134 +#. TRANS: Title for link to notice feed. +#. TRANS: %s is a user nickname. +#: actions/showstream.php:145 #, php-format msgid "Notice feed for %s (RSS 2.0)" msgstr "Notice feed for %s (RSS 2.0)" -#: actions/showstream.php:141 +#: actions/showstream.php:152 #, php-format msgid "Notice feed for %s (Atom)" msgstr "Notice feed for %s (Atom)" -#: actions/showstream.php:146 +#. TRANS: Title for link to notice feed. FOAF stands for Friend of a Friend. +#. TRANS: More information at http://www.foaf-project.org. %s is a user nickname. +#: actions/showstream.php:159 #, php-format msgid "FOAF for %s" msgstr "FOAF for %s" -#: actions/showstream.php:197 -#, php-format -msgid "This is the timeline for %1$s but %2$s hasn't posted anything yet." +#. TRANS: First sentence of empty list message for a stream. $1%s is a user nickname. +#: actions/showstream.php:211 +#, fuzzy, php-format +msgid "This is the timeline for %1$s, but %1$s hasn't posted anything yet." msgstr "This is the timeline for %1$s but %2$s hasn't posted anything yet." -#: actions/showstream.php:202 +#. TRANS: Second sentence of empty list message for a stream for the user themselves. +#: actions/showstream.php:217 msgid "" "Seen anything interesting recently? You haven't posted any notices yet, now " "would be a good time to start :)" msgstr "" -#: actions/showstream.php:204 +#. TRANS: Second sentence of empty list message for a non-self stream. %1$s is a user nickname, %2$s is a part of a URL. +#. TRANS: This message contains a Markdown link. Keep "](" together. +#: actions/showstream.php:221 #, php-format msgid "" "You can try to nudge %1$s or [post something to them](%%%%action.newnotice%%%" @@ -4849,7 +4887,9 @@ msgstr "" "You can try to nudge %1$s or [post something to them](%%%%action.newnotice%%%" "%?status_textarea=%2$s)." -#: actions/showstream.php:243 +#. TRANS: Announcement for anonymous users showing a stream if site registrations are open. +#. TRANS: This message contains a Markdown link. Keep "](" together. +#: actions/showstream.php:264 #, php-format msgid "" "**%s** has an account on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -4862,7 +4902,9 @@ msgstr "" "[StatusNet](http://status.net/) tool. [Join now](%%%%action.register%%%%) to " "follow **%s**'s notices and many more! ([Read more](%%%%doc.help%%%%))" -#: actions/showstream.php:248 +#. TRANS: Announcement for anonymous users showing a stream if site registrations are closed or invite only. +#. TRANS: This message contains a Markdown link. Keep "](" together. +#: actions/showstream.php:271 #, php-format msgid "" "**%s** has an account on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -4873,7 +4915,8 @@ msgstr "" "wikipedia.org/wiki/Micro-blogging) service based on the Free Software " "[StatusNet](http://status.net/) tool. " -#: actions/showstream.php:305 +#. TRANS: Link to the author of a repeated notice. %s is a linked nickname. +#: actions/showstream.php:328 #, php-format msgid "Repeat of %s" msgstr "Repeat of %s" @@ -4983,31 +5026,38 @@ msgstr "" msgid "How long users must wait (in seconds) to post the same thing again." msgstr "" -#: actions/sitenoticeadminpanel.php:56 +#. TRANS: Page title for site-wide notice tab in admin panel. +#: actions/sitenoticeadminpanel.php:55 msgid "Site Notice" msgstr "Site Notice" -#: actions/sitenoticeadminpanel.php:67 +#. TRANS: Instructions for site-wide notice tab in admin panel. +#: actions/sitenoticeadminpanel.php:66 msgid "Edit site-wide message" msgstr "Edit site-wide message" -#: actions/sitenoticeadminpanel.php:103 +#. TRANS: Server error displayed when saving a site-wide notice was impossible. +#: actions/sitenoticeadminpanel.php:101 msgid "Unable to save site notice." msgstr "Unable to save site notice." -#: actions/sitenoticeadminpanel.php:113 -msgid "Max length for the site-wide notice is 255 chars." +#. TRANS: Client error displayed when a site-wide notice was longer than allowed. +#: actions/sitenoticeadminpanel.php:112 +msgid "Maximum length for the site-wide notice is 255 characters." msgstr "" +#. TRANS: Label for site-wide notice text field in admin panel. #: actions/sitenoticeadminpanel.php:176 msgid "Site notice text" msgstr "Site notice text" -#: actions/sitenoticeadminpanel.php:178 -msgid "Site-wide notice text (255 chars max; HTML okay)" +#. TRANS: Tooltip for site-wide notice text field in admin panel. +#: actions/sitenoticeadminpanel.php:179 +msgid "Site-wide notice text (255 characters maximum; HTML allowed)" msgstr "" -#: actions/sitenoticeadminpanel.php:198 +#. TRANS: Title for button to save site notice in admin panel. +#: actions/sitenoticeadminpanel.php:201 msgid "Save site notice" msgstr "Save site notice" @@ -5463,75 +5513,92 @@ msgstr "" "Listenee stream license ‘%1$s’ is not compatible with site license ‘%2$s’." #. TRANS: User admin panel title -#: actions/useradminpanel.php:60 +#: actions/useradminpanel.php:58 msgctxt "TITLE" msgid "User" msgstr "User" -#: actions/useradminpanel.php:71 +#. TRANS: Instruction for user admin panel. +#: actions/useradminpanel.php:69 msgid "User settings for this StatusNet site" msgstr "" -#: actions/useradminpanel.php:150 +#. TRANS: Form validation error in user admin panel when a non-numeric character limit was set. +#: actions/useradminpanel.php:147 msgid "Invalid bio limit. Must be numeric." msgstr "" -#: actions/useradminpanel.php:156 -msgid "Invalid welcome text. Max length is 255 characters." +#. TRANS: Form validation error in user admin panel when welcome text is too long. +#: actions/useradminpanel.php:154 +msgid "Invalid welcome text. Maximum length is 255 characters." msgstr "" +#. TRANS: Client error displayed when trying to set a non-existing user as default subscription for new +#. TRANS: users in user admin panel. %1$s is the invalid nickname. #: actions/useradminpanel.php:166 #, php-format -msgid "Invalid default subscripton: '%1$s' is not user." +msgid "Invalid default subscripton: '%1$s' is not a user." msgstr "" #. TRANS: Link description in user account settings menu. -#: actions/useradminpanel.php:219 lib/accountsettingsaction.php:106 +#: actions/useradminpanel.php:215 lib/accountsettingsaction.php:106 #: lib/personalgroupnav.php:109 msgid "Profile" msgstr "Profile" -#: actions/useradminpanel.php:223 +#. TRANS: Field label in user admin panel for setting the character limit for the bio field. +#: actions/useradminpanel.php:220 msgid "Bio Limit" msgstr "" -#: actions/useradminpanel.php:224 +#. TRANS: Tooltip in user admin panel for setting the character limit for the bio field. +#: actions/useradminpanel.php:222 msgid "Maximum length of a profile bio in characters." msgstr "" -#: actions/useradminpanel.php:232 +#. TRANS: Form legend in user admin panel. +#: actions/useradminpanel.php:231 msgid "New users" msgstr "New users" +#. TRANS: Field label in user admin panel for setting new user welcome text. #: actions/useradminpanel.php:236 msgid "New user welcome" msgstr "New user welcome" -#: actions/useradminpanel.php:237 -msgid "Welcome text for new users (Max 255 chars)." +#. TRANS: Tooltip in user admin panel for setting new user welcome text. +#: actions/useradminpanel.php:238 +#, fuzzy +msgid "Welcome text for new users (maximum 255 characters)." msgstr "Welcome text for new users (maximum 255 characters)." -#: actions/useradminpanel.php:242 +#. TRANS: Field label in user admin panel for setting default subscription for new users. +#: actions/useradminpanel.php:244 msgid "Default subscription" msgstr "Default subscription" -#: actions/useradminpanel.php:243 +#. TRANS: Tooltip in user admin panel for setting default subscription for new users. +#: actions/useradminpanel.php:246 msgid "Automatically subscribe new users to this user." msgstr "Automatically subscribe new users to this user." -#: actions/useradminpanel.php:252 +#. TRANS: Form legend in user admin panel. +#: actions/useradminpanel.php:256 msgid "Invitations" msgstr "Invitations" -#: actions/useradminpanel.php:257 +#. TRANS: Field label for checkbox in user admin panel for allowing users to invite friend using site e-mail. +#: actions/useradminpanel.php:262 msgid "Invitations enabled" msgstr "Invitations enabled" -#: actions/useradminpanel.php:259 +#. TRANS: Tooltip for checkbox in user admin panel for allowing users to invite friend using site e-mail. +#: actions/useradminpanel.php:265 msgid "Whether to allow users to invite new users." msgstr "" -#: actions/useradminpanel.php:295 +#. TRANS: Title for button to save user settings in user admin panel. +#: actions/useradminpanel.php:302 msgid "Save user settings" msgstr "" @@ -5740,7 +5807,7 @@ msgid "Plugins" msgstr "" #. TRANS: Secondary navigation menu option leading to version information on the StatusNet site. -#: actions/version.php:198 lib/action.php:831 +#: actions/version.php:198 lib/action.php:880 msgid "Version" msgstr "Version" @@ -5946,16 +6013,23 @@ msgstr "Could not save reply for %1$d, %2$d." msgid "RT @%1$s %2$s" msgstr "RT @%1$s %2$s" +#. TRANS: Full name of a profile or group followed by nickname in parens +#: classes/Profile.php:164 +#, fuzzy, php-format +msgctxt "FANCYNAME" +msgid "%1$s (%2$s)" +msgstr "%1$s (%2$s)" + #. TRANS: Exception thrown when trying to revoke an existing role for a user that does not exist. #. TRANS: %1$s is the role name, %2$s is the user ID (number). -#: classes/Profile.php:791 +#: classes/Profile.php:812 #, php-format msgid "Cannot revoke role \"%1$s\" for user #%2$d; does not exist." msgstr "" #. TRANS: Exception thrown when trying to revoke a role for a user with a failing database query. #. TRANS: %1$s is the role name, %2$s is the user ID (number). -#: classes/Profile.php:800 +#: classes/Profile.php:821 #, php-format msgid "Cannot revoke role \"%1$s\" for user #%2$d; database error." msgstr "" @@ -6100,194 +6174,201 @@ msgstr "%1$s - %2$s" msgid "Untitled page" msgstr "Untitled page" +#. TRANS: Localized tooltip for '...' expansion button on overlong remote messages. +#: lib/action.php:310 +msgctxt "TOOLTIP" +msgid "Show more" +msgstr "" + #. TRANS: DT element for primary navigation menu. String is hidden in default CSS. -#: lib/action.php:477 +#: lib/action.php:526 msgid "Primary site navigation" msgstr "Primary site navigation" #. TRANS: Tooltip for main menu option "Personal" -#: lib/action.php:483 +#: lib/action.php:532 msgctxt "TOOLTIP" msgid "Personal profile and friends timeline" msgstr "Personal profile and friends timeline" #. TRANS: Main menu option when logged in for access to personal profile and friends timeline -#: lib/action.php:486 +#: lib/action.php:535 msgctxt "MENU" msgid "Personal" msgstr "Personal" #. TRANS: Tooltip for main menu option "Account" -#: lib/action.php:488 +#: lib/action.php:537 msgctxt "TOOLTIP" msgid "Change your email, avatar, password, profile" msgstr "Change your email, avatar, password, profile" #. TRANS: Main menu option when logged in for access to user settings -#: lib/action.php:491 +#: lib/action.php:540 msgid "Account" msgstr "Account" #. TRANS: Tooltip for main menu option "Services" -#: lib/action.php:493 +#: lib/action.php:542 msgctxt "TOOLTIP" msgid "Connect to services" msgstr "Connect to services" #. TRANS: Main menu option when logged in and connection are possible for access to options to connect to other services -#: lib/action.php:496 +#: lib/action.php:545 msgid "Connect" msgstr "Connect" #. TRANS: Tooltip for menu option "Admin" -#: lib/action.php:499 +#: lib/action.php:548 msgctxt "TOOLTIP" msgid "Change site configuration" msgstr "Change site configuration" #. TRANS: Main menu option when logged in and site admin for access to site configuration #. TRANS: Menu item in the group navigation page. Only shown for group administrators. -#: lib/action.php:502 lib/groupnav.php:117 +#: lib/action.php:551 lib/groupnav.php:117 msgctxt "MENU" msgid "Admin" msgstr "Admin" #. TRANS: Tooltip for main menu option "Invite" -#: lib/action.php:506 +#: lib/action.php:555 #, php-format msgctxt "TOOLTIP" msgid "Invite friends and colleagues to join you on %s" msgstr "Invite friends and colleagues to join you on %s" #. TRANS: Main menu option when logged in and invitations are allowed for inviting new users -#: lib/action.php:509 +#: lib/action.php:558 msgctxt "MENU" msgid "Invite" msgstr "Invite" #. TRANS: Tooltip for main menu option "Logout" -#: lib/action.php:515 +#: lib/action.php:564 msgctxt "TOOLTIP" msgid "Logout from the site" msgstr "Logout from the site" #. TRANS: Main menu option when logged in to log out the current user -#: lib/action.php:518 +#: lib/action.php:567 msgctxt "MENU" msgid "Logout" msgstr "Logout" #. TRANS: Tooltip for main menu option "Register" -#: lib/action.php:523 +#: lib/action.php:572 msgctxt "TOOLTIP" msgid "Create an account" msgstr "Create an account" #. TRANS: Main menu option when not logged in to register a new account -#: lib/action.php:526 +#: lib/action.php:575 msgctxt "MENU" msgid "Register" msgstr "Register" #. TRANS: Tooltip for main menu option "Login" -#: lib/action.php:529 +#: lib/action.php:578 msgctxt "TOOLTIP" msgid "Login to the site" msgstr "Login to the site" #. TRANS: Main menu option when not logged in to log in -#: lib/action.php:532 +#: lib/action.php:581 msgctxt "MENU" msgid "Login" msgstr "Login" #. TRANS: Tooltip for main menu option "Help" -#: lib/action.php:535 +#: lib/action.php:584 msgctxt "TOOLTIP" msgid "Help me!" msgstr "Help me!" #. TRANS: Main menu option for help on the StatusNet site -#: lib/action.php:538 +#: lib/action.php:587 msgctxt "MENU" msgid "Help" msgstr "Help" #. TRANS: Tooltip for main menu option "Search" -#: lib/action.php:541 +#: lib/action.php:590 msgctxt "TOOLTIP" msgid "Search for people or text" msgstr "Search for people or text" #. TRANS: Main menu option when logged in or when the StatusNet instance is not private -#: lib/action.php:544 +#: lib/action.php:593 msgctxt "MENU" msgid "Search" msgstr "Search" #. TRANS: DT element for site notice. String is hidden in default CSS. #. TRANS: Menu item for site administration -#: lib/action.php:566 lib/adminpanelaction.php:387 +#: lib/action.php:615 lib/adminpanelaction.php:387 msgid "Site notice" msgstr "Site notice" #. TRANS: DT element for local views block. String is hidden in default CSS. -#: lib/action.php:633 +#: lib/action.php:682 msgid "Local views" msgstr "Local views" #. TRANS: DT element for page notice. String is hidden in default CSS. -#: lib/action.php:703 +#: lib/action.php:752 msgid "Page notice" msgstr "Page notice" #. TRANS: DT element for secondary navigation menu. String is hidden in default CSS. -#: lib/action.php:804 +#: lib/action.php:853 msgid "Secondary site navigation" msgstr "Secondary site navigation" #. TRANS: Secondary navigation menu option leading to help on StatusNet. -#: lib/action.php:810 +#: lib/action.php:859 msgid "Help" msgstr "Help" #. TRANS: Secondary navigation menu option leading to text about StatusNet site. -#: lib/action.php:813 +#: lib/action.php:862 msgid "About" msgstr "About" #. TRANS: Secondary navigation menu option leading to Frequently Asked Questions. -#: lib/action.php:816 +#: lib/action.php:865 msgid "FAQ" msgstr "F.A.Q." #. TRANS: Secondary navigation menu option leading to Terms of Service. -#: lib/action.php:821 +#: lib/action.php:870 msgid "TOS" msgstr "" #. TRANS: Secondary navigation menu option leading to privacy policy. -#: lib/action.php:825 +#: lib/action.php:874 msgid "Privacy" msgstr "Privacy" -#. TRANS: Secondary navigation menu option. -#: lib/action.php:828 +#. TRANS: Secondary navigation menu option. Leads to information about StatusNet and its license. +#: lib/action.php:877 msgid "Source" msgstr "Source" -#. TRANS: Secondary navigation menu option leading to contact information on the StatusNet site. -#: lib/action.php:834 +#. TRANS: Secondary navigation menu option leading to e-mail contact information on the +#. TRANS: StatusNet site, where to report bugs, ... +#: lib/action.php:884 msgid "Contact" msgstr "Contact" -#. TRANS: Secondary navigation menu option. -#: lib/action.php:837 +#. TRANS: Secondary navigation menu option. Leads to information about embedding a timeline widget. +#: lib/action.php:887 msgid "Badge" msgstr "Badge" #. TRANS: DT element for StatusNet software license. -#: lib/action.php:866 +#: lib/action.php:916 msgid "StatusNet software license" msgstr "StatusNet software licence" @@ -6295,7 +6376,7 @@ msgstr "StatusNet software licence" #. TRANS: Text between [] is a link description, text between () is the link itself. #. TRANS: Make sure there is no whitespace between "]" and "(". #. TRANS: "%%site.broughtby%%" is the value of the variable site.broughtby -#: lib/action.php:873 +#: lib/action.php:923 #, php-format msgid "" "**%%site.name%%** is a microblogging service brought to you by [%%site." @@ -6305,7 +6386,7 @@ msgstr "" "broughtby%%](%%site.broughtbyurl%%)." #. TRANS: First sentence of the StatusNet site license. Used if 'broughtby' is not set. -#: lib/action.php:876 +#: lib/action.php:926 #, php-format msgid "**%%site.name%%** is a microblogging service." msgstr "**%%site.name%%** is a microblogging service." @@ -6314,7 +6395,7 @@ msgstr "**%%site.name%%** is a microblogging service." #. TRANS: Make sure there is no whitespace between "]" and "(". #. TRANS: Text between [] is a link description, text between () is the link itself. #. TRANS: %s is the version of StatusNet that is being used. -#: lib/action.php:883 +#: lib/action.php:933 #, php-format msgid "" "It runs the [StatusNet](http://status.net/) microblogging software, version %" @@ -6326,50 +6407,50 @@ msgstr "" "org/licensing/licenses/agpl-3.0.html)." #. TRANS: DT element for StatusNet site content license. -#: lib/action.php:899 +#: lib/action.php:949 msgid "Site content license" msgstr "Site content licence" #. TRANS: Content license displayed when license is set to 'private'. #. TRANS: %1$s is the site name. -#: lib/action.php:906 +#: lib/action.php:956 #, php-format msgid "Content and data of %1$s are private and confidential." msgstr "" #. TRANS: Content license displayed when license is set to 'allrightsreserved'. #. TRANS: %1$s is the copyright owner. -#: lib/action.php:913 +#: lib/action.php:963 #, php-format msgid "Content and data copyright by %1$s. All rights reserved." msgstr "" #. TRANS: Content license displayed when license is set to 'allrightsreserved' and no owner is set. -#: lib/action.php:917 +#: lib/action.php:967 msgid "Content and data copyright by contributors. All rights reserved." msgstr "" #. TRANS: license message in footer. #. TRANS: %1$s is the site name, %2$s is a link to the license URL, with a licence name set in configuration. -#: lib/action.php:949 +#: lib/action.php:999 #, php-format msgid "All %1$s content and data are available under the %2$s license." msgstr "All %1$s content and data are available under the %2$s licence." #. TRANS: DT element for pagination (previous/next, etc.). -#: lib/action.php:1285 +#: lib/action.php:1335 msgid "Pagination" msgstr "Pagination" #. TRANS: Pagination message to go to a page displaying information more in the #. TRANS: present than the currently displayed information. -#: lib/action.php:1296 +#: lib/action.php:1346 msgid "After" msgstr "After" #. TRANS: Pagination message to go to a page displaying information more in the #. TRANS: past than the currently displayed information. -#: lib/action.php:1306 +#: lib/action.php:1356 msgid "Before" msgstr "Before" @@ -6709,7 +6790,7 @@ msgid "AJAX error" msgstr "AJAX error" #. TRANS: E-mail subject when a command has completed. -#: lib/channel.php:233 lib/mailhandler.php:142 +#: lib/channel.php:233 lib/mailhandler.php:143 msgid "Command complete" msgstr "Command complete" @@ -6725,7 +6806,7 @@ msgstr "Notice with that id does not exist." #. TRANS: Command exception text shown when a last user notice is requested and it does not exist. #. TRANS: Error text shown when a last user notice is requested and it does not exist. -#: lib/command.php:99 lib/command.php:626 +#: lib/command.php:99 lib/command.php:630 msgid "User has no last notice." msgstr "User has no last notice." @@ -6791,6 +6872,14 @@ msgstr "" msgid "%1$s left group %2$s." msgstr "" +#. TRANS: Whois output. +#. TRANS: %1$s nickname of the queried user, %2$s is their profile URL. +#: lib/command.php:426 +#, fuzzy, php-format +msgctxt "WHOIS" +msgid "%1$s (%2$s)" +msgstr "%1$s (%2$s)" + #. TRANS: Whois output. %s is the full name of the queried user. #: lib/command.php:430 #, php-format @@ -6828,133 +6917,137 @@ msgid "" "same server." msgstr "" -#. TRANS: Message given if content is too long. +#. TRANS: Message given if content is too long. %1$sd is used for plural. #. TRANS: %1$d is the maximum number of characters, %2$d is the number of submitted characters. #: lib/command.php:488 -#, php-format -msgid "Message too long - maximum is %1$d characters, you sent %2$d." -msgstr "Message too long - maximum is %1$d characters, you sent %2$d." +#, fuzzy, php-format +msgid "Message too long - maximum is %1$d character, you sent %2$d." +msgid_plural "Message too long - maximum is %1$d characters, you sent %2$d." +msgstr[0] "Message too long - maximum is %1$d characters, you sent %2$d." +msgstr[1] "Message too long - maximum is %1$d characters, you sent %2$d." #. TRANS: Error text shown sending a direct message fails with an unknown reason. -#: lib/command.php:514 +#: lib/command.php:516 msgid "Error sending direct message." msgstr "Error sending direct message." #. TRANS: Message given having repeated a notice from another user. #. TRANS: %s is the name of the user for which the notice was repeated. -#: lib/command.php:551 +#: lib/command.php:553 #, php-format msgid "Notice from %s repeated." msgstr "Notice from %s repeated." #. TRANS: Error text shown when repeating a notice fails with an unknown reason. -#: lib/command.php:554 +#: lib/command.php:556 msgid "Error repeating notice." msgstr "Error repeating notice." -#. TRANS: Message given if content of a notice for a reply is too long. +#. TRANS: Message given if content of a notice for a reply is too long. %1$d is used for plural. #. TRANS: %1$d is the maximum number of characters, %2$d is the number of submitted characters. -#: lib/command.php:589 -#, php-format -msgid "Notice too long - maximum is %1$d characters, you sent %2$d." -msgstr "Notice too long - maximum is %1$d characters, you sent %2$d." +#: lib/command.php:591 +#, fuzzy, php-format +msgid "Notice too long - maximum is %1$d character, you sent %2$d." +msgid_plural "Notice too long - maximum is %1$d characters, you sent %2$d." +msgstr[0] "Notice too long - maximum is %1$d characters, you sent %2$d." +msgstr[1] "Notice too long - maximum is %1$d characters, you sent %2$d." #. TRANS: Text shown having sent a reply to a notice successfully. #. TRANS: %s is the nickname of the user of the notice the reply was sent to. -#: lib/command.php:600 +#: lib/command.php:604 #, php-format msgid "Reply to %s sent." msgstr "Reply to %s sent." #. TRANS: Error text shown when a reply to a notice fails with an unknown reason. -#: lib/command.php:603 +#: lib/command.php:607 msgid "Error saving notice." msgstr "Error saving notice." #. TRANS: Error text shown when no username was provided when issuing a subscribe command. -#: lib/command.php:650 +#: lib/command.php:654 msgid "Specify the name of the user to subscribe to." msgstr "Specify the name of the user to subscribe to." #. TRANS: Command exception text shown when trying to subscribe to an OMB profile using the subscribe command. -#: lib/command.php:659 +#: lib/command.php:663 msgid "Can't subscribe to OMB profiles by command." msgstr "Can't subscribe to OMB profiles by command." #. TRANS: Text shown after having subscribed to another user successfully. #. TRANS: %s is the name of the user the subscription was requested for. -#: lib/command.php:667 +#: lib/command.php:671 #, php-format msgid "Subscribed to %s." msgstr "" #. TRANS: Error text shown when no username was provided when issuing an unsubscribe command. #. TRANS: Error text shown when no username was provided when issuing the command. -#: lib/command.php:688 lib/command.php:799 +#: lib/command.php:692 lib/command.php:803 msgid "Specify the name of the user to unsubscribe from." msgstr "Specify the name of the user to unsubscribe from." #. TRANS: Text shown after having unsubscribed from another user successfully. #. TRANS: %s is the name of the user the unsubscription was requested for. -#: lib/command.php:699 +#: lib/command.php:703 #, php-format msgid "Unsubscribed from %s." msgstr "" #. TRANS: Error text shown when issuing the command "off" with a setting which has not yet been implemented. #. TRANS: Error text shown when issuing the command "on" with a setting which has not yet been implemented. -#: lib/command.php:719 lib/command.php:745 +#: lib/command.php:723 lib/command.php:749 msgid "Command not yet implemented." msgstr "Command not yet implemented." #. TRANS: Text shown when issuing the command "off" successfully. -#: lib/command.php:723 +#: lib/command.php:727 msgid "Notification off." msgstr "Notification off." #. TRANS: Error text shown when the command "off" fails for an unknown reason. -#: lib/command.php:726 +#: lib/command.php:730 msgid "Can't turn off notification." msgstr "Can't turn off notification." #. TRANS: Text shown when issuing the command "on" successfully. -#: lib/command.php:749 +#: lib/command.php:753 msgid "Notification on." msgstr "Notification on." #. TRANS: Error text shown when the command "on" fails for an unknown reason. -#: lib/command.php:752 +#: lib/command.php:756 msgid "Can't turn on notification." msgstr "Can't turn on notification." #. TRANS: Error text shown when issuing the login command while login is disabled. -#: lib/command.php:766 +#: lib/command.php:770 msgid "Login command is disabled." msgstr "" #. TRANS: Text shown after issuing the login command successfully. #. TRANS: %s is a logon link.. -#: lib/command.php:779 +#: lib/command.php:783 #, php-format msgid "This link is useable only once and is valid for only 2 minutes: %s." msgstr "" #. TRANS: Text shown after issuing the lose command successfully (stop another user from following the current user). #. TRANS: %s is the name of the user the unsubscription was requested for. -#: lib/command.php:808 +#: lib/command.php:812 #, php-format msgid "Unsubscribed %s." msgstr "" #. TRANS: Text shown after requesting other users a user is subscribed to without having any subscriptions. -#: lib/command.php:826 +#: lib/command.php:830 msgid "You are not subscribed to anyone." msgstr "You are not subscribed to anyone." #. TRANS: Text shown after requesting other users a user is subscribed to. #. TRANS: This message supports plural forms. This message is followed by a #. TRANS: hard coded space and a comma separated list of subscribed users. -#: lib/command.php:831 +#: lib/command.php:835 msgid "You are subscribed to this person:" msgid_plural "You are subscribed to these people:" msgstr[0] "You are subscribed to this person:" @@ -6962,14 +7055,14 @@ msgstr[1] "You are subscribed to these people:" #. TRANS: Text shown after requesting other users that are subscribed to a user #. TRANS: (followers) without having any subscribers. -#: lib/command.php:853 +#: lib/command.php:857 msgid "No one is subscribed to you." msgstr "No one is subscribed to you." #. TRANS: Text shown after requesting other users that are subscribed to a user (followers). #. TRANS: This message supports plural forms. This message is followed by a #. TRANS: hard coded space and a comma separated list of subscribing users. -#: lib/command.php:858 +#: lib/command.php:862 msgid "This person is subscribed to you:" msgid_plural "These people are subscribed to you:" msgstr[0] "This person is subscribed to you:" @@ -6977,21 +7070,21 @@ msgstr[1] "These people are subscribed to you:" #. TRANS: Text shown after requesting groups a user is subscribed to without having #. TRANS: any group subscriptions. -#: lib/command.php:880 +#: lib/command.php:884 msgid "You are not a member of any groups." msgstr "You are not a member of any groups." #. TRANS: Text shown after requesting groups a user is subscribed to. #. TRANS: This message supports plural forms. This message is followed by a #. TRANS: hard coded space and a comma separated list of subscribed groups. -#: lib/command.php:885 +#: lib/command.php:889 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:" #. TRANS: Help text for commands. Do not translate the command names themselves; they are fixed strings. -#: lib/command.php:900 +#: lib/command.php:904 msgid "" "Commands:\n" "on - turn on notifications\n" @@ -7218,7 +7311,8 @@ msgid "1-64 lowercase letters or numbers, no punctuation or spaces" msgstr "1-64 lowercase letters or numbers, no punctuation or spaces" #: lib/groupeditform.php:163 -msgid "URL of the homepage or blog of the group or topic" +#, fuzzy +msgid "URL of the homepage or blog of the group or topic." msgstr "URL of the homepage or blog of the group or topic" #: lib/groupeditform.php:168 @@ -7226,20 +7320,29 @@ msgid "Describe the group or topic" msgstr "Describe the group or topic" #: lib/groupeditform.php:170 -#, php-format -msgid "Describe the group or topic in %d characters" -msgstr "Describe the group or topic in %d characters" +#, fuzzy, php-format +msgid "Describe the group or topic in %d character or less" +msgid_plural "Describe the group or topic in %d characters or less" +msgstr[0] "Describe the group or topic in %d characters" +msgstr[1] "Describe the group or topic in %d characters" -#: lib/groupeditform.php:179 +#: lib/groupeditform.php:182 +#, fuzzy msgid "" -"Location for the group, if any, like \"City, State (or Region), Country\"" +"Location for the group, if any, like \"City, State (or Region), Country\"." msgstr "" "Location for the group, if any, like \"City, State (or Region), Country\"" -#: lib/groupeditform.php:187 +#: lib/groupeditform.php:190 #, php-format -msgid "Extra nicknames for the group, comma- or space- separated, max %d" -msgstr "" +msgid "" +"Extra nicknames for the group, separated with commas or spaces. Maximum %d " +"alias allowed." +msgid_plural "" +"Extra nicknames for the group, separated with commas or spaces. Maximum %d " +"aliases allowed." +msgstr[0] "" +msgstr[1] "" #. TRANS: Menu item in the group navigation page. #: lib/groupnav.php:86 @@ -7709,7 +7812,7 @@ msgstr "Sorry, that is not your incoming e-mail address." msgid "Sorry, no incoming email allowed." msgstr "Sorry, no incoming e-mail allowed." -#: lib/mailhandler.php:228 +#: lib/mailhandler.php:229 #, php-format msgid "Unsupported message type: %s" msgstr "Unsupported message type: %s" @@ -8050,16 +8153,17 @@ msgid "Sandbox this user" msgstr "Sandbox this user" #. TRANS: Fieldset legend for the search form. -#: lib/searchaction.php:121 +#: lib/searchaction.php:120 msgid "Search site" msgstr "Search site" #. TRANS: Used as a field label for the field where one or more keywords #. TRANS: for searching can be entered. -#: lib/searchaction.php:129 +#: lib/searchaction.php:128 msgid "Keyword(s)" msgstr "" +#. TRANS: Button text for searching site. #: lib/searchaction.php:130 msgctxt "BUTTON" msgid "Search" @@ -8149,8 +8253,8 @@ msgid "The theme file is missing or the upload failed." msgstr "" #: lib/themeuploader.php:91 lib/themeuploader.php:102 -#: lib/themeuploader.php:278 lib/themeuploader.php:282 -#: lib/themeuploader.php:290 lib/themeuploader.php:297 +#: lib/themeuploader.php:279 lib/themeuploader.php:283 +#: lib/themeuploader.php:291 lib/themeuploader.php:298 msgid "Failed saving theme." msgstr "Failed saving theme." @@ -8160,29 +8264,32 @@ msgstr "" #: lib/themeuploader.php:166 #, php-format -msgid "Uploaded theme is too large; must be less than %d bytes uncompressed." -msgstr "" +msgid "Uploaded theme is too large; must be less than %d byte uncompressed." +msgid_plural "" +"Uploaded theme is too large; must be less than %d bytes uncompressed." +msgstr[0] "" +msgstr[1] "" -#: lib/themeuploader.php:178 +#: lib/themeuploader.php:179 msgid "Invalid theme archive: missing file css/display.css" msgstr "" -#: lib/themeuploader.php:218 +#: lib/themeuploader.php:219 msgid "" "Theme contains invalid file or folder name. Stick with ASCII letters, " "digits, underscore, and minus sign." msgstr "" -#: lib/themeuploader.php:224 +#: lib/themeuploader.php:225 msgid "Theme contains unsafe file extension names; may be unsafe." msgstr "" -#: lib/themeuploader.php:241 +#: lib/themeuploader.php:242 #, php-format msgid "Theme contains file of type '.%s', which is not allowed." msgstr "" -#: lib/themeuploader.php:259 +#: lib/themeuploader.php:260 msgid "Error opening theme archive." msgstr "Error opening theme archive." @@ -8363,22 +8470,38 @@ msgid_plural "Message too long. Maximum is %1$d characters, you sent %2$d." msgstr[0] "Message too long - maximum is %1$d characters, you sent %2$d." msgstr[1] "Message too long - maximum is %1$d characters, you sent %2$d." -#: scripts/restoreuser.php:82 +#. TRANS: Commandline script output. %s is the filename that contains a backup for a user. +#: scripts/restoreuser.php:61 #, php-format -msgid "Backup file for user %s (%s)" +msgid "Getting backup from file '%s'." msgstr "" -#: scripts/restoreuser.php:88 +#. TRANS: Commandline script output. +#: scripts/restoreuser.php:91 msgid "No user specified; using backup user." msgstr "No user specified; using backup user." -#: scripts/restoreuser.php:94 +#. TRANS: Commandline script output. %d is the number of entries in the activity stream in backup; used for plural. +#: scripts/restoreuser.php:98 #, php-format -msgid "%d entries in backup." -msgstr "" +msgid "%d entry in backup." +msgid_plural "%d entries in backup." +msgstr[0] "" +msgstr[1] "" -#~ msgid "Description is too long (max %d chars)." -#~ msgstr "Description is too long (max %d chars)" +#, fuzzy +#~ msgid "Name is too long (maximum 255 chars)." +#~ msgstr "Name is too long (max 255 chars)." -#~ msgid "Too many aliases! Maximum %d." -#~ msgstr "Too many aliases! Maximum %d." +#, fuzzy +#~ msgid "Organization is too long (maximum 255 chars)." +#~ msgstr "Organisation is too long (max 255 chars)." + +#~ msgid "That's too long. Max notice size is %d chars." +#~ msgstr "That's too long. Max notice size is %d chars." + +#~ msgid "Max notice size is %d chars, including attachment URL." +#~ msgstr "Max notice size is %d chars, including attachment URL." + +#~ msgid " tagged %s" +#~ msgstr " tagged %s" diff --git a/locale/eo/LC_MESSAGES/statusnet.po b/locale/eo/LC_MESSAGES/statusnet.po index bb8b016385..10bb52471b 100644 --- a/locale/eo/LC_MESSAGES/statusnet.po +++ b/locale/eo/LC_MESSAGES/statusnet.po @@ -15,17 +15,17 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet - Core\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-10-30 23:18+0000\n" -"PO-Revision-Date: 2010-10-30 23:20:06+0000\n" +"POT-Creation-Date: 2010-11-02 22:51+0000\n" +"PO-Revision-Date: 2010-11-02 22:53:13+0000\n" "Language-Team: Esperanto \n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r75708); Translate extension (2010-09-17)\n" +"X-Generator: MediaWiki 1.17alpha (r75875); Translate extension (2010-09-17)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: eo\n" "X-Message-Group: #out-statusnet-core\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-POT-Import-Date: 2010-10-30 09:48:40+0000\n" +"X-POT-Import-Date: 2010-10-30 23:42:01+0000\n" #. TRANS: Page title for Access admin panel that allows configuring site access. #. TRANS: Menu item for site administration @@ -82,15 +82,20 @@ msgstr "Konservu atingan agordon" #. TRANS: Tooltip for button to save access settings in site admin panel. #. TRANS: Button label to save e-mail preferences. #. TRANS: Button label to save IM preferences. +#. TRANS: Button text for saving "Other settings" in profile. #. TRANS: Button text to store form data in the Paths admin panel. #. TRANS: Button to save input in profile settings. +#. TRANS: Button text for saving site notice in admin panel. #. TRANS: Button label to save SMS preferences. #. TRANS: Save button for settings for a profile in a subscriptions list. +#. TRANS: Button text to save user settings in user admin panel. #. TRANS: Button label in the "Edit application" form. #: actions/accessadminpanel.php:193 actions/emailsettings.php:228 -#: actions/imsettings.php:187 actions/pathsadminpanel.php:512 -#: actions/profilesettings.php:201 actions/smssettings.php:209 -#: actions/subscriptions.php:246 lib/applicationeditform.php:355 +#: actions/imsettings.php:187 actions/othersettings.php:134 +#: actions/pathsadminpanel.php:512 actions/profilesettings.php:201 +#: actions/sitenoticeadminpanel.php:197 actions/smssettings.php:209 +#: actions/subscriptions.php:246 actions/useradminpanel.php:298 +#: lib/applicationeditform.php:355 lib/groupeditform.php:207 msgctxt "BUTTON" msgid "Save" msgstr "Konservu" @@ -141,7 +146,7 @@ msgstr "Ne estas tiu paĝo." #: 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:93 actions/userrss.php:40 -#: actions/xrds.php:71 lib/command.php:495 lib/galleryaction.php:59 +#: actions/xrds.php:71 lib/command.php:497 lib/galleryaction.php:59 #: lib/mailbox.php:82 lib/profileaction.php:77 msgid "No such user." msgstr "Ne ekzistas tiu uzanto." @@ -213,7 +218,9 @@ msgstr "" #. TRANS: Encoutagement displayed on empty timeline user pages for anonymous users. #. TRANS: %s is a user nickname. This message contains Markdown links. Keep "](" together. -#: actions/all.php:155 actions/replies.php:210 actions/showstream.php:208 +#. TRANS: Second sentence of empty message for anonymous users. %s is a user nickname. +#. TRANS: This message contains a Markdown link. Keep "](" together. +#: actions/all.php:155 actions/replies.php:210 actions/showstream.php:227 #, php-format msgid "" "Why not [register an account](%%%%action.register%%%%) and then nudge %s or " @@ -568,8 +575,11 @@ msgstr "Plennomo estas tro longa (maksimume 255 literoj)" #. TRANS: Group edit form validation error. #. TRANS: Form validation error in New application form. #. TRANS: %d is the maximum number of characters for the description. +#. TRANS: Group create form validation error. +#. TRANS: %d is the maximum number of allowed characters. #: actions/apigroupcreate.php:220 actions/editapplication.php:201 #: actions/editgroup.php:216 actions/newapplication.php:178 +#: actions/newgroup.php:152 #, fuzzy, php-format msgid "Description is too long (maximum %d character)." msgid_plural "Description is too long (maximum %d characters)." @@ -727,14 +737,14 @@ msgstr "Vi ne estas rajtigita." #. TRANS: Form validation error in API OAuth authorisation because of an invalid session token. #: actions/apioauthauthorize.php:147 actions/avatarsettings.php:280 -#: actions/deletenotice.php:172 actions/disfavor.php:74 +#: actions/deletenotice.php:177 actions/disfavor.php:74 #: actions/emailsettings.php:271 actions/favor.php:75 actions/geocode.php:55 #: actions/groupblock.php:66 actions/grouplogo.php:312 #: actions/groupunblock.php:65 actions/imsettings.php:230 #: actions/invite.php:59 actions/login.php:137 actions/makeadmin.php:66 #: actions/newmessage.php:135 actions/newnotice.php:105 actions/nudge.php:80 #: actions/oauthappssettings.php:165 actions/oauthconnectionssettings.php:138 -#: actions/othersettings.php:145 actions/passwordsettings.php:138 +#: actions/othersettings.php:153 actions/passwordsettings.php:138 #: actions/profilesettings.php:221 actions/recoverpassword.php:350 #: actions/register.php:172 actions/remotesubscribe.php:77 #: actions/repeat.php:83 actions/smssettings.php:256 actions/subedit.php:40 @@ -913,20 +923,21 @@ msgstr "Vi ne povas forigi la staton de alia uzanto." #. TRANS: Client error displayed trying to repeat a non-existing notice through the API. #. TRANS: Client error displayed trying to display redents of a non-exiting notice. +#. TRANS: Error message displayed trying to delete a non-existing notice. #: actions/apistatusesretweet.php:74 actions/apistatusesretweets.php:70 -#: actions/deletenotice.php:58 actions/shownotice.php:92 +#: actions/deletenotice.php:61 actions/shownotice.php:92 msgid "No such notice." msgstr "Ne estas tiu avizo." #. TRANS: Client error displayed trying to repeat an own notice through the API. #. TRANS: Error text shown when trying to repeat an own notice. -#: actions/apistatusesretweet.php:83 lib/command.php:535 +#: actions/apistatusesretweet.php:83 lib/command.php:537 msgid "Cannot repeat your own notice." msgstr "Vi ne povas ripeti vian propran avizon." #. TRANS: Client error displayed trying to re-repeat a notice through the API. #. TRANS: Error text shown when trying to repeat an notice that was already repeated by the user. -#: actions/apistatusesretweet.php:92 lib/command.php:541 +#: actions/apistatusesretweet.php:92 lib/command.php:543 msgid "Already repeated that notice." msgstr "La avizo jam ripetiĝis." @@ -947,7 +958,8 @@ msgstr "Kliento devas providi al \"stato\"-parametro valoron." #. TRANS: Client error displayed when the parameter "status" is missing. #. TRANS: %d is the maximum number of character for a notice. -#: actions/apistatusesupdate.php:244 +#: actions/apistatusesupdate.php:244 actions/newnotice.php:161 +#: lib/mailhandler.php:60 #, fuzzy, php-format msgid "That's too long. Maximum notice size is %d character." msgid_plural "That's too long. Maximum notice size is %d characters." @@ -962,7 +974,7 @@ msgstr "Metodo de API ne troviĝas." #. TRANS: Client error displayed exceeding the maximum notice length. #. TRANS: %d is the maximum lenth for a notice. -#: actions/apistatusesupdate.php:308 +#: actions/apistatusesupdate.php:308 actions/newnotice.php:184 #, fuzzy, php-format msgid "Maximum notice size is %d character, including attachment URL." msgid_plural "Maximum notice size is %d characters, including attachment URL." @@ -1175,17 +1187,18 @@ msgstr "Elektu kvadratan parton de la bildo kiel via vizaĝbildo" msgid "Lost our file data." msgstr "Perdiĝis nia dosiera datumo." -#: actions/avatarsettings.php:384 +#. TRANS: Success message for having updated a user avatar. +#: actions/avatarsettings.php:385 msgid "Avatar updated." msgstr "Vizaĝbildo ĝisdatigita." #. TRANS: Error displayed on the avatar upload page if the avatar could not be updated for an unknown reason. -#: actions/avatarsettings.php:388 +#: actions/avatarsettings.php:389 msgid "Failed updating avatar." msgstr "Eraris ĝisdatigi vizaĝbildon." #. TRANS: Success message for deleting a user avatar. -#: actions/avatarsettings.php:412 +#: actions/avatarsettings.php:413 msgid "Avatar deleted." msgstr "Vizaĝbildo forigita." @@ -1216,8 +1229,8 @@ msgstr "" #. TRANS: Button label on the delete notice form. #. TRANS: Button label on the delete user form. #. TRANS: Button label on the form to block a user from a group. -#: actions/block.php:154 actions/deleteapplication.php:154 -#: actions/deletegroup.php:220 actions/deletenotice.php:150 +#: actions/block.php:154 actions/deleteapplication.php:157 +#: actions/deletegroup.php:220 actions/deletenotice.php:155 #: actions/deleteuser.php:152 actions/groupblock.php:178 msgctxt "BUTTON" msgid "No" @@ -1235,8 +1248,8 @@ msgstr "Ne bloki la uzanton" #. TRANS: Button label on the delete notice form. #. TRANS: Button label on the delete user form. #. TRANS: Button label on the form to block a user from a group. -#: actions/block.php:161 actions/deleteapplication.php:161 -#: actions/deletegroup.php:227 actions/deletenotice.php:157 +#: actions/block.php:161 actions/deleteapplication.php:164 +#: actions/deletegroup.php:227 actions/deletenotice.php:162 #: actions/deleteuser.php:159 actions/groupblock.php:185 msgctxt "BUTTON" msgid "Yes" @@ -1353,12 +1366,13 @@ msgstr "La adreso jam estis konfirmita." #. TRANS: Server error thrown on database error removing a registered e-mail address. #. TRANS: Server error thrown on database error updating IM preferences. #. TRANS: Server error thrown on database error removing a registered IM address. +#. TRANS: Server error displayed when "Other" settings in user profile could not be updated on the server. #. TRANS: Server error thrown when user profile settings could not be updated. #. TRANS: Server error thrown on database error updating SMS preferences. #. TRANS: Server error thrown on database error removing a registered SMS phone number. #: actions/confirmaddress.php:118 actions/emailsettings.php:331 #: actions/emailsettings.php:477 actions/imsettings.php:283 -#: actions/imsettings.php:442 actions/othersettings.php:174 +#: actions/imsettings.php:442 actions/othersettings.php:184 #: actions/profilesettings.php:326 actions/smssettings.php:308 #: actions/smssettings.php:464 msgid "Couldn't update user." @@ -1394,16 +1408,19 @@ msgstr "Konversacio" msgid "Notices" msgstr "Avizoj" -#: actions/deleteapplication.php:63 +#. TRANS: Client error displayed trying to delete an application while not logged in. +#: actions/deleteapplication.php:62 msgid "You must be logged in to delete an application." msgstr "Ensalutu por forigi la aplikaĵon." +#. TRANS: Client error displayed trying to delete an application that does not exist. #: actions/deleteapplication.php:71 msgid "Application not found." msgstr "Aplikaĵo ne trovita." +#. TRANS: Client error displayed trying to delete an application the current user does not own. #. TRANS: Client error displayed trying to edit an application while not being its owner. -#: actions/deleteapplication.php:78 actions/editapplication.php:78 +#: actions/deleteapplication.php:79 actions/editapplication.php:78 #: actions/showapplication.php:94 msgid "You are not the owner of this application." msgstr "Vi ne estas la posedanto de ĉi tiu aplikaĵo." @@ -1411,15 +1428,18 @@ msgstr "Vi ne estas la posedanto de ĉi tiu aplikaĵo." #. TRANS: Client error text when there is a problem with the session token. #: actions/deleteapplication.php:102 actions/editapplication.php:131 #: actions/newapplication.php:114 actions/showapplication.php:118 -#: lib/action.php:1354 +#: lib/action.php:1404 msgid "There was a problem with your session token." msgstr "Problemo okazas pri via seancĵetono." -#: actions/deleteapplication.php:123 actions/deleteapplication.php:147 +#. TRANS: Title for delete application page. +#. TRANS: Fieldset legend on delete application page. +#: actions/deleteapplication.php:124 actions/deleteapplication.php:149 msgid "Delete application" msgstr "Forigi aplikaĵon" -#: actions/deleteapplication.php:149 +#. TRANS: Confirmation text on delete application page. +#: actions/deleteapplication.php:152 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 " @@ -1429,12 +1449,12 @@ msgstr "" "la datumbazo, inkluzive de ĉiu ekzistanta uzanto-konekto." #. TRANS: Submit button title for 'No' when deleting an application. -#: actions/deleteapplication.php:158 +#: actions/deleteapplication.php:161 msgid "Do not delete this application" msgstr "Ne forigu ĉi tiun aplikaĵon." #. TRANS: Submit button title for 'Yes' when deleting an application. -#: actions/deleteapplication.php:164 +#: actions/deleteapplication.php:167 msgid "Delete this application" msgstr "Viŝi ĉi tiun aplikon" @@ -1470,13 +1490,14 @@ msgstr "Malsukcesis ĝisdatigi grupon." msgid "Deleted group %s" msgstr "%1$s eksaniĝis de grupo %2$s" -#. TRANS: Title. +#. TRANS: Title of delete group page. #. TRANS: Form legend for deleting a group. #: actions/deletegroup.php:176 actions/deletegroup.php:202 #, fuzzy msgid "Delete group" msgstr "Forigi uzanton" +#. TRANS: Warning in form for deleleting a group. #: actions/deletegroup.php:206 #, fuzzy msgid "" @@ -1499,10 +1520,11 @@ msgstr "Ne forigi la avizon" msgid "Delete this group" msgstr "Forigi la uzanton" +#. TRANS: Error message displayed trying to delete a notice while not logged in. #. TRANS: Client error displayed when trying to unblock a user from a group while not logged in. #. TRANS: Client error displayed trying a change a subscription while not logged in. #. TRANS: Client error message thrown when trying to access the admin panel while not logged in. -#: actions/deletenotice.php:50 actions/disfavor.php:61 actions/favor.php:62 +#: actions/deletenotice.php:52 actions/disfavor.php:61 actions/favor.php:62 #: actions/groupblock.php:61 actions/groupunblock.php:60 actions/logout.php:69 #: actions/makeadmin.php:61 actions/newmessage.php:87 actions/newnotice.php:88 #: actions/nudge.php:63 actions/subedit.php:33 actions/subscribe.php:96 @@ -1512,32 +1534,37 @@ msgstr "Forigi la uzanton" msgid "Not logged in." msgstr "Ne konektita." -#: actions/deletenotice.php:74 +#. TRANS: Error message displayed trying to delete a notice that was not made by the current user. +#: actions/deletenotice.php:78 msgid "Can't delete this notice." msgstr "Ne povas forigi ĉi tiun avizon." -#: actions/deletenotice.php:106 +#. TRANS: Instructions for deleting a notice. +#: actions/deletenotice.php:110 msgid "" "You are about to permanently delete a notice. Once this is done, it cannot " "be undone." msgstr "" "Vi nun por ĉiam forigos avizon. Kiam tio fariĝos, ne plu eblos malfari tion." -#: actions/deletenotice.php:112 actions/deletenotice.php:144 +#. TRANS: Page title when deleting a notice. +#. TRANS: Fieldset legend for the delete notice form. +#: actions/deletenotice.php:117 actions/deletenotice.php:148 msgid "Delete notice" msgstr "Forigi avizon" -#: actions/deletenotice.php:147 +#. TRANS: Message for the delete notice form. +#: actions/deletenotice.php:152 msgid "Are you sure you want to delete this notice?" msgstr "Ĉu vi certe volas forigi la avizon?" #. TRANS: Submit button title for 'No' when deleting a notice. -#: actions/deletenotice.php:154 +#: actions/deletenotice.php:159 msgid "Do not delete this notice" msgstr "Ne forigi la avizon" #. TRANS: Submit button title for 'Yes' when deleting a notice. -#: actions/deletenotice.php:161 lib/noticelist.php:667 +#: actions/deletenotice.php:166 lib/noticelist.php:667 msgid "Delete this notice" msgstr "Forigi la avizon" @@ -1699,11 +1726,9 @@ msgstr "Redefaŭltiĝi" #. TRANS: Submit button title. #: actions/designadminpanel.php:711 actions/licenseadminpanel.php:319 -#: actions/othersettings.php:126 actions/sessionsadminpanel.php:199 -#: actions/siteadminpanel.php:292 actions/sitenoticeadminpanel.php:195 +#: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:292 #: actions/snapshotadminpanel.php:245 actions/tagother.php:154 -#: actions/useradminpanel.php:295 lib/applicationeditform.php:357 -#: lib/designsettings.php:256 lib/groupeditform.php:202 +#: lib/applicationeditform.php:357 lib/designsettings.php:256 msgid "Save" msgstr "Konservi" @@ -1751,9 +1776,9 @@ msgid "Name is required." msgstr "Nomo necesas." #. TRANS: Validation error shown when providing too long a name in the "Edit application" form. -#: actions/editapplication.php:188 +#: actions/editapplication.php:188 actions/newapplication.php:169 #, fuzzy -msgid "Name is too long (max 255 characters)." +msgid "Name is too long (maximum 255 characters)." msgstr "La nomo estas tro longa (maksimume 255 literoj)" #. TRANS: Validation error shown when providing a name for an application that already exists in the "Edit application" form. @@ -1782,7 +1807,7 @@ msgid "Organization is required." msgstr "Organizo necesas." #. TRANS: Validation error shown when providing too long an arganisation name in the "Edit application" form. -#: actions/editapplication.php:223 +#: actions/editapplication.php:223 actions/newapplication.php:199 #, fuzzy msgid "Organization is too long (maximum 255 characters)." msgstr "Organizonomo estas tro longa (maksimume 255 literoj)." @@ -2571,7 +2596,7 @@ msgid "Publish a MicroID for my Jabber/GTalk address." msgstr "Publikigu MikroID por mia Jabber/GTalk-adreso." #. TRANS: Confirmation message for successful IM preferences save. -#: actions/imsettings.php:290 actions/othersettings.php:180 +#: actions/imsettings.php:290 actions/othersettings.php:190 msgid "Preferences saved." msgstr "Prefero konservita." @@ -2695,10 +2720,9 @@ msgstr[1] "Vi jam abonas jenajn uzantojn:" #. TRANS: Used as list item for already subscribed users (%1$s is nickname, %2$s is e-mail address). #. TRANS: Used as list item for already registered people (%1$s is nickname, %2$s is e-mail address). -#. TRANS: Whois output. -#. TRANS: %1$s nickname of the queried user, %2$s is their profile URL. -#: actions/invite.php:145 actions/invite.php:159 lib/command.php:426 -#, php-format +#: actions/invite.php:145 actions/invite.php:159 +#, fuzzy, php-format +msgctxt "INVITE" msgid "%1$s (%2$s)" msgstr "%1$s (%2$s)" @@ -2878,7 +2902,8 @@ msgid "" msgstr "" #: actions/licenseadminpanel.php:156 -msgid "Invalid license title. Max length is 255 characters." +#, fuzzy +msgid "Invalid license title. Maximum length is 255 characters." msgstr "Nevalida permesila titolo. La longlimo estas 255 literoj." #: actions/licenseadminpanel.php:168 @@ -3049,20 +3074,10 @@ msgstr "Ensalutu por registri aplikaĵon." msgid "Use this form to register a new application." msgstr "Uzu ĉi tiun formularon por registri novan aplikaĵon." -#: actions/newapplication.php:169 -#, fuzzy -msgid "Name is too long (maximum 255 chars)." -msgstr "La nomo estas tro longa (maksimume 255 literoj)" - #: actions/newapplication.php:184 msgid "Source URL is required." msgstr "Fonta URL bezonata." -#: actions/newapplication.php:199 -#, fuzzy -msgid "Organization is too long (maximum 255 chars)." -msgstr "Organizonomo estas tro longa (maksimume 255 literoj)." - #: actions/newapplication.php:266 actions/newapplication.php:275 msgid "Could not create application." msgstr "Malsukcesis krei aplikaĵon." @@ -3082,14 +3097,14 @@ msgid "New message" msgstr "Nova mesaĝo" #. TRANS: Error text shown when trying to send a direct message to a user without a mutual subscription (each user must be subscribed to the other). -#: actions/newmessage.php:121 actions/newmessage.php:164 lib/command.php:499 +#: actions/newmessage.php:121 actions/newmessage.php:164 lib/command.php:501 msgid "You can't send a message to this user." msgstr "Vi ne povas sendi mesaĝon al la uzanto." #. TRANS: Command exception text shown when trying to send a direct message to another user without content. #. TRANS: Command exception text shown when trying to reply to a notice without providing content for the reply. #: actions/newmessage.php:144 actions/newnotice.php:140 lib/command.php:478 -#: lib/command.php:579 +#: lib/command.php:581 msgid "No content!" msgstr "Neniu enhavo!" @@ -3098,7 +3113,7 @@ msgid "No recipient specified." msgstr "Neniu ricevonto speifiĝas." #. TRANS: Error text shown when trying to send a direct message to self. -#: actions/newmessage.php:167 lib/command.php:503 +#: actions/newmessage.php:167 lib/command.php:505 msgid "" "Don't send a message to yourself; just say it to yourself quietly instead." msgstr "Ne sendu mesaĝon al vi mem! Simple suspiru anstataŭ." @@ -3109,12 +3124,12 @@ msgstr "Mesaĝo sendita" #. TRANS: Message given have sent a direct message to another user. #. TRANS: %s is the name of the other user. -#: actions/newmessage.php:188 lib/command.php:511 +#: actions/newmessage.php:188 lib/command.php:513 #, php-format msgid "Direct message to %s sent." msgstr "Rekta mesaĝo al %s sendiĝis." -#: actions/newmessage.php:213 actions/newnotice.php:263 +#: actions/newmessage.php:213 actions/newnotice.php:264 msgid "Ajax Error" msgstr "Eraro de Ajax" @@ -3122,17 +3137,7 @@ msgstr "Eraro de Ajax" msgid "New notice" msgstr "Nova avizo" -#: actions/newnotice.php:159 lib/mailhandler.php:60 -#, php-format -msgid "That's too long. Max notice size is %d chars." -msgstr "Tro longas. Longlimo por avizo estas %d signoj." - -#: actions/newnotice.php:183 -#, php-format -msgid "Max notice size is %d chars, including attachment URL." -msgstr "Longlimo por avizo estas %d signoj, enkalkulante ankaŭ la retadresojn." - -#: actions/newnotice.php:229 +#: actions/newnotice.php:230 msgid "Notice posted" msgstr "Avizo afiŝiĝas" @@ -3301,36 +3306,46 @@ msgstr "Homserĉo" msgid "Notice Search" msgstr "Avizoserĉo" -#: actions/othersettings.php:60 +#: actions/othersettings.php:59 msgid "Other settings" msgstr "Aliaj agordoj" +#. TRANS: Instructions for tab "Other" in user profile settings. #: actions/othersettings.php:71 msgid "Manage various other options." msgstr "Agordi diversajn aliajn elektojn." -#: actions/othersettings.php:108 +#. TRANS: Used as a suffix for free URL shorteners in a dropdown list in the tab "Other" of a +#. TRANS: user's profile settings. This message has one space at the beginning. Use your +#. TRANS: language's word separator here if it has one (most likely a single space). +#: actions/othersettings.php:111 msgid " (free service)" msgstr " (Senpaga servo)" -#: actions/othersettings.php:116 +#. TRANS: Label for dropdown with URL shortener services. +#: actions/othersettings.php:120 msgid "Shorten URLs with" msgstr "Mallongigu URLojn per" -#: actions/othersettings.php:117 +#. TRANS: Tooltip for for dropdown with URL shortener services. +#: actions/othersettings.php:122 msgid "Automatic shortening service to use." msgstr "Uzota aŭtomata mallongigad-servo." -#: actions/othersettings.php:122 +#. TRANS: Label for checkbox. +#: actions/othersettings.php:128 msgid "View profile designs" msgstr "Vidi profilo-desegnon" -#: actions/othersettings.php:123 +#. TRANS: Tooltip for checkbox. +#: actions/othersettings.php:130 msgid "Show or hide profile designs." msgstr "Montri aŭ kaŝi profilo-desegnon." -#: actions/othersettings.php:153 -msgid "URL shortening service is too long (max 50 chars)." +#. TRANS: Form validation error for form "Other settings" in user profile. +#: actions/othersettings.php:162 +#, fuzzy +msgid "URL shortening service is too long (maximum 50 characters)." msgstr "URL-mallongigado-servo tro longas (maksimume 50 literojn)." #: actions/otp.php:69 @@ -3802,7 +3817,7 @@ msgstr "Biografio" #. TRANS: Label for group location (dt). Text hidden by default. #: actions/profilesettings.php:149 actions/register.php:485 #: actions/showgroup.php:267 actions/tagother.php:112 -#: actions/userauthorization.php:166 lib/groupeditform.php:177 +#: actions/userauthorization.php:166 lib/groupeditform.php:180 #: lib/userprofile.php:165 msgid "Location" msgstr "Loko" @@ -4137,7 +4152,8 @@ msgid "Unexpected password reset." msgstr "Neatendita pasvorto-rekomencigo." #: actions/recoverpassword.php:365 -msgid "Password must be 6 chars or more." +#, fuzzy +msgid "Password must be 6 characters or more." msgstr "Pasvorto devas enhavi 6 signojn aŭ pli." #: actions/recoverpassword.php:369 @@ -4509,7 +4525,7 @@ msgstr "Organizaĵo" #. TRANS: Form input field label. #: actions/showapplication.php:187 actions/version.php:200 -#: lib/applicationeditform.php:208 lib/groupeditform.php:172 +#: lib/applicationeditform.php:208 lib/groupeditform.php:175 msgid "Description" msgstr "Priskribo" @@ -4658,7 +4674,7 @@ msgid "Note" msgstr "Noto" #. TRANS: Label for group aliases (dt). Text hidden by default. -#: actions/showgroup.php:298 lib/groupeditform.php:184 +#: actions/showgroup.php:298 lib/groupeditform.php:187 msgid "Aliases" msgstr "Alnomo" @@ -4789,54 +4805,76 @@ msgstr "Mesaĝo de %1$s ĉe %2$s" msgid "Notice deleted." msgstr "Avizo viŝiĝas" -#: actions/showstream.php:72 -#, php-format -msgid " tagged %s" -msgstr " Etikedigita %s" +#. TRANS: Page title showing tagged notices in one user's stream. %1$s is the username, %2$s is the hash tag. +#: actions/showstream.php:70 +#, fuzzy, php-format +msgid "%1$s tagged %2$s" +msgstr "%1$s, paĝo %2$d" -#: actions/showstream.php:78 +#. TRANS: Page title showing tagged notices in one user's stream. +#. TRANS: %1$s is the username, %2$s is the hash tag, %1$d is the page number. +#: actions/showstream.php:74 +#, fuzzy, php-format +msgid "%1$s tagged %2$s, page %3$d" +msgstr "Avizoj etikeditaj per %1$s - paĝo %2$d" + +#. TRANS: Extended page title showing tagged notices in one user's stream. +#. TRANS: %1$s is the username, %2$d is the page number. +#: actions/showstream.php:82 #, php-format msgid "%1$s, page %2$d" msgstr "%1$s, paĝo %2$d" -#: actions/showstream.php:120 +#. TRANS: Title for link to notice feed. +#. TRANS: %1$s is a user nickname, %2$s is a hashtag. +#: actions/showstream.php:127 #, php-format msgid "Notice feed for %1$s tagged %2$s (RSS 1.0)" msgstr "Avizofluo pri %1$s etikedigita %2$s (RSS 1.0)" -#: actions/showstream.php:127 +#. TRANS: Title for link to notice feed. +#. TRANS: %s is a user nickname. +#: actions/showstream.php:136 #, php-format msgid "Notice feed for %s (RSS 1.0)" msgstr "Avizofluo pri %1$s (RSS 1.0)" -#: actions/showstream.php:134 +#. TRANS: Title for link to notice feed. +#. TRANS: %s is a user nickname. +#: actions/showstream.php:145 #, php-format msgid "Notice feed for %s (RSS 2.0)" msgstr "Avizofluo pri %1$s (RSS 2.0)" -#: actions/showstream.php:141 +#: actions/showstream.php:152 #, php-format msgid "Notice feed for %s (Atom)" msgstr "Avizofluo pri %1$s (Atom)" -#: actions/showstream.php:146 +#. TRANS: Title for link to notice feed. FOAF stands for Friend of a Friend. +#. TRANS: More information at http://www.foaf-project.org. %s is a user nickname. +#: actions/showstream.php:159 #, php-format msgid "FOAF for %s" msgstr "Foramiko de %s" -#: actions/showstream.php:197 -#, php-format -msgid "This is the timeline for %1$s but %2$s hasn't posted anything yet." +#. TRANS: First sentence of empty list message for a stream. $1%s is a user nickname. +#: actions/showstream.php:211 +#, fuzzy, php-format +msgid "This is the timeline for %1$s, but %1$s hasn't posted anything yet." msgstr "Tie ĉi estus tempstrio de %1$s sed %2$s ankoraŭ afiŝis nenion." -#: actions/showstream.php:202 +#. TRANS: Second sentence of empty list message for a stream for the user themselves. +#: actions/showstream.php:217 msgid "" "Seen anything interesting recently? You haven't posted any notices yet, now " "would be a good time to start :)" msgstr "" "Ĉu okazas io interesa lastatempe? Vi ne afiŝis ion ajn, nun taŭgas komenci :)" -#: actions/showstream.php:204 +#. TRANS: Second sentence of empty list message for a non-self stream. %1$s is a user nickname, %2$s is a part of a URL. +#. TRANS: This message contains a Markdown link. Keep "](" together. +#: actions/showstream.php:221 #, php-format msgid "" "You can try to nudge %1$s or [post something to them](%%%%action.newnotice%%%" @@ -4845,7 +4883,9 @@ msgstr "" "Vi povas provi [puŝeti %1$s] aŭ [afiŝi ion al li](%%%%action.newnotice%%%%?" "status_textarea=%2$s)." -#: actions/showstream.php:243 +#. TRANS: Announcement for anonymous users showing a stream if site registrations are open. +#. TRANS: This message contains a Markdown link. Keep "](" together. +#: actions/showstream.php:264 #, php-format msgid "" "**%s** has an account on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -4858,7 +4898,9 @@ msgstr "" "(http://status.net/). [Aniĝu](%%%%action.register%%%%) por sekvi avizojn de " "**%s** kaj multe pli! ([Pli](%%%%doc.help%%%%))" -#: actions/showstream.php:248 +#. TRANS: Announcement for anonymous users showing a stream if site registrations are closed or invite only. +#. TRANS: This message contains a Markdown link. Keep "](" together. +#: actions/showstream.php:271 #, php-format msgid "" "**%s** has an account on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -4869,7 +4911,8 @@ msgstr "" "org/wiki/Micro-blogging) servo surbaze de ilaro de Libera Molvaro [StatusNet]" "(http://status.net/). " -#: actions/showstream.php:305 +#. TRANS: Link to the author of a repeated notice. %s is a linked nickname. +#: actions/showstream.php:328 #, php-format msgid "Repeat of %s" msgstr "Ripeto de %s" @@ -4980,31 +5023,40 @@ msgid "How long users must wait (in seconds) to post the same thing again." msgstr "" "Kiel longe devas uzantoj atendas (je sekundo) antaŭ afiŝi la saman refejo." -#: actions/sitenoticeadminpanel.php:56 +#. TRANS: Page title for site-wide notice tab in admin panel. +#: actions/sitenoticeadminpanel.php:55 msgid "Site Notice" msgstr "Reteja Anonco" -#: actions/sitenoticeadminpanel.php:67 +#. TRANS: Instructions for site-wide notice tab in admin panel. +#: actions/sitenoticeadminpanel.php:66 msgid "Edit site-wide message" msgstr "Redakti retejan mesaĝon" -#: actions/sitenoticeadminpanel.php:103 +#. TRANS: Server error displayed when saving a site-wide notice was impossible. +#: actions/sitenoticeadminpanel.php:101 msgid "Unable to save site notice." msgstr "Malsukcesis konservi retejan anoncon." -#: actions/sitenoticeadminpanel.php:113 -msgid "Max length for the site-wide notice is 255 chars." +#. TRANS: Client error displayed when a site-wide notice was longer than allowed. +#: actions/sitenoticeadminpanel.php:112 +#, fuzzy +msgid "Maximum length for the site-wide notice is 255 characters." msgstr "Longlimo por reteja anonco estas 255 literoj." +#. TRANS: Label for site-wide notice text field in admin panel. #: actions/sitenoticeadminpanel.php:176 msgid "Site notice text" msgstr "Teksto de reteja anonco." -#: actions/sitenoticeadminpanel.php:178 -msgid "Site-wide notice text (255 chars max; HTML okay)" +#. TRANS: Tooltip for site-wide notice text field in admin panel. +#: actions/sitenoticeadminpanel.php:179 +#, fuzzy +msgid "Site-wide notice text (255 characters maximum; HTML allowed)" msgstr "Teksto de reteja anonco (apenaŭ 255 literoj; HTML eblas)" -#: actions/sitenoticeadminpanel.php:198 +#. TRANS: Title for button to save site notice in admin panel. +#: actions/sitenoticeadminpanel.php:201 msgid "Save site notice" msgstr "Konservi retejan agordon" @@ -5461,75 +5513,93 @@ msgstr "" "Rigardato-flua permesilo \"%1$s\" ne konformas al reteja permesilo \"%2$s\"." #. TRANS: User admin panel title -#: actions/useradminpanel.php:60 +#: actions/useradminpanel.php:58 msgctxt "TITLE" msgid "User" msgstr "Uzanto" -#: actions/useradminpanel.php:71 +#. TRANS: Instruction for user admin panel. +#: actions/useradminpanel.php:69 msgid "User settings for this StatusNet site" msgstr "" -#: actions/useradminpanel.php:150 +#. TRANS: Form validation error in user admin panel when a non-numeric character limit was set. +#: actions/useradminpanel.php:147 msgid "Invalid bio limit. Must be numeric." msgstr "Nevalida biografia longlimo. Estu cifero." -#: actions/useradminpanel.php:156 -msgid "Invalid welcome text. Max length is 255 characters." +#. TRANS: Form validation error in user admin panel when welcome text is too long. +#: actions/useradminpanel.php:154 +#, fuzzy +msgid "Invalid welcome text. Maximum length is 255 characters." msgstr "Nevalida bonvena teksto. La longlimo estas 225 literoj." +#. TRANS: Client error displayed when trying to set a non-existing user as default subscription for new +#. TRANS: users in user admin panel. %1$s is the invalid nickname. #: actions/useradminpanel.php:166 -#, php-format -msgid "Invalid default subscripton: '%1$s' is not user." +#, fuzzy, php-format +msgid "Invalid default subscripton: '%1$s' is not a user." msgstr "Nevalida defaŭlta abono: '%1$s' ne estas uzanto." #. TRANS: Link description in user account settings menu. -#: actions/useradminpanel.php:219 lib/accountsettingsaction.php:106 +#: actions/useradminpanel.php:215 lib/accountsettingsaction.php:106 #: lib/personalgroupnav.php:109 msgid "Profile" msgstr "Profilo" -#: actions/useradminpanel.php:223 +#. TRANS: Field label in user admin panel for setting the character limit for the bio field. +#: actions/useradminpanel.php:220 msgid "Bio Limit" msgstr "Longlimo de biografio" -#: actions/useradminpanel.php:224 +#. TRANS: Tooltip in user admin panel for setting the character limit for the bio field. +#: actions/useradminpanel.php:222 msgid "Maximum length of a profile bio in characters." msgstr "Longlimo de profila biografio, je literoj" -#: actions/useradminpanel.php:232 +#. TRANS: Form legend in user admin panel. +#: actions/useradminpanel.php:231 msgid "New users" msgstr "Novuloj" +#. TRANS: Field label in user admin panel for setting new user welcome text. #: actions/useradminpanel.php:236 msgid "New user welcome" msgstr "Bonveno al novuloj" -#: actions/useradminpanel.php:237 -msgid "Welcome text for new users (Max 255 chars)." +#. TRANS: Tooltip in user admin panel for setting new user welcome text. +#: actions/useradminpanel.php:238 +#, fuzzy +msgid "Welcome text for new users (maximum 255 characters)." msgstr "Bonvena teksto al novaj uzantoj (apenaŭ 255 literoj)." -#: actions/useradminpanel.php:242 +#. TRANS: Field label in user admin panel for setting default subscription for new users. +#: actions/useradminpanel.php:244 msgid "Default subscription" msgstr "Defaŭlta abono" -#: actions/useradminpanel.php:243 +#. TRANS: Tooltip in user admin panel for setting default subscription for new users. +#: actions/useradminpanel.php:246 msgid "Automatically subscribe new users to this user." msgstr "Aŭtomate aboni novajn uzantojn al ĉi tiu uzanto." -#: actions/useradminpanel.php:252 +#. TRANS: Form legend in user admin panel. +#: actions/useradminpanel.php:256 msgid "Invitations" msgstr "Invitoj" -#: actions/useradminpanel.php:257 +#. TRANS: Field label for checkbox in user admin panel for allowing users to invite friend using site e-mail. +#: actions/useradminpanel.php:262 msgid "Invitations enabled" msgstr "Invito ebliĝis" -#: actions/useradminpanel.php:259 +#. TRANS: Tooltip for checkbox in user admin panel for allowing users to invite friend using site e-mail. +#: actions/useradminpanel.php:265 msgid "Whether to allow users to invite new users." msgstr "Ĉu permesi al uzantoj inviti novan uzantojn." -#: actions/useradminpanel.php:295 +#. TRANS: Title for button to save user settings in user admin panel. +#: actions/useradminpanel.php:302 msgid "Save user settings" msgstr "" @@ -5734,7 +5804,7 @@ msgid "Plugins" msgstr "Kromprogramo" #. TRANS: Secondary navigation menu option leading to version information on the StatusNet site. -#: actions/version.php:198 lib/action.php:831 +#: actions/version.php:198 lib/action.php:880 msgid "Version" msgstr "Versio" @@ -5941,16 +6011,23 @@ msgstr "Malsukcesis lokan grupan informon." msgid "RT @%1$s %2$s" msgstr "RT @%1$s %2$s" +#. TRANS: Full name of a profile or group followed by nickname in parens +#: classes/Profile.php:164 +#, fuzzy, php-format +msgctxt "FANCYNAME" +msgid "%1$s (%2$s)" +msgstr "%1$s (%2$s)" + #. TRANS: Exception thrown when trying to revoke an existing role for a user that does not exist. #. TRANS: %1$s is the role name, %2$s is the user ID (number). -#: classes/Profile.php:791 +#: classes/Profile.php:812 #, php-format msgid "Cannot revoke role \"%1$s\" for user #%2$d; does not exist." msgstr "Malsukcesis revoki rolon \"%1$s\" de uzanto #%2$d; ĝi ne ekzistas." #. TRANS: Exception thrown when trying to revoke a role for a user with a failing database query. #. TRANS: %1$s is the role name, %2$s is the user ID (number). -#: classes/Profile.php:800 +#: classes/Profile.php:821 #, php-format msgid "Cannot revoke role \"%1$s\" for user #%2$d; database error." msgstr "Malsukcesis revoki rolon \"%1$s\" de uzanto #%2$d; datumbaza eraro." @@ -6095,194 +6172,201 @@ msgstr "%1$s - %2$s" msgid "Untitled page" msgstr "Sentitola paĝo" +#. TRANS: Localized tooltip for '...' expansion button on overlong remote messages. +#: lib/action.php:310 +msgctxt "TOOLTIP" +msgid "Show more" +msgstr "" + #. TRANS: DT element for primary navigation menu. String is hidden in default CSS. -#: lib/action.php:477 +#: lib/action.php:526 msgid "Primary site navigation" msgstr "Unua reteja navigado" #. TRANS: Tooltip for main menu option "Personal" -#: lib/action.php:483 +#: lib/action.php:532 msgctxt "TOOLTIP" msgid "Personal profile and friends timeline" msgstr "Tempstrio pri vi kaj amikoj" #. TRANS: Main menu option when logged in for access to personal profile and friends timeline -#: lib/action.php:486 +#: lib/action.php:535 msgctxt "MENU" msgid "Personal" msgstr "Persona" #. TRANS: Tooltip for main menu option "Account" -#: lib/action.php:488 +#: lib/action.php:537 msgctxt "TOOLTIP" msgid "Change your email, avatar, password, profile" msgstr "Ŝanĝu la retpoŝtadreson, vizaĝbildon, pasvorton aŭ la profilon" #. TRANS: Main menu option when logged in for access to user settings -#: lib/action.php:491 +#: lib/action.php:540 msgid "Account" msgstr "Konto" #. TRANS: Tooltip for main menu option "Services" -#: lib/action.php:493 +#: lib/action.php:542 msgctxt "TOOLTIP" msgid "Connect to services" msgstr "Konekti al servoj" #. TRANS: Main menu option when logged in and connection are possible for access to options to connect to other services -#: lib/action.php:496 +#: lib/action.php:545 msgid "Connect" msgstr "Konekti" #. TRANS: Tooltip for menu option "Admin" -#: lib/action.php:499 +#: lib/action.php:548 msgctxt "TOOLTIP" msgid "Change site configuration" msgstr "Ŝanĝi agordojn de la retejo" #. TRANS: Main menu option when logged in and site admin for access to site configuration #. TRANS: Menu item in the group navigation page. Only shown for group administrators. -#: lib/action.php:502 lib/groupnav.php:117 +#: lib/action.php:551 lib/groupnav.php:117 msgctxt "MENU" msgid "Admin" msgstr "Administri" #. TRANS: Tooltip for main menu option "Invite" -#: lib/action.php:506 +#: lib/action.php:555 #, php-format msgctxt "TOOLTIP" msgid "Invite friends and colleagues to join you on %s" msgstr "Inviti amikojn kaj kolegojn al %s kun vi" #. TRANS: Main menu option when logged in and invitations are allowed for inviting new users -#: lib/action.php:509 +#: lib/action.php:558 msgctxt "MENU" msgid "Invite" msgstr "Inviti" #. TRANS: Tooltip for main menu option "Logout" -#: lib/action.php:515 +#: lib/action.php:564 msgctxt "TOOLTIP" msgid "Logout from the site" msgstr "Elsaluti el la retejo" #. TRANS: Main menu option when logged in to log out the current user -#: lib/action.php:518 +#: lib/action.php:567 msgctxt "MENU" msgid "Logout" msgstr " Elsaluti" #. TRANS: Tooltip for main menu option "Register" -#: lib/action.php:523 +#: lib/action.php:572 msgctxt "TOOLTIP" msgid "Create an account" msgstr "Krei konton" #. TRANS: Main menu option when not logged in to register a new account -#: lib/action.php:526 +#: lib/action.php:575 msgctxt "MENU" msgid "Register" msgstr "Registriĝi" #. TRANS: Tooltip for main menu option "Login" -#: lib/action.php:529 +#: lib/action.php:578 msgctxt "TOOLTIP" msgid "Login to the site" msgstr "Ensaluti al la retejo" #. TRANS: Main menu option when not logged in to log in -#: lib/action.php:532 +#: lib/action.php:581 msgctxt "MENU" msgid "Login" msgstr "Ensaluti" #. TRANS: Tooltip for main menu option "Help" -#: lib/action.php:535 +#: lib/action.php:584 msgctxt "TOOLTIP" msgid "Help me!" msgstr "Helpu min!" #. TRANS: Main menu option for help on the StatusNet site -#: lib/action.php:538 +#: lib/action.php:587 msgctxt "MENU" msgid "Help" msgstr "Helpo" #. TRANS: Tooltip for main menu option "Search" -#: lib/action.php:541 +#: lib/action.php:590 msgctxt "TOOLTIP" msgid "Search for people or text" msgstr "Serĉi homon aŭ tekston" #. TRANS: Main menu option when logged in or when the StatusNet instance is not private -#: lib/action.php:544 +#: lib/action.php:593 msgctxt "MENU" msgid "Search" msgstr "Serĉi" #. TRANS: DT element for site notice. String is hidden in default CSS. #. TRANS: Menu item for site administration -#: lib/action.php:566 lib/adminpanelaction.php:387 +#: lib/action.php:615 lib/adminpanelaction.php:387 msgid "Site notice" msgstr "Reteja anonco" #. TRANS: DT element for local views block. String is hidden in default CSS. -#: lib/action.php:633 +#: lib/action.php:682 msgid "Local views" msgstr "Loka vido" #. TRANS: DT element for page notice. String is hidden in default CSS. -#: lib/action.php:703 +#: lib/action.php:752 msgid "Page notice" msgstr "Paĝa anonco" #. TRANS: DT element for secondary navigation menu. String is hidden in default CSS. -#: lib/action.php:804 +#: lib/action.php:853 msgid "Secondary site navigation" msgstr "Dua reteja navigado" #. TRANS: Secondary navigation menu option leading to help on StatusNet. -#: lib/action.php:810 +#: lib/action.php:859 msgid "Help" msgstr "Helpo" #. TRANS: Secondary navigation menu option leading to text about StatusNet site. -#: lib/action.php:813 +#: lib/action.php:862 msgid "About" msgstr "Enkonduko" #. TRANS: Secondary navigation menu option leading to Frequently Asked Questions. -#: lib/action.php:816 +#: lib/action.php:865 msgid "FAQ" msgstr "Oftaj demandoj" #. TRANS: Secondary navigation menu option leading to Terms of Service. -#: lib/action.php:821 +#: lib/action.php:870 msgid "TOS" msgstr "Serva Kondiĉo" #. TRANS: Secondary navigation menu option leading to privacy policy. -#: lib/action.php:825 +#: lib/action.php:874 msgid "Privacy" msgstr "Privateco" -#. TRANS: Secondary navigation menu option. -#: lib/action.php:828 +#. TRANS: Secondary navigation menu option. Leads to information about StatusNet and its license. +#: lib/action.php:877 msgid "Source" msgstr "Fontkodo" -#. TRANS: Secondary navigation menu option leading to contact information on the StatusNet site. -#: lib/action.php:834 +#. TRANS: Secondary navigation menu option leading to e-mail contact information on the +#. TRANS: StatusNet site, where to report bugs, ... +#: lib/action.php:884 msgid "Contact" msgstr "Kontakto" -#. TRANS: Secondary navigation menu option. -#: lib/action.php:837 +#. TRANS: Secondary navigation menu option. Leads to information about embedding a timeline widget. +#: lib/action.php:887 msgid "Badge" msgstr "Insigno" #. TRANS: DT element for StatusNet software license. -#: lib/action.php:866 +#: lib/action.php:916 msgid "StatusNet software license" msgstr "Licenco de la programaro StatusNet" @@ -6290,7 +6374,7 @@ msgstr "Licenco de la programaro StatusNet" #. TRANS: Text between [] is a link description, text between () is the link itself. #. TRANS: Make sure there is no whitespace between "]" and "(". #. TRANS: "%%site.broughtby%%" is the value of the variable site.broughtby -#: lib/action.php:873 +#: lib/action.php:923 #, php-format msgid "" "**%%site.name%%** is a microblogging service brought to you by [%%site." @@ -6300,7 +6384,7 @@ msgstr "" "site.broughtbyurl%%)." #. TRANS: First sentence of the StatusNet site license. Used if 'broughtby' is not set. -#: lib/action.php:876 +#: lib/action.php:926 #, php-format msgid "**%%site.name%%** is a microblogging service." msgstr "**%%site.name%%** estas mikrobloga servo." @@ -6309,7 +6393,7 @@ msgstr "**%%site.name%%** estas mikrobloga servo." #. TRANS: Make sure there is no whitespace between "]" and "(". #. TRANS: Text between [] is a link description, text between () is the link itself. #. TRANS: %s is the version of StatusNet that is being used. -#: lib/action.php:883 +#: lib/action.php:933 #, php-format msgid "" "It runs the [StatusNet](http://status.net/) microblogging software, version %" @@ -6321,27 +6405,27 @@ msgstr "" "licensing/licenses/agpl-3.0.html)." #. TRANS: DT element for StatusNet site content license. -#: lib/action.php:899 +#: lib/action.php:949 msgid "Site content license" msgstr "Reteja enhava permesilo" #. TRANS: Content license displayed when license is set to 'private'. #. TRANS: %1$s is the site name. -#: lib/action.php:906 +#: lib/action.php:956 #, php-format msgid "Content and data of %1$s are private and confidential." msgstr "Enhavo kaj datumo de %1$s estas privata kaj konfidenca." #. TRANS: Content license displayed when license is set to 'allrightsreserved'. #. TRANS: %1$s is the copyright owner. -#: lib/action.php:913 +#: lib/action.php:963 #, php-format msgid "Content and data copyright by %1$s. All rights reserved." msgstr "" "Enhava kaj datuma aŭtorrajto apartenas al %1$s. Ĉiuj rajtoj rezervitaj." #. TRANS: Content license displayed when license is set to 'allrightsreserved' and no owner is set. -#: lib/action.php:917 +#: lib/action.php:967 msgid "Content and data copyright by contributors. All rights reserved." msgstr "" "Enhava kaj datuma aŭtorrajto apartenas al kontribuintoj. Ĉiuj rajtoj " @@ -6349,25 +6433,25 @@ msgstr "" #. TRANS: license message in footer. #. TRANS: %1$s is the site name, %2$s is a link to the license URL, with a licence name set in configuration. -#: lib/action.php:949 +#: lib/action.php:999 #, php-format msgid "All %1$s content and data are available under the %2$s license." msgstr "Ĉiuj enhavo kaj datumo ĉe %1$s estas havebla sub permesilo %2$s." #. TRANS: DT element for pagination (previous/next, etc.). -#: lib/action.php:1285 +#: lib/action.php:1335 msgid "Pagination" msgstr "Paĝado" #. TRANS: Pagination message to go to a page displaying information more in the #. TRANS: present than the currently displayed information. -#: lib/action.php:1296 +#: lib/action.php:1346 msgid "After" msgstr "Poste" #. TRANS: Pagination message to go to a page displaying information more in the #. TRANS: past than the currently displayed information. -#: lib/action.php:1306 +#: lib/action.php:1356 msgid "Before" msgstr "Antaŭe" @@ -6710,7 +6794,7 @@ msgid "AJAX error" msgstr "Eraro de Ajax" #. TRANS: E-mail subject when a command has completed. -#: lib/channel.php:233 lib/mailhandler.php:142 +#: lib/channel.php:233 lib/mailhandler.php:143 msgid "Command complete" msgstr "Komando kompleta" @@ -6726,7 +6810,7 @@ msgstr "Avizo kun tiu identigaĵo ne ekzistas." #. TRANS: Command exception text shown when a last user notice is requested and it does not exist. #. TRANS: Error text shown when a last user notice is requested and it does not exist. -#: lib/command.php:99 lib/command.php:626 +#: lib/command.php:99 lib/command.php:630 msgid "User has no last notice." msgstr "La uzanto ne havas lastan averton." @@ -6795,6 +6879,14 @@ msgstr "%1$s aniĝis al grupo %2$s." msgid "%1$s left group %2$s." msgstr "%1$s foriras de grupo %2$s." +#. TRANS: Whois output. +#. TRANS: %1$s nickname of the queried user, %2$s is their profile URL. +#: lib/command.php:426 +#, fuzzy, php-format +msgctxt "WHOIS" +msgid "%1$s (%2$s)" +msgstr "%1$s (%2$s)" + #. TRANS: Whois output. %s is the full name of the queried user. #: lib/command.php:430 #, php-format @@ -6834,135 +6926,141 @@ msgstr "" "%s estas fora profilo; vi povas sendi rektan mesaĝon nur al uzanto je sama " "servilo." -#. TRANS: Message given if content is too long. +#. TRANS: Message given if content is too long. %1$sd is used for plural. #. TRANS: %1$d is the maximum number of characters, %2$d is the number of submitted characters. #: lib/command.php:488 -#, php-format -msgid "Message too long - maximum is %1$d characters, you sent %2$d." -msgstr "Mesaĝo tro longas - longlimo estas %1$d, via estas %2$d" +#, fuzzy, php-format +msgid "Message too long - maximum is %1$d character, you sent %2$d." +msgid_plural "Message too long - maximum is %1$d characters, you sent %2$d." +msgstr[0] "Mesaĝo tro longas - longlimo estas %1$d, via estas %2$d" +msgstr[1] "Mesaĝo tro longas - longlimo estas %1$d, via estas %2$d" #. TRANS: Error text shown sending a direct message fails with an unknown reason. -#: lib/command.php:514 +#: lib/command.php:516 msgid "Error sending direct message." msgstr "Eraris sendi rektan mesaĝon." #. TRANS: Message given having repeated a notice from another user. #. TRANS: %s is the name of the user for which the notice was repeated. -#: lib/command.php:551 +#: lib/command.php:553 #, php-format msgid "Notice from %s repeated." msgstr "Avizo de %s ripetiĝas." #. TRANS: Error text shown when repeating a notice fails with an unknown reason. -#: lib/command.php:554 +#: lib/command.php:556 msgid "Error repeating notice." msgstr "Eraris ripeti avizon." -#. TRANS: Message given if content of a notice for a reply is too long. +#. TRANS: Message given if content of a notice for a reply is too long. %1$d is used for plural. #. TRANS: %1$d is the maximum number of characters, %2$d is the number of submitted characters. -#: lib/command.php:589 -#, php-format -msgid "Notice too long - maximum is %1$d characters, you sent %2$d." -msgstr "" +#: lib/command.php:591 +#, fuzzy, php-format +msgid "Notice too long - maximum is %1$d character, you sent %2$d." +msgid_plural "Notice too long - maximum is %1$d characters, you sent %2$d." +msgstr[0] "" +"Avizo tro longas - longlimo estas %1$d lietroj, kaj via mesaĝo longas je %2" +"$d." +msgstr[1] "" "Avizo tro longas - longlimo estas %1$d lietroj, kaj via mesaĝo longas je %2" "$d." #. TRANS: Text shown having sent a reply to a notice successfully. #. TRANS: %s is the nickname of the user of the notice the reply was sent to. -#: lib/command.php:600 +#: lib/command.php:604 #, php-format msgid "Reply to %s sent." msgstr "Respondo al %s sendiĝas." #. TRANS: Error text shown when a reply to a notice fails with an unknown reason. -#: lib/command.php:603 +#: lib/command.php:607 msgid "Error saving notice." msgstr "Eraris sendi avizon." #. TRANS: Error text shown when no username was provided when issuing a subscribe command. -#: lib/command.php:650 +#: lib/command.php:654 msgid "Specify the name of the user to subscribe to." msgstr "Specifu nomon de la abonota uzanto." #. TRANS: Command exception text shown when trying to subscribe to an OMB profile using the subscribe command. -#: lib/command.php:659 +#: lib/command.php:663 msgid "Can't subscribe to OMB profiles by command." msgstr "Malsukcesis aboni OMB-profilon per komando." #. TRANS: Text shown after having subscribed to another user successfully. #. TRANS: %s is the name of the user the subscription was requested for. -#: lib/command.php:667 +#: lib/command.php:671 #, php-format msgid "Subscribed to %s." msgstr "%s abonita" #. TRANS: Error text shown when no username was provided when issuing an unsubscribe command. #. TRANS: Error text shown when no username was provided when issuing the command. -#: lib/command.php:688 lib/command.php:799 +#: lib/command.php:692 lib/command.php:803 msgid "Specify the name of the user to unsubscribe from." msgstr "Specifu la nomon de uzanto malabonota." #. TRANS: Text shown after having unsubscribed from another user successfully. #. TRANS: %s is the name of the user the unsubscription was requested for. -#: lib/command.php:699 +#: lib/command.php:703 #, php-format msgid "Unsubscribed from %s." msgstr "%s malabonita." #. TRANS: Error text shown when issuing the command "off" with a setting which has not yet been implemented. #. TRANS: Error text shown when issuing the command "on" with a setting which has not yet been implemented. -#: lib/command.php:719 lib/command.php:745 +#: lib/command.php:723 lib/command.php:749 msgid "Command not yet implemented." msgstr "Komando ankoraŭ ne realigita." #. TRANS: Text shown when issuing the command "off" successfully. -#: lib/command.php:723 +#: lib/command.php:727 msgid "Notification off." msgstr "Sciigo for." #. TRANS: Error text shown when the command "off" fails for an unknown reason. -#: lib/command.php:726 +#: lib/command.php:730 msgid "Can't turn off notification." msgstr "Malsukcesis malŝalti sciigon." #. TRANS: Text shown when issuing the command "on" successfully. -#: lib/command.php:749 +#: lib/command.php:753 msgid "Notification on." msgstr "Sciigo en." #. TRANS: Error text shown when the command "on" fails for an unknown reason. -#: lib/command.php:752 +#: lib/command.php:756 msgid "Can't turn on notification." msgstr "Malsukcesis ŝalti sciigon." #. TRANS: Error text shown when issuing the login command while login is disabled. -#: lib/command.php:766 +#: lib/command.php:770 msgid "Login command is disabled." msgstr "Ensaluta komando malebliĝas." #. TRANS: Text shown after issuing the login command successfully. #. TRANS: %s is a logon link.. -#: lib/command.php:779 +#: lib/command.php:783 #, php-format msgid "This link is useable only once and is valid for only 2 minutes: %s." msgstr "Ĉi tiu ligilo estas uzebla nur unufoje kaj valida nur 2 minutojn: %s." #. TRANS: Text shown after issuing the lose command successfully (stop another user from following the current user). #. TRANS: %s is the name of the user the unsubscription was requested for. -#: lib/command.php:808 +#: lib/command.php:812 #, php-format msgid "Unsubscribed %s." msgstr "%s malaboniĝas." #. TRANS: Text shown after requesting other users a user is subscribed to without having any subscriptions. -#: lib/command.php:826 +#: lib/command.php:830 msgid "You are not subscribed to anyone." msgstr "Vi ne abonas iun ajn." #. TRANS: Text shown after requesting other users a user is subscribed to. #. TRANS: This message supports plural forms. This message is followed by a #. TRANS: hard coded space and a comma separated list of subscribed users. -#: lib/command.php:831 +#: lib/command.php:835 msgid "You are subscribed to this person:" msgid_plural "You are subscribed to these people:" msgstr[0] "Vi abonas jenan homon:" @@ -6970,14 +7068,14 @@ msgstr[1] "Vi abonas jenajn homojn:" #. TRANS: Text shown after requesting other users that are subscribed to a user #. TRANS: (followers) without having any subscribers. -#: lib/command.php:853 +#: lib/command.php:857 msgid "No one is subscribed to you." msgstr "Neniu abonas vin." #. TRANS: Text shown after requesting other users that are subscribed to a user (followers). #. TRANS: This message supports plural forms. This message is followed by a #. TRANS: hard coded space and a comma separated list of subscribing users. -#: lib/command.php:858 +#: lib/command.php:862 msgid "This person is subscribed to you:" msgid_plural "These people are subscribed to you:" msgstr[0] "La homo abonas vin:" @@ -6985,21 +7083,21 @@ msgstr[1] "La homoj abonas vin:" #. TRANS: Text shown after requesting groups a user is subscribed to without having #. TRANS: any group subscriptions. -#: lib/command.php:880 +#: lib/command.php:884 msgid "You are not a member of any groups." msgstr "Vi ne estas grupano de iu ajn grupo." #. TRANS: Text shown after requesting groups a user is subscribed to. #. TRANS: This message supports plural forms. This message is followed by a #. TRANS: hard coded space and a comma separated list of subscribed groups. -#: lib/command.php:885 +#: lib/command.php:889 msgid "You are a member of this group:" msgid_plural "You are a member of these groups:" msgstr[0] "Vi estas grupano de jena grupo:" msgstr[1] "Vi estas grupano de jenaj grupoj:" #. TRANS: Help text for commands. Do not translate the command names themselves; they are fixed strings. -#: lib/command.php:900 +#: lib/command.php:904 msgid "" "Commands:\n" "on - turn on notifications\n" @@ -7229,7 +7327,8 @@ msgid "1-64 lowercase letters or numbers, no punctuation or spaces" msgstr "1-64 minusklaj literoj aŭ ciferoj, neniu interpunkcio aŭ spaco" #: lib/groupeditform.php:163 -msgid "URL of the homepage or blog of the group or topic" +#, fuzzy +msgid "URL of the homepage or blog of the group or topic." msgstr "URL de la hejmpaĝo aŭ blogo de la grupo aŭ temo" #: lib/groupeditform.php:168 @@ -7237,20 +7336,30 @@ msgid "Describe the group or topic" msgstr "Priskribo de grupo aŭ temo" #: lib/groupeditform.php:170 -#, php-format -msgid "Describe the group or topic in %d characters" -msgstr "Priskribo de grupo aŭ temo, apenaŭ je %d literoj" +#, fuzzy, php-format +msgid "Describe the group or topic in %d character or less" +msgid_plural "Describe the group or topic in %d characters or less" +msgstr[0] "Priskribo de grupo aŭ temo, apenaŭ je %d literoj" +msgstr[1] "Priskribo de grupo aŭ temo, apenaŭ je %d literoj" -#: lib/groupeditform.php:179 +#: lib/groupeditform.php:182 +#, fuzzy msgid "" -"Location for the group, if any, like \"City, State (or Region), Country\"" +"Location for the group, if any, like \"City, State (or Region), Country\"." msgstr "" "Loko de la grupo, se iu ajn, ekzemple \"Urbo, Stato (aŭ Regiono), Lando\"" -#: lib/groupeditform.php:187 -#, php-format -msgid "Extra nicknames for the group, comma- or space- separated, max %d" -msgstr "" +#: lib/groupeditform.php:190 +#, fuzzy, php-format +msgid "" +"Extra nicknames for the group, separated with commas or spaces. Maximum %d " +"alias allowed." +msgid_plural "" +"Extra nicknames for the group, separated with commas or spaces. Maximum %d " +"aliases allowed." +msgstr[0] "" +"Kromaj alnomoj por la grupo, apartigita per komo aŭ spaco, apenaŭ %d literoj" +msgstr[1] "" "Kromaj alnomoj por la grupo, apartigita per komo aŭ spaco, apenaŭ %d literoj" #. TRANS: Menu item in the group navigation page. @@ -7805,7 +7914,7 @@ msgstr "Pardonon, tiu ne estas via alvena retpoŝtadreso." msgid "Sorry, no incoming email allowed." msgstr "Pardonon, neniu alvena mesaĝo permesiĝas." -#: lib/mailhandler.php:228 +#: lib/mailhandler.php:229 #, php-format msgid "Unsupported message type: %s" msgstr "Nesubtenata mesaĝo-tipo: %s" @@ -8155,16 +8264,17 @@ msgid "Sandbox this user" msgstr "Provejigi la uzanton" #. TRANS: Fieldset legend for the search form. -#: lib/searchaction.php:121 +#: lib/searchaction.php:120 msgid "Search site" msgstr "Serĉi ĉe retejo" #. TRANS: Used as a field label for the field where one or more keywords #. TRANS: for searching can be entered. -#: lib/searchaction.php:129 +#: lib/searchaction.php:128 msgid "Keyword(s)" msgstr "Serĉvorto(j)" +#. TRANS: Button text for searching site. #: lib/searchaction.php:130 msgctxt "BUTTON" msgid "Search" @@ -8254,8 +8364,8 @@ msgid "The theme file is missing or the upload failed." msgstr "La desegna dosiero mankas aŭ malsukcesis alŝuti." #: lib/themeuploader.php:91 lib/themeuploader.php:102 -#: lib/themeuploader.php:278 lib/themeuploader.php:282 -#: lib/themeuploader.php:290 lib/themeuploader.php:297 +#: lib/themeuploader.php:279 lib/themeuploader.php:283 +#: lib/themeuploader.php:291 lib/themeuploader.php:298 msgid "Failed saving theme." msgstr "Malsukcesis konservi desegnon." @@ -8264,15 +8374,20 @@ msgid "Invalid theme: bad directory structure." msgstr "Nevalida desegno: fuŝa dosieruja sturkturo." #: lib/themeuploader.php:166 -#, php-format -msgid "Uploaded theme is too large; must be less than %d bytes uncompressed." -msgstr "Alŝutata desegno tro grandas; ĝi estu apenaŭ %d bitoj sen densigado." +#, fuzzy, php-format +msgid "Uploaded theme is too large; must be less than %d byte uncompressed." +msgid_plural "" +"Uploaded theme is too large; must be less than %d bytes uncompressed." +msgstr[0] "" +"Alŝutata desegno tro grandas; ĝi estu apenaŭ %d bitoj sen densigado." +msgstr[1] "" +"Alŝutata desegno tro grandas; ĝi estu apenaŭ %d bitoj sen densigado." -#: lib/themeuploader.php:178 +#: lib/themeuploader.php:179 msgid "Invalid theme archive: missing file css/display.css" msgstr "Nevalida desegna arkivo: mankas dosiero css/display.css" -#: lib/themeuploader.php:218 +#: lib/themeuploader.php:219 msgid "" "Theme contains invalid file or folder name. Stick with ASCII letters, " "digits, underscore, and minus sign." @@ -8280,16 +8395,16 @@ msgstr "" "Desegno enhavas nevalidan dosieran aŭ dosierujan nomon. Uzu nur ASCII-" "literaron, ciferojn, substrekon kaj minussignon." -#: lib/themeuploader.php:224 +#: lib/themeuploader.php:225 msgid "Theme contains unsafe file extension names; may be unsafe." msgstr "Desegno enhavas malsekuran dosiersufikson; eble malsukuras." -#: lib/themeuploader.php:241 +#: lib/themeuploader.php:242 #, php-format msgid "Theme contains file of type '.%s', which is not allowed." msgstr "Desegno enhavas dosieron de tipo \".%s\", kiu malpermesiĝas." -#: lib/themeuploader.php:259 +#: lib/themeuploader.php:260 msgid "Error opening theme archive." msgstr "Eraris malfermi desegnan arkivon." @@ -8470,23 +8585,40 @@ msgid_plural "Message too long. Maximum is %1$d characters, you sent %2$d." msgstr[0] "Mesaĝo tro longas - longlimo estas %1$d, via estas %2$d" msgstr[1] "Mesaĝo tro longas - longlimo estas %1$d, via estas %2$d" -#: scripts/restoreuser.php:82 +#. TRANS: Commandline script output. %s is the filename that contains a backup for a user. +#: scripts/restoreuser.php:61 #, php-format -msgid "Backup file for user %s (%s)" +msgid "Getting backup from file '%s'." msgstr "" -#: scripts/restoreuser.php:88 +#. TRANS: Commandline script output. +#: scripts/restoreuser.php:91 #, fuzzy msgid "No user specified; using backup user." msgstr "Neniu uzanto-ID specifiĝas." -#: scripts/restoreuser.php:94 +#. TRANS: Commandline script output. %d is the number of entries in the activity stream in backup; used for plural. +#: scripts/restoreuser.php:98 #, php-format -msgid "%d entries in backup." -msgstr "" +msgid "%d entry in backup." +msgid_plural "%d entries in backup." +msgstr[0] "" +msgstr[1] "" -#~ msgid "Description is too long (max %d chars)." -#~ msgstr "Priskribo estas tro longa (maksimume %d signoj)." +#, fuzzy +#~ msgid "Name is too long (maximum 255 chars)." +#~ msgstr "La nomo estas tro longa (maksimume 255 literoj)" -#~ msgid "Too many aliases! Maximum %d." -#~ msgstr "Tro da alinomoj! Maksimume %d." +#, fuzzy +#~ msgid "Organization is too long (maximum 255 chars)." +#~ msgstr "Organizonomo estas tro longa (maksimume 255 literoj)." + +#~ msgid "That's too long. Max notice size is %d chars." +#~ msgstr "Tro longas. Longlimo por avizo estas %d signoj." + +#~ msgid "Max notice size is %d chars, including attachment URL." +#~ msgstr "" +#~ "Longlimo por avizo estas %d signoj, enkalkulante ankaŭ la retadresojn." + +#~ msgid " tagged %s" +#~ msgstr " Etikedigita %s" diff --git a/locale/es/LC_MESSAGES/statusnet.po b/locale/es/LC_MESSAGES/statusnet.po index d695e9aca5..6a9a3fcb43 100644 --- a/locale/es/LC_MESSAGES/statusnet.po +++ b/locale/es/LC_MESSAGES/statusnet.po @@ -16,17 +16,17 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet - Core\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-10-30 23:18+0000\n" -"PO-Revision-Date: 2010-10-30 23:20:09+0000\n" +"POT-Creation-Date: 2010-11-02 22:51+0000\n" +"PO-Revision-Date: 2010-11-02 22:53:14+0000\n" "Language-Team: Spanish \n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r75708); Translate extension (2010-09-17)\n" +"X-Generator: MediaWiki 1.17alpha (r75875); Translate extension (2010-09-17)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: es\n" "X-Message-Group: #out-statusnet-core\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-POT-Import-Date: 2010-10-30 09:48:40+0000\n" +"X-POT-Import-Date: 2010-10-30 23:42:01+0000\n" #. TRANS: Page title for Access admin panel that allows configuring site access. #. TRANS: Menu item for site administration @@ -83,15 +83,20 @@ msgstr "Guardar la configuración de acceso" #. TRANS: Tooltip for button to save access settings in site admin panel. #. TRANS: Button label to save e-mail preferences. #. TRANS: Button label to save IM preferences. +#. TRANS: Button text for saving "Other settings" in profile. #. TRANS: Button text to store form data in the Paths admin panel. #. TRANS: Button to save input in profile settings. +#. TRANS: Button text for saving site notice in admin panel. #. TRANS: Button label to save SMS preferences. #. TRANS: Save button for settings for a profile in a subscriptions list. +#. TRANS: Button text to save user settings in user admin panel. #. TRANS: Button label in the "Edit application" form. #: actions/accessadminpanel.php:193 actions/emailsettings.php:228 -#: actions/imsettings.php:187 actions/pathsadminpanel.php:512 -#: actions/profilesettings.php:201 actions/smssettings.php:209 -#: actions/subscriptions.php:246 lib/applicationeditform.php:355 +#: actions/imsettings.php:187 actions/othersettings.php:134 +#: actions/pathsadminpanel.php:512 actions/profilesettings.php:201 +#: actions/sitenoticeadminpanel.php:197 actions/smssettings.php:209 +#: actions/subscriptions.php:246 actions/useradminpanel.php:298 +#: lib/applicationeditform.php:355 lib/groupeditform.php:207 msgctxt "BUTTON" msgid "Save" msgstr "Guardar" @@ -142,7 +147,7 @@ msgstr "No existe tal página." #: 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:93 actions/userrss.php:40 -#: actions/xrds.php:71 lib/command.php:495 lib/galleryaction.php:59 +#: actions/xrds.php:71 lib/command.php:497 lib/galleryaction.php:59 #: lib/mailbox.php:82 lib/profileaction.php:77 msgid "No such user." msgstr "No existe ese usuario." @@ -215,7 +220,9 @@ msgstr "" #. TRANS: Encoutagement displayed on empty timeline user pages for anonymous users. #. TRANS: %s is a user nickname. This message contains Markdown links. Keep "](" together. -#: actions/all.php:155 actions/replies.php:210 actions/showstream.php:208 +#. TRANS: Second sentence of empty message for anonymous users. %s is a user nickname. +#. TRANS: This message contains a Markdown link. Keep "](" together. +#: actions/all.php:155 actions/replies.php:210 actions/showstream.php:227 #, php-format msgid "" "Why not [register an account](%%%%action.register%%%%) and then nudge %s or " @@ -571,8 +578,11 @@ msgstr "Tu nombre es demasiado largo (max. 255 carac.)" #. TRANS: Group edit form validation error. #. TRANS: Form validation error in New application form. #. TRANS: %d is the maximum number of characters for the description. +#. TRANS: Group create form validation error. +#. TRANS: %d is the maximum number of allowed characters. #: actions/apigroupcreate.php:220 actions/editapplication.php:201 #: actions/editgroup.php:216 actions/newapplication.php:178 +#: actions/newgroup.php:152 #, fuzzy, php-format msgid "Description is too long (maximum %d character)." msgid_plural "Description is too long (maximum %d characters)." @@ -732,14 +742,14 @@ msgstr "No estás autorizado." #. TRANS: Form validation error in API OAuth authorisation because of an invalid session token. #: actions/apioauthauthorize.php:147 actions/avatarsettings.php:280 -#: actions/deletenotice.php:172 actions/disfavor.php:74 +#: actions/deletenotice.php:177 actions/disfavor.php:74 #: actions/emailsettings.php:271 actions/favor.php:75 actions/geocode.php:55 #: actions/groupblock.php:66 actions/grouplogo.php:312 #: actions/groupunblock.php:65 actions/imsettings.php:230 #: actions/invite.php:59 actions/login.php:137 actions/makeadmin.php:66 #: actions/newmessage.php:135 actions/newnotice.php:105 actions/nudge.php:80 #: actions/oauthappssettings.php:165 actions/oauthconnectionssettings.php:138 -#: actions/othersettings.php:145 actions/passwordsettings.php:138 +#: actions/othersettings.php:153 actions/passwordsettings.php:138 #: actions/profilesettings.php:221 actions/recoverpassword.php:350 #: actions/register.php:172 actions/remotesubscribe.php:77 #: actions/repeat.php:83 actions/smssettings.php:256 actions/subedit.php:40 @@ -920,20 +930,21 @@ msgstr "No puedes borrar el estado de otro usuario." #. TRANS: Client error displayed trying to repeat a non-existing notice through the API. #. TRANS: Client error displayed trying to display redents of a non-exiting notice. +#. TRANS: Error message displayed trying to delete a non-existing notice. #: actions/apistatusesretweet.php:74 actions/apistatusesretweets.php:70 -#: actions/deletenotice.php:58 actions/shownotice.php:92 +#: actions/deletenotice.php:61 actions/shownotice.php:92 msgid "No such notice." msgstr "No existe ese mensaje." #. TRANS: Client error displayed trying to repeat an own notice through the API. #. TRANS: Error text shown when trying to repeat an own notice. -#: actions/apistatusesretweet.php:83 lib/command.php:535 +#: actions/apistatusesretweet.php:83 lib/command.php:537 msgid "Cannot repeat your own notice." msgstr "No puedes repetir tus propios mensajes" #. TRANS: Client error displayed trying to re-repeat a notice through the API. #. TRANS: Error text shown when trying to repeat an notice that was already repeated by the user. -#: actions/apistatusesretweet.php:92 lib/command.php:541 +#: actions/apistatusesretweet.php:92 lib/command.php:543 msgid "Already repeated that notice." msgstr "Este mensaje ya se ha repetido." @@ -954,7 +965,8 @@ msgstr "El cliente debe proveer un parámetro de 'status' con un valor." #. TRANS: Client error displayed when the parameter "status" is missing. #. TRANS: %d is the maximum number of character for a notice. -#: actions/apistatusesupdate.php:244 +#: actions/apistatusesupdate.php:244 actions/newnotice.php:161 +#: lib/mailhandler.php:60 #, fuzzy, php-format msgid "That's too long. Maximum notice size is %d character." msgid_plural "That's too long. Maximum notice size is %d characters." @@ -969,7 +981,7 @@ msgstr "Método de API no encontrado." #. TRANS: Client error displayed exceeding the maximum notice length. #. TRANS: %d is the maximum lenth for a notice. -#: actions/apistatusesupdate.php:308 +#: actions/apistatusesupdate.php:308 actions/newnotice.php:184 #, fuzzy, php-format msgid "Maximum notice size is %d character, including attachment URL." msgid_plural "Maximum notice size is %d characters, including attachment URL." @@ -1181,17 +1193,18 @@ msgstr "Elige un área cuadrada para que sea tu imagen" msgid "Lost our file data." msgstr "Se perdió nuestros datos de archivo." -#: actions/avatarsettings.php:384 +#. TRANS: Success message for having updated a user avatar. +#: actions/avatarsettings.php:385 msgid "Avatar updated." msgstr "Imagen actualizada" #. TRANS: Error displayed on the avatar upload page if the avatar could not be updated for an unknown reason. -#: actions/avatarsettings.php:388 +#: actions/avatarsettings.php:389 msgid "Failed updating avatar." msgstr "Error al actualizar la imagen." #. TRANS: Success message for deleting a user avatar. -#: actions/avatarsettings.php:412 +#: actions/avatarsettings.php:413 msgid "Avatar deleted." msgstr "Imagen borrada." @@ -1223,8 +1236,8 @@ msgstr "" #. TRANS: Button label on the delete notice form. #. TRANS: Button label on the delete user form. #. TRANS: Button label on the form to block a user from a group. -#: actions/block.php:154 actions/deleteapplication.php:154 -#: actions/deletegroup.php:220 actions/deletenotice.php:150 +#: actions/block.php:154 actions/deleteapplication.php:157 +#: actions/deletegroup.php:220 actions/deletenotice.php:155 #: actions/deleteuser.php:152 actions/groupblock.php:178 msgctxt "BUTTON" msgid "No" @@ -1242,8 +1255,8 @@ msgstr "No bloquear a este usuario" #. TRANS: Button label on the delete notice form. #. TRANS: Button label on the delete user form. #. TRANS: Button label on the form to block a user from a group. -#: actions/block.php:161 actions/deleteapplication.php:161 -#: actions/deletegroup.php:227 actions/deletenotice.php:157 +#: actions/block.php:161 actions/deleteapplication.php:164 +#: actions/deletegroup.php:227 actions/deletenotice.php:162 #: actions/deleteuser.php:159 actions/groupblock.php:185 msgctxt "BUTTON" msgid "Yes" @@ -1361,12 +1374,13 @@ msgstr "Esa dirección ya fue confirmada." #. TRANS: Server error thrown on database error removing a registered e-mail address. #. TRANS: Server error thrown on database error updating IM preferences. #. TRANS: Server error thrown on database error removing a registered IM address. +#. TRANS: Server error displayed when "Other" settings in user profile could not be updated on the server. #. TRANS: Server error thrown when user profile settings could not be updated. #. TRANS: Server error thrown on database error updating SMS preferences. #. TRANS: Server error thrown on database error removing a registered SMS phone number. #: actions/confirmaddress.php:118 actions/emailsettings.php:331 #: actions/emailsettings.php:477 actions/imsettings.php:283 -#: actions/imsettings.php:442 actions/othersettings.php:174 +#: actions/imsettings.php:442 actions/othersettings.php:184 #: actions/profilesettings.php:326 actions/smssettings.php:308 #: actions/smssettings.php:464 msgid "Couldn't update user." @@ -1402,16 +1416,19 @@ msgstr "Conversación" msgid "Notices" msgstr "Mensajes" -#: actions/deleteapplication.php:63 +#. TRANS: Client error displayed trying to delete an application while not logged in. +#: actions/deleteapplication.php:62 msgid "You must be logged in to delete an application." msgstr "Debes estar registrado para borrar una aplicación." +#. TRANS: Client error displayed trying to delete an application that does not exist. #: actions/deleteapplication.php:71 msgid "Application not found." msgstr "Aplicación no encontrada." +#. TRANS: Client error displayed trying to delete an application the current user does not own. #. TRANS: Client error displayed trying to edit an application while not being its owner. -#: actions/deleteapplication.php:78 actions/editapplication.php:78 +#: actions/deleteapplication.php:79 actions/editapplication.php:78 #: actions/showapplication.php:94 msgid "You are not the owner of this application." msgstr "No eres el propietario de esta aplicación." @@ -1419,15 +1436,18 @@ msgstr "No eres el propietario de esta aplicación." #. TRANS: Client error text when there is a problem with the session token. #: actions/deleteapplication.php:102 actions/editapplication.php:131 #: actions/newapplication.php:114 actions/showapplication.php:118 -#: lib/action.php:1354 +#: lib/action.php:1404 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 +#. TRANS: Title for delete application page. +#. TRANS: Fieldset legend on delete application page. +#: actions/deleteapplication.php:124 actions/deleteapplication.php:149 msgid "Delete application" msgstr "Eliminar la aplicación" -#: actions/deleteapplication.php:149 +#. TRANS: Confirmation text on delete application page. +#: actions/deleteapplication.php:152 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 " @@ -1438,12 +1458,12 @@ msgstr "" "conexiones de usuario existente." #. TRANS: Submit button title for 'No' when deleting an application. -#: actions/deleteapplication.php:158 +#: actions/deleteapplication.php:161 msgid "Do not delete this application" msgstr "No eliminar esta aplicación" #. TRANS: Submit button title for 'Yes' when deleting an application. -#: actions/deleteapplication.php:164 +#: actions/deleteapplication.php:167 msgid "Delete this application" msgstr "Borrar esta aplicación" @@ -1479,13 +1499,14 @@ msgstr "No se pudo actualizar el grupo." msgid "Deleted group %s" msgstr "%1$s ha dejado el grupo %2$s" -#. TRANS: Title. +#. TRANS: Title of delete group page. #. TRANS: Form legend for deleting a group. #: actions/deletegroup.php:176 actions/deletegroup.php:202 #, fuzzy msgid "Delete group" msgstr "Borrar usuario" +#. TRANS: Warning in form for deleleting a group. #: actions/deletegroup.php:206 #, fuzzy msgid "" @@ -1508,10 +1529,11 @@ msgstr "No eliminar este mensaje" msgid "Delete this group" msgstr "Borrar este usuario" +#. TRANS: Error message displayed trying to delete a notice while not logged in. #. TRANS: Client error displayed when trying to unblock a user from a group while not logged in. #. TRANS: Client error displayed trying a change a subscription while not logged in. #. TRANS: Client error message thrown when trying to access the admin panel while not logged in. -#: actions/deletenotice.php:50 actions/disfavor.php:61 actions/favor.php:62 +#: actions/deletenotice.php:52 actions/disfavor.php:61 actions/favor.php:62 #: actions/groupblock.php:61 actions/groupunblock.php:60 actions/logout.php:69 #: actions/makeadmin.php:61 actions/newmessage.php:87 actions/newnotice.php:88 #: actions/nudge.php:63 actions/subedit.php:33 actions/subscribe.php:96 @@ -1521,11 +1543,13 @@ msgstr "Borrar este usuario" msgid "Not logged in." msgstr "No conectado." -#: actions/deletenotice.php:74 +#. TRANS: Error message displayed trying to delete a notice that was not made by the current user. +#: actions/deletenotice.php:78 msgid "Can't delete this notice." msgstr "No se puede eliminar este mensaje." -#: actions/deletenotice.php:106 +#. TRANS: Instructions for deleting a notice. +#: actions/deletenotice.php:110 msgid "" "You are about to permanently delete a notice. Once this is done, it cannot " "be undone." @@ -1533,21 +1557,24 @@ msgstr "" "Estás a punto de eliminar un mensaje permanentemente. Una vez hecho esto, no " "lo puedes deshacer." -#: actions/deletenotice.php:112 actions/deletenotice.php:144 +#. TRANS: Page title when deleting a notice. +#. TRANS: Fieldset legend for the delete notice form. +#: actions/deletenotice.php:117 actions/deletenotice.php:148 msgid "Delete notice" msgstr "Borrar mensaje" -#: actions/deletenotice.php:147 +#. TRANS: Message for the delete notice form. +#: actions/deletenotice.php:152 msgid "Are you sure you want to delete this notice?" msgstr "¿Estás seguro de que quieres eliminar este aviso?" #. TRANS: Submit button title for 'No' when deleting a notice. -#: actions/deletenotice.php:154 +#: actions/deletenotice.php:159 msgid "Do not delete this notice" msgstr "No eliminar este mensaje" #. TRANS: Submit button title for 'Yes' when deleting a notice. -#: actions/deletenotice.php:161 lib/noticelist.php:667 +#: actions/deletenotice.php:166 lib/noticelist.php:667 msgid "Delete this notice" msgstr "Borrar este mensaje" @@ -1711,11 +1738,9 @@ msgstr "Volver a los valores predeterminados" #. TRANS: Submit button title. #: actions/designadminpanel.php:711 actions/licenseadminpanel.php:319 -#: actions/othersettings.php:126 actions/sessionsadminpanel.php:199 -#: actions/siteadminpanel.php:292 actions/sitenoticeadminpanel.php:195 +#: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:292 #: actions/snapshotadminpanel.php:245 actions/tagother.php:154 -#: actions/useradminpanel.php:295 lib/applicationeditform.php:357 -#: lib/designsettings.php:256 lib/groupeditform.php:202 +#: lib/applicationeditform.php:357 lib/designsettings.php:256 msgid "Save" msgstr "Guardar" @@ -1763,9 +1788,9 @@ msgid "Name is required." msgstr "Se requiere un nombre" #. TRANS: Validation error shown when providing too long a name in the "Edit application" form. -#: actions/editapplication.php:188 +#: actions/editapplication.php:188 actions/newapplication.php:169 #, fuzzy -msgid "Name is too long (max 255 characters)." +msgid "Name is too long (maximum 255 characters)." msgstr "El nombre es muy largo (máx. 255 carac.)" #. TRANS: Validation error shown when providing a name for an application that already exists in the "Edit application" form. @@ -1794,7 +1819,7 @@ msgid "Organization is required." msgstr "Se requiere una organización." #. TRANS: Validation error shown when providing too long an arganisation name in the "Edit application" form. -#: actions/editapplication.php:223 +#: actions/editapplication.php:223 actions/newapplication.php:199 #, fuzzy msgid "Organization is too long (maximum 255 characters)." msgstr "El texto de organización es muy largo (máx. 255 caracteres)." @@ -2597,7 +2622,7 @@ msgid "Publish a MicroID for my Jabber/GTalk address." msgstr "Publicar un MicroID para mi cuenta Jabber/GTalk." #. TRANS: Confirmation message for successful IM preferences save. -#: actions/imsettings.php:290 actions/othersettings.php:180 +#: actions/imsettings.php:290 actions/othersettings.php:190 msgid "Preferences saved." msgstr "Preferencias guardadas." @@ -2722,10 +2747,9 @@ msgstr[1] "Ya estás suscrito a estos usuarios:" #. TRANS: Used as list item for already subscribed users (%1$s is nickname, %2$s is e-mail address). #. TRANS: Used as list item for already registered people (%1$s is nickname, %2$s is e-mail address). -#. TRANS: Whois output. -#. TRANS: %1$s nickname of the queried user, %2$s is their profile URL. -#: actions/invite.php:145 actions/invite.php:159 lib/command.php:426 -#, php-format +#: actions/invite.php:145 actions/invite.php:159 +#, fuzzy, php-format +msgctxt "INVITE" msgid "%1$s (%2$s)" msgstr "%1$s (%2$s)" @@ -2909,8 +2933,9 @@ msgid "" msgstr "" #: actions/licenseadminpanel.php:156 -msgid "Invalid license title. Max length is 255 characters." -msgstr "" +#, fuzzy +msgid "Invalid license title. Maximum length is 255 characters." +msgstr "Texto de bienvenida inválido. La longitud máx. es de 255 caracteres." #: actions/licenseadminpanel.php:168 msgid "Invalid license URL." @@ -3085,20 +3110,10 @@ msgstr "Debes conectarte para registrar una aplicación." msgid "Use this form to register a new application." msgstr "Utiliza este formulario para registrar una nueva aplicación." -#: actions/newapplication.php:169 -#, fuzzy -msgid "Name is too long (maximum 255 chars)." -msgstr "El nombre es muy largo (máx. 255 carac.)" - #: actions/newapplication.php:184 msgid "Source URL is required." msgstr "Se requiere el URL fuente." -#: actions/newapplication.php:199 -#, fuzzy -msgid "Organization is too long (maximum 255 chars)." -msgstr "El texto de organización es muy largo (máx. 255 caracteres)." - #: actions/newapplication.php:266 actions/newapplication.php:275 msgid "Could not create application." msgstr "No se pudo crear la aplicación." @@ -3118,14 +3133,14 @@ msgid "New message" msgstr "Nuevo Mensaje " #. TRANS: Error text shown when trying to send a direct message to a user without a mutual subscription (each user must be subscribed to the other). -#: actions/newmessage.php:121 actions/newmessage.php:164 lib/command.php:499 +#: actions/newmessage.php:121 actions/newmessage.php:164 lib/command.php:501 msgid "You can't send a message to this user." msgstr "No puedes enviar mensaje a este usuario." #. TRANS: Command exception text shown when trying to send a direct message to another user without content. #. TRANS: Command exception text shown when trying to reply to a notice without providing content for the reply. #: actions/newmessage.php:144 actions/newnotice.php:140 lib/command.php:478 -#: lib/command.php:579 +#: lib/command.php:581 msgid "No content!" msgstr "¡Ningún contenido!" @@ -3134,7 +3149,7 @@ msgid "No recipient specified." msgstr "No se especificó receptor." #. TRANS: Error text shown when trying to send a direct message to self. -#: actions/newmessage.php:167 lib/command.php:503 +#: actions/newmessage.php:167 lib/command.php:505 msgid "" "Don't send a message to yourself; just say it to yourself quietly instead." msgstr "No te auto envíes un mensaje; dícetelo a ti mismo." @@ -3145,12 +3160,12 @@ msgstr "Mensaje enviado" #. TRANS: Message given have sent a direct message to another user. #. TRANS: %s is the name of the other user. -#: actions/newmessage.php:188 lib/command.php:511 +#: actions/newmessage.php:188 lib/command.php:513 #, php-format msgid "Direct message to %s sent." msgstr "Se ha enviado un mensaje directo a %s." -#: actions/newmessage.php:213 actions/newnotice.php:263 +#: actions/newmessage.php:213 actions/newnotice.php:264 msgid "Ajax Error" msgstr "Error de Ajax" @@ -3158,18 +3173,7 @@ msgstr "Error de Ajax" msgid "New notice" msgstr "Nuevo mensaje" -#: actions/newnotice.php:159 lib/mailhandler.php:60 -#, php-format -msgid "That's too long. Max notice size is %d chars." -msgstr "El mensaje es muy largo. El tamaño máximo es de %d caracteres." - -#: actions/newnotice.php:183 -#, php-format -msgid "Max notice size is %d chars, including attachment URL." -msgstr "" -"El tamaño máximo del mensaje es %d caracteres, incluyendo el URL adjunto." - -#: actions/newnotice.php:229 +#: actions/newnotice.php:230 msgid "Notice posted" msgstr "Mensaje publicado" @@ -3340,36 +3344,46 @@ msgstr "Búsqueda de gente" msgid "Notice Search" msgstr "Búsqueda de mensajes" -#: actions/othersettings.php:60 +#: actions/othersettings.php:59 msgid "Other settings" msgstr "Otros ajustes" +#. TRANS: Instructions for tab "Other" in user profile settings. #: actions/othersettings.php:71 msgid "Manage various other options." msgstr "Manejo de varias opciones adicionales." -#: actions/othersettings.php:108 +#. TRANS: Used as a suffix for free URL shorteners in a dropdown list in the tab "Other" of a +#. TRANS: user's profile settings. This message has one space at the beginning. Use your +#. TRANS: language's word separator here if it has one (most likely a single space). +#: actions/othersettings.php:111 msgid " (free service)" msgstr "  (servicio gratuito)" -#: actions/othersettings.php:116 +#. TRANS: Label for dropdown with URL shortener services. +#: actions/othersettings.php:120 msgid "Shorten URLs with" msgstr "Acortar los URL con" -#: actions/othersettings.php:117 +#. TRANS: Tooltip for for dropdown with URL shortener services. +#: actions/othersettings.php:122 msgid "Automatic shortening service to use." msgstr "Servicio de acorte automático a usar." -#: actions/othersettings.php:122 +#. TRANS: Label for checkbox. +#: actions/othersettings.php:128 msgid "View profile designs" msgstr "Ver diseños de perfil" -#: actions/othersettings.php:123 +#. TRANS: Tooltip for checkbox. +#: actions/othersettings.php:130 msgid "Show or hide profile designs." msgstr "Ocultar o mostrar diseños de perfil." -#: actions/othersettings.php:153 -msgid "URL shortening service is too long (max 50 chars)." +#. TRANS: Form validation error for form "Other settings" in user profile. +#: actions/othersettings.php:162 +#, fuzzy +msgid "URL shortening service is too long (maximum 50 characters)." msgstr "El servicio de acortamiento de URL es muy largo (máx. 50 caracteres)." #: actions/otp.php:69 @@ -3861,7 +3875,7 @@ msgstr "Biografía" #. TRANS: Label for group location (dt). Text hidden by default. #: actions/profilesettings.php:149 actions/register.php:485 #: actions/showgroup.php:267 actions/tagother.php:112 -#: actions/userauthorization.php:166 lib/groupeditform.php:177 +#: actions/userauthorization.php:166 lib/groupeditform.php:180 #: lib/userprofile.php:165 msgid "Location" msgstr "Ubicación" @@ -4210,7 +4224,8 @@ msgid "Unexpected password reset." msgstr "Restablecimiento de contraseña inesperado." #: actions/recoverpassword.php:365 -msgid "Password must be 6 chars or more." +#, fuzzy +msgid "Password must be 6 characters or more." msgstr "La contraseña debe tener 6 o más caracteres." #: actions/recoverpassword.php:369 @@ -4590,7 +4605,7 @@ msgstr "Organización" #. TRANS: Form input field label. #: actions/showapplication.php:187 actions/version.php:200 -#: lib/applicationeditform.php:208 lib/groupeditform.php:172 +#: lib/applicationeditform.php:208 lib/groupeditform.php:175 msgid "Description" msgstr "Descripción" @@ -4741,7 +4756,7 @@ msgid "Note" msgstr "Nota" #. TRANS: Label for group aliases (dt). Text hidden by default. -#: actions/showgroup.php:298 lib/groupeditform.php:184 +#: actions/showgroup.php:298 lib/groupeditform.php:187 msgid "Aliases" msgstr "Alias" @@ -4874,47 +4889,67 @@ msgstr "Mensaje de %1$s en %2$s" msgid "Notice deleted." msgstr "Mensaje borrado" -#: actions/showstream.php:72 -#, php-format -msgid " tagged %s" -msgstr "%s etiquetados" +#. TRANS: Page title showing tagged notices in one user's stream. %1$s is the username, %2$s is the hash tag. +#: actions/showstream.php:70 +#, fuzzy, php-format +msgid "%1$s tagged %2$s" +msgstr "%1$s, página %2$d" -#: actions/showstream.php:78 +#. TRANS: Page title showing tagged notices in one user's stream. +#. TRANS: %1$s is the username, %2$s is the hash tag, %1$d is the page number. +#: actions/showstream.php:74 +#, fuzzy, php-format +msgid "%1$s tagged %2$s, page %3$d" +msgstr "Mensajes etiquetados con %1$s, página %2$d" + +#. TRANS: Extended page title showing tagged notices in one user's stream. +#. TRANS: %1$s is the username, %2$d is the page number. +#: actions/showstream.php:82 #, php-format msgid "%1$s, page %2$d" msgstr "%1$s, página %2$d" -#: actions/showstream.php:120 +#. TRANS: Title for link to notice feed. +#. TRANS: %1$s is a user nickname, %2$s is a hashtag. +#: actions/showstream.php:127 #, php-format msgid "Notice feed for %1$s tagged %2$s (RSS 1.0)" msgstr "Canal de avisos de %1$s etiquetados %2$s (RSS 1.0)" -#: actions/showstream.php:127 +#. TRANS: Title for link to notice feed. +#. TRANS: %s is a user nickname. +#: actions/showstream.php:136 #, php-format msgid "Notice feed for %s (RSS 1.0)" msgstr "Canal de mensajes para %s (RSS 1.0)" -#: actions/showstream.php:134 +#. TRANS: Title for link to notice feed. +#. TRANS: %s is a user nickname. +#: actions/showstream.php:145 #, php-format msgid "Notice feed for %s (RSS 2.0)" msgstr "Canal de mensajes para %s (RSS 2.0)" -#: actions/showstream.php:141 +#: actions/showstream.php:152 #, php-format msgid "Notice feed for %s (Atom)" msgstr "Canal de mensajes para %s (Atom)" -#: actions/showstream.php:146 +#. TRANS: Title for link to notice feed. FOAF stands for Friend of a Friend. +#. TRANS: More information at http://www.foaf-project.org. %s is a user nickname. +#: actions/showstream.php:159 #, php-format msgid "FOAF for %s" msgstr "Amistades de amistades de %s" -#: actions/showstream.php:197 -#, php-format -msgid "This is the timeline for %1$s but %2$s hasn't posted anything yet." +#. TRANS: First sentence of empty list message for a stream. $1%s is a user nickname. +#: actions/showstream.php:211 +#, fuzzy, php-format +msgid "This is the timeline for %1$s, but %1$s hasn't posted anything yet." msgstr "Esta es la línea temporal de %1$s, pero %2$s aún no ha publicado nada." -#: actions/showstream.php:202 +#. TRANS: Second sentence of empty list message for a stream for the user themselves. +#: actions/showstream.php:217 msgid "" "Seen anything interesting recently? You haven't posted any notices yet, now " "would be a good time to start :)" @@ -4922,7 +4957,9 @@ msgstr "" "¿Has visto algo interesante recientemente? Aún no has hecho ninguna " "publicación, así que este puede ser un buen momento para empezar :)" -#: actions/showstream.php:204 +#. TRANS: Second sentence of empty list message for a non-self stream. %1$s is a user nickname, %2$s is a part of a URL. +#. TRANS: This message contains a Markdown link. Keep "](" together. +#: actions/showstream.php:221 #, php-format msgid "" "You can try to nudge %1$s or [post something to them](%%%%action.newnotice%%%" @@ -4931,7 +4968,9 @@ msgstr "" "Puedes intentar darle un toque a %1$s o [publicar algo a su atención](%%%%" "action.newnotice%%%%?status_textarea=%2$s)." -#: actions/showstream.php:243 +#. TRANS: Announcement for anonymous users showing a stream if site registrations are open. +#. TRANS: This message contains a Markdown link. Keep "](" together. +#: actions/showstream.php:264 #, php-format msgid "" "**%s** has an account on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -4945,7 +4984,9 @@ msgstr "" "register%%%%) para seguir los avisos de **%s** y de muchas personas más! " "([Más información](%%%%doc.help%%%%))" -#: actions/showstream.php:248 +#. TRANS: Announcement for anonymous users showing a stream if site registrations are closed or invite only. +#. TRANS: This message contains a Markdown link. Keep "](" together. +#: actions/showstream.php:271 #, php-format msgid "" "**%s** has an account on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -4956,7 +4997,8 @@ msgstr "" "(http://en.wikipedia.org/wiki/Micro-blogging), basado en la herramienta de " "software libre [StatusNet](http://status.net/). " -#: actions/showstream.php:305 +#. TRANS: Link to the author of a repeated notice. %s is a linked nickname. +#: actions/showstream.php:328 #, php-format msgid "Repeat of %s" msgstr "Repetición de %s" @@ -5068,35 +5110,44 @@ msgstr "Límite de duplicados" 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 +#. TRANS: Page title for site-wide notice tab in admin panel. +#: actions/sitenoticeadminpanel.php:55 msgid "Site Notice" msgstr "Aviso del mensaje" -#: actions/sitenoticeadminpanel.php:67 +#. TRANS: Instructions for site-wide notice tab in admin panel. +#: actions/sitenoticeadminpanel.php:66 msgid "Edit site-wide message" msgstr "Editar el mensaje que va a lo ancho del sitio" -#: actions/sitenoticeadminpanel.php:103 +#. TRANS: Server error displayed when saving a site-wide notice was impossible. +#: actions/sitenoticeadminpanel.php:101 msgid "Unable to save site notice." msgstr "No se pudo guarda el aviso del sitio." -#: actions/sitenoticeadminpanel.php:113 -msgid "Max length for the site-wide notice is 255 chars." +#. TRANS: Client error displayed when a site-wide notice was longer than allowed. +#: actions/sitenoticeadminpanel.php:112 +#, fuzzy +msgid "Maximum length for the site-wide notice is 255 characters." msgstr "" "La longitud máxima para el aviso que va a lo ancho del sitio es de 255 " "caracteres." +#. TRANS: Label for site-wide notice text field in admin panel. #: actions/sitenoticeadminpanel.php:176 msgid "Site notice text" msgstr "Texto del mensaje del sitio" -#: actions/sitenoticeadminpanel.php:178 -msgid "Site-wide notice text (255 chars max; HTML okay)" +#. TRANS: Tooltip for site-wide notice text field in admin panel. +#: actions/sitenoticeadminpanel.php:179 +#, fuzzy +msgid "Site-wide notice text (255 characters maximum; HTML allowed)" msgstr "" "Texto del mensaje que va a lo ancho del sitio (máximo 255 caracteres; se " "acepta HTML)" -#: actions/sitenoticeadminpanel.php:198 +#. TRANS: Title for button to save site notice in admin panel. +#: actions/sitenoticeadminpanel.php:201 msgid "Save site notice" msgstr "Guardar el mensaje del sitio" @@ -5565,75 +5616,93 @@ msgstr "" "sitio ‘%2$s’." #. TRANS: User admin panel title -#: actions/useradminpanel.php:60 +#: actions/useradminpanel.php:58 msgctxt "TITLE" msgid "User" msgstr "Usuario" -#: actions/useradminpanel.php:71 +#. TRANS: Instruction for user admin panel. +#: actions/useradminpanel.php:69 msgid "User settings for this StatusNet site" msgstr "" -#: actions/useradminpanel.php:150 +#. TRANS: Form validation error in user admin panel when a non-numeric character limit was set. +#: actions/useradminpanel.php:147 msgid "Invalid bio limit. Must be numeric." msgstr "Límite para la bio inválido: Debe ser numérico." -#: actions/useradminpanel.php:156 -msgid "Invalid welcome text. Max length is 255 characters." +#. TRANS: Form validation error in user admin panel when welcome text is too long. +#: actions/useradminpanel.php:154 +#, fuzzy +msgid "Invalid welcome text. Maximum length is 255 characters." msgstr "Texto de bienvenida inválido. La longitud máx. es de 255 caracteres." +#. TRANS: Client error displayed when trying to set a non-existing user as default subscription for new +#. TRANS: users in user admin panel. %1$s is the invalid nickname. #: actions/useradminpanel.php:166 -#, php-format -msgid "Invalid default subscripton: '%1$s' is not user." +#, fuzzy, php-format +msgid "Invalid default subscripton: '%1$s' is not a user." msgstr "Suscripción predeterminada inválida : '%1$s' no es un usuario" #. TRANS: Link description in user account settings menu. -#: actions/useradminpanel.php:219 lib/accountsettingsaction.php:106 +#: actions/useradminpanel.php:215 lib/accountsettingsaction.php:106 #: lib/personalgroupnav.php:109 msgid "Profile" msgstr "Perfil" -#: actions/useradminpanel.php:223 +#. TRANS: Field label in user admin panel for setting the character limit for the bio field. +#: actions/useradminpanel.php:220 msgid "Bio Limit" msgstr "Límite de la bio" -#: actions/useradminpanel.php:224 +#. TRANS: Tooltip in user admin panel for setting the character limit for the bio field. +#: actions/useradminpanel.php:222 msgid "Maximum length of a profile bio in characters." msgstr "Longitud máxima de bio de perfil en caracteres." -#: actions/useradminpanel.php:232 +#. TRANS: Form legend in user admin panel. +#: actions/useradminpanel.php:231 msgid "New users" msgstr "Nuevos usuarios" +#. TRANS: Field label in user admin panel for setting new user welcome text. #: actions/useradminpanel.php:236 msgid "New user welcome" msgstr "Bienvenida a nuevos usuarios" -#: actions/useradminpanel.php:237 -msgid "Welcome text for new users (Max 255 chars)." +#. TRANS: Tooltip in user admin panel for setting new user welcome text. +#: actions/useradminpanel.php:238 +#, fuzzy +msgid "Welcome text for new users (maximum 255 characters)." msgstr "Texto de bienvenida para nuevos usuarios (máx. 255 caracteres)." -#: actions/useradminpanel.php:242 +#. TRANS: Field label in user admin panel for setting default subscription for new users. +#: actions/useradminpanel.php:244 msgid "Default subscription" msgstr "Suscripción predeterminada" -#: actions/useradminpanel.php:243 +#. TRANS: Tooltip in user admin panel for setting default subscription for new users. +#: actions/useradminpanel.php:246 msgid "Automatically subscribe new users to this user." msgstr "Suscribir automáticamente nuevos usuarios a este usuario." -#: actions/useradminpanel.php:252 +#. TRANS: Form legend in user admin panel. +#: actions/useradminpanel.php:256 msgid "Invitations" msgstr "Invitaciones" -#: actions/useradminpanel.php:257 +#. TRANS: Field label for checkbox in user admin panel for allowing users to invite friend using site e-mail. +#: actions/useradminpanel.php:262 msgid "Invitations enabled" msgstr "Invitaciones habilitadas" -#: actions/useradminpanel.php:259 +#. TRANS: Tooltip for checkbox in user admin panel for allowing users to invite friend using site e-mail. +#: actions/useradminpanel.php:265 msgid "Whether to allow users to invite new users." msgstr "Si permitir a los usuarios invitar nuevos usuarios." -#: actions/useradminpanel.php:295 +#. TRANS: Title for button to save user settings in user admin panel. +#: actions/useradminpanel.php:302 msgid "Save user settings" msgstr "" @@ -5844,7 +5913,7 @@ msgid "Plugins" msgstr "Complementos" #. TRANS: Secondary navigation menu option leading to version information on the StatusNet site. -#: actions/version.php:198 lib/action.php:831 +#: actions/version.php:198 lib/action.php:880 msgid "Version" msgstr "Versión" @@ -6054,16 +6123,23 @@ msgstr "No se ha podido guardar la información del grupo local." msgid "RT @%1$s %2$s" msgstr "RT @%1$s %2$s" +#. TRANS: Full name of a profile or group followed by nickname in parens +#: classes/Profile.php:164 +#, fuzzy, php-format +msgctxt "FANCYNAME" +msgid "%1$s (%2$s)" +msgstr "%1$s (%2$s)" + #. TRANS: Exception thrown when trying to revoke an existing role for a user that does not exist. #. TRANS: %1$s is the role name, %2$s is the user ID (number). -#: classes/Profile.php:791 +#: classes/Profile.php:812 #, php-format msgid "Cannot revoke role \"%1$s\" for user #%2$d; does not exist." msgstr "No se puede revocar rol \"%1$s\" para usuario #%2$d; no existe." #. TRANS: Exception thrown when trying to revoke a role for a user with a failing database query. #. TRANS: %1$s is the role name, %2$s is the user ID (number). -#: classes/Profile.php:800 +#: classes/Profile.php:821 #, php-format msgid "Cannot revoke role \"%1$s\" for user #%2$d; database error." msgstr "" @@ -6210,194 +6286,201 @@ msgstr "%1$s - %2$s" msgid "Untitled page" msgstr "Página sin título" +#. TRANS: Localized tooltip for '...' expansion button on overlong remote messages. +#: lib/action.php:310 +msgctxt "TOOLTIP" +msgid "Show more" +msgstr "" + #. TRANS: DT element for primary navigation menu. String is hidden in default CSS. -#: lib/action.php:477 +#: lib/action.php:526 msgid "Primary site navigation" msgstr "Navegación de sitio primario" #. TRANS: Tooltip for main menu option "Personal" -#: lib/action.php:483 +#: lib/action.php:532 msgctxt "TOOLTIP" msgid "Personal profile and friends timeline" msgstr "Perfil personal y línea temporal de amistades" #. TRANS: Main menu option when logged in for access to personal profile and friends timeline -#: lib/action.php:486 +#: lib/action.php:535 msgctxt "MENU" msgid "Personal" msgstr "Personal" #. TRANS: Tooltip for main menu option "Account" -#: lib/action.php:488 +#: lib/action.php:537 msgctxt "TOOLTIP" msgid "Change your email, avatar, password, profile" msgstr "Cambia tu correo electrónico, imagen, contraseña, perfil" #. TRANS: Main menu option when logged in for access to user settings -#: lib/action.php:491 +#: lib/action.php:540 msgid "Account" msgstr "Cuenta" #. TRANS: Tooltip for main menu option "Services" -#: lib/action.php:493 +#: lib/action.php:542 msgctxt "TOOLTIP" msgid "Connect to services" msgstr "Conectar a los servicios" #. TRANS: Main menu option when logged in and connection are possible for access to options to connect to other services -#: lib/action.php:496 +#: lib/action.php:545 msgid "Connect" msgstr "Conectarse" #. TRANS: Tooltip for menu option "Admin" -#: lib/action.php:499 +#: lib/action.php:548 msgctxt "TOOLTIP" msgid "Change site configuration" msgstr "Cambiar la configuración del sitio" #. TRANS: Main menu option when logged in and site admin for access to site configuration #. TRANS: Menu item in the group navigation page. Only shown for group administrators. -#: lib/action.php:502 lib/groupnav.php:117 +#: lib/action.php:551 lib/groupnav.php:117 msgctxt "MENU" msgid "Admin" msgstr "Admin" #. TRANS: Tooltip for main menu option "Invite" -#: lib/action.php:506 +#: lib/action.php:555 #, php-format msgctxt "TOOLTIP" msgid "Invite friends and colleagues to join you on %s" msgstr "Invita a amistades y compañeros a unirse a tí en %s" #. TRANS: Main menu option when logged in and invitations are allowed for inviting new users -#: lib/action.php:509 +#: lib/action.php:558 msgctxt "MENU" msgid "Invite" msgstr "Invitar" #. TRANS: Tooltip for main menu option "Logout" -#: lib/action.php:515 +#: lib/action.php:564 msgctxt "TOOLTIP" msgid "Logout from the site" msgstr "Cerrar sesión en el sitio" #. TRANS: Main menu option when logged in to log out the current user -#: lib/action.php:518 +#: lib/action.php:567 msgctxt "MENU" msgid "Logout" msgstr "Cerrar sesión" #. TRANS: Tooltip for main menu option "Register" -#: lib/action.php:523 +#: lib/action.php:572 msgctxt "TOOLTIP" msgid "Create an account" msgstr "Crear una cuenta" #. TRANS: Main menu option when not logged in to register a new account -#: lib/action.php:526 +#: lib/action.php:575 msgctxt "MENU" msgid "Register" msgstr "Registrarse" #. TRANS: Tooltip for main menu option "Login" -#: lib/action.php:529 +#: lib/action.php:578 msgctxt "TOOLTIP" msgid "Login to the site" msgstr "Iniciar sesión en el sitio" #. TRANS: Main menu option when not logged in to log in -#: lib/action.php:532 +#: lib/action.php:581 msgctxt "MENU" msgid "Login" msgstr "Inicio de sesión" #. TRANS: Tooltip for main menu option "Help" -#: lib/action.php:535 +#: lib/action.php:584 msgctxt "TOOLTIP" msgid "Help me!" msgstr "¡Ayúdame!" #. TRANS: Main menu option for help on the StatusNet site -#: lib/action.php:538 +#: lib/action.php:587 msgctxt "MENU" msgid "Help" msgstr "Ayuda" #. TRANS: Tooltip for main menu option "Search" -#: lib/action.php:541 +#: lib/action.php:590 msgctxt "TOOLTIP" msgid "Search for people or text" msgstr "Buscar personas o texto" #. TRANS: Main menu option when logged in or when the StatusNet instance is not private -#: lib/action.php:544 +#: lib/action.php:593 msgctxt "MENU" msgid "Search" msgstr "Buscar" #. TRANS: DT element for site notice. String is hidden in default CSS. #. TRANS: Menu item for site administration -#: lib/action.php:566 lib/adminpanelaction.php:387 +#: lib/action.php:615 lib/adminpanelaction.php:387 msgid "Site notice" msgstr "Mensaje de sitio" #. TRANS: DT element for local views block. String is hidden in default CSS. -#: lib/action.php:633 +#: lib/action.php:682 msgid "Local views" msgstr "Vistas locales" #. TRANS: DT element for page notice. String is hidden in default CSS. -#: lib/action.php:703 +#: lib/action.php:752 msgid "Page notice" msgstr "Mensaje de página" #. TRANS: DT element for secondary navigation menu. String is hidden in default CSS. -#: lib/action.php:804 +#: lib/action.php:853 msgid "Secondary site navigation" msgstr "Navegación de sitio secundario" #. TRANS: Secondary navigation menu option leading to help on StatusNet. -#: lib/action.php:810 +#: lib/action.php:859 msgid "Help" msgstr "Ayuda" #. TRANS: Secondary navigation menu option leading to text about StatusNet site. -#: lib/action.php:813 +#: lib/action.php:862 msgid "About" msgstr "Acerca de" #. TRANS: Secondary navigation menu option leading to Frequently Asked Questions. -#: lib/action.php:816 +#: lib/action.php:865 msgid "FAQ" msgstr "Preguntas Frecuentes" #. TRANS: Secondary navigation menu option leading to Terms of Service. -#: lib/action.php:821 +#: lib/action.php:870 msgid "TOS" msgstr "TOS" #. TRANS: Secondary navigation menu option leading to privacy policy. -#: lib/action.php:825 +#: lib/action.php:874 msgid "Privacy" msgstr "Privacidad" -#. TRANS: Secondary navigation menu option. -#: lib/action.php:828 +#. TRANS: Secondary navigation menu option. Leads to information about StatusNet and its license. +#: lib/action.php:877 msgid "Source" msgstr "Fuente" -#. TRANS: Secondary navigation menu option leading to contact information on the StatusNet site. -#: lib/action.php:834 +#. TRANS: Secondary navigation menu option leading to e-mail contact information on the +#. TRANS: StatusNet site, where to report bugs, ... +#: lib/action.php:884 msgid "Contact" msgstr "Ponerse en contacto" -#. TRANS: Secondary navigation menu option. -#: lib/action.php:837 +#. TRANS: Secondary navigation menu option. Leads to information about embedding a timeline widget. +#: lib/action.php:887 msgid "Badge" msgstr "Insignia" #. TRANS: DT element for StatusNet software license. -#: lib/action.php:866 +#: lib/action.php:916 msgid "StatusNet software license" msgstr "Licencia de software de StatusNet" @@ -6405,7 +6488,7 @@ msgstr "Licencia de software de StatusNet" #. TRANS: Text between [] is a link description, text between () is the link itself. #. TRANS: Make sure there is no whitespace between "]" and "(". #. TRANS: "%%site.broughtby%%" is the value of the variable site.broughtby -#: lib/action.php:873 +#: lib/action.php:923 #, php-format msgid "" "**%%site.name%%** is a microblogging service brought to you by [%%site." @@ -6415,7 +6498,7 @@ msgstr "" "[%%site.broughtby%%**](%%site.broughtbyurl%%)." #. TRANS: First sentence of the StatusNet site license. Used if 'broughtby' is not set. -#: lib/action.php:876 +#: lib/action.php:926 #, php-format msgid "**%%site.name%%** is a microblogging service." msgstr "**%%site.name%%** es un servicio de microblogueo." @@ -6424,7 +6507,7 @@ msgstr "**%%site.name%%** es un servicio de microblogueo." #. TRANS: Make sure there is no whitespace between "]" and "(". #. TRANS: Text between [] is a link description, text between () is the link itself. #. TRANS: %s is the version of StatusNet that is being used. -#: lib/action.php:883 +#: lib/action.php:933 #, php-format msgid "" "It runs the [StatusNet](http://status.net/) microblogging software, version %" @@ -6436,27 +6519,27 @@ msgstr "" "licensing/licenses/agpl-3.0.html)." #. TRANS: DT element for StatusNet site content license. -#: lib/action.php:899 +#: lib/action.php:949 msgid "Site content license" msgstr "Licencia de contenido del sitio" #. TRANS: Content license displayed when license is set to 'private'. #. TRANS: %1$s is the site name. -#: lib/action.php:906 +#: lib/action.php:956 #, php-format msgid "Content and data of %1$s are private and confidential." msgstr "El contenido y datos de %1$s son privados y confidenciales." #. TRANS: Content license displayed when license is set to 'allrightsreserved'. #. TRANS: %1$s is the copyright owner. -#: lib/action.php:913 +#: lib/action.php:963 #, php-format msgid "Content and data copyright by %1$s. All rights reserved." msgstr "" "Copyright del contenido y los datos de%1$s. Todos los derechos reservados." #. TRANS: Content license displayed when license is set to 'allrightsreserved' and no owner is set. -#: lib/action.php:917 +#: lib/action.php:967 msgid "Content and data copyright by contributors. All rights reserved." msgstr "" "Derechos de autor de contenido y datos por los colaboradores. Todos los " @@ -6464,7 +6547,7 @@ msgstr "" #. TRANS: license message in footer. #. TRANS: %1$s is the site name, %2$s is a link to the license URL, with a licence name set in configuration. -#: lib/action.php:949 +#: lib/action.php:999 #, php-format msgid "All %1$s content and data are available under the %2$s license." msgstr "" @@ -6472,19 +6555,19 @@ msgstr "" "$s." #. TRANS: DT element for pagination (previous/next, etc.). -#: lib/action.php:1285 +#: lib/action.php:1335 msgid "Pagination" msgstr "Paginación" #. TRANS: Pagination message to go to a page displaying information more in the #. TRANS: present than the currently displayed information. -#: lib/action.php:1296 +#: lib/action.php:1346 msgid "After" msgstr "Después" #. TRANS: Pagination message to go to a page displaying information more in the #. TRANS: past than the currently displayed information. -#: lib/action.php:1306 +#: lib/action.php:1356 msgid "Before" msgstr "Antes" @@ -6832,7 +6915,7 @@ msgid "AJAX error" msgstr "Error de Ajax" #. TRANS: E-mail subject when a command has completed. -#: lib/channel.php:233 lib/mailhandler.php:142 +#: lib/channel.php:233 lib/mailhandler.php:143 msgid "Command complete" msgstr "Comando completo" @@ -6848,7 +6931,7 @@ msgstr "No existe ningún mensaje con ese ID." #. TRANS: Command exception text shown when a last user notice is requested and it does not exist. #. TRANS: Error text shown when a last user notice is requested and it does not exist. -#: lib/command.php:99 lib/command.php:626 +#: lib/command.php:99 lib/command.php:630 msgid "User has no last notice." msgstr "El/La usuario/a no tiene ningún último mensaje" @@ -6918,6 +7001,14 @@ msgstr "%1$s se unió al grupo %2$s." msgid "%1$s left group %2$s." msgstr "%1$s dejo el grupo %2$s." +#. TRANS: Whois output. +#. TRANS: %1$s nickname of the queried user, %2$s is their profile URL. +#: lib/command.php:426 +#, fuzzy, php-format +msgctxt "WHOIS" +msgid "%1$s (%2$s)" +msgstr "%1$s (%2$s)" + #. TRANS: Whois output. %s is the full name of the queried user. #: lib/command.php:430 #, php-format @@ -6957,113 +7048,119 @@ msgstr "" "%s es un perfil remoto: sólo puedes enviarle mensajes directos a usuarios en " "el mismo servidor." -#. TRANS: Message given if content is too long. +#. TRANS: Message given if content is too long. %1$sd is used for plural. #. TRANS: %1$d is the maximum number of characters, %2$d is the number of submitted characters. #: lib/command.php:488 -#, php-format -msgid "Message too long - maximum is %1$d characters, you sent %2$d." -msgstr "Mensaje muy largo - máximo %1$d caracteres, enviaste %2$d" +#, fuzzy, php-format +msgid "Message too long - maximum is %1$d character, you sent %2$d." +msgid_plural "Message too long - maximum is %1$d characters, you sent %2$d." +msgstr[0] "Mensaje muy largo - máximo %1$d caracteres, enviaste %2$d" +msgstr[1] "Mensaje muy largo - máximo %1$d caracteres, enviaste %2$d" #. TRANS: Error text shown sending a direct message fails with an unknown reason. -#: lib/command.php:514 +#: lib/command.php:516 msgid "Error sending direct message." msgstr "Error al enviar mensaje directo." #. TRANS: Message given having repeated a notice from another user. #. TRANS: %s is the name of the user for which the notice was repeated. -#: lib/command.php:551 +#: lib/command.php:553 #, php-format msgid "Notice from %s repeated." msgstr "Se ha repetido el mensaje de %s." #. TRANS: Error text shown when repeating a notice fails with an unknown reason. -#: lib/command.php:554 +#: lib/command.php:556 msgid "Error repeating notice." msgstr "Ha habido un error al repetir el mensaje." -#. TRANS: Message given if content of a notice for a reply is too long. +#. TRANS: Message given if content of a notice for a reply is too long. %1$d is used for plural. #. TRANS: %1$d is the maximum number of characters, %2$d is the number of submitted characters. -#: lib/command.php:589 -#, php-format -msgid "Notice too long - maximum is %1$d characters, you sent %2$d." -msgstr "Mensaje demasiado largo - el máximo es de 140 caracteres, enviaste %d." +#: lib/command.php:591 +#, fuzzy, php-format +msgid "Notice too long - maximum is %1$d character, you sent %2$d." +msgid_plural "Notice too long - maximum is %1$d characters, you sent %2$d." +msgstr[0] "" +"Mensaje demasiado largo - el máximo es de 140 caracteres, enviaste %d." +msgstr[1] "" +"Mensaje demasiado largo - el máximo es de 140 caracteres, enviaste %d." #. TRANS: Text shown having sent a reply to a notice successfully. #. TRANS: %s is the nickname of the user of the notice the reply was sent to. -#: lib/command.php:600 +#: lib/command.php:604 #, php-format msgid "Reply to %s sent." msgstr "Se ha enviado la respuesta a %s." #. TRANS: Error text shown when a reply to a notice fails with an unknown reason. -#: lib/command.php:603 +#: lib/command.php:607 msgid "Error saving notice." msgstr "Error al guardar el mensaje." #. TRANS: Error text shown when no username was provided when issuing a subscribe command. -#: lib/command.php:650 +#: lib/command.php:654 msgid "Specify the name of the user to subscribe to." msgstr "Especificar el nombre del usuario al cual se quiere suscribir." #. TRANS: Command exception text shown when trying to subscribe to an OMB profile using the subscribe command. -#: lib/command.php:659 +#: lib/command.php:663 msgid "Can't subscribe to OMB profiles by command." msgstr "No te puedes suscribir a perfiles de OMB por orden." #. TRANS: Text shown after having subscribed to another user successfully. #. TRANS: %s is the name of the user the subscription was requested for. -#: lib/command.php:667 +#: lib/command.php:671 #, php-format msgid "Subscribed to %s." msgstr "Suscrito a %s." #. TRANS: Error text shown when no username was provided when issuing an unsubscribe command. #. TRANS: Error text shown when no username was provided when issuing the command. -#: lib/command.php:688 lib/command.php:799 +#: lib/command.php:692 lib/command.php:803 msgid "Specify the name of the user to unsubscribe from." msgstr "Especifica el nombre del usuario del cual cancelar la suscripción." #. TRANS: Text shown after having unsubscribed from another user successfully. #. TRANS: %s is the name of the user the unsubscription was requested for. -#: lib/command.php:699 +#: lib/command.php:703 #, php-format msgid "Unsubscribed from %s." msgstr "Cancelada la suscripción a %s." #. TRANS: Error text shown when issuing the command "off" with a setting which has not yet been implemented. #. TRANS: Error text shown when issuing the command "on" with a setting which has not yet been implemented. -#: lib/command.php:719 lib/command.php:745 +#: lib/command.php:723 lib/command.php:749 msgid "Command not yet implemented." msgstr "Todavía no se implementa comando." #. TRANS: Text shown when issuing the command "off" successfully. -#: lib/command.php:723 +#: lib/command.php:727 msgid "Notification off." msgstr "Notificación no activa." #. TRANS: Error text shown when the command "off" fails for an unknown reason. -#: lib/command.php:726 +#: lib/command.php:730 msgid "Can't turn off notification." msgstr "No se puede desactivar notificación." #. TRANS: Text shown when issuing the command "on" successfully. -#: lib/command.php:749 +#: lib/command.php:753 msgid "Notification on." msgstr "Notificación activada." #. TRANS: Error text shown when the command "on" fails for an unknown reason. -#: lib/command.php:752 +#: lib/command.php:756 msgid "Can't turn on notification." msgstr "No se puede activar notificación." #. TRANS: Error text shown when issuing the login command while login is disabled. -#: lib/command.php:766 +#: lib/command.php:770 msgid "Login command is disabled." msgstr "El comando de inicio de sesión está inhabilitado." #. TRANS: Text shown after issuing the login command successfully. #. TRANS: %s is a logon link.. -#: lib/command.php:779 +#: lib/command.php:783 #, php-format msgid "This link is useable only once and is valid for only 2 minutes: %s." msgstr "" @@ -7072,20 +7169,20 @@ msgstr "" #. TRANS: Text shown after issuing the lose command successfully (stop another user from following the current user). #. TRANS: %s is the name of the user the unsubscription was requested for. -#: lib/command.php:808 +#: lib/command.php:812 #, php-format msgid "Unsubscribed %s." msgstr "Cancelada la suscripción a %s." #. TRANS: Text shown after requesting other users a user is subscribed to without having any subscriptions. -#: lib/command.php:826 +#: lib/command.php:830 msgid "You are not subscribed to anyone." msgstr "No estás suscrito a nadie." #. TRANS: Text shown after requesting other users a user is subscribed to. #. TRANS: This message supports plural forms. This message is followed by a #. TRANS: hard coded space and a comma separated list of subscribed users. -#: lib/command.php:831 +#: lib/command.php:835 msgid "You are subscribed to this person:" msgid_plural "You are subscribed to these people:" msgstr[0] "Ya estás suscrito a estos usuarios:" @@ -7093,14 +7190,14 @@ msgstr[1] "Ya estás suscrito a estos usuarios:" #. TRANS: Text shown after requesting other users that are subscribed to a user #. TRANS: (followers) without having any subscribers. -#: lib/command.php:853 +#: lib/command.php:857 msgid "No one is subscribed to you." msgstr "Nadie está suscrito a ti." #. TRANS: Text shown after requesting other users that are subscribed to a user (followers). #. TRANS: This message supports plural forms. This message is followed by a #. TRANS: hard coded space and a comma separated list of subscribing users. -#: lib/command.php:858 +#: lib/command.php:862 msgid "This person is subscribed to you:" msgid_plural "These people are subscribed to you:" msgstr[0] "No se pudo suscribir otro a ti." @@ -7108,21 +7205,21 @@ msgstr[1] "No se pudo suscribir otro a ti." #. TRANS: Text shown after requesting groups a user is subscribed to without having #. TRANS: any group subscriptions. -#: lib/command.php:880 +#: lib/command.php:884 msgid "You are not a member of any groups." msgstr "No eres miembro de ningún grupo" #. TRANS: Text shown after requesting groups a user is subscribed to. #. TRANS: This message supports plural forms. This message is followed by a #. TRANS: hard coded space and a comma separated list of subscribed groups. -#: lib/command.php:885 +#: lib/command.php:889 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:" #. TRANS: Help text for commands. Do not translate the command names themselves; they are fixed strings. -#: lib/command.php:900 +#: lib/command.php:904 msgid "" "Commands:\n" "on - turn on notifications\n" @@ -7354,7 +7451,8 @@ msgstr "" "1-64 letras en minúscula o números, sin signos de puntuación o espacios" #: lib/groupeditform.php:163 -msgid "URL of the homepage or blog of the group or topic" +#, fuzzy +msgid "URL of the homepage or blog of the group or topic." msgstr "URL de página de inicio o blog del grupo o tema" #: lib/groupeditform.php:168 @@ -7362,21 +7460,31 @@ msgid "Describe the group or topic" msgstr "Describir al grupo o tema" #: lib/groupeditform.php:170 -#, php-format -msgid "Describe the group or topic in %d characters" -msgstr "Describir al grupo o tema en %d caracteres" +#, fuzzy, php-format +msgid "Describe the group or topic in %d character or less" +msgid_plural "Describe the group or topic in %d characters or less" +msgstr[0] "Describir al grupo o tema en %d caracteres" +msgstr[1] "Describir al grupo o tema en %d caracteres" -#: lib/groupeditform.php:179 +#: lib/groupeditform.php:182 +#, fuzzy msgid "" -"Location for the group, if any, like \"City, State (or Region), Country\"" +"Location for the group, if any, like \"City, State (or Region), Country\"." msgstr "" "Ubicación del grupo, si existe, por ejemplo \"Ciudad, Estado (o Región), País" "\"" -#: lib/groupeditform.php:187 -#, php-format -msgid "Extra nicknames for the group, comma- or space- separated, max %d" -msgstr "" +#: lib/groupeditform.php:190 +#, fuzzy, php-format +msgid "" +"Extra nicknames for the group, separated with commas or spaces. Maximum %d " +"alias allowed." +msgid_plural "" +"Extra nicknames for the group, separated with commas or spaces. Maximum %d " +"aliases allowed." +msgstr[0] "" +"Nombres adicionales para el grupo, separados por comas o espacios. Máximo: %d" +msgstr[1] "" "Nombres adicionales para el grupo, separados por comas o espacios. Máximo: %d" #. TRANS: Menu item in the group navigation page. @@ -7935,7 +8043,7 @@ msgstr "Lo sentimos, pero este no es su dirección de correo entrante." msgid "Sorry, no incoming email allowed." msgstr "Lo sentimos, pero no se permite correos entrantes" -#: lib/mailhandler.php:228 +#: lib/mailhandler.php:229 #, php-format msgid "Unsupported message type: %s" msgstr "Tipo de mensaje no compatible: %s" @@ -8285,16 +8393,17 @@ msgid "Sandbox this user" msgstr "Imponer restricciones a este usuario" #. TRANS: Fieldset legend for the search form. -#: lib/searchaction.php:121 +#: lib/searchaction.php:120 msgid "Search site" msgstr "Buscar sitio" #. TRANS: Used as a field label for the field where one or more keywords #. TRANS: for searching can be entered. -#: lib/searchaction.php:129 +#: lib/searchaction.php:128 msgid "Keyword(s)" msgstr "Palabra(s) clave" +#. TRANS: Button text for searching site. #: lib/searchaction.php:130 msgctxt "BUTTON" msgid "Search" @@ -8384,8 +8493,8 @@ msgid "The theme file is missing or the upload failed." msgstr "El archivo de tema está perdido o la carga falló." #: lib/themeuploader.php:91 lib/themeuploader.php:102 -#: lib/themeuploader.php:278 lib/themeuploader.php:282 -#: lib/themeuploader.php:290 lib/themeuploader.php:297 +#: lib/themeuploader.php:279 lib/themeuploader.php:283 +#: lib/themeuploader.php:291 lib/themeuploader.php:298 msgid "Failed saving theme." msgstr "Grabado de tema errado." @@ -8394,16 +8503,20 @@ msgid "Invalid theme: bad directory structure." msgstr "Tema inválido: mala estructura de directorio." #: lib/themeuploader.php:166 -#, php-format -msgid "Uploaded theme is too large; must be less than %d bytes uncompressed." -msgstr "" +#, fuzzy, php-format +msgid "Uploaded theme is too large; must be less than %d byte uncompressed." +msgid_plural "" +"Uploaded theme is too large; must be less than %d bytes uncompressed." +msgstr[0] "" +"Tema subido es demasiado grande; debe ser menor que %d bytes sin comprimir." +msgstr[1] "" "Tema subido es demasiado grande; debe ser menor que %d bytes sin comprimir." -#: lib/themeuploader.php:178 +#: lib/themeuploader.php:179 msgid "Invalid theme archive: missing file css/display.css" msgstr "Archivo de tema inválido: archivo perdido css/display.css" -#: lib/themeuploader.php:218 +#: lib/themeuploader.php:219 msgid "" "Theme contains invalid file or folder name. Stick with ASCII letters, " "digits, underscore, and minus sign." @@ -8411,18 +8524,18 @@ msgstr "" "El tema contiene archivo o nombre de carpeta inválido. Restrínjase a letras " "ASCII, dígitos, carácter de subrayado, y signo menos." -#: lib/themeuploader.php:224 +#: lib/themeuploader.php:225 msgid "Theme contains unsafe file extension names; may be unsafe." msgstr "" "El tema contiene nombres de extensiones de archivo inseguras y puede ser " "peligroso." -#: lib/themeuploader.php:241 +#: lib/themeuploader.php:242 #, php-format msgid "Theme contains file of type '.%s', which is not allowed." msgstr "El tema contiene archivo de tipo '.%s', que no está permitido." -#: lib/themeuploader.php:259 +#: lib/themeuploader.php:260 msgid "Error opening theme archive." msgstr "Error al abrir archivo de tema." @@ -8603,23 +8716,40 @@ msgid_plural "Message too long. Maximum is %1$d characters, you sent %2$d." msgstr[0] "Mensaje muy largo - máximo %1$d caracteres, enviaste %2$d" msgstr[1] "Mensaje muy largo - máximo %1$d caracteres, enviaste %2$d" -#: scripts/restoreuser.php:82 +#. TRANS: Commandline script output. %s is the filename that contains a backup for a user. +#: scripts/restoreuser.php:61 #, php-format -msgid "Backup file for user %s (%s)" +msgid "Getting backup from file '%s'." msgstr "" -#: scripts/restoreuser.php:88 +#. TRANS: Commandline script output. +#: scripts/restoreuser.php:91 #, fuzzy msgid "No user specified; using backup user." msgstr "No se ha especificado ID de usuario." -#: scripts/restoreuser.php:94 +#. TRANS: Commandline script output. %d is the number of entries in the activity stream in backup; used for plural. +#: scripts/restoreuser.php:98 #, php-format -msgid "%d entries in backup." -msgstr "" +msgid "%d entry in backup." +msgid_plural "%d entries in backup." +msgstr[0] "" +msgstr[1] "" -#~ msgid "Description is too long (max %d chars)." -#~ msgstr "La descripción es demasiado larga (máx. %d caracteres)." +#, fuzzy +#~ msgid "Name is too long (maximum 255 chars)." +#~ msgstr "El nombre es muy largo (máx. 255 carac.)" -#~ msgid "Too many aliases! Maximum %d." -#~ msgstr "¡Muchos seudónimos! El máximo es %d." +#, fuzzy +#~ msgid "Organization is too long (maximum 255 chars)." +#~ msgstr "El texto de organización es muy largo (máx. 255 caracteres)." + +#~ msgid "That's too long. Max notice size is %d chars." +#~ msgstr "El mensaje es muy largo. El tamaño máximo es de %d caracteres." + +#~ msgid "Max notice size is %d chars, including attachment URL." +#~ msgstr "" +#~ "El tamaño máximo del mensaje es %d caracteres, incluyendo el URL adjunto." + +#~ msgid " tagged %s" +#~ msgstr "%s etiquetados" diff --git a/locale/fa/LC_MESSAGES/statusnet.po b/locale/fa/LC_MESSAGES/statusnet.po index 97672a3d6f..bc2d2b2754 100644 --- a/locale/fa/LC_MESSAGES/statusnet.po +++ b/locale/fa/LC_MESSAGES/statusnet.po @@ -13,8 +13,8 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet - Core\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-10-30 23:18+0000\n" -"PO-Revision-Date: 2010-10-30 23:20:11+0000\n" +"POT-Creation-Date: 2010-11-02 22:51+0000\n" +"PO-Revision-Date: 2010-11-02 22:53:16+0000\n" "Last-Translator: Ahmad Sufi Mahmudi\n" "Language-Team: Persian \n" "MIME-Version: 1.0\n" @@ -23,9 +23,9 @@ msgstr "" "X-Language-Code: fa\n" "X-Message-Group: #out-statusnet-core\n" "Plural-Forms: nplurals=1; plural=0;\n" -"X-Generator: MediaWiki 1.17alpha (r75708); Translate extension (2010-09-17)\n" +"X-Generator: MediaWiki 1.17alpha (r75875); Translate extension (2010-09-17)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" -"X-POT-Import-Date: 2010-10-30 09:48:40+0000\n" +"X-POT-Import-Date: 2010-10-30 23:42:01+0000\n" #. TRANS: Page title for Access admin panel that allows configuring site access. #. TRANS: Menu item for site administration @@ -82,15 +82,20 @@ msgstr "ذخیرهٔ تنظیمات دسترسی" #. TRANS: Tooltip for button to save access settings in site admin panel. #. TRANS: Button label to save e-mail preferences. #. TRANS: Button label to save IM preferences. +#. TRANS: Button text for saving "Other settings" in profile. #. TRANS: Button text to store form data in the Paths admin panel. #. TRANS: Button to save input in profile settings. +#. TRANS: Button text for saving site notice in admin panel. #. TRANS: Button label to save SMS preferences. #. TRANS: Save button for settings for a profile in a subscriptions list. +#. TRANS: Button text to save user settings in user admin panel. #. TRANS: Button label in the "Edit application" form. #: actions/accessadminpanel.php:193 actions/emailsettings.php:228 -#: actions/imsettings.php:187 actions/pathsadminpanel.php:512 -#: actions/profilesettings.php:201 actions/smssettings.php:209 -#: actions/subscriptions.php:246 lib/applicationeditform.php:355 +#: actions/imsettings.php:187 actions/othersettings.php:134 +#: actions/pathsadminpanel.php:512 actions/profilesettings.php:201 +#: actions/sitenoticeadminpanel.php:197 actions/smssettings.php:209 +#: actions/subscriptions.php:246 actions/useradminpanel.php:298 +#: lib/applicationeditform.php:355 lib/groupeditform.php:207 msgctxt "BUTTON" msgid "Save" msgstr "ذخیره" @@ -141,7 +146,7 @@ msgstr "چنین صفحه‌ای وجود ندارد." #: 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:93 actions/userrss.php:40 -#: actions/xrds.php:71 lib/command.php:495 lib/galleryaction.php:59 +#: actions/xrds.php:71 lib/command.php:497 lib/galleryaction.php:59 #: lib/mailbox.php:82 lib/profileaction.php:77 msgid "No such user." msgstr "چنین کاربری وجود ندارد." @@ -212,7 +217,9 @@ msgstr "" #. TRANS: Encoutagement displayed on empty timeline user pages for anonymous users. #. TRANS: %s is a user nickname. This message contains Markdown links. Keep "](" together. -#: actions/all.php:155 actions/replies.php:210 actions/showstream.php:208 +#. TRANS: Second sentence of empty message for anonymous users. %s is a user nickname. +#. TRANS: This message contains a Markdown link. Keep "](" together. +#: actions/all.php:155 actions/replies.php:210 actions/showstream.php:227 #, php-format msgid "" "Why not [register an account](%%%%action.register%%%%) and then nudge %s or " @@ -561,8 +568,11 @@ msgstr "نام کامل خیلی طولانی است (حداکثر ۲۵۵ نوی #. TRANS: Group edit form validation error. #. TRANS: Form validation error in New application form. #. TRANS: %d is the maximum number of characters for the description. +#. TRANS: Group create form validation error. +#. TRANS: %d is the maximum number of allowed characters. #: actions/apigroupcreate.php:220 actions/editapplication.php:201 #: actions/editgroup.php:216 actions/newapplication.php:178 +#: actions/newgroup.php:152 #, fuzzy, php-format msgid "Description is too long (maximum %d character)." msgid_plural "Description is too long (maximum %d characters)." @@ -720,14 +730,14 @@ msgstr "شما شناسایی نشده اید." #. TRANS: Form validation error in API OAuth authorisation because of an invalid session token. #: actions/apioauthauthorize.php:147 actions/avatarsettings.php:280 -#: actions/deletenotice.php:172 actions/disfavor.php:74 +#: actions/deletenotice.php:177 actions/disfavor.php:74 #: actions/emailsettings.php:271 actions/favor.php:75 actions/geocode.php:55 #: actions/groupblock.php:66 actions/grouplogo.php:312 #: actions/groupunblock.php:65 actions/imsettings.php:230 #: actions/invite.php:59 actions/login.php:137 actions/makeadmin.php:66 #: actions/newmessage.php:135 actions/newnotice.php:105 actions/nudge.php:80 #: actions/oauthappssettings.php:165 actions/oauthconnectionssettings.php:138 -#: actions/othersettings.php:145 actions/passwordsettings.php:138 +#: actions/othersettings.php:153 actions/passwordsettings.php:138 #: actions/profilesettings.php:221 actions/recoverpassword.php:350 #: actions/register.php:172 actions/remotesubscribe.php:77 #: actions/repeat.php:83 actions/smssettings.php:256 actions/subedit.php:40 @@ -909,20 +919,21 @@ msgstr "شما توانایی حذف وضعیت کاربر دیگری را ند #. TRANS: Client error displayed trying to repeat a non-existing notice through the API. #. TRANS: Client error displayed trying to display redents of a non-exiting notice. +#. TRANS: Error message displayed trying to delete a non-existing notice. #: actions/apistatusesretweet.php:74 actions/apistatusesretweets.php:70 -#: actions/deletenotice.php:58 actions/shownotice.php:92 +#: actions/deletenotice.php:61 actions/shownotice.php:92 msgid "No such notice." msgstr "چنین پیامی وجود ندارد." #. TRANS: Client error displayed trying to repeat an own notice through the API. #. TRANS: Error text shown when trying to repeat an own notice. -#: actions/apistatusesretweet.php:83 lib/command.php:535 +#: actions/apistatusesretweet.php:83 lib/command.php:537 msgid "Cannot repeat your own notice." msgstr "نمی توانید پیام خود را تکرار کنید." #. TRANS: Client error displayed trying to re-repeat a notice through the API. #. TRANS: Error text shown when trying to repeat an notice that was already repeated by the user. -#: actions/apistatusesretweet.php:92 lib/command.php:541 +#: actions/apistatusesretweet.php:92 lib/command.php:543 msgid "Already repeated that notice." msgstr "قبلا آن پیام تکرار شده است." @@ -943,7 +954,8 @@ msgstr "" #. TRANS: Client error displayed when the parameter "status" is missing. #. TRANS: %d is the maximum number of character for a notice. -#: actions/apistatusesupdate.php:244 +#: actions/apistatusesupdate.php:244 actions/newnotice.php:161 +#: lib/mailhandler.php:60 #, fuzzy, php-format msgid "That's too long. Maximum notice size is %d character." msgid_plural "That's too long. Maximum notice size is %d characters." @@ -957,7 +969,7 @@ msgstr "رابط مورد نظر پیدا نشد." #. TRANS: Client error displayed exceeding the maximum notice length. #. TRANS: %d is the maximum lenth for a notice. -#: actions/apistatusesupdate.php:308 +#: actions/apistatusesupdate.php:308 actions/newnotice.php:184 #, fuzzy, php-format msgid "Maximum notice size is %d character, including attachment URL." msgid_plural "Maximum notice size is %d characters, including attachment URL." @@ -1169,17 +1181,18 @@ msgstr "" msgid "Lost our file data." msgstr "فایل اطلاعات خود را گم کرده ایم." -#: actions/avatarsettings.php:384 +#. TRANS: Success message for having updated a user avatar. +#: actions/avatarsettings.php:385 msgid "Avatar updated." msgstr "چهره به روز رسانی شد." #. TRANS: Error displayed on the avatar upload page if the avatar could not be updated for an unknown reason. -#: actions/avatarsettings.php:388 +#: actions/avatarsettings.php:389 msgid "Failed updating avatar." msgstr "به روز رسانی چهره موفقیت آمیر نبود." #. TRANS: Success message for deleting a user avatar. -#: actions/avatarsettings.php:412 +#: actions/avatarsettings.php:413 msgid "Avatar deleted." msgstr "چهره پاک شد." @@ -1212,8 +1225,8 @@ msgstr "" #. TRANS: Button label on the delete notice form. #. TRANS: Button label on the delete user form. #. TRANS: Button label on the form to block a user from a group. -#: actions/block.php:154 actions/deleteapplication.php:154 -#: actions/deletegroup.php:220 actions/deletenotice.php:150 +#: actions/block.php:154 actions/deleteapplication.php:157 +#: actions/deletegroup.php:220 actions/deletenotice.php:155 #: actions/deleteuser.php:152 actions/groupblock.php:178 msgctxt "BUTTON" msgid "No" @@ -1231,8 +1244,8 @@ msgstr "کاربر را مسدود نکن" #. TRANS: Button label on the delete notice form. #. TRANS: Button label on the delete user form. #. TRANS: Button label on the form to block a user from a group. -#: actions/block.php:161 actions/deleteapplication.php:161 -#: actions/deletegroup.php:227 actions/deletenotice.php:157 +#: actions/block.php:161 actions/deleteapplication.php:164 +#: actions/deletegroup.php:227 actions/deletenotice.php:162 #: actions/deleteuser.php:159 actions/groupblock.php:185 msgctxt "BUTTON" msgid "Yes" @@ -1349,12 +1362,13 @@ msgstr "آن نشانی در حال حاضر تصدیق شده است." #. TRANS: Server error thrown on database error removing a registered e-mail address. #. TRANS: Server error thrown on database error updating IM preferences. #. TRANS: Server error thrown on database error removing a registered IM address. +#. TRANS: Server error displayed when "Other" settings in user profile could not be updated on the server. #. TRANS: Server error thrown when user profile settings could not be updated. #. TRANS: Server error thrown on database error updating SMS preferences. #. TRANS: Server error thrown on database error removing a registered SMS phone number. #: actions/confirmaddress.php:118 actions/emailsettings.php:331 #: actions/emailsettings.php:477 actions/imsettings.php:283 -#: actions/imsettings.php:442 actions/othersettings.php:174 +#: actions/imsettings.php:442 actions/othersettings.php:184 #: actions/profilesettings.php:326 actions/smssettings.php:308 #: actions/smssettings.php:464 msgid "Couldn't update user." @@ -1390,16 +1404,19 @@ msgstr "مکالمه" msgid "Notices" msgstr "پیام‌ها" -#: actions/deleteapplication.php:63 +#. TRANS: Client error displayed trying to delete an application while not logged in. +#: actions/deleteapplication.php:62 msgid "You must be logged in to delete an application." msgstr "برای پاک‌کردن یک برنامه باید وارد شده باشید." +#. TRANS: Client error displayed trying to delete an application that does not exist. #: actions/deleteapplication.php:71 msgid "Application not found." msgstr "برنامه یافت نشد." +#. TRANS: Client error displayed trying to delete an application the current user does not own. #. TRANS: Client error displayed trying to edit an application while not being its owner. -#: actions/deleteapplication.php:78 actions/editapplication.php:78 +#: actions/deleteapplication.php:79 actions/editapplication.php:78 #: actions/showapplication.php:94 msgid "You are not the owner of this application." msgstr "شما مالک این برنامه نیستید." @@ -1407,15 +1424,18 @@ msgstr "شما مالک این برنامه نیستید." #. TRANS: Client error text when there is a problem with the session token. #: actions/deleteapplication.php:102 actions/editapplication.php:131 #: actions/newapplication.php:114 actions/showapplication.php:118 -#: lib/action.php:1354 +#: lib/action.php:1404 msgid "There was a problem with your session token." msgstr "یک مشکل با رمز نشست شما وجود داشت." -#: actions/deleteapplication.php:123 actions/deleteapplication.php:147 +#. TRANS: Title for delete application page. +#. TRANS: Fieldset legend on delete application page. +#: actions/deleteapplication.php:124 actions/deleteapplication.php:149 msgid "Delete application" msgstr "حذف برنامه" -#: actions/deleteapplication.php:149 +#. TRANS: Confirmation text on delete application page. +#: actions/deleteapplication.php:152 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 " @@ -1426,12 +1446,12 @@ msgstr "" "می‌شود." #. TRANS: Submit button title for 'No' when deleting an application. -#: actions/deleteapplication.php:158 +#: actions/deleteapplication.php:161 msgid "Do not delete this application" msgstr "این برنامه حذف نشود" #. TRANS: Submit button title for 'Yes' when deleting an application. -#: actions/deleteapplication.php:164 +#: actions/deleteapplication.php:167 msgid "Delete this application" msgstr "این برنامه حذف شود" @@ -1467,13 +1487,14 @@ msgstr "نمی‌توان گروه را به‌هنگام‌سازی کرد." msgid "Deleted group %s" msgstr "%1$s گروه %2$s را ترک کرد" -#. TRANS: Title. +#. TRANS: Title of delete group page. #. TRANS: Form legend for deleting a group. #: actions/deletegroup.php:176 actions/deletegroup.php:202 #, fuzzy msgid "Delete group" msgstr "حذف کاربر" +#. TRANS: Warning in form for deleleting a group. #: actions/deletegroup.php:206 #, fuzzy msgid "" @@ -1496,10 +1517,11 @@ msgstr "این پیام را پاک نکن" msgid "Delete this group" msgstr "حذف این کاربر" +#. TRANS: Error message displayed trying to delete a notice while not logged in. #. TRANS: Client error displayed when trying to unblock a user from a group while not logged in. #. TRANS: Client error displayed trying a change a subscription while not logged in. #. TRANS: Client error message thrown when trying to access the admin panel while not logged in. -#: actions/deletenotice.php:50 actions/disfavor.php:61 actions/favor.php:62 +#: actions/deletenotice.php:52 actions/disfavor.php:61 actions/favor.php:62 #: actions/groupblock.php:61 actions/groupunblock.php:60 actions/logout.php:69 #: actions/makeadmin.php:61 actions/newmessage.php:87 actions/newnotice.php:88 #: actions/nudge.php:63 actions/subedit.php:33 actions/subscribe.php:96 @@ -1509,11 +1531,13 @@ msgstr "حذف این کاربر" msgid "Not logged in." msgstr "شما به سیستم وارد نشده اید." -#: actions/deletenotice.php:74 +#. TRANS: Error message displayed trying to delete a notice that was not made by the current user. +#: actions/deletenotice.php:78 msgid "Can't delete this notice." msgstr "نمی‌توان این پیام را پاک کرد." -#: actions/deletenotice.php:106 +#. TRANS: Instructions for deleting a notice. +#: actions/deletenotice.php:110 msgid "" "You are about to permanently delete a notice. Once this is done, it cannot " "be undone." @@ -1521,21 +1545,24 @@ msgstr "" "شما می‌خواهید یک پیام را به طور کامل پاک کنید. پس از انجام این کار نمی‌توان " "پیام را بازگرداند." -#: actions/deletenotice.php:112 actions/deletenotice.php:144 +#. TRANS: Page title when deleting a notice. +#. TRANS: Fieldset legend for the delete notice form. +#: actions/deletenotice.php:117 actions/deletenotice.php:148 msgid "Delete notice" msgstr "پیام را پاک کن" -#: actions/deletenotice.php:147 +#. TRANS: Message for the delete notice form. +#: actions/deletenotice.php:152 msgid "Are you sure you want to delete this notice?" msgstr "آیا اطمینان دارید که می‌خواهید این پیام را پاک کنید؟" #. TRANS: Submit button title for 'No' when deleting a notice. -#: actions/deletenotice.php:154 +#: actions/deletenotice.php:159 msgid "Do not delete this notice" msgstr "این پیام را پاک نکن" #. TRANS: Submit button title for 'Yes' when deleting a notice. -#: actions/deletenotice.php:161 lib/noticelist.php:667 +#: actions/deletenotice.php:166 lib/noticelist.php:667 msgid "Delete this notice" msgstr "این پیام را پاک کن" @@ -1701,11 +1728,9 @@ msgstr "برگشت به حالت پیش گزیده" #. TRANS: Submit button title. #: actions/designadminpanel.php:711 actions/licenseadminpanel.php:319 -#: actions/othersettings.php:126 actions/sessionsadminpanel.php:199 -#: actions/siteadminpanel.php:292 actions/sitenoticeadminpanel.php:195 +#: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:292 #: actions/snapshotadminpanel.php:245 actions/tagother.php:154 -#: actions/useradminpanel.php:295 lib/applicationeditform.php:357 -#: lib/designsettings.php:256 lib/groupeditform.php:202 +#: lib/applicationeditform.php:357 lib/designsettings.php:256 msgid "Save" msgstr "ذخیره‌کردن" @@ -1753,9 +1778,9 @@ msgid "Name is required." msgstr "نام مورد نیاز است." #. TRANS: Validation error shown when providing too long a name in the "Edit application" form. -#: actions/editapplication.php:188 +#: actions/editapplication.php:188 actions/newapplication.php:169 #, fuzzy -msgid "Name is too long (max 255 characters)." +msgid "Name is too long (maximum 255 characters)." msgstr "نام خیلی طولانی است (حداکثر ۲۵۵ نویسه)." #. TRANS: Validation error shown when providing a name for an application that already exists in the "Edit application" form. @@ -1784,7 +1809,7 @@ msgid "Organization is required." msgstr "سازمانی‌دهی مورد نیاز است." #. TRANS: Validation error shown when providing too long an arganisation name in the "Edit application" form. -#: actions/editapplication.php:223 +#: actions/editapplication.php:223 actions/newapplication.php:199 #, fuzzy msgid "Organization is too long (maximum 255 characters)." msgstr "نام سازمان خیلی طولانی است (حداکثر ۲۵۵ نویسه)." @@ -2579,7 +2604,7 @@ msgid "Publish a MicroID for my Jabber/GTalk address." msgstr "یک شناسهٔ کوچک برای Jabber/Gtalk من منتشر کن." #. TRANS: Confirmation message for successful IM preferences save. -#: actions/imsettings.php:290 actions/othersettings.php:180 +#: actions/imsettings.php:290 actions/othersettings.php:190 msgid "Preferences saved." msgstr "تنظیمات ذخیره شد." @@ -2701,10 +2726,9 @@ msgstr[0] "شما هم‌اکنون مشترک این کاربران هستید: #. TRANS: Used as list item for already subscribed users (%1$s is nickname, %2$s is e-mail address). #. TRANS: Used as list item for already registered people (%1$s is nickname, %2$s is e-mail address). -#. TRANS: Whois output. -#. TRANS: %1$s nickname of the queried user, %2$s is their profile URL. -#: actions/invite.php:145 actions/invite.php:159 lib/command.php:426 -#, php-format +#: actions/invite.php:145 actions/invite.php:159 +#, fuzzy, php-format +msgctxt "INVITE" msgid "%1$s (%2$s)" msgstr "%1$s (%2$s)" @@ -2885,8 +2909,9 @@ msgid "" msgstr "" #: actions/licenseadminpanel.php:156 -msgid "Invalid license title. Max length is 255 characters." -msgstr "" +#, fuzzy +msgid "Invalid license title. Maximum length is 255 characters." +msgstr "متن خوشامدگویی نامعتبر است. بیشینهٔ طول متن ۲۵۵ نویسه است." #: actions/licenseadminpanel.php:168 msgid "Invalid license URL." @@ -3057,20 +3082,10 @@ msgstr "برای ثبت یک برنامه باید وارد شده باشید." msgid "Use this form to register a new application." msgstr "از این شیوه برای ساختن یک برنامهٔ تازه استفاده کنید." -#: actions/newapplication.php:169 -#, fuzzy -msgid "Name is too long (maximum 255 chars)." -msgstr "نام خیلی طولانی است (حداکثر ۲۵۵ نویسه)." - #: actions/newapplication.php:184 msgid "Source URL is required." msgstr "نشانی اینترنتی منبع مورد نیاز است." -#: actions/newapplication.php:199 -#, fuzzy -msgid "Organization is too long (maximum 255 chars)." -msgstr "نام سازمان خیلی طولانی است (حداکثر ۲۵۵ نویسه)." - #: actions/newapplication.php:266 actions/newapplication.php:275 msgid "Could not create application." msgstr "نمی‌توان برنامه را ساخت." @@ -3090,14 +3105,14 @@ msgid "New message" msgstr "پیام جدید" #. TRANS: Error text shown when trying to send a direct message to a user without a mutual subscription (each user must be subscribed to the other). -#: actions/newmessage.php:121 actions/newmessage.php:164 lib/command.php:499 +#: actions/newmessage.php:121 actions/newmessage.php:164 lib/command.php:501 msgid "You can't send a message to this user." msgstr "شما نمی توانید به این کاربر پیام بفرستید." #. TRANS: Command exception text shown when trying to send a direct message to another user without content. #. TRANS: Command exception text shown when trying to reply to a notice without providing content for the reply. #: actions/newmessage.php:144 actions/newnotice.php:140 lib/command.php:478 -#: lib/command.php:579 +#: lib/command.php:581 msgid "No content!" msgstr "محتوایی وحود ندارد!" @@ -3106,7 +3121,7 @@ msgid "No recipient specified." msgstr "هیچ گیرنده ای مشخص نشده" #. TRANS: Error text shown when trying to send a direct message to self. -#: actions/newmessage.php:167 lib/command.php:503 +#: actions/newmessage.php:167 lib/command.php:505 msgid "" "Don't send a message to yourself; just say it to yourself quietly instead." msgstr "یک پیام را به خودتان نفرستید؛ در عوض آن را آهسته برای خود بگویید." @@ -3117,12 +3132,12 @@ msgstr "پیام فرستاده‌شد" #. TRANS: Message given have sent a direct message to another user. #. TRANS: %s is the name of the other user. -#: actions/newmessage.php:188 lib/command.php:511 +#: actions/newmessage.php:188 lib/command.php:513 #, php-format msgid "Direct message to %s sent." msgstr "پیام مستقیم به %s فرستاده شد." -#: actions/newmessage.php:213 actions/newnotice.php:263 +#: actions/newmessage.php:213 actions/newnotice.php:264 msgid "Ajax Error" msgstr "خطای آژاکس" @@ -3130,17 +3145,7 @@ msgstr "خطای آژاکس" msgid "New notice" msgstr "پیام جدید" -#: actions/newnotice.php:159 lib/mailhandler.php:60 -#, php-format -msgid "That's too long. Max notice size is %d chars." -msgstr "این خیلی طولانی است. بیشینهٔ طول پیام %d نویسه است." - -#: actions/newnotice.php:183 -#, php-format -msgid "Max notice size is %d chars, including attachment URL." -msgstr "بیشینهٔ طول پیام %d نویسه که شامل نشانی اینترنتی پیوست هم هست." - -#: actions/newnotice.php:229 +#: actions/newnotice.php:230 msgid "Notice posted" msgstr "پیام فرستاده‌شد." @@ -3309,36 +3314,46 @@ msgstr "جست‌وجوی کاربران" msgid "Notice Search" msgstr "جست‌وجوی پیام‌ها" -#: actions/othersettings.php:60 +#: actions/othersettings.php:59 msgid "Other settings" msgstr "تنظیمات دیگر" +#. TRANS: Instructions for tab "Other" in user profile settings. #: actions/othersettings.php:71 msgid "Manage various other options." msgstr "مدیریت انتخاب های مختلف دیگر." -#: actions/othersettings.php:108 +#. TRANS: Used as a suffix for free URL shorteners in a dropdown list in the tab "Other" of a +#. TRANS: user's profile settings. This message has one space at the beginning. Use your +#. TRANS: language's word separator here if it has one (most likely a single space). +#: actions/othersettings.php:111 msgid " (free service)" msgstr " (سرویس‌ آزاد)" -#: actions/othersettings.php:116 +#. TRANS: Label for dropdown with URL shortener services. +#: actions/othersettings.php:120 msgid "Shorten URLs with" msgstr "کوتاه‌کردن نشانی‌های اینترنتی با" -#: actions/othersettings.php:117 +#. TRANS: Tooltip for for dropdown with URL shortener services. +#: actions/othersettings.php:122 msgid "Automatic shortening service to use." msgstr "کوتاه‌کنندهٔ نشانی مورد استفاده." -#: actions/othersettings.php:122 +#. TRANS: Label for checkbox. +#: actions/othersettings.php:128 msgid "View profile designs" msgstr "نمایش طراحی‌های نمایه" -#: actions/othersettings.php:123 +#. TRANS: Tooltip for checkbox. +#: actions/othersettings.php:130 msgid "Show or hide profile designs." msgstr "نمایش دادن یا پنهان کردن طراحی‌های نمایه." -#: actions/othersettings.php:153 -msgid "URL shortening service is too long (max 50 chars)." +#. TRANS: Form validation error for form "Other settings" in user profile. +#: actions/othersettings.php:162 +#, fuzzy +msgid "URL shortening service is too long (maximum 50 characters)." msgstr "کوتاه کنندهٔ نشانی بسیار طولانی است (بیش‌تر از ۵۰ حرف)." #: actions/otp.php:69 @@ -3827,7 +3842,7 @@ msgstr "شرح‌حال" #. TRANS: Label for group location (dt). Text hidden by default. #: actions/profilesettings.php:149 actions/register.php:485 #: actions/showgroup.php:267 actions/tagother.php:112 -#: actions/userauthorization.php:166 lib/groupeditform.php:177 +#: actions/userauthorization.php:166 lib/groupeditform.php:180 #: lib/userprofile.php:165 msgid "Location" msgstr "موقعیت" @@ -4164,7 +4179,8 @@ msgid "Unexpected password reset." msgstr "گذرواژه به طور غیر منتظره ریست شد." #: actions/recoverpassword.php:365 -msgid "Password must be 6 chars or more." +#, fuzzy +msgid "Password must be 6 characters or more." msgstr "گذرواژه باید ۶ نویسه یا بیش‌تر باشد." #: actions/recoverpassword.php:369 @@ -4539,7 +4555,7 @@ msgstr "سازمان" #. TRANS: Form input field label. #: actions/showapplication.php:187 actions/version.php:200 -#: lib/applicationeditform.php:208 lib/groupeditform.php:172 +#: lib/applicationeditform.php:208 lib/groupeditform.php:175 msgid "Description" msgstr "توصیف" @@ -4690,7 +4706,7 @@ msgid "Note" msgstr "یادداشت" #. TRANS: Label for group aliases (dt). Text hidden by default. -#: actions/showgroup.php:298 lib/groupeditform.php:184 +#: actions/showgroup.php:298 lib/groupeditform.php:187 msgid "Aliases" msgstr "نام های مستعار" @@ -4824,47 +4840,67 @@ msgstr "پیام از %1$s در %2$s" msgid "Notice deleted." msgstr "پیام پاک شد." -#: actions/showstream.php:72 -#, php-format -msgid " tagged %s" -msgstr " برچسب‌گذاری‌شده %s" +#. TRANS: Page title showing tagged notices in one user's stream. %1$s is the username, %2$s is the hash tag. +#: actions/showstream.php:70 +#, fuzzy, php-format +msgid "%1$s tagged %2$s" +msgstr "%1$s، صفحهٔ %2$d" -#: actions/showstream.php:78 +#. TRANS: Page title showing tagged notices in one user's stream. +#. TRANS: %1$s is the username, %2$s is the hash tag, %1$d is the page number. +#: actions/showstream.php:74 +#, fuzzy, php-format +msgid "%1$s tagged %2$s, page %3$d" +msgstr "پیام‌های برچسب‌دار شده با %1$s، صفحهٔ %2$d" + +#. TRANS: Extended page title showing tagged notices in one user's stream. +#. TRANS: %1$s is the username, %2$d is the page number. +#: actions/showstream.php:82 #, php-format msgid "%1$s, page %2$d" msgstr "%1$s، صفحهٔ %2$d" -#: actions/showstream.php:120 +#. TRANS: Title for link to notice feed. +#. TRANS: %1$s is a user nickname, %2$s is a hashtag. +#: actions/showstream.php:127 #, php-format msgid "Notice feed for %1$s tagged %2$s (RSS 1.0)" msgstr "خوراک پیام‌های %1$s دارای برچسب %2$s (RSS 1.0)" -#: actions/showstream.php:127 +#. TRANS: Title for link to notice feed. +#. TRANS: %s is a user nickname. +#: actions/showstream.php:136 #, php-format msgid "Notice feed for %s (RSS 1.0)" msgstr "خوراک پیام‌های %s (RSS 1.0)" -#: actions/showstream.php:134 +#. TRANS: Title for link to notice feed. +#. TRANS: %s is a user nickname. +#: actions/showstream.php:145 #, php-format msgid "Notice feed for %s (RSS 2.0)" msgstr "خوراک پیام‌های %s (RSS 2.0)" -#: actions/showstream.php:141 +#: actions/showstream.php:152 #, php-format msgid "Notice feed for %s (Atom)" msgstr "خوراک پیام‌های %s (Atom)" -#: actions/showstream.php:146 +#. TRANS: Title for link to notice feed. FOAF stands for Friend of a Friend. +#. TRANS: More information at http://www.foaf-project.org. %s is a user nickname. +#: actions/showstream.php:159 #, php-format msgid "FOAF for %s" msgstr "FOAF برای %s" -#: actions/showstream.php:197 -#, php-format -msgid "This is the timeline for %1$s but %2$s hasn't posted anything yet." +#. TRANS: First sentence of empty list message for a stream. $1%s is a user nickname. +#: actions/showstream.php:211 +#, fuzzy, php-format +msgid "This is the timeline for %1$s, but %1$s hasn't posted anything yet." msgstr "این خط‌زمانی %1$s است، اما %2$s تاکنون چیزی نفرستاده است." -#: actions/showstream.php:202 +#. TRANS: Second sentence of empty list message for a stream for the user themselves. +#: actions/showstream.php:217 msgid "" "Seen anything interesting recently? You haven't posted any notices yet, now " "would be a good time to start :)" @@ -4872,7 +4908,9 @@ msgstr "" "اخیرا چیز جالب توجهی دیده‌اید؟ شما تاکنون پیامی نفرستاده‌اید، الان می‌تواند " "زمان خوبی برای شروع باشد :)" -#: actions/showstream.php:204 +#. TRANS: Second sentence of empty list message for a non-self stream. %1$s is a user nickname, %2$s is a part of a URL. +#. TRANS: This message contains a Markdown link. Keep "](" together. +#: actions/showstream.php:221 #, php-format msgid "" "You can try to nudge %1$s or [post something to them](%%%%action.newnotice%%%" @@ -4881,7 +4919,9 @@ msgstr "" "اولین کسی باشید که در [این موضوع](%%%%action.newnotice%%%%?status_textarea=%" "s) پیام می‌فرستد." -#: actions/showstream.php:243 +#. TRANS: Announcement for anonymous users showing a stream if site registrations are open. +#. TRANS: This message contains a Markdown link. Keep "](" together. +#: actions/showstream.php:264 #, php-format msgid "" "**%s** has an account on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -4895,7 +4935,9 @@ msgstr "" "،دارد. ]اکنون بپیوندید[(%%%%action.register%%%%) تا پیام‌های **%s** و بلکه " "بیش‌تر را دنبال کنید! (]بیش‌تر بخوانید[(%%%%doc.help%%%%))" -#: actions/showstream.php:248 +#. TRANS: Announcement for anonymous users showing a stream if site registrations are closed or invite only. +#. TRANS: This message contains a Markdown link. Keep "](" together. +#: actions/showstream.php:271 #, php-format msgid "" "**%s** has an account on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -4906,7 +4948,8 @@ msgstr "" "wikipedia.org/wiki/%D9%85%DB%8C%DA%A9%D8%B1%D9%88%D8%A8%D9%84%D8%A7%DA%AF%DB%" "8C%D9%86%DA%AF) بر پایهٔ نرم‌افزار آزاد [StatusNet](http://status.net/) ،دارد. " -#: actions/showstream.php:305 +#. TRANS: Link to the author of a repeated notice. %s is a linked nickname. +#: actions/showstream.php:328 #, php-format msgid "Repeat of %s" msgstr "تکرار %s" @@ -5018,31 +5061,40 @@ msgid "How long users must wait (in seconds) to post the same thing again." msgstr "" "چه مدت کاربران باید منتظر بمانند (به ثانیه) تا همان چیز را دوباره بفرستند." -#: actions/sitenoticeadminpanel.php:56 +#. TRANS: Page title for site-wide notice tab in admin panel. +#: actions/sitenoticeadminpanel.php:55 msgid "Site Notice" msgstr "پیام وب‌گاه" -#: actions/sitenoticeadminpanel.php:67 +#. TRANS: Instructions for site-wide notice tab in admin panel. +#: actions/sitenoticeadminpanel.php:66 msgid "Edit site-wide message" msgstr "ویرایش پیام عمومی وب‌گاه" -#: actions/sitenoticeadminpanel.php:103 +#. TRANS: Server error displayed when saving a site-wide notice was impossible. +#: actions/sitenoticeadminpanel.php:101 msgid "Unable to save site notice." msgstr "نمی‌توان پیام وب‌گاه را ذخیره کرد." -#: actions/sitenoticeadminpanel.php:113 -msgid "Max length for the site-wide notice is 255 chars." +#. TRANS: Client error displayed when a site-wide notice was longer than allowed. +#: actions/sitenoticeadminpanel.php:112 +#, fuzzy +msgid "Maximum length for the site-wide notice is 255 characters." msgstr "بیشینهٔ طول برای پیام عمومی وب‌گاه ۲۵۵ نویسه است." +#. TRANS: Label for site-wide notice text field in admin panel. #: actions/sitenoticeadminpanel.php:176 msgid "Site notice text" msgstr "متن پیام وب‌گاه" -#: actions/sitenoticeadminpanel.php:178 -msgid "Site-wide notice text (255 chars max; HTML okay)" +#. TRANS: Tooltip for site-wide notice text field in admin panel. +#: actions/sitenoticeadminpanel.php:179 +#, fuzzy +msgid "Site-wide notice text (255 characters maximum; HTML allowed)" msgstr "متن پیام عمومی وب‌گاه (حداکثر ۲۵۵ نویسه؛ می‌توان از HTML استفاده کرد)" -#: actions/sitenoticeadminpanel.php:198 +#. TRANS: Title for button to save site notice in admin panel. +#: actions/sitenoticeadminpanel.php:201 msgid "Save site notice" msgstr "ذخیرهٔ پیام وب‌گاه" @@ -5508,75 +5560,93 @@ msgid "" msgstr "مجوز پیام «%1$s» با مجوز وب‌گاه «%2$s» سازگار نیست." #. TRANS: User admin panel title -#: actions/useradminpanel.php:60 +#: actions/useradminpanel.php:58 msgctxt "TITLE" msgid "User" msgstr "کاربر" -#: actions/useradminpanel.php:71 +#. TRANS: Instruction for user admin panel. +#: actions/useradminpanel.php:69 msgid "User settings for this StatusNet site" msgstr "" -#: actions/useradminpanel.php:150 +#. TRANS: Form validation error in user admin panel when a non-numeric character limit was set. +#: actions/useradminpanel.php:147 msgid "Invalid bio limit. Must be numeric." msgstr "محدودیت شرح‌حال نادرست است. مقدار محدودیت باید عددی باشد." -#: actions/useradminpanel.php:156 -msgid "Invalid welcome text. Max length is 255 characters." +#. TRANS: Form validation error in user admin panel when welcome text is too long. +#: actions/useradminpanel.php:154 +#, fuzzy +msgid "Invalid welcome text. Maximum length is 255 characters." msgstr "متن خوشامدگویی نامعتبر است. بیشینهٔ طول متن ۲۵۵ نویسه است." +#. TRANS: Client error displayed when trying to set a non-existing user as default subscription for new +#. TRANS: users in user admin panel. %1$s is the invalid nickname. #: actions/useradminpanel.php:166 -#, php-format -msgid "Invalid default subscripton: '%1$s' is not user." +#, fuzzy, php-format +msgid "Invalid default subscripton: '%1$s' is not a user." msgstr "اشتراک پیش‌فرض نامعتبر است: «%1$s» کاربر نیست." #. TRANS: Link description in user account settings menu. -#: actions/useradminpanel.php:219 lib/accountsettingsaction.php:106 +#: actions/useradminpanel.php:215 lib/accountsettingsaction.php:106 #: lib/personalgroupnav.php:109 msgid "Profile" msgstr "نمایه" -#: actions/useradminpanel.php:223 +#. TRANS: Field label in user admin panel for setting the character limit for the bio field. +#: actions/useradminpanel.php:220 msgid "Bio Limit" msgstr "محدودیت شرح‌حال" -#: actions/useradminpanel.php:224 +#. TRANS: Tooltip in user admin panel for setting the character limit for the bio field. +#: actions/useradminpanel.php:222 msgid "Maximum length of a profile bio in characters." msgstr "بیشینهٔ طول یک شرح‌حال نمایه بر اساس نویسه‌ها." -#: actions/useradminpanel.php:232 +#. TRANS: Form legend in user admin panel. +#: actions/useradminpanel.php:231 msgid "New users" msgstr "کاربران تازه" +#. TRANS: Field label in user admin panel for setting new user welcome text. #: actions/useradminpanel.php:236 msgid "New user welcome" msgstr "خوشامدگویی کاربر جدید" -#: actions/useradminpanel.php:237 -msgid "Welcome text for new users (Max 255 chars)." +#. TRANS: Tooltip in user admin panel for setting new user welcome text. +#: actions/useradminpanel.php:238 +#, fuzzy +msgid "Welcome text for new users (maximum 255 characters)." msgstr "متن خوشامدگویی برای کاربران جدید (حداکثر ۲۵۵ نویسه)." -#: actions/useradminpanel.php:242 +#. TRANS: Field label in user admin panel for setting default subscription for new users. +#: actions/useradminpanel.php:244 msgid "Default subscription" msgstr "اشتراک پیش‌فرض" -#: actions/useradminpanel.php:243 +#. TRANS: Tooltip in user admin panel for setting default subscription for new users. +#: actions/useradminpanel.php:246 msgid "Automatically subscribe new users to this user." msgstr "به صورت خودکار کاربران تازه‌وارد را مشترک این کاربر کن." -#: actions/useradminpanel.php:252 +#. TRANS: Form legend in user admin panel. +#: actions/useradminpanel.php:256 msgid "Invitations" msgstr "دعوت‌نامه‌ها" -#: actions/useradminpanel.php:257 +#. TRANS: Field label for checkbox in user admin panel for allowing users to invite friend using site e-mail. +#: actions/useradminpanel.php:262 msgid "Invitations enabled" msgstr "دعوت نامه ها فعال شدند" -#: actions/useradminpanel.php:259 +#. TRANS: Tooltip for checkbox in user admin panel for allowing users to invite friend using site e-mail. +#: actions/useradminpanel.php:265 msgid "Whether to allow users to invite new users." msgstr "چنان‌که به کاربران اجازهٔ دعوت‌کردن کاربران تازه داده شود." -#: actions/useradminpanel.php:295 +#. TRANS: Title for button to save user settings in user admin panel. +#: actions/useradminpanel.php:302 msgid "Save user settings" msgstr "" @@ -5780,7 +5850,7 @@ msgid "Plugins" msgstr "افزونه‌ها" #. TRANS: Secondary navigation menu option leading to version information on the StatusNet site. -#: actions/version.php:198 lib/action.php:831 +#: actions/version.php:198 lib/action.php:880 msgid "Version" msgstr "نسخه" @@ -5993,16 +6063,23 @@ msgstr "نمی‌توان اطلاعات گروه محلی را ذخیره کر msgid "RT @%1$s %2$s" msgstr "RT @%1$s %2$s" +#. TRANS: Full name of a profile or group followed by nickname in parens +#: classes/Profile.php:164 +#, fuzzy, php-format +msgctxt "FANCYNAME" +msgid "%1$s (%2$s)" +msgstr "%1$s (%2$s)" + #. TRANS: Exception thrown when trying to revoke an existing role for a user that does not exist. #. TRANS: %1$s is the role name, %2$s is the user ID (number). -#: classes/Profile.php:791 +#: classes/Profile.php:812 #, php-format msgid "Cannot revoke role \"%1$s\" for user #%2$d; does not exist." msgstr "نمی‌توان نقش «%1$s» را از کاربر #%2$d گرفت، وجود ندارد." #. TRANS: Exception thrown when trying to revoke a role for a user with a failing database query. #. TRANS: %1$s is the role name, %2$s is the user ID (number). -#: classes/Profile.php:800 +#: classes/Profile.php:821 #, php-format msgid "Cannot revoke role \"%1$s\" for user #%2$d; database error." msgstr "" @@ -6150,194 +6227,201 @@ msgstr "%1$s (%2$s)" msgid "Untitled page" msgstr "صفحهٔ بدون عنوان" +#. TRANS: Localized tooltip for '...' expansion button on overlong remote messages. +#: lib/action.php:310 +msgctxt "TOOLTIP" +msgid "Show more" +msgstr "" + #. TRANS: DT element for primary navigation menu. String is hidden in default CSS. -#: lib/action.php:477 +#: lib/action.php:526 msgid "Primary site navigation" msgstr "مسیریابی اصلی وب‌گاه" #. TRANS: Tooltip for main menu option "Personal" -#: lib/action.php:483 +#: lib/action.php:532 msgctxt "TOOLTIP" msgid "Personal profile and friends timeline" msgstr "نمایهٔ شخصی و خط‌زمانی دوستان" #. TRANS: Main menu option when logged in for access to personal profile and friends timeline -#: lib/action.php:486 +#: lib/action.php:535 msgctxt "MENU" msgid "Personal" msgstr "شخصی" #. TRANS: Tooltip for main menu option "Account" -#: lib/action.php:488 +#: lib/action.php:537 msgctxt "TOOLTIP" msgid "Change your email, avatar, password, profile" msgstr "پست الکترونیکی، تصویر، گذرواژه یا نمایهٔ خودتان را تغییر دهید" #. TRANS: Main menu option when logged in for access to user settings -#: lib/action.php:491 +#: lib/action.php:540 msgid "Account" msgstr "حساب کاربری" #. TRANS: Tooltip for main menu option "Services" -#: lib/action.php:493 +#: lib/action.php:542 msgctxt "TOOLTIP" msgid "Connect to services" msgstr "اتصال به سرویس‌ها" #. TRANS: Main menu option when logged in and connection are possible for access to options to connect to other services -#: lib/action.php:496 +#: lib/action.php:545 msgid "Connect" msgstr "وصل‌شدن" #. TRANS: Tooltip for menu option "Admin" -#: lib/action.php:499 +#: lib/action.php:548 msgctxt "TOOLTIP" msgid "Change site configuration" msgstr "تغییر پیکربندی وب‌گاه" #. TRANS: Main menu option when logged in and site admin for access to site configuration #. TRANS: Menu item in the group navigation page. Only shown for group administrators. -#: lib/action.php:502 lib/groupnav.php:117 +#: lib/action.php:551 lib/groupnav.php:117 msgctxt "MENU" msgid "Admin" msgstr "مدیر" #. TRANS: Tooltip for main menu option "Invite" -#: lib/action.php:506 +#: lib/action.php:555 #, php-format msgctxt "TOOLTIP" msgid "Invite friends and colleagues to join you on %s" msgstr "دوستان و همکاران‌تان را دعوت کنید تا به شما در %s بپیوندند" #. TRANS: Main menu option when logged in and invitations are allowed for inviting new users -#: lib/action.php:509 +#: lib/action.php:558 msgctxt "MENU" msgid "Invite" msgstr "دعوت‌کردن" #. TRANS: Tooltip for main menu option "Logout" -#: lib/action.php:515 +#: lib/action.php:564 msgctxt "TOOLTIP" msgid "Logout from the site" msgstr "خارج‌شدن از وب‌گاه" #. TRANS: Main menu option when logged in to log out the current user -#: lib/action.php:518 +#: lib/action.php:567 msgctxt "MENU" msgid "Logout" msgstr "خروج" #. TRANS: Tooltip for main menu option "Register" -#: lib/action.php:523 +#: lib/action.php:572 msgctxt "TOOLTIP" msgid "Create an account" msgstr "ساختن یک جساب‌کاربری" #. TRANS: Main menu option when not logged in to register a new account -#: lib/action.php:526 +#: lib/action.php:575 msgctxt "MENU" msgid "Register" msgstr "ثبت‌نام" #. TRANS: Tooltip for main menu option "Login" -#: lib/action.php:529 +#: lib/action.php:578 msgctxt "TOOLTIP" msgid "Login to the site" msgstr "ورود به وب‌گاه" #. TRANS: Main menu option when not logged in to log in -#: lib/action.php:532 +#: lib/action.php:581 msgctxt "MENU" msgid "Login" msgstr "ورود" #. TRANS: Tooltip for main menu option "Help" -#: lib/action.php:535 +#: lib/action.php:584 msgctxt "TOOLTIP" msgid "Help me!" msgstr "به من کمک کنید!" #. TRANS: Main menu option for help on the StatusNet site -#: lib/action.php:538 +#: lib/action.php:587 msgctxt "MENU" msgid "Help" msgstr "کمک" #. TRANS: Tooltip for main menu option "Search" -#: lib/action.php:541 +#: lib/action.php:590 msgctxt "TOOLTIP" msgid "Search for people or text" msgstr "جست‌وجو برای افراد یا متن" #. TRANS: Main menu option when logged in or when the StatusNet instance is not private -#: lib/action.php:544 +#: lib/action.php:593 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:566 lib/adminpanelaction.php:387 +#: lib/action.php:615 lib/adminpanelaction.php:387 msgid "Site notice" msgstr "پیام وب‌گاه" #. TRANS: DT element for local views block. String is hidden in default CSS. -#: lib/action.php:633 +#: lib/action.php:682 msgid "Local views" msgstr "دید محلی" #. TRANS: DT element for page notice. String is hidden in default CSS. -#: lib/action.php:703 +#: lib/action.php:752 msgid "Page notice" msgstr "پیام صفحه" #. TRANS: DT element for secondary navigation menu. String is hidden in default CSS. -#: lib/action.php:804 +#: lib/action.php:853 msgid "Secondary site navigation" msgstr "مسیریابی فرعی وب‌گاه" #. TRANS: Secondary navigation menu option leading to help on StatusNet. -#: lib/action.php:810 +#: lib/action.php:859 msgid "Help" msgstr "کمک" #. TRANS: Secondary navigation menu option leading to text about StatusNet site. -#: lib/action.php:813 +#: lib/action.php:862 msgid "About" msgstr "دربارهٔ" #. TRANS: Secondary navigation menu option leading to Frequently Asked Questions. -#: lib/action.php:816 +#: lib/action.php:865 msgid "FAQ" msgstr "سوال‌های رایج" #. TRANS: Secondary navigation menu option leading to Terms of Service. -#: lib/action.php:821 +#: lib/action.php:870 msgid "TOS" msgstr "شرایط سرویس" #. TRANS: Secondary navigation menu option leading to privacy policy. -#: lib/action.php:825 +#: lib/action.php:874 msgid "Privacy" msgstr "خصوصی" -#. TRANS: Secondary navigation menu option. -#: lib/action.php:828 +#. TRANS: Secondary navigation menu option. Leads to information about StatusNet and its license. +#: lib/action.php:877 msgid "Source" msgstr "منبع" -#. TRANS: Secondary navigation menu option leading to contact information on the StatusNet site. -#: lib/action.php:834 +#. TRANS: Secondary navigation menu option leading to e-mail contact information on the +#. TRANS: StatusNet site, where to report bugs, ... +#: lib/action.php:884 msgid "Contact" msgstr "تماس" -#. TRANS: Secondary navigation menu option. -#: lib/action.php:837 +#. TRANS: Secondary navigation menu option. Leads to information about embedding a timeline widget. +#: lib/action.php:887 msgid "Badge" msgstr "نشان" #. TRANS: DT element for StatusNet software license. -#: lib/action.php:866 +#: lib/action.php:916 msgid "StatusNet software license" msgstr "StatusNet مجوز نرم افزار" @@ -6345,7 +6429,7 @@ msgstr "StatusNet مجوز نرم افزار" #. TRANS: Text between [] is a link description, text between () is the link itself. #. TRANS: Make sure there is no whitespace between "]" and "(". #. TRANS: "%%site.broughtby%%" is the value of the variable site.broughtby -#: lib/action.php:873 +#: lib/action.php:923 #, php-format msgid "" "**%%site.name%%** is a microblogging service brought to you by [%%site." @@ -6355,7 +6439,7 @@ msgstr "" "broughtbyurl%%) برای شما راه‌اندازی شده است." #. TRANS: First sentence of the StatusNet site license. Used if 'broughtby' is not set. -#: lib/action.php:876 +#: lib/action.php:926 #, php-format msgid "**%%site.name%%** is a microblogging service." msgstr "**%%site.name%%** یک سرویس میکروبلاگینگ است." @@ -6364,7 +6448,7 @@ msgstr "**%%site.name%%** یک سرویس میکروبلاگینگ است." #. TRANS: Make sure there is no whitespace between "]" and "(". #. TRANS: Text between [] is a link description, text between () is the link itself. #. TRANS: %s is the version of StatusNet that is being used. -#: lib/action.php:883 +#: lib/action.php:933 #, php-format msgid "" "It runs the [StatusNet](http://status.net/) microblogging software, version %" @@ -6376,50 +6460,50 @@ msgstr "" "org/licensing/licenses/agpl-3.0.html) در دسترس است." #. TRANS: DT element for StatusNet site content license. -#: lib/action.php:899 +#: lib/action.php:949 msgid "Site content license" msgstr "مجوز محتویات وب‌گاه" #. TRANS: Content license displayed when license is set to 'private'. #. TRANS: %1$s is the site name. -#: lib/action.php:906 +#: lib/action.php:956 #, php-format msgid "Content and data of %1$s are private and confidential." msgstr "محتویات و داده‌های %1$s خصوصی و محرمانه هستند." #. TRANS: Content license displayed when license is set to 'allrightsreserved'. #. TRANS: %1$s is the copyright owner. -#: lib/action.php:913 +#: lib/action.php:963 #, php-format msgid "Content and data copyright by %1$s. All rights reserved." msgstr "حق تکثیر محتوا و داده‌ها با %1$s است. تمام حقوق محفوظ است." #. TRANS: Content license displayed when license is set to 'allrightsreserved' and no owner is set. -#: lib/action.php:917 +#: lib/action.php:967 msgid "Content and data copyright by contributors. All rights reserved." msgstr "حق تکثیر محتوا و داده‌ها با مشارکت‌کنندگان است. تمام حقوق محفوظ است." #. TRANS: license message in footer. #. TRANS: %1$s is the site name, %2$s is a link to the license URL, with a licence name set in configuration. -#: lib/action.php:949 +#: lib/action.php:999 #, php-format msgid "All %1$s content and data are available under the %2$s license." msgstr "تمام محتویات و داده‌های %1$s زیر مجوز %2$s در دسترس هستند." #. TRANS: DT element for pagination (previous/next, etc.). -#: lib/action.php:1285 +#: lib/action.php:1335 msgid "Pagination" msgstr "صفحه بندى" #. TRANS: Pagination message to go to a page displaying information more in the #. TRANS: present than the currently displayed information. -#: lib/action.php:1296 +#: lib/action.php:1346 msgid "After" msgstr "پس از" #. TRANS: Pagination message to go to a page displaying information more in the #. TRANS: past than the currently displayed information. -#: lib/action.php:1306 +#: lib/action.php:1356 msgid "Before" msgstr "قبل از" @@ -6764,7 +6848,7 @@ msgid "AJAX error" msgstr "خطای آژاکس" #. TRANS: E-mail subject when a command has completed. -#: lib/channel.php:233 lib/mailhandler.php:142 +#: lib/channel.php:233 lib/mailhandler.php:143 msgid "Command complete" msgstr "دستور انجام شد" @@ -6780,7 +6864,7 @@ msgstr "پیامی با آن شناسه وجود ندارد." #. TRANS: Command exception text shown when a last user notice is requested and it does not exist. #. TRANS: Error text shown when a last user notice is requested and it does not exist. -#: lib/command.php:99 lib/command.php:626 +#: lib/command.php:99 lib/command.php:630 #, fuzzy msgid "User has no last notice." msgstr "کاربر آگهی آخر ندارد" @@ -6850,6 +6934,14 @@ msgstr "%1$s به گروه %2$s پیوست." msgid "%1$s left group %2$s." msgstr "%1$s گروه %2$s را ترک کرد." +#. TRANS: Whois output. +#. TRANS: %1$s nickname of the queried user, %2$s is their profile URL. +#: lib/command.php:426 +#, fuzzy, php-format +msgctxt "WHOIS" +msgid "%1$s (%2$s)" +msgstr "%1$s (%2$s)" + #. TRANS: Whois output. %s is the full name of the queried user. #: lib/command.php:430 #, php-format @@ -6889,117 +6981,119 @@ msgstr "" "%s یک نمایهٔ ازراه‌دور است؛ شما تنها می‌توانید پیام‌های مستقیم را به کاربران در " "یک کارگزار بفرستید." -#. TRANS: Message given if content is too long. +#. TRANS: Message given if content is too long. %1$sd is used for plural. #. TRANS: %1$d is the maximum number of characters, %2$d is the number of submitted characters. #: lib/command.php:488 -#, php-format -msgid "Message too long - maximum is %1$d characters, you sent %2$d." -msgstr "" +#, fuzzy, php-format +msgid "Message too long - maximum is %1$d character, you sent %2$d." +msgid_plural "Message too long - maximum is %1$d characters, you sent %2$d." +msgstr[0] "" "پیام خیلی طولانی است - حداکثر تعداد مجاز %1$d نویسه است که شما %2$d نویسه را " "فرستادید." #. TRANS: Error text shown sending a direct message fails with an unknown reason. -#: lib/command.php:514 +#: lib/command.php:516 msgid "Error sending direct message." msgstr "خطا در فرستادن پیام مستقیم." #. TRANS: Message given having repeated a notice from another user. #. TRANS: %s is the name of the user for which the notice was repeated. -#: lib/command.php:551 +#: lib/command.php:553 #, php-format msgid "Notice from %s repeated." msgstr "پیام %s تکرار شد." #. TRANS: Error text shown when repeating a notice fails with an unknown reason. -#: lib/command.php:554 +#: lib/command.php:556 msgid "Error repeating notice." msgstr "هنگام تکرار پیام خطایی رخ داد." -#. TRANS: Message given if content of a notice for a reply is too long. +#. TRANS: Message given if content of a notice for a reply is too long. %1$d is used for plural. #. TRANS: %1$d is the maximum number of characters, %2$d is the number of submitted characters. -#: lib/command.php:589 -#, php-format -msgid "Notice too long - maximum is %1$d characters, you sent %2$d." -msgstr "" +#: lib/command.php:591 +#, fuzzy, php-format +msgid "Notice too long - maximum is %1$d character, you sent %2$d." +msgid_plural "Notice too long - maximum is %1$d characters, you sent %2$d." +msgstr[0] "" "پیام بسیار طولانی است - بیشترین اندازه امکان پذیر %d نویسه است، شما %d نویسه " "فرستاده‌اید" #. TRANS: Text shown having sent a reply to a notice successfully. #. TRANS: %s is the nickname of the user of the notice the reply was sent to. -#: lib/command.php:600 +#: lib/command.php:604 #, php-format msgid "Reply to %s sent." msgstr "پاسخ به %s فرستاده شد." #. TRANS: Error text shown when a reply to a notice fails with an unknown reason. -#: lib/command.php:603 +#: lib/command.php:607 msgid "Error saving notice." msgstr "هنگام ذخیرهٔ پیام خطا رخ داد." #. TRANS: Error text shown when no username was provided when issuing a subscribe command. -#: lib/command.php:650 +#: lib/command.php:654 msgid "Specify the name of the user to subscribe to." msgstr "" #. TRANS: Command exception text shown when trying to subscribe to an OMB profile using the subscribe command. -#: lib/command.php:659 +#: lib/command.php:663 msgid "Can't subscribe to OMB profiles by command." msgstr "نمی‌توان با دستور مشترک نمایه‌های OMB شد." #. TRANS: Text shown after having subscribed to another user successfully. #. TRANS: %s is the name of the user the subscription was requested for. -#: lib/command.php:667 +#: lib/command.php:671 #, php-format msgid "Subscribed to %s." msgstr "" #. TRANS: Error text shown when no username was provided when issuing an unsubscribe command. #. TRANS: Error text shown when no username was provided when issuing the command. -#: lib/command.php:688 lib/command.php:799 +#: lib/command.php:692 lib/command.php:803 msgid "Specify the name of the user to unsubscribe from." msgstr "" #. TRANS: Text shown after having unsubscribed from another user successfully. #. TRANS: %s is the name of the user the unsubscription was requested for. -#: lib/command.php:699 +#: lib/command.php:703 #, php-format msgid "Unsubscribed from %s." msgstr "اشتراک از %s لغو شد." #. TRANS: Error text shown when issuing the command "off" with a setting which has not yet been implemented. #. TRANS: Error text shown when issuing the command "on" with a setting which has not yet been implemented. -#: lib/command.php:719 lib/command.php:745 +#: lib/command.php:723 lib/command.php:749 msgid "Command not yet implemented." msgstr "دستور هنوز پیاده نشده است." #. TRANS: Text shown when issuing the command "off" successfully. -#: lib/command.php:723 +#: lib/command.php:727 msgid "Notification off." msgstr "آگاه‌سازی خاموش شد." #. TRANS: Error text shown when the command "off" fails for an unknown reason. -#: lib/command.php:726 +#: lib/command.php:730 msgid "Can't turn off notification." msgstr "ناتوان در خاموش کردن آگاه سازی." #. TRANS: Text shown when issuing the command "on" successfully. -#: lib/command.php:749 +#: lib/command.php:753 msgid "Notification on." msgstr "آگاه سازی فعال است." #. TRANS: Error text shown when the command "on" fails for an unknown reason. -#: lib/command.php:752 +#: lib/command.php:756 msgid "Can't turn on notification." msgstr "ناتوان در روشن کردن آگاه سازی." #. TRANS: Error text shown when issuing the login command while login is disabled. -#: lib/command.php:766 +#: lib/command.php:770 msgid "Login command is disabled." msgstr "فرمان ورود غیرفعال شده است." #. TRANS: Text shown after issuing the login command successfully. #. TRANS: %s is a logon link.. -#: lib/command.php:779 +#: lib/command.php:783 #, php-format msgid "This link is useable only once and is valid for only 2 minutes: %s." msgstr "" @@ -7007,54 +7101,54 @@ msgstr "" #. TRANS: Text shown after issuing the lose command successfully (stop another user from following the current user). #. TRANS: %s is the name of the user the unsubscription was requested for. -#: lib/command.php:808 +#: lib/command.php:812 #, php-format msgid "Unsubscribed %s." msgstr "%s لغو اشتراک شد." #. TRANS: Text shown after requesting other users a user is subscribed to without having any subscriptions. -#: lib/command.php:826 +#: lib/command.php:830 msgid "You are not subscribed to anyone." msgstr "شما مشترک هیچ‌کسی نشده‌اید." #. TRANS: Text shown after requesting other users a user is subscribed to. #. TRANS: This message supports plural forms. This message is followed by a #. TRANS: hard coded space and a comma separated list of subscribed users. -#: lib/command.php:831 +#: lib/command.php:835 msgid "You are subscribed to this person:" msgid_plural "You are subscribed to these people:" msgstr[0] "شما مشترک این فرد شده‌اید:" #. TRANS: Text shown after requesting other users that are subscribed to a user #. TRANS: (followers) without having any subscribers. -#: lib/command.php:853 +#: lib/command.php:857 msgid "No one is subscribed to you." msgstr "هیچ‌کس مشترک شما نشده است." #. TRANS: Text shown after requesting other users that are subscribed to a user (followers). #. TRANS: This message supports plural forms. This message is followed by a #. TRANS: hard coded space and a comma separated list of subscribing users. -#: lib/command.php:858 +#: lib/command.php:862 msgid "This person is subscribed to you:" msgid_plural "These people are subscribed to you:" msgstr[0] "این فرد مشترک شما شده است:" #. TRANS: Text shown after requesting groups a user is subscribed to without having #. TRANS: any group subscriptions. -#: lib/command.php:880 +#: lib/command.php:884 msgid "You are not a member of any groups." msgstr "شما در هیچ گروهی عضو نیستید ." #. TRANS: Text shown after requesting groups a user is subscribed to. #. TRANS: This message supports plural forms. This message is followed by a #. TRANS: hard coded space and a comma separated list of subscribed groups. -#: lib/command.php:885 +#: lib/command.php:889 msgid "You are a member of this group:" msgid_plural "You are a member of these groups:" msgstr[0] "شما یک عضو این گروه هستید:" #. TRANS: Help text for commands. Do not translate the command names themselves; they are fixed strings. -#: lib/command.php:900 +#: lib/command.php:904 msgid "" "Commands:\n" "on - turn on notifications\n" @@ -7285,7 +7379,8 @@ msgid "1-64 lowercase letters or numbers, no punctuation or spaces" msgstr "۱-۶۴ کاراکتر کوچک یا اعداد، بدون نقطه گذاری یا فاصله" #: lib/groupeditform.php:163 -msgid "URL of the homepage or blog of the group or topic" +#, fuzzy +msgid "URL of the homepage or blog of the group or topic." msgstr "نشانی اینترنتی صفحهٔ‌خانگی یا وبلاگ گروه یا موضوع" #: lib/groupeditform.php:168 @@ -7293,19 +7388,27 @@ msgid "Describe the group or topic" msgstr "گروه یا موضوع را توصیف کنید" #: lib/groupeditform.php:170 -#, php-format -msgid "Describe the group or topic in %d characters" -msgstr "گروه یا موضوع را در %d نویسه توصیف کنید" +#, fuzzy, php-format +msgid "Describe the group or topic in %d character or less" +msgid_plural "Describe the group or topic in %d characters or less" +msgstr[0] "گروه یا موضوع را در %d نویسه توصیف کنید" -#: lib/groupeditform.php:179 +#: lib/groupeditform.php:182 +#, fuzzy msgid "" -"Location for the group, if any, like \"City, State (or Region), Country\"" +"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 "نام‌های مستعار اضافی برای گروه، با کاما- یا فاصله- جدا شود، بیشینه %d" +#: lib/groupeditform.php:190 +#, fuzzy, php-format +msgid "" +"Extra nicknames for the group, separated with commas or spaces. Maximum %d " +"alias allowed." +msgid_plural "" +"Extra nicknames for the group, separated with commas or spaces. Maximum %d " +"aliases allowed." +msgstr[0] "" +"نام‌های مستعار اضافی برای گروه، با کاما- یا فاصله- جدا شود، بیشینه %d" #. TRANS: Menu item in the group navigation page. #: lib/groupnav.php:86 @@ -7856,7 +7959,7 @@ msgstr "با عرض پوزش، این پست الکترونیک شما نیست. msgid "Sorry, no incoming email allowed." msgstr "با عرض پوزش، اجازه‌ی ورودی پست الکترونیک وجود ندارد" -#: lib/mailhandler.php:228 +#: lib/mailhandler.php:229 #, php-format msgid "Unsupported message type: %s" msgstr "نوع پیام پشتیبانی نشده است: %s" @@ -8204,16 +8307,17 @@ msgid "Sandbox this user" msgstr "آزاد سازی کاربر" #. TRANS: Fieldset legend for the search form. -#: lib/searchaction.php:121 +#: lib/searchaction.php:120 msgid "Search site" msgstr "جست‌وجوی وب‌گاه" #. TRANS: Used as a field label for the field where one or more keywords #. TRANS: for searching can be entered. -#: lib/searchaction.php:129 +#: lib/searchaction.php:128 msgid "Keyword(s)" msgstr "کلمه(های) کلیدی" +#. TRANS: Button text for searching site. #: lib/searchaction.php:130 msgctxt "BUTTON" msgid "Search" @@ -8303,8 +8407,8 @@ msgid "The theme file is missing or the upload failed." msgstr "" #: lib/themeuploader.php:91 lib/themeuploader.php:102 -#: lib/themeuploader.php:278 lib/themeuploader.php:282 -#: lib/themeuploader.php:290 lib/themeuploader.php:297 +#: lib/themeuploader.php:279 lib/themeuploader.php:283 +#: lib/themeuploader.php:291 lib/themeuploader.php:298 #, fuzzy msgid "Failed saving theme." msgstr "به روز رسانی چهره موفقیت آمیر نبود." @@ -8315,29 +8419,31 @@ msgstr "" #: lib/themeuploader.php:166 #, php-format -msgid "Uploaded theme is too large; must be less than %d bytes uncompressed." -msgstr "" +msgid "Uploaded theme is too large; must be less than %d byte uncompressed." +msgid_plural "" +"Uploaded theme is too large; must be less than %d bytes uncompressed." +msgstr[0] "" -#: lib/themeuploader.php:178 +#: lib/themeuploader.php:179 msgid "Invalid theme archive: missing file css/display.css" msgstr "" -#: lib/themeuploader.php:218 +#: lib/themeuploader.php:219 msgid "" "Theme contains invalid file or folder name. Stick with ASCII letters, " "digits, underscore, and minus sign." msgstr "" -#: lib/themeuploader.php:224 +#: lib/themeuploader.php:225 msgid "Theme contains unsafe file extension names; may be unsafe." msgstr "" -#: lib/themeuploader.php:241 +#: lib/themeuploader.php:242 #, php-format msgid "Theme contains file of type '.%s', which is not allowed." msgstr "" -#: lib/themeuploader.php:259 +#: lib/themeuploader.php:260 #, fuzzy msgid "Error opening theme archive." msgstr "خطا هنگام به‌هنگام‌سازی نمایهٔ از راه دور." @@ -8517,23 +8623,38 @@ msgstr[0] "" "پیام خیلی طولانی است - حداکثر تعداد مجاز %1$d نویسه است که شما %2$d نویسه را " "فرستادید." -#: scripts/restoreuser.php:82 +#. TRANS: Commandline script output. %s is the filename that contains a backup for a user. +#: scripts/restoreuser.php:61 #, php-format -msgid "Backup file for user %s (%s)" +msgid "Getting backup from file '%s'." msgstr "" -#: scripts/restoreuser.php:88 +#. TRANS: Commandline script output. +#: scripts/restoreuser.php:91 #, fuzzy msgid "No user specified; using backup user." msgstr "هیچ شناسهٔ کاربری مشخص نشده است." -#: scripts/restoreuser.php:94 +#. TRANS: Commandline script output. %d is the number of entries in the activity stream in backup; used for plural. +#: scripts/restoreuser.php:98 #, php-format -msgid "%d entries in backup." -msgstr "" +msgid "%d entry in backup." +msgid_plural "%d entries in backup." +msgstr[0] "" -#~ msgid "Description is too long (max %d chars)." -#~ msgstr "توصیف خیلی طولانی است (حداکثر %d نویسه)" +#, fuzzy +#~ msgid "Name is too long (maximum 255 chars)." +#~ msgstr "نام خیلی طولانی است (حداکثر ۲۵۵ نویسه)." -#~ msgid "Too many aliases! Maximum %d." -#~ msgstr "نام‌های مستعار بسیار زیاد هستند! حداکثر %d." +#, fuzzy +#~ msgid "Organization is too long (maximum 255 chars)." +#~ msgstr "نام سازمان خیلی طولانی است (حداکثر ۲۵۵ نویسه)." + +#~ msgid "That's too long. Max notice size is %d chars." +#~ msgstr "این خیلی طولانی است. بیشینهٔ طول پیام %d نویسه است." + +#~ msgid "Max notice size is %d chars, including attachment URL." +#~ msgstr "بیشینهٔ طول پیام %d نویسه که شامل نشانی اینترنتی پیوست هم هست." + +#~ msgid " tagged %s" +#~ msgstr " برچسب‌گذاری‌شده %s" diff --git a/locale/fi/LC_MESSAGES/statusnet.po b/locale/fi/LC_MESSAGES/statusnet.po index cd6c5c2358..01b4a4bccb 100644 --- a/locale/fi/LC_MESSAGES/statusnet.po +++ b/locale/fi/LC_MESSAGES/statusnet.po @@ -14,17 +14,17 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet - Core\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-10-30 23:18+0000\n" -"PO-Revision-Date: 2010-10-30 23:20:13+0000\n" +"POT-Creation-Date: 2010-11-02 22:51+0000\n" +"PO-Revision-Date: 2010-11-02 22:53:17+0000\n" "Language-Team: Finnish \n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r75708); Translate extension (2010-09-17)\n" +"X-Generator: MediaWiki 1.17alpha (r75875); Translate extension (2010-09-17)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: fi\n" "X-Message-Group: #out-statusnet-core\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-POT-Import-Date: 2010-10-30 09:48:40+0000\n" +"X-POT-Import-Date: 2010-10-30 23:42:01+0000\n" #. TRANS: Page title for Access admin panel that allows configuring site access. #. TRANS: Menu item for site administration @@ -87,15 +87,20 @@ msgstr "Profiilikuva-asetukset" #. TRANS: Tooltip for button to save access settings in site admin panel. #. TRANS: Button label to save e-mail preferences. #. TRANS: Button label to save IM preferences. +#. TRANS: Button text for saving "Other settings" in profile. #. TRANS: Button text to store form data in the Paths admin panel. #. TRANS: Button to save input in profile settings. +#. TRANS: Button text for saving site notice in admin panel. #. TRANS: Button label to save SMS preferences. #. TRANS: Save button for settings for a profile in a subscriptions list. +#. TRANS: Button text to save user settings in user admin panel. #. TRANS: Button label in the "Edit application" form. #: actions/accessadminpanel.php:193 actions/emailsettings.php:228 -#: actions/imsettings.php:187 actions/pathsadminpanel.php:512 -#: actions/profilesettings.php:201 actions/smssettings.php:209 -#: actions/subscriptions.php:246 lib/applicationeditform.php:355 +#: actions/imsettings.php:187 actions/othersettings.php:134 +#: actions/pathsadminpanel.php:512 actions/profilesettings.php:201 +#: actions/sitenoticeadminpanel.php:197 actions/smssettings.php:209 +#: actions/subscriptions.php:246 actions/useradminpanel.php:298 +#: lib/applicationeditform.php:355 lib/groupeditform.php:207 msgctxt "BUTTON" msgid "Save" msgstr "Tallenna" @@ -146,7 +151,7 @@ msgstr "Sivua ei ole." #: 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:93 actions/userrss.php:40 -#: actions/xrds.php:71 lib/command.php:495 lib/galleryaction.php:59 +#: actions/xrds.php:71 lib/command.php:497 lib/galleryaction.php:59 #: lib/mailbox.php:82 lib/profileaction.php:77 msgid "No such user." msgstr "Käyttäjää ei ole." @@ -219,7 +224,9 @@ msgstr "" #. TRANS: Encoutagement displayed on empty timeline user pages for anonymous users. #. TRANS: %s is a user nickname. This message contains Markdown links. Keep "](" together. -#: actions/all.php:155 actions/replies.php:210 actions/showstream.php:208 +#. TRANS: Second sentence of empty message for anonymous users. %s is a user nickname. +#. TRANS: This message contains a Markdown link. Keep "](" together. +#: actions/all.php:155 actions/replies.php:210 actions/showstream.php:227 #, php-format msgid "" "Why not [register an account](%%%%action.register%%%%) and then nudge %s or " @@ -573,8 +580,11 @@ msgstr "Koko nimi on liian pitkä (max 255 merkkiä)." #. TRANS: Group edit form validation error. #. TRANS: Form validation error in New application form. #. TRANS: %d is the maximum number of characters for the description. +#. TRANS: Group create form validation error. +#. TRANS: %d is the maximum number of allowed characters. #: actions/apigroupcreate.php:220 actions/editapplication.php:201 #: actions/editgroup.php:216 actions/newapplication.php:178 +#: actions/newgroup.php:152 #, fuzzy, php-format msgid "Description is too long (maximum %d character)." msgid_plural "Description is too long (maximum %d characters)." @@ -734,14 +744,14 @@ msgstr "Sinulla ei ole valtuutusta tähän." #. TRANS: Form validation error in API OAuth authorisation because of an invalid session token. #: actions/apioauthauthorize.php:147 actions/avatarsettings.php:280 -#: actions/deletenotice.php:172 actions/disfavor.php:74 +#: actions/deletenotice.php:177 actions/disfavor.php:74 #: actions/emailsettings.php:271 actions/favor.php:75 actions/geocode.php:55 #: actions/groupblock.php:66 actions/grouplogo.php:312 #: actions/groupunblock.php:65 actions/imsettings.php:230 #: actions/invite.php:59 actions/login.php:137 actions/makeadmin.php:66 #: actions/newmessage.php:135 actions/newnotice.php:105 actions/nudge.php:80 #: actions/oauthappssettings.php:165 actions/oauthconnectionssettings.php:138 -#: actions/othersettings.php:145 actions/passwordsettings.php:138 +#: actions/othersettings.php:153 actions/passwordsettings.php:138 #: actions/profilesettings.php:221 actions/recoverpassword.php:350 #: actions/register.php:172 actions/remotesubscribe.php:77 #: actions/repeat.php:83 actions/smssettings.php:256 actions/subedit.php:40 @@ -918,21 +928,22 @@ msgstr "Et voi poistaa toisen käyttäjän päivitystä." #. TRANS: Client error displayed trying to repeat a non-existing notice through the API. #. TRANS: Client error displayed trying to display redents of a non-exiting notice. +#. TRANS: Error message displayed trying to delete a non-existing notice. #: actions/apistatusesretweet.php:74 actions/apistatusesretweets.php:70 -#: actions/deletenotice.php:58 actions/shownotice.php:92 +#: actions/deletenotice.php:61 actions/shownotice.php:92 msgid "No such notice." msgstr "Päivitystä ei ole." #. TRANS: Client error displayed trying to repeat an own notice through the API. #. TRANS: Error text shown when trying to repeat an own notice. -#: actions/apistatusesretweet.php:83 lib/command.php:535 +#: actions/apistatusesretweet.php:83 lib/command.php:537 #, fuzzy msgid "Cannot repeat your own notice." msgstr "Ilmoituksia ei voi pistää päälle." #. TRANS: Client error displayed trying to re-repeat a notice through the API. #. TRANS: Error text shown when trying to repeat an notice that was already repeated by the user. -#: actions/apistatusesretweet.php:92 lib/command.php:541 +#: actions/apistatusesretweet.php:92 lib/command.php:543 msgid "Already repeated that notice." msgstr "Tätä päivitystä ei voi poistaa." @@ -953,7 +964,8 @@ msgstr "" #. TRANS: Client error displayed when the parameter "status" is missing. #. TRANS: %d is the maximum number of character for a notice. -#: actions/apistatusesupdate.php:244 +#: actions/apistatusesupdate.php:244 actions/newnotice.php:161 +#: lib/mailhandler.php:60 #, fuzzy, php-format msgid "That's too long. Maximum notice size is %d character." msgid_plural "That's too long. Maximum notice size is %d characters." @@ -968,7 +980,7 @@ msgstr "API-metodia ei löytynyt." #. TRANS: Client error displayed exceeding the maximum notice length. #. TRANS: %d is the maximum lenth for a notice. -#: actions/apistatusesupdate.php:308 +#: actions/apistatusesupdate.php:308 actions/newnotice.php:184 #, fuzzy, php-format msgid "Maximum notice size is %d character, including attachment URL." msgid_plural "Maximum notice size is %d characters, including attachment URL." @@ -1180,17 +1192,18 @@ msgstr "Valitse neliön muotoinen alue kuvasta profiilikuvaksi" msgid "Lost our file data." msgstr "Tiedoston data hävisi." -#: actions/avatarsettings.php:384 +#. TRANS: Success message for having updated a user avatar. +#: actions/avatarsettings.php:385 msgid "Avatar updated." msgstr "Kuva päivitetty." #. TRANS: Error displayed on the avatar upload page if the avatar could not be updated for an unknown reason. -#: actions/avatarsettings.php:388 +#: actions/avatarsettings.php:389 msgid "Failed updating avatar." msgstr "Profiilikuvan päivittäminen epäonnistui." #. TRANS: Success message for deleting a user avatar. -#: actions/avatarsettings.php:412 +#: actions/avatarsettings.php:413 msgid "Avatar deleted." msgstr "Kuva poistettu." @@ -1219,8 +1232,8 @@ msgstr "" #. TRANS: Button label on the delete notice form. #. TRANS: Button label on the delete user form. #. TRANS: Button label on the form to block a user from a group. -#: actions/block.php:154 actions/deleteapplication.php:154 -#: actions/deletegroup.php:220 actions/deletenotice.php:150 +#: actions/block.php:154 actions/deleteapplication.php:157 +#: actions/deletegroup.php:220 actions/deletenotice.php:155 #: actions/deleteuser.php:152 actions/groupblock.php:178 msgctxt "BUTTON" msgid "No" @@ -1238,8 +1251,8 @@ msgstr "Älä estä tätä käyttäjää" #. TRANS: Button label on the delete notice form. #. TRANS: Button label on the delete user form. #. TRANS: Button label on the form to block a user from a group. -#: actions/block.php:161 actions/deleteapplication.php:161 -#: actions/deletegroup.php:227 actions/deletenotice.php:157 +#: actions/block.php:161 actions/deleteapplication.php:164 +#: actions/deletegroup.php:227 actions/deletenotice.php:162 #: actions/deleteuser.php:159 actions/groupblock.php:185 #, fuzzy msgctxt "BUTTON" @@ -1357,12 +1370,13 @@ msgstr "Tämä osoite on jo vahvistettu." #. TRANS: Server error thrown on database error removing a registered e-mail address. #. TRANS: Server error thrown on database error updating IM preferences. #. TRANS: Server error thrown on database error removing a registered IM address. +#. TRANS: Server error displayed when "Other" settings in user profile could not be updated on the server. #. TRANS: Server error thrown when user profile settings could not be updated. #. TRANS: Server error thrown on database error updating SMS preferences. #. TRANS: Server error thrown on database error removing a registered SMS phone number. #: actions/confirmaddress.php:118 actions/emailsettings.php:331 #: actions/emailsettings.php:477 actions/imsettings.php:283 -#: actions/imsettings.php:442 actions/othersettings.php:174 +#: actions/imsettings.php:442 actions/othersettings.php:184 #: actions/profilesettings.php:326 actions/smssettings.php:308 #: actions/smssettings.php:464 msgid "Couldn't update user." @@ -1398,16 +1412,19 @@ msgstr "Keskustelu" msgid "Notices" msgstr "Päivitykset" -#: actions/deleteapplication.php:63 +#. TRANS: Client error displayed trying to delete an application while not logged in. +#: actions/deleteapplication.php:62 msgid "You must be logged in to delete an application." msgstr "Sinun pitää olla kirjautunut sisään, jotta voit erota ryhmästä." +#. TRANS: Client error displayed trying to delete an application that does not exist. #: actions/deleteapplication.php:71 msgid "Application not found." msgstr "Vahvistuskoodia ei löytynyt." +#. TRANS: Client error displayed trying to delete an application the current user does not own. #. TRANS: Client error displayed trying to edit an application while not being its owner. -#: actions/deleteapplication.php:78 actions/editapplication.php:78 +#: actions/deleteapplication.php:79 actions/editapplication.php:78 #: actions/showapplication.php:94 #, fuzzy msgid "You are not the owner of this application." @@ -1416,16 +1433,19 @@ msgstr "Sinä et kuulu tähän ryhmään." #. TRANS: Client error text when there is a problem with the session token. #: actions/deleteapplication.php:102 actions/editapplication.php:131 #: actions/newapplication.php:114 actions/showapplication.php:118 -#: lib/action.php:1354 +#: lib/action.php:1404 msgid "There was a problem with your session token." msgstr "Istuntoavaimesi kanssa oli ongelma." -#: actions/deleteapplication.php:123 actions/deleteapplication.php:147 +#. TRANS: Title for delete application page. +#. TRANS: Fieldset legend on delete application page. +#: actions/deleteapplication.php:124 actions/deleteapplication.php:149 #, fuzzy msgid "Delete application" msgstr "Päivitystä ei ole." -#: actions/deleteapplication.php:149 +#. TRANS: Confirmation text on delete application page. +#: actions/deleteapplication.php:152 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 " @@ -1433,13 +1453,13 @@ msgid "" msgstr "" #. TRANS: Submit button title for 'No' when deleting an application. -#: actions/deleteapplication.php:158 +#: actions/deleteapplication.php:161 #, fuzzy msgid "Do not delete this application" msgstr "Älä poista tätä päivitystä" #. TRANS: Submit button title for 'Yes' when deleting an application. -#: actions/deleteapplication.php:164 +#: actions/deleteapplication.php:167 #, fuzzy msgid "Delete this application" msgstr "Poista tämä päivitys" @@ -1477,13 +1497,14 @@ msgstr "Ei voitu päivittää ryhmää." msgid "Deleted group %s" msgstr "Käyttäjän %1$s päivitys %2$s" -#. TRANS: Title. +#. TRANS: Title of delete group page. #. TRANS: Form legend for deleting a group. #: actions/deletegroup.php:176 actions/deletegroup.php:202 #, fuzzy msgid "Delete group" msgstr "Poista käyttäjä" +#. TRANS: Warning in form for deleleting a group. #: actions/deletegroup.php:206 msgid "" "Are you sure you want to delete this group? This will clear all data about " @@ -1503,10 +1524,11 @@ msgstr "Älä poista tätä päivitystä" msgid "Delete this group" msgstr "Poista käyttäjä" +#. TRANS: Error message displayed trying to delete a notice while not logged in. #. TRANS: Client error displayed when trying to unblock a user from a group while not logged in. #. TRANS: Client error displayed trying a change a subscription while not logged in. #. TRANS: Client error message thrown when trying to access the admin panel while not logged in. -#: actions/deletenotice.php:50 actions/disfavor.php:61 actions/favor.php:62 +#: actions/deletenotice.php:52 actions/disfavor.php:61 actions/favor.php:62 #: actions/groupblock.php:61 actions/groupunblock.php:60 actions/logout.php:69 #: actions/makeadmin.php:61 actions/newmessage.php:87 actions/newnotice.php:88 #: actions/nudge.php:63 actions/subedit.php:33 actions/subscribe.php:96 @@ -1516,11 +1538,13 @@ msgstr "Poista käyttäjä" msgid "Not logged in." msgstr "Et ole kirjautunut sisään." -#: actions/deletenotice.php:74 +#. TRANS: Error message displayed trying to delete a notice that was not made by the current user. +#: actions/deletenotice.php:78 msgid "Can't delete this notice." msgstr "Tätä päivitystä ei voi poistaa." -#: actions/deletenotice.php:106 +#. TRANS: Instructions for deleting a notice. +#: actions/deletenotice.php:110 msgid "" "You are about to permanently delete a notice. Once this is done, it cannot " "be undone." @@ -1528,21 +1552,24 @@ msgstr "" "Olet poistamassa tämän päivityksen pysyvästi. Kun tämä on tehty, poistoa ei " "voi enää perua." -#: actions/deletenotice.php:112 actions/deletenotice.php:144 +#. TRANS: Page title when deleting a notice. +#. TRANS: Fieldset legend for the delete notice form. +#: actions/deletenotice.php:117 actions/deletenotice.php:148 msgid "Delete notice" msgstr "Poista päivitys" -#: actions/deletenotice.php:147 +#. TRANS: Message for the delete notice form. +#: actions/deletenotice.php:152 msgid "Are you sure you want to delete this notice?" msgstr "Oletko varma että haluat poistaa tämän päivityksen?" #. TRANS: Submit button title for 'No' when deleting a notice. -#: actions/deletenotice.php:154 +#: actions/deletenotice.php:159 msgid "Do not delete this notice" msgstr "Älä poista tätä päivitystä" #. TRANS: Submit button title for 'Yes' when deleting a notice. -#: actions/deletenotice.php:161 lib/noticelist.php:667 +#: actions/deletenotice.php:166 lib/noticelist.php:667 msgid "Delete this notice" msgstr "Poista tämä päivitys" @@ -1712,11 +1739,9 @@ msgstr "Käytä oletusasetuksia" #. TRANS: Submit button title. #: actions/designadminpanel.php:711 actions/licenseadminpanel.php:319 -#: actions/othersettings.php:126 actions/sessionsadminpanel.php:199 -#: actions/siteadminpanel.php:292 actions/sitenoticeadminpanel.php:195 +#: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:292 #: actions/snapshotadminpanel.php:245 actions/tagother.php:154 -#: actions/useradminpanel.php:295 lib/applicationeditform.php:357 -#: lib/designsettings.php:256 lib/groupeditform.php:202 +#: lib/applicationeditform.php:357 lib/designsettings.php:256 msgid "Save" msgstr "Tallenna" @@ -1770,9 +1795,9 @@ msgid "Name is required." msgstr "Sama kuin ylläoleva salasana. Pakollinen." #. TRANS: Validation error shown when providing too long a name in the "Edit application" form. -#: actions/editapplication.php:188 +#: actions/editapplication.php:188 actions/newapplication.php:169 #, fuzzy -msgid "Name is too long (max 255 characters)." +msgid "Name is too long (maximum 255 characters)." msgstr "Koko nimi on liian pitkä (max 255 merkkiä)." #. TRANS: Validation error shown when providing a name for an application that already exists in the "Edit application" form. @@ -1804,7 +1829,7 @@ msgid "Organization is required." msgstr "" #. TRANS: Validation error shown when providing too long an arganisation name in the "Edit application" form. -#: actions/editapplication.php:223 +#: actions/editapplication.php:223 actions/newapplication.php:199 #, fuzzy msgid "Organization is too long (maximum 255 characters)." msgstr "Kotipaikka on liian pitkä (max 255 merkkiä)." @@ -2600,7 +2625,7 @@ msgid "Publish a MicroID for my Jabber/GTalk address." msgstr "Julkaise MicroID Jabber/GTalk-osoitteelleni." #. TRANS: Confirmation message for successful IM preferences save. -#: actions/imsettings.php:290 actions/othersettings.php:180 +#: actions/imsettings.php:290 actions/othersettings.php:190 msgid "Preferences saved." msgstr "Asetukset tallennettu." @@ -2725,10 +2750,9 @@ msgstr[1] "Olet jo tilannut seuraavien käyttäjien päivitykset:" #. TRANS: Used as list item for already subscribed users (%1$s is nickname, %2$s is e-mail address). #. TRANS: Used as list item for already registered people (%1$s is nickname, %2$s is e-mail address). -#. TRANS: Whois output. -#. TRANS: %1$s nickname of the queried user, %2$s is their profile URL. -#: actions/invite.php:145 actions/invite.php:159 lib/command.php:426 -#, php-format +#: actions/invite.php:145 actions/invite.php:159 +#, fuzzy, php-format +msgctxt "INVITE" msgid "%1$s (%2$s)" msgstr "%1$s (%2$s)" @@ -2915,8 +2939,9 @@ msgid "" msgstr "" #: actions/licenseadminpanel.php:156 -msgid "Invalid license title. Max length is 255 characters." -msgstr "" +#, fuzzy +msgid "Invalid license title. Maximum length is 255 characters." +msgstr "Kotipaikka on liian pitkä (max 255 merkkiä)." #: actions/licenseadminpanel.php:168 msgid "Invalid license URL." @@ -3095,20 +3120,10 @@ 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:169 -#, fuzzy -msgid "Name is too long (maximum 255 chars)." -msgstr "Koko nimi on liian pitkä (max 255 merkkiä)." - #: actions/newapplication.php:184 msgid "Source URL is required." msgstr "" -#: actions/newapplication.php:199 -#, fuzzy -msgid "Organization is too long (maximum 255 chars)." -msgstr "Kotipaikka on liian pitkä (max 255 merkkiä)." - #: actions/newapplication.php:266 actions/newapplication.php:275 #, fuzzy msgid "Could not create application." @@ -3129,14 +3144,14 @@ msgid "New message" msgstr "Uusi viesti" #. TRANS: Error text shown when trying to send a direct message to a user without a mutual subscription (each user must be subscribed to the other). -#: actions/newmessage.php:121 actions/newmessage.php:164 lib/command.php:499 +#: actions/newmessage.php:121 actions/newmessage.php:164 lib/command.php:501 msgid "You can't send a message to this user." msgstr "Et voi lähettää viestiä tälle käyttäjälle." #. TRANS: Command exception text shown when trying to send a direct message to another user without content. #. TRANS: Command exception text shown when trying to reply to a notice without providing content for the reply. #: actions/newmessage.php:144 actions/newnotice.php:140 lib/command.php:478 -#: lib/command.php:579 +#: lib/command.php:581 msgid "No content!" msgstr "Ei sisältöä!" @@ -3145,7 +3160,7 @@ msgid "No recipient specified." msgstr "Vastaanottajaa ei ole määritelty." #. TRANS: Error text shown when trying to send a direct message to self. -#: actions/newmessage.php:167 lib/command.php:503 +#: actions/newmessage.php:167 lib/command.php:505 msgid "" "Don't send a message to yourself; just say it to yourself quietly instead." msgstr "Älä lähetä viestiä itsellesi, vaan kuiskaa se vain hiljaa itsellesi." @@ -3156,12 +3171,12 @@ msgstr "Viesti lähetetty" #. TRANS: Message given have sent a direct message to another user. #. TRANS: %s is the name of the other user. -#: actions/newmessage.php:188 lib/command.php:511 +#: actions/newmessage.php:188 lib/command.php:513 #, fuzzy, php-format msgid "Direct message to %s sent." msgstr "Suora viesti käyttäjälle %s lähetetty" -#: actions/newmessage.php:213 actions/newnotice.php:263 +#: actions/newmessage.php:213 actions/newnotice.php:264 msgid "Ajax Error" msgstr "Ajax-virhe" @@ -3169,17 +3184,7 @@ msgstr "Ajax-virhe" msgid "New notice" msgstr "Uusi päivitys" -#: actions/newnotice.php:159 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/newnotice.php:183 -#, php-format -msgid "Max notice size is %d chars, including attachment URL." -msgstr "Maksimikoko päivitykselle on %d merkkiä, mukaan lukien URL-osoite." - -#: actions/newnotice.php:229 +#: actions/newnotice.php:230 msgid "Notice posted" msgstr "Päivitys lähetetty" @@ -3352,36 +3357,46 @@ msgstr "Etsi ihmisiä" msgid "Notice Search" msgstr "Etsi Päivityksistä" -#: actions/othersettings.php:60 +#: actions/othersettings.php:59 msgid "Other settings" msgstr "Profiilikuva-asetukset" +#. TRANS: Instructions for tab "Other" in user profile settings. #: actions/othersettings.php:71 msgid "Manage various other options." msgstr "Hallinnoi muita asetuksia." -#: actions/othersettings.php:108 +#. TRANS: Used as a suffix for free URL shorteners in a dropdown list in the tab "Other" of a +#. TRANS: user's profile settings. This message has one space at the beginning. Use your +#. TRANS: language's word separator here if it has one (most likely a single space). +#: actions/othersettings.php:111 msgid " (free service)" msgstr "" -#: actions/othersettings.php:116 +#. TRANS: Label for dropdown with URL shortener services. +#: actions/othersettings.php:120 msgid "Shorten URLs with" msgstr "Lyhennä URL-osoitteita" -#: actions/othersettings.php:117 +#. TRANS: Tooltip for for dropdown with URL shortener services. +#: actions/othersettings.php:122 msgid "Automatic shortening service to use." msgstr "Käytettävä automaattinen lyhennyspalvelu." -#: actions/othersettings.php:122 +#. TRANS: Label for checkbox. +#: actions/othersettings.php:128 msgid "View profile designs" msgstr "Näytä tai piillota profiilin ulkoasu." -#: actions/othersettings.php:123 +#. TRANS: Tooltip for checkbox. +#: actions/othersettings.php:130 msgid "Show or hide profile designs." msgstr "Näytä tai piillota profiilin ulkoasu." -#: actions/othersettings.php:153 -msgid "URL shortening service is too long (max 50 chars)." +#. TRANS: Form validation error for form "Other settings" in user profile. +#: actions/othersettings.php:162 +#, fuzzy +msgid "URL shortening service is too long (maximum 50 characters)." msgstr "URL-lyhennyspalvelun nimi on liian pitkä (max 50 merkkiä)." #: actions/otp.php:69 @@ -3882,7 +3897,7 @@ msgstr "Tietoja" #. TRANS: Label for group location (dt). Text hidden by default. #: actions/profilesettings.php:149 actions/register.php:485 #: actions/showgroup.php:267 actions/tagother.php:112 -#: actions/userauthorization.php:166 lib/groupeditform.php:177 +#: actions/userauthorization.php:166 lib/groupeditform.php:180 #: lib/userprofile.php:165 msgid "Location" msgstr "Kotipaikka" @@ -4221,7 +4236,8 @@ msgid "Unexpected password reset." msgstr "Odottamaton salasanan uudelleenasetus." #: actions/recoverpassword.php:365 -msgid "Password must be 6 chars or more." +#, fuzzy +msgid "Password must be 6 characters or more." msgstr "Salasanassa pitää olla 6 tai useampia merkkejä." #: actions/recoverpassword.php:369 @@ -4613,7 +4629,7 @@ msgstr "Sivutus" #. TRANS: Form input field label. #: actions/showapplication.php:187 actions/version.php:200 -#: lib/applicationeditform.php:208 lib/groupeditform.php:172 +#: lib/applicationeditform.php:208 lib/groupeditform.php:175 msgid "Description" msgstr "Kuvaus" @@ -4756,7 +4772,7 @@ msgid "Note" msgstr "Huomaa" #. TRANS: Label for group aliases (dt). Text hidden by default. -#: actions/showgroup.php:298 lib/groupeditform.php:184 +#: actions/showgroup.php:298 lib/groupeditform.php:187 msgid "Aliases" msgstr "Aliakset" @@ -4882,55 +4898,77 @@ msgstr "Viesti käyttäjältä %1$s, %2$s" msgid "Notice deleted." msgstr "Päivitys on poistettu." -#: actions/showstream.php:72 +#. TRANS: Page title showing tagged notices in one user's stream. %1$s is the username, %2$s is the hash tag. +#: actions/showstream.php:70 #, fuzzy, php-format -msgid " tagged %s" +msgid "%1$s tagged %2$s" +msgstr "Ryhmät, sivu %d" + +#. TRANS: Page title showing tagged notices in one user's stream. +#. TRANS: %1$s is the username, %2$s is the hash tag, %1$d is the page number. +#: actions/showstream.php:74 +#, fuzzy, php-format +msgid "%1$s tagged %2$s, page %3$d" msgstr "Päivitykset joilla on tagi %s" -#: actions/showstream.php:78 +#. TRANS: Extended page title showing tagged notices in one user's stream. +#. TRANS: %1$s is the username, %2$d is the page number. +#: actions/showstream.php:82 #, php-format msgid "%1$s, page %2$d" msgstr "Ryhmät, sivu %d" -#: actions/showstream.php:120 +#. TRANS: Title for link to notice feed. +#. TRANS: %1$s is a user nickname, %2$s is a hashtag. +#: actions/showstream.php:127 #, php-format msgid "Notice feed for %1$s tagged %2$s (RSS 1.0)" msgstr "Syöte ryhmän %s päivityksille (RSS 1.0)" -#: actions/showstream.php:127 +#. TRANS: Title for link to notice feed. +#. TRANS: %s is a user nickname. +#: actions/showstream.php:136 #, php-format msgid "Notice feed for %s (RSS 1.0)" msgstr "Syöte ryhmän %s päivityksille (RSS 1.0)" -#: actions/showstream.php:134 +#. TRANS: Title for link to notice feed. +#. TRANS: %s is a user nickname. +#: actions/showstream.php:145 #, php-format msgid "Notice feed for %s (RSS 2.0)" msgstr "Syöte ryhmän %s päivityksille (RSS 2.0)" -#: actions/showstream.php:141 +#: actions/showstream.php:152 #, php-format msgid "Notice feed for %s (Atom)" msgstr "Syöte ryhmän %s päivityksille (Atom)" -#: actions/showstream.php:146 +#. TRANS: Title for link to notice feed. FOAF stands for Friend of a Friend. +#. TRANS: More information at http://www.foaf-project.org. %s is a user nickname. +#: actions/showstream.php:159 #, fuzzy, php-format msgid "FOAF for %s" msgstr "Käyttäjän %s lähetetyt viestit" -#: actions/showstream.php:197 -#, php-format -msgid "This is the timeline for %1$s but %2$s hasn't posted anything yet." +#. TRANS: First sentence of empty list message for a stream. $1%s is a user nickname. +#: actions/showstream.php:211 +#, fuzzy, php-format +msgid "This is the timeline for %1$s, but %1$s hasn't posted anything yet." msgstr "" "Tämä on käyttäjän %s ja kavereiden aikajana, mutta kukaan ei ole lähettyänyt " "vielä mitään." -#: actions/showstream.php:202 +#. TRANS: Second sentence of empty list message for a stream for the user themselves. +#: actions/showstream.php:217 msgid "" "Seen anything interesting recently? You haven't posted any notices yet, now " "would be a good time to start :)" msgstr "" -#: actions/showstream.php:204 +#. TRANS: Second sentence of empty list message for a non-self stream. %1$s is a user nickname, %2$s is a part of a URL. +#. TRANS: This message contains a Markdown link. Keep "](" together. +#: actions/showstream.php:221 #, fuzzy, php-format msgid "" "You can try to nudge %1$s or [post something to them](%%%%action.newnotice%%%" @@ -4939,7 +4977,9 @@ msgstr "" "Ole ensimmäinen joka [lähettää päivityksen tästä aiheesta](%%%%action." "newnotice%%%%?status_textarea=%s)!" -#: actions/showstream.php:243 +#. TRANS: Announcement for anonymous users showing a stream if site registrations are open. +#. TRANS: This message contains a Markdown link. Keep "](" together. +#: actions/showstream.php:264 #, php-format msgid "" "**%s** has an account on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -4948,7 +4988,9 @@ msgid "" "follow **%s**'s notices and many more! ([Read more](%%%%doc.help%%%%))" msgstr "" -#: actions/showstream.php:248 +#. TRANS: Announcement for anonymous users showing a stream if site registrations are closed or invite only. +#. TRANS: This message contains a Markdown link. Keep "](" together. +#: actions/showstream.php:271 #, fuzzy, php-format msgid "" "**%s** has an account on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -4958,7 +5000,8 @@ 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:305 +#. TRANS: Link to the author of a repeated notice. %s is a linked nickname. +#: actions/showstream.php:328 #, fuzzy, php-format msgid "Repeat of %s" msgstr "Vastaukset käyttäjälle %s" @@ -5075,35 +5118,42 @@ msgstr "" msgid "How long users must wait (in seconds) to post the same thing again." msgstr "" -#: actions/sitenoticeadminpanel.php:56 +#. TRANS: Page title for site-wide notice tab in admin panel. +#: actions/sitenoticeadminpanel.php:55 #, fuzzy msgid "Site Notice" msgstr "Palvelun ilmoitus" -#: actions/sitenoticeadminpanel.php:67 +#. TRANS: Instructions for site-wide notice tab in admin panel. +#: actions/sitenoticeadminpanel.php:66 #, fuzzy msgid "Edit site-wide message" msgstr "Uusi viesti" -#: actions/sitenoticeadminpanel.php:103 +#. TRANS: Server error displayed when saving a site-wide notice was impossible. +#: actions/sitenoticeadminpanel.php:101 #, fuzzy msgid "Unable to save site notice." msgstr "Twitter-asetuksia ei voitu tallentaa!" -#: actions/sitenoticeadminpanel.php:113 -msgid "Max length for the site-wide notice is 255 chars." +#. TRANS: Client error displayed when a site-wide notice was longer than allowed. +#: actions/sitenoticeadminpanel.php:112 +msgid "Maximum length for the site-wide notice is 255 characters." msgstr "" +#. TRANS: Label for site-wide notice text field in admin panel. #: actions/sitenoticeadminpanel.php:176 #, fuzzy msgid "Site notice text" msgstr "Palvelun ilmoitus" -#: actions/sitenoticeadminpanel.php:178 -msgid "Site-wide notice text (255 chars max; HTML okay)" +#. TRANS: Tooltip for site-wide notice text field in admin panel. +#: actions/sitenoticeadminpanel.php:179 +msgid "Site-wide notice text (255 characters maximum; HTML allowed)" msgstr "" -#: actions/sitenoticeadminpanel.php:198 +#. TRANS: Title for button to save site notice in admin panel. +#: actions/sitenoticeadminpanel.php:201 #, fuzzy msgid "Save site notice" msgstr "Palvelun ilmoitus" @@ -5568,83 +5618,100 @@ msgid "" msgstr "" #. TRANS: User admin panel title -#: actions/useradminpanel.php:60 +#: actions/useradminpanel.php:58 #, fuzzy msgctxt "TITLE" msgid "User" msgstr "Käyttäjä" -#: actions/useradminpanel.php:71 +#. TRANS: Instruction for user admin panel. +#: actions/useradminpanel.php:69 msgid "User settings for this StatusNet site" msgstr "" -#: actions/useradminpanel.php:150 +#. TRANS: Form validation error in user admin panel when a non-numeric character limit was set. +#: actions/useradminpanel.php:147 msgid "Invalid bio limit. Must be numeric." msgstr "" -#: actions/useradminpanel.php:156 -msgid "Invalid welcome text. Max length is 255 characters." +#. TRANS: Form validation error in user admin panel when welcome text is too long. +#: actions/useradminpanel.php:154 +msgid "Invalid welcome text. Maximum length is 255 characters." msgstr "" +#. TRANS: Client error displayed when trying to set a non-existing user as default subscription for new +#. TRANS: users in user admin panel. %1$s is the invalid nickname. #: actions/useradminpanel.php:166 #, php-format -msgid "Invalid default subscripton: '%1$s' is not user." +msgid "Invalid default subscripton: '%1$s' is not a user." msgstr "" #. TRANS: Link description in user account settings menu. -#: actions/useradminpanel.php:219 lib/accountsettingsaction.php:106 +#: actions/useradminpanel.php:215 lib/accountsettingsaction.php:106 #: lib/personalgroupnav.php:109 msgid "Profile" msgstr "Profiili" -#: actions/useradminpanel.php:223 +#. TRANS: Field label in user admin panel for setting the character limit for the bio field. +#: actions/useradminpanel.php:220 msgid "Bio Limit" msgstr "" -#: actions/useradminpanel.php:224 +#. TRANS: Tooltip in user admin panel for setting the character limit for the bio field. +#: actions/useradminpanel.php:222 msgid "Maximum length of a profile bio in characters." msgstr "" -#: actions/useradminpanel.php:232 +#. TRANS: Form legend in user admin panel. +#: actions/useradminpanel.php:231 #, fuzzy msgid "New users" msgstr "Kutsu uusia käyttäjiä" +#. TRANS: Field label in user admin panel for setting new user welcome text. #: actions/useradminpanel.php:236 msgid "New user welcome" msgstr "" -#: actions/useradminpanel.php:237 -msgid "Welcome text for new users (Max 255 chars)." -msgstr "" +#. TRANS: Tooltip in user admin panel for setting new user welcome text. +#: actions/useradminpanel.php:238 +#, fuzzy +msgid "Welcome text for new users (maximum 255 characters)." +msgstr "Koko nimi on liian pitkä (max 255 merkkiä)." -#: actions/useradminpanel.php:242 +#. TRANS: Field label in user admin panel for setting default subscription for new users. +#: actions/useradminpanel.php:244 #, fuzzy msgid "Default subscription" msgstr "Kaikki tilaukset" -#: actions/useradminpanel.php:243 +#. TRANS: Tooltip in user admin panel for setting default subscription for new users. +#: actions/useradminpanel.php:246 #, 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:252 +#. TRANS: Form legend in user admin panel. +#: actions/useradminpanel.php:256 #, fuzzy msgid "Invitations" msgstr "Kutsu(t) lähetettiin" -#: actions/useradminpanel.php:257 +#. TRANS: Field label for checkbox in user admin panel for allowing users to invite friend using site e-mail. +#: actions/useradminpanel.php:262 #, fuzzy msgid "Invitations enabled" msgstr "Kutsu(t) lähetettiin" -#: actions/useradminpanel.php:259 +#. TRANS: Tooltip for checkbox in user admin panel for allowing users to invite friend using site e-mail. +#: actions/useradminpanel.php:265 msgid "Whether to allow users to invite new users." msgstr "" -#: actions/useradminpanel.php:295 +#. TRANS: Title for button to save user settings in user admin panel. +#: actions/useradminpanel.php:302 msgid "Save user settings" msgstr "" @@ -5845,7 +5912,7 @@ msgid "Plugins" msgstr "" #. TRANS: Secondary navigation menu option leading to version information on the StatusNet site. -#: actions/version.php:198 lib/action.php:831 +#: actions/version.php:198 lib/action.php:880 #, fuzzy msgid "Version" msgstr "Omat" @@ -6061,16 +6128,23 @@ msgstr "Tilausta ei onnistuttu tallentamaan." msgid "RT @%1$s %2$s" msgstr "RT @%1$s %2$s" +#. TRANS: Full name of a profile or group followed by nickname in parens +#: classes/Profile.php:164 +#, fuzzy, php-format +msgctxt "FANCYNAME" +msgid "%1$s (%2$s)" +msgstr "%1$s (%2$s)" + #. TRANS: Exception thrown when trying to revoke an existing role for a user that does not exist. #. TRANS: %1$s is the role name, %2$s is the user ID (number). -#: classes/Profile.php:791 +#: classes/Profile.php:812 #, php-format msgid "Cannot revoke role \"%1$s\" for user #%2$d; does not exist." msgstr "" #. TRANS: Exception thrown when trying to revoke a role for a user with a failing database query. #. TRANS: %1$s is the role name, %2$s is the user ID (number). -#: classes/Profile.php:800 +#: classes/Profile.php:821 #, php-format msgid "Cannot revoke role \"%1$s\" for user #%2$d; database error." msgstr "" @@ -6221,50 +6295,56 @@ msgstr "%1$s (%2$s)" msgid "Untitled page" msgstr "Nimetön sivu" +#. TRANS: Localized tooltip for '...' expansion button on overlong remote messages. +#: lib/action.php:310 +msgctxt "TOOLTIP" +msgid "Show more" +msgstr "" + #. TRANS: DT element for primary navigation menu. String is hidden in default CSS. -#: lib/action.php:477 +#: lib/action.php:526 msgid "Primary site navigation" msgstr "Ensisijainen sivunavigointi" #. TRANS: Tooltip for main menu option "Personal" -#: lib/action.php:483 +#: lib/action.php:532 #, fuzzy msgctxt "TOOLTIP" msgid "Personal profile and friends timeline" msgstr "Henkilökohtainen profiili ja kavereiden aikajana" #. TRANS: Main menu option when logged in for access to personal profile and friends timeline -#: lib/action.php:486 +#: lib/action.php:535 #, fuzzy msgctxt "MENU" msgid "Personal" msgstr "Omat" #. TRANS: Tooltip for main menu option "Account" -#: lib/action.php:488 +#: lib/action.php:537 msgctxt "TOOLTIP" msgid "Change your email, avatar, password, profile" msgstr "Vaihda salasanasi" #. TRANS: Main menu option when logged in for access to user settings -#: lib/action.php:491 +#: lib/action.php:540 msgid "Account" msgstr "Käyttäjätili" #. TRANS: Tooltip for main menu option "Services" -#: lib/action.php:493 +#: lib/action.php:542 #, fuzzy msgctxt "TOOLTIP" msgid "Connect to services" msgstr "Ei voitu uudelleenohjata palvelimelle: %s" #. TRANS: Main menu option when logged in and connection are possible for access to options to connect to other services -#: lib/action.php:496 +#: lib/action.php:545 msgid "Connect" msgstr "Yhdistä" #. TRANS: Tooltip for menu option "Admin" -#: lib/action.php:499 +#: lib/action.php:548 #, fuzzy msgctxt "TOOLTIP" msgid "Change site configuration" @@ -6272,85 +6352,85 @@ msgstr "Ensisijainen sivunavigointi" #. TRANS: Main menu option when logged in and site admin for access to site configuration #. TRANS: Menu item in the group navigation page. Only shown for group administrators. -#: lib/action.php:502 lib/groupnav.php:117 +#: lib/action.php:551 lib/groupnav.php:117 #, fuzzy msgctxt "MENU" msgid "Admin" msgstr "Ylläpito" #. TRANS: Tooltip for main menu option "Invite" -#: lib/action.php:506 +#: lib/action.php:555 #, 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" #. TRANS: Main menu option when logged in and invitations are allowed for inviting new users -#: lib/action.php:509 +#: lib/action.php:558 #, fuzzy msgctxt "MENU" msgid "Invite" msgstr "Kutsu" #. TRANS: Tooltip for main menu option "Logout" -#: lib/action.php:515 +#: lib/action.php:564 msgctxt "TOOLTIP" msgid "Logout from the site" msgstr "Kirjaudu sisään" #. TRANS: Main menu option when logged in to log out the current user -#: lib/action.php:518 +#: lib/action.php:567 msgctxt "MENU" msgid "Logout" msgstr "Kirjaudu ulos" #. TRANS: Tooltip for main menu option "Register" -#: lib/action.php:523 +#: lib/action.php:572 msgctxt "TOOLTIP" msgid "Create an account" msgstr "Luo uusi ryhmä" #. TRANS: Main menu option when not logged in to register a new account -#: lib/action.php:526 +#: lib/action.php:575 #, fuzzy msgctxt "MENU" msgid "Register" msgstr "Rekisteröidy" #. TRANS: Tooltip for main menu option "Login" -#: lib/action.php:529 +#: lib/action.php:578 msgctxt "TOOLTIP" msgid "Login to the site" msgstr "Kirjaudu sisään" #. TRANS: Main menu option when not logged in to log in -#: lib/action.php:532 +#: lib/action.php:581 #, fuzzy msgctxt "MENU" msgid "Login" msgstr "Kirjaudu sisään" #. TRANS: Tooltip for main menu option "Help" -#: lib/action.php:535 +#: lib/action.php:584 msgctxt "TOOLTIP" msgid "Help me!" msgstr "Ohjeet" #. TRANS: Main menu option for help on the StatusNet site -#: lib/action.php:538 +#: lib/action.php:587 #, fuzzy msgctxt "MENU" msgid "Help" msgstr "Ohjeet" #. TRANS: Tooltip for main menu option "Search" -#: lib/action.php:541 +#: lib/action.php:590 msgctxt "TOOLTIP" msgid "Search for people or text" msgstr "Hae lisää ryhmiä" #. TRANS: Main menu option when logged in or when the StatusNet instance is not private -#: lib/action.php:544 +#: lib/action.php:593 #, fuzzy msgctxt "MENU" msgid "Search" @@ -6358,68 +6438,69 @@ msgstr "Haku" #. TRANS: DT element for site notice. String is hidden in default CSS. #. TRANS: Menu item for site administration -#: lib/action.php:566 lib/adminpanelaction.php:387 +#: lib/action.php:615 lib/adminpanelaction.php:387 msgid "Site notice" msgstr "Palvelun ilmoitus" #. TRANS: DT element for local views block. String is hidden in default CSS. -#: lib/action.php:633 +#: lib/action.php:682 msgid "Local views" msgstr "Paikalliset näkymät" #. TRANS: DT element for page notice. String is hidden in default CSS. -#: lib/action.php:703 +#: lib/action.php:752 msgid "Page notice" msgstr "Sivuilmoitus" #. TRANS: DT element for secondary navigation menu. String is hidden in default CSS. -#: lib/action.php:804 +#: lib/action.php:853 msgid "Secondary site navigation" msgstr "Toissijainen sivunavigointi" #. TRANS: Secondary navigation menu option leading to help on StatusNet. -#: lib/action.php:810 +#: lib/action.php:859 msgid "Help" msgstr "Ohjeet" #. TRANS: Secondary navigation menu option leading to text about StatusNet site. -#: lib/action.php:813 +#: lib/action.php:862 msgid "About" msgstr "Tietoa" #. TRANS: Secondary navigation menu option leading to Frequently Asked Questions. -#: lib/action.php:816 +#: lib/action.php:865 msgid "FAQ" msgstr "UKK" #. TRANS: Secondary navigation menu option leading to Terms of Service. -#: lib/action.php:821 +#: lib/action.php:870 msgid "TOS" msgstr "" #. TRANS: Secondary navigation menu option leading to privacy policy. -#: lib/action.php:825 +#: lib/action.php:874 msgid "Privacy" msgstr "Yksityisyys" -#. TRANS: Secondary navigation menu option. -#: lib/action.php:828 +#. TRANS: Secondary navigation menu option. Leads to information about StatusNet and its license. +#: lib/action.php:877 msgid "Source" msgstr "Lähdekoodi" -#. TRANS: Secondary navigation menu option leading to contact information on the StatusNet site. -#: lib/action.php:834 +#. TRANS: Secondary navigation menu option leading to e-mail contact information on the +#. TRANS: StatusNet site, where to report bugs, ... +#: lib/action.php:884 msgid "Contact" msgstr "Ota yhteyttä" -#. TRANS: Secondary navigation menu option. -#: lib/action.php:837 +#. TRANS: Secondary navigation menu option. Leads to information about embedding a timeline widget. +#: lib/action.php:887 #, fuzzy msgid "Badge" msgstr "Tönäise" #. TRANS: DT element for StatusNet software license. -#: lib/action.php:866 +#: lib/action.php:916 msgid "StatusNet software license" msgstr "StatusNet-ohjelmiston lisenssi" @@ -6427,7 +6508,7 @@ msgstr "StatusNet-ohjelmiston lisenssi" #. TRANS: Text between [] is a link description, text between () is the link itself. #. TRANS: Make sure there is no whitespace between "]" and "(". #. TRANS: "%%site.broughtby%%" is the value of the variable site.broughtby -#: lib/action.php:873 +#: lib/action.php:923 #, fuzzy, php-format msgid "" "**%%site.name%%** is a microblogging service brought to you by [%%site." @@ -6437,7 +6518,7 @@ msgstr "" "site.broughtbyurl%%). " #. TRANS: First sentence of the StatusNet site license. Used if 'broughtby' is not set. -#: lib/action.php:876 +#: lib/action.php:926 #, php-format msgid "**%%site.name%%** is a microblogging service." msgstr "**%%site.name%%** on mikroblogipalvelu." @@ -6446,7 +6527,7 @@ msgstr "**%%site.name%%** on mikroblogipalvelu." #. TRANS: Make sure there is no whitespace between "]" and "(". #. TRANS: Text between [] is a link description, text between () is the link itself. #. TRANS: %s is the version of StatusNet that is being used. -#: lib/action.php:883 +#: lib/action.php:933 #, php-format msgid "" "It runs the [StatusNet](http://status.net/) microblogging software, version %" @@ -6458,51 +6539,51 @@ msgstr "" "www.fsf.org/licensing/licenses/agpl-3.0.html)." #. TRANS: DT element for StatusNet site content license. -#: lib/action.php:899 +#: lib/action.php:949 #, fuzzy msgid "Site content license" msgstr "StatusNet-ohjelmiston lisenssi" #. TRANS: Content license displayed when license is set to 'private'. #. TRANS: %1$s is the site name. -#: lib/action.php:906 +#: lib/action.php:956 #, php-format msgid "Content and data of %1$s are private and confidential." msgstr "" #. TRANS: Content license displayed when license is set to 'allrightsreserved'. #. TRANS: %1$s is the copyright owner. -#: lib/action.php:913 +#: lib/action.php:963 #, php-format msgid "Content and data copyright by %1$s. All rights reserved." msgstr "" #. TRANS: Content license displayed when license is set to 'allrightsreserved' and no owner is set. -#: lib/action.php:917 +#: lib/action.php:967 msgid "Content and data copyright by contributors. All rights reserved." msgstr "" #. TRANS: license message in footer. #. TRANS: %1$s is the site name, %2$s is a link to the license URL, with a licence name set in configuration. -#: lib/action.php:949 +#: lib/action.php:999 #, php-format msgid "All %1$s content and data are available under the %2$s license." msgstr "" #. TRANS: DT element for pagination (previous/next, etc.). -#: lib/action.php:1285 +#: lib/action.php:1335 msgid "Pagination" msgstr "Sivutus" #. TRANS: Pagination message to go to a page displaying information more in the #. TRANS: present than the currently displayed information. -#: lib/action.php:1296 +#: lib/action.php:1346 msgid "After" msgstr "Myöhemmin" #. TRANS: Pagination message to go to a page displaying information more in the #. TRANS: past than the currently displayed information. -#: lib/action.php:1306 +#: lib/action.php:1356 msgid "Before" msgstr "Aiemmin" @@ -6867,7 +6948,7 @@ msgid "AJAX error" msgstr "Ajax-virhe" #. TRANS: E-mail subject when a command has completed. -#: lib/channel.php:233 lib/mailhandler.php:142 +#: lib/channel.php:233 lib/mailhandler.php:143 msgid "Command complete" msgstr "Komento suoritettu" @@ -6884,7 +6965,7 @@ msgstr "Ei profiilia tuolla id:llä." #. TRANS: Command exception text shown when a last user notice is requested and it does not exist. #. TRANS: Error text shown when a last user notice is requested and it does not exist. -#: lib/command.php:99 lib/command.php:626 +#: lib/command.php:99 lib/command.php:630 #, fuzzy msgid "User has no last notice." msgstr "Käyttäjällä ei ole viimeistä päivitystä" @@ -6951,6 +7032,14 @@ msgstr "" msgid "%1$s left group %2$s." msgstr "" +#. TRANS: Whois output. +#. TRANS: %1$s nickname of the queried user, %2$s is their profile URL. +#: lib/command.php:426 +#, fuzzy, php-format +msgctxt "WHOIS" +msgid "%1$s (%2$s)" +msgstr "%1$s (%2$s)" + #. TRANS: Whois output. %s is the full name of the queried user. #: lib/command.php:430 #, php-format @@ -6988,130 +7077,134 @@ msgid "" "same server." msgstr "" -#. TRANS: Message given if content is too long. +#. TRANS: Message given if content is too long. %1$sd is used for plural. #. TRANS: %1$d is the maximum number of characters, %2$d is the number of submitted characters. #: lib/command.php:488 #, 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" +msgid "Message too long - maximum is %1$d character, you sent %2$d." +msgid_plural "Message too long - maximum is %1$d characters, you sent %2$d." +msgstr[0] "Viesti oli liian pitkä - maksimikoko on 140 merkkiä, lähetit %d" +msgstr[1] "Viesti oli liian pitkä - maksimikoko on 140 merkkiä, lähetit %d" #. TRANS: Error text shown sending a direct message fails with an unknown reason. -#: lib/command.php:514 +#: lib/command.php:516 msgid "Error sending direct message." msgstr "Tapahtui virhe suoran viestin lähetyksessä." #. TRANS: Message given having repeated a notice from another user. #. TRANS: %s is the name of the user for which the notice was repeated. -#: lib/command.php:551 +#: lib/command.php:553 #, fuzzy, php-format msgid "Notice from %s repeated." msgstr "Päivitys lähetetty" #. TRANS: Error text shown when repeating a notice fails with an unknown reason. -#: lib/command.php:554 +#: lib/command.php:556 msgid "Error repeating notice." msgstr "Virhe tapahtui käyttäjän asettamisessa." -#. TRANS: Message given if content of a notice for a reply is too long. +#. TRANS: Message given if content of a notice for a reply is too long. %1$d is used for plural. #. TRANS: %1$d is the maximum number of characters, %2$d is the number of submitted characters. -#: lib/command.php:589 +#: lib/command.php:591 #, fuzzy, php-format -msgid "Notice too long - maximum is %1$d characters, you sent %2$d." -msgstr "Viesti oli liian pitkä - maksimikoko on 140 merkkiä, lähetit %d" +msgid "Notice too long - maximum is %1$d character, you sent %2$d." +msgid_plural "Notice too long - maximum is %1$d characters, you sent %2$d." +msgstr[0] "Viesti oli liian pitkä - maksimikoko on 140 merkkiä, lähetit %d" +msgstr[1] "Viesti oli liian pitkä - maksimikoko on 140 merkkiä, lähetit %d" #. TRANS: Text shown having sent a reply to a notice successfully. #. TRANS: %s is the nickname of the user of the notice the reply was sent to. -#: lib/command.php:600 +#: lib/command.php:604 #, fuzzy, php-format msgid "Reply to %s sent." msgstr "Vastaa tähän päivitykseen" #. TRANS: Error text shown when a reply to a notice fails with an unknown reason. -#: lib/command.php:603 +#: lib/command.php:607 #, fuzzy msgid "Error saving notice." msgstr "Ongelma päivityksen tallentamisessa." #. TRANS: Error text shown when no username was provided when issuing a subscribe command. -#: lib/command.php:650 +#: lib/command.php:654 #, fuzzy msgid "Specify the name of the user to subscribe to." msgstr "Anna käyttäjätunnus, jonka päivitykset haluat tilata" #. TRANS: Command exception text shown when trying to subscribe to an OMB profile using the subscribe command. -#: lib/command.php:659 +#: lib/command.php:663 #, fuzzy msgid "Can't subscribe to OMB profiles by command." msgstr "Et ole tilannut tämän käyttäjän päivityksiä." #. TRANS: Text shown after having subscribed to another user successfully. #. TRANS: %s is the name of the user the subscription was requested for. -#: lib/command.php:667 +#: lib/command.php:671 #, php-format msgid "Subscribed to %s." msgstr "" #. TRANS: Error text shown when no username was provided when issuing an unsubscribe command. #. TRANS: Error text shown when no username was provided when issuing the command. -#: lib/command.php:688 lib/command.php:799 +#: lib/command.php:692 lib/command.php:803 #, fuzzy msgid "Specify the name of the user to unsubscribe from." msgstr "Anna käyttäjätunnus, jonka päivityksien tilauksen haluat lopettaa" #. TRANS: Text shown after having unsubscribed from another user successfully. #. TRANS: %s is the name of the user the unsubscription was requested for. -#: lib/command.php:699 +#: lib/command.php:703 #, php-format msgid "Unsubscribed from %s." msgstr "" #. TRANS: Error text shown when issuing the command "off" with a setting which has not yet been implemented. #. TRANS: Error text shown when issuing the command "on" with a setting which has not yet been implemented. -#: lib/command.php:719 lib/command.php:745 +#: lib/command.php:723 lib/command.php:749 msgid "Command not yet implemented." msgstr "Komentoa ei ole vielä toteutettu." #. TRANS: Text shown when issuing the command "off" successfully. -#: lib/command.php:723 +#: lib/command.php:727 msgid "Notification off." msgstr "Ilmoitukset pois päältä." #. TRANS: Error text shown when the command "off" fails for an unknown reason. -#: lib/command.php:726 +#: lib/command.php:730 msgid "Can't turn off notification." msgstr "Ilmoituksia ei voi pistää pois päältä." #. TRANS: Text shown when issuing the command "on" successfully. -#: lib/command.php:749 +#: lib/command.php:753 msgid "Notification on." msgstr "Ilmoitukset päällä." #. TRANS: Error text shown when the command "on" fails for an unknown reason. -#: lib/command.php:752 +#: lib/command.php:756 msgid "Can't turn on notification." msgstr "Ilmoituksia ei voi pistää päälle." #. TRANS: Error text shown when issuing the login command while login is disabled. -#: lib/command.php:766 +#: lib/command.php:770 msgid "Login command is disabled." msgstr "" #. TRANS: Text shown after issuing the login command successfully. #. TRANS: %s is a logon link.. -#: lib/command.php:779 +#: lib/command.php:783 #, php-format msgid "This link is useable only once and is valid for only 2 minutes: %s." msgstr "" #. TRANS: Text shown after issuing the lose command successfully (stop another user from following the current user). #. TRANS: %s is the name of the user the unsubscription was requested for. -#: lib/command.php:808 +#: lib/command.php:812 #, php-format msgid "Unsubscribed %s." msgstr "" #. TRANS: Text shown after requesting other users a user is subscribed to without having any subscriptions. -#: lib/command.php:826 +#: lib/command.php:830 #, fuzzy msgid "You are not subscribed to anyone." msgstr "Et ole tilannut tämän käyttäjän päivityksiä." @@ -7119,7 +7212,7 @@ msgstr "Et ole tilannut tämän käyttäjän päivityksiä." #. TRANS: Text shown after requesting other users a user is subscribed to. #. TRANS: This message supports plural forms. This message is followed by a #. TRANS: hard coded space and a comma separated list of subscribed users. -#: lib/command.php:831 +#: lib/command.php:835 #, fuzzy msgid "You are subscribed to this person:" msgid_plural "You are subscribed to these people:" @@ -7128,7 +7221,7 @@ msgstr[1] "Olet jos tilannut seuraavien käyttäjien päivitykset:" #. TRANS: Text shown after requesting other users that are subscribed to a user #. TRANS: (followers) without having any subscribers. -#: lib/command.php:853 +#: lib/command.php:857 #, fuzzy msgid "No one is subscribed to you." msgstr "Toista ei voitu asettaa tilaamaan sinua." @@ -7136,7 +7229,7 @@ msgstr "Toista ei voitu asettaa tilaamaan sinua." #. TRANS: Text shown after requesting other users that are subscribed to a user (followers). #. TRANS: This message supports plural forms. This message is followed by a #. TRANS: hard coded space and a comma separated list of subscribing users. -#: lib/command.php:858 +#: lib/command.php:862 #, fuzzy msgid "This person is subscribed to you:" msgid_plural "These people are subscribed to you:" @@ -7145,7 +7238,7 @@ msgstr[1] "Toista ei voitu asettaa tilaamaan sinua." #. TRANS: Text shown after requesting groups a user is subscribed to without having #. TRANS: any group subscriptions. -#: lib/command.php:880 +#: lib/command.php:884 #, fuzzy msgid "You are not a member of any groups." msgstr "Sinä et kuulu tähän ryhmään." @@ -7153,14 +7246,14 @@ msgstr "Sinä et kuulu tähän ryhmään." #. TRANS: Text shown after requesting groups a user is subscribed to. #. TRANS: This message supports plural forms. This message is followed by a #. TRANS: hard coded space and a comma separated list of subscribed groups. -#: lib/command.php:885 +#: lib/command.php:889 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." #. TRANS: Help text for commands. Do not translate the command names themselves; they are fixed strings. -#: lib/command.php:900 +#: lib/command.php:904 msgid "" "Commands:\n" "on - turn on notifications\n" @@ -7356,7 +7449,8 @@ msgstr "" "välilyöntejä" #: lib/groupeditform.php:163 -msgid "URL of the homepage or blog of the group or topic" +#, fuzzy +msgid "URL of the homepage or blog of the group or topic." msgstr "Ryhmän tai aiheen kotisivun tai blogin osoite" #: lib/groupeditform.php:168 @@ -7365,21 +7459,30 @@ msgid "Describe the group or topic" msgstr "Kuvaile ryhmää tai aihetta 140 merkillä" #: lib/groupeditform.php:170 -#, php-format -msgid "Describe the group or topic in %d characters" -msgstr "Kuvaile itseäsi ja kiinnostuksen kohteitasi %d merkillä" +#, fuzzy, php-format +msgid "Describe the group or topic in %d character or less" +msgid_plural "Describe the group or topic in %d characters or less" +msgstr[0] "Kuvaile itseäsi ja kiinnostuksen kohteitasi %d merkillä" +msgstr[1] "Kuvaile itseäsi ja kiinnostuksen kohteitasi %d merkillä" -#: lib/groupeditform.php:179 +#: lib/groupeditform.php:182 +#, fuzzy msgid "" -"Location for the group, if any, like \"City, State (or Region), Country\"" +"Location for the group, if any, like \"City, State (or Region), Country\"." msgstr "" "Ryhmän paikka, jos sellainen on, kuten \"Kaupunki, Maakunta (tai Lääni), Maa" "\"" -#: lib/groupeditform.php:187 +#: lib/groupeditform.php:190 #, php-format -msgid "Extra nicknames for the group, comma- or space- separated, max %d" -msgstr "" +msgid "" +"Extra nicknames for the group, separated with commas or spaces. Maximum %d " +"alias allowed." +msgid_plural "" +"Extra nicknames for the group, separated with commas or spaces. Maximum %d " +"aliases allowed." +msgstr[0] "" +msgstr[1] "" #. TRANS: Menu item in the group navigation page. #: lib/groupnav.php:86 @@ -7850,7 +7953,7 @@ msgstr "Valitettavasti tuo ei ole oikea osoite sähköpostipäivityksille." msgid "Sorry, no incoming email allowed." msgstr "Valitettavasti päivitysten teko sähköpostilla ei ole sallittua." -#: lib/mailhandler.php:228 +#: lib/mailhandler.php:229 #, fuzzy, php-format msgid "Unsupported message type: %s" msgstr "Kuvatiedoston formaattia ei ole tuettu." @@ -8205,17 +8308,18 @@ msgid "Sandbox this user" msgstr "Poista esto tältä käyttäjältä" #. TRANS: Fieldset legend for the search form. -#: lib/searchaction.php:121 +#: lib/searchaction.php:120 #, fuzzy msgid "Search site" msgstr "Haku" #. TRANS: Used as a field label for the field where one or more keywords #. TRANS: for searching can be entered. -#: lib/searchaction.php:129 +#: lib/searchaction.php:128 msgid "Keyword(s)" msgstr "" +#. TRANS: Button text for searching site. #: lib/searchaction.php:130 msgctxt "BUTTON" msgid "Search" @@ -8308,8 +8412,8 @@ msgid "The theme file is missing or the upload failed." msgstr "" #: lib/themeuploader.php:91 lib/themeuploader.php:102 -#: lib/themeuploader.php:278 lib/themeuploader.php:282 -#: lib/themeuploader.php:290 lib/themeuploader.php:297 +#: lib/themeuploader.php:279 lib/themeuploader.php:283 +#: lib/themeuploader.php:291 lib/themeuploader.php:298 #, fuzzy msgid "Failed saving theme." msgstr "Profiilikuvan päivittäminen epäonnistui." @@ -8320,29 +8424,32 @@ msgstr "" #: lib/themeuploader.php:166 #, php-format -msgid "Uploaded theme is too large; must be less than %d bytes uncompressed." -msgstr "" +msgid "Uploaded theme is too large; must be less than %d byte uncompressed." +msgid_plural "" +"Uploaded theme is too large; must be less than %d bytes uncompressed." +msgstr[0] "" +msgstr[1] "" -#: lib/themeuploader.php:178 +#: lib/themeuploader.php:179 msgid "Invalid theme archive: missing file css/display.css" msgstr "" -#: lib/themeuploader.php:218 +#: lib/themeuploader.php:219 msgid "" "Theme contains invalid file or folder name. Stick with ASCII letters, " "digits, underscore, and minus sign." msgstr "" -#: lib/themeuploader.php:224 +#: lib/themeuploader.php:225 msgid "Theme contains unsafe file extension names; may be unsafe." msgstr "" -#: lib/themeuploader.php:241 +#: lib/themeuploader.php:242 #, php-format msgid "Theme contains file of type '.%s', which is not allowed." msgstr "" -#: lib/themeuploader.php:259 +#: lib/themeuploader.php:260 msgid "Error opening theme archive." msgstr "Tapahtui virhe, kun estoa poistettiin." @@ -8529,23 +8636,40 @@ msgid_plural "Message too long. Maximum is %1$d characters, you sent %2$d." msgstr[0] "Viesti oli liian pitkä - maksimikoko on 140 merkkiä, lähetit %d" msgstr[1] "Viesti oli liian pitkä - maksimikoko on 140 merkkiä, lähetit %d" -#: scripts/restoreuser.php:82 +#. TRANS: Commandline script output. %s is the filename that contains a backup for a user. +#: scripts/restoreuser.php:61 #, php-format -msgid "Backup file for user %s (%s)" +msgid "Getting backup from file '%s'." msgstr "" -#: scripts/restoreuser.php:88 +#. TRANS: Commandline script output. +#: scripts/restoreuser.php:91 #, fuzzy msgid "No user specified; using backup user." msgstr "Ryhmää ei ole määritelty." -#: scripts/restoreuser.php:94 +#. TRANS: Commandline script output. %d is the number of entries in the activity stream in backup; used for plural. +#: scripts/restoreuser.php:98 #, php-format -msgid "%d entries in backup." -msgstr "" +msgid "%d entry in backup." +msgid_plural "%d entries in backup." +msgstr[0] "" +msgstr[1] "" -#~ msgid "Description is too long (max %d chars)." -#~ msgstr "kuvaus on liian pitkä (max %d merkkiä)." +#, fuzzy +#~ msgid "Name is too long (maximum 255 chars)." +#~ msgstr "Koko nimi on liian pitkä (max 255 merkkiä)." -#~ msgid "Too many aliases! Maximum %d." -#~ msgstr "Liikaa aliaksia. Maksimimäärä on %d." +#, fuzzy +#~ msgid "Organization is too long (maximum 255 chars)." +#~ msgstr "Kotipaikka on liian pitkä (max 255 merkkiä)." + +#~ msgid "That's too long. Max notice size is %d chars." +#~ msgstr "Päivitys on liian pitkä. Maksimipituus on %d merkkiä." + +#~ msgid "Max notice size is %d chars, including attachment URL." +#~ msgstr "Maksimikoko päivitykselle on %d merkkiä, mukaan lukien URL-osoite." + +#, fuzzy +#~ msgid " tagged %s" +#~ msgstr "Päivitykset joilla on tagi %s" diff --git a/locale/fr/LC_MESSAGES/statusnet.po b/locale/fr/LC_MESSAGES/statusnet.po index b2e8cc18a1..ed36d7e2a3 100644 --- a/locale/fr/LC_MESSAGES/statusnet.po +++ b/locale/fr/LC_MESSAGES/statusnet.po @@ -20,17 +20,17 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet - Core\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-10-30 23:18+0000\n" -"PO-Revision-Date: 2010-10-30 23:20:16+0000\n" +"POT-Creation-Date: 2010-11-02 22:51+0000\n" +"PO-Revision-Date: 2010-11-02 22:53:18+0000\n" "Language-Team: French \n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r75708); Translate extension (2010-09-17)\n" +"X-Generator: MediaWiki 1.17alpha (r75875); Translate extension (2010-09-17)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: fr\n" "X-Message-Group: #out-statusnet-core\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" -"X-POT-Import-Date: 2010-10-30 09:48:40+0000\n" +"X-POT-Import-Date: 2010-10-30 23:42:01+0000\n" #. TRANS: Page title for Access admin panel that allows configuring site access. #. TRANS: Menu item for site administration @@ -87,15 +87,20 @@ msgstr "Sauvegarder les paramètres d’accès" #. TRANS: Tooltip for button to save access settings in site admin panel. #. TRANS: Button label to save e-mail preferences. #. TRANS: Button label to save IM preferences. +#. TRANS: Button text for saving "Other settings" in profile. #. TRANS: Button text to store form data in the Paths admin panel. #. TRANS: Button to save input in profile settings. +#. TRANS: Button text for saving site notice in admin panel. #. TRANS: Button label to save SMS preferences. #. TRANS: Save button for settings for a profile in a subscriptions list. +#. TRANS: Button text to save user settings in user admin panel. #. TRANS: Button label in the "Edit application" form. #: actions/accessadminpanel.php:193 actions/emailsettings.php:228 -#: actions/imsettings.php:187 actions/pathsadminpanel.php:512 -#: actions/profilesettings.php:201 actions/smssettings.php:209 -#: actions/subscriptions.php:246 lib/applicationeditform.php:355 +#: actions/imsettings.php:187 actions/othersettings.php:134 +#: actions/pathsadminpanel.php:512 actions/profilesettings.php:201 +#: actions/sitenoticeadminpanel.php:197 actions/smssettings.php:209 +#: actions/subscriptions.php:246 actions/useradminpanel.php:298 +#: lib/applicationeditform.php:355 lib/groupeditform.php:207 msgctxt "BUTTON" msgid "Save" msgstr "Enregistrer" @@ -146,7 +151,7 @@ msgstr "Page non trouvée." #: 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:93 actions/userrss.php:40 -#: actions/xrds.php:71 lib/command.php:495 lib/galleryaction.php:59 +#: actions/xrds.php:71 lib/command.php:497 lib/galleryaction.php:59 #: lib/mailbox.php:82 lib/profileaction.php:77 msgid "No such user." msgstr "Utilisateur non trouvé." @@ -220,7 +225,9 @@ msgstr "" #. TRANS: Encoutagement displayed on empty timeline user pages for anonymous users. #. TRANS: %s is a user nickname. This message contains Markdown links. Keep "](" together. -#: actions/all.php:155 actions/replies.php:210 actions/showstream.php:208 +#. TRANS: Second sentence of empty message for anonymous users. %s is a user nickname. +#. TRANS: This message contains a Markdown link. Keep "](" together. +#: actions/all.php:155 actions/replies.php:210 actions/showstream.php:227 #, php-format msgid "" "Why not [register an account](%%%%action.register%%%%) and then nudge %s or " @@ -578,8 +585,11 @@ msgstr "Le nom complet est trop long (limité à 255 caractères maximum)." #. TRANS: Group edit form validation error. #. TRANS: Form validation error in New application form. #. TRANS: %d is the maximum number of characters for the description. +#. TRANS: Group create form validation error. +#. TRANS: %d is the maximum number of allowed characters. #: actions/apigroupcreate.php:220 actions/editapplication.php:201 #: actions/editgroup.php:216 actions/newapplication.php:178 +#: actions/newgroup.php:152 #, php-format msgid "Description is too long (maximum %d character)." msgid_plural "Description is too long (maximum %d characters)." @@ -735,14 +745,14 @@ msgstr "Le jeton de requête a déjà été autorisé." #. TRANS: Form validation error in API OAuth authorisation because of an invalid session token. #: actions/apioauthauthorize.php:147 actions/avatarsettings.php:280 -#: actions/deletenotice.php:172 actions/disfavor.php:74 +#: actions/deletenotice.php:177 actions/disfavor.php:74 #: actions/emailsettings.php:271 actions/favor.php:75 actions/geocode.php:55 #: actions/groupblock.php:66 actions/grouplogo.php:312 #: actions/groupunblock.php:65 actions/imsettings.php:230 #: actions/invite.php:59 actions/login.php:137 actions/makeadmin.php:66 #: actions/newmessage.php:135 actions/newnotice.php:105 actions/nudge.php:80 #: actions/oauthappssettings.php:165 actions/oauthconnectionssettings.php:138 -#: actions/othersettings.php:145 actions/passwordsettings.php:138 +#: actions/othersettings.php:153 actions/passwordsettings.php:138 #: actions/profilesettings.php:221 actions/recoverpassword.php:350 #: actions/register.php:172 actions/remotesubscribe.php:77 #: actions/repeat.php:83 actions/smssettings.php:256 actions/subedit.php:40 @@ -929,20 +939,21 @@ msgstr "Vous ne pouvez pas supprimer le statut d’un autre utilisateur." #. TRANS: Client error displayed trying to repeat a non-existing notice through the API. #. TRANS: Client error displayed trying to display redents of a non-exiting notice. +#. TRANS: Error message displayed trying to delete a non-existing notice. #: actions/apistatusesretweet.php:74 actions/apistatusesretweets.php:70 -#: actions/deletenotice.php:58 actions/shownotice.php:92 +#: actions/deletenotice.php:61 actions/shownotice.php:92 msgid "No such notice." msgstr "Avis non trouvé." #. TRANS: Client error displayed trying to repeat an own notice through the API. #. TRANS: Error text shown when trying to repeat an own notice. -#: actions/apistatusesretweet.php:83 lib/command.php:535 +#: actions/apistatusesretweet.php:83 lib/command.php:537 msgid "Cannot repeat your own notice." msgstr "Vous ne pouvez pas reprendre votre propre avis." #. TRANS: Client error displayed trying to re-repeat a notice through the API. #. TRANS: Error text shown when trying to repeat an notice that was already repeated by the user. -#: actions/apistatusesretweet.php:92 lib/command.php:541 +#: actions/apistatusesretweet.php:92 lib/command.php:543 msgid "Already repeated that notice." msgstr "Vous avez déjà repris cet avis." @@ -963,7 +974,8 @@ msgstr "Le client doit fournir un paramètre « statut » avec une valeur." #. TRANS: Client error displayed when the parameter "status" is missing. #. TRANS: %d is the maximum number of character for a notice. -#: actions/apistatusesupdate.php:244 +#: actions/apistatusesupdate.php:244 actions/newnotice.php:161 +#: lib/mailhandler.php:60 #, php-format msgid "That's too long. Maximum notice size is %d character." msgid_plural "That's too long. Maximum notice size is %d characters." @@ -979,7 +991,7 @@ msgstr "L’avis parent correspondant à cette réponse n’a pas été trouvé. #. TRANS: Client error displayed exceeding the maximum notice length. #. TRANS: %d is the maximum lenth for a notice. -#: actions/apistatusesupdate.php:308 +#: actions/apistatusesupdate.php:308 actions/newnotice.php:184 #, php-format msgid "Maximum notice size is %d character, including attachment URL." msgid_plural "Maximum notice size is %d characters, including attachment URL." @@ -1195,17 +1207,18 @@ msgstr "Sélectionnez une zone de forme carrée pour définir votre avatar" msgid "Lost our file data." msgstr "Données perdues." -#: actions/avatarsettings.php:384 +#. TRANS: Success message for having updated a user avatar. +#: actions/avatarsettings.php:385 msgid "Avatar updated." msgstr "Avatar mis à jour." #. TRANS: Error displayed on the avatar upload page if the avatar could not be updated for an unknown reason. -#: actions/avatarsettings.php:388 +#: actions/avatarsettings.php:389 msgid "Failed updating avatar." msgstr "La mise à jour de l’avatar a échoué." #. TRANS: Success message for deleting a user avatar. -#: actions/avatarsettings.php:412 +#: actions/avatarsettings.php:413 msgid "Avatar deleted." msgstr "Avatar supprimé." @@ -1237,8 +1250,8 @@ msgstr "" #. TRANS: Button label on the delete notice form. #. TRANS: Button label on the delete user form. #. TRANS: Button label on the form to block a user from a group. -#: actions/block.php:154 actions/deleteapplication.php:154 -#: actions/deletegroup.php:220 actions/deletenotice.php:150 +#: actions/block.php:154 actions/deleteapplication.php:157 +#: actions/deletegroup.php:220 actions/deletenotice.php:155 #: actions/deleteuser.php:152 actions/groupblock.php:178 msgctxt "BUTTON" msgid "No" @@ -1256,8 +1269,8 @@ msgstr "Ne pas bloquer cet utilisateur" #. TRANS: Button label on the delete notice form. #. TRANS: Button label on the delete user form. #. TRANS: Button label on the form to block a user from a group. -#: actions/block.php:161 actions/deleteapplication.php:161 -#: actions/deletegroup.php:227 actions/deletenotice.php:157 +#: actions/block.php:161 actions/deleteapplication.php:164 +#: actions/deletegroup.php:227 actions/deletenotice.php:162 #: actions/deleteuser.php:159 actions/groupblock.php:185 msgctxt "BUTTON" msgid "Yes" @@ -1374,12 +1387,13 @@ msgstr "Cette adresse a déjà été confirmée." #. TRANS: Server error thrown on database error removing a registered e-mail address. #. TRANS: Server error thrown on database error updating IM preferences. #. TRANS: Server error thrown on database error removing a registered IM address. +#. TRANS: Server error displayed when "Other" settings in user profile could not be updated on the server. #. TRANS: Server error thrown when user profile settings could not be updated. #. TRANS: Server error thrown on database error updating SMS preferences. #. TRANS: Server error thrown on database error removing a registered SMS phone number. #: actions/confirmaddress.php:118 actions/emailsettings.php:331 #: actions/emailsettings.php:477 actions/imsettings.php:283 -#: actions/imsettings.php:442 actions/othersettings.php:174 +#: actions/imsettings.php:442 actions/othersettings.php:184 #: actions/profilesettings.php:326 actions/smssettings.php:308 #: actions/smssettings.php:464 msgid "Couldn't update user." @@ -1415,16 +1429,19 @@ msgstr "Conversation" msgid "Notices" msgstr "Avis" -#: actions/deleteapplication.php:63 +#. TRANS: Client error displayed trying to delete an application while not logged in. +#: actions/deleteapplication.php:62 msgid "You must be logged in to delete an application." msgstr "Vous devez être connecté pour supprimer une application." +#. TRANS: Client error displayed trying to delete an application that does not exist. #: actions/deleteapplication.php:71 msgid "Application not found." msgstr "Application non trouvée." +#. TRANS: Client error displayed trying to delete an application the current user does not own. #. TRANS: Client error displayed trying to edit an application while not being its owner. -#: actions/deleteapplication.php:78 actions/editapplication.php:78 +#: actions/deleteapplication.php:79 actions/editapplication.php:78 #: actions/showapplication.php:94 msgid "You are not the owner of this application." msgstr "Vous n’êtes pas le propriétaire de cette application." @@ -1432,15 +1449,18 @@ msgstr "Vous n’êtes pas le propriétaire de cette application." #. TRANS: Client error text when there is a problem with the session token. #: actions/deleteapplication.php:102 actions/editapplication.php:131 #: actions/newapplication.php:114 actions/showapplication.php:118 -#: lib/action.php:1354 +#: lib/action.php:1404 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 +#. TRANS: Title for delete application page. +#. TRANS: Fieldset legend on delete application page. +#: actions/deleteapplication.php:124 actions/deleteapplication.php:149 msgid "Delete application" msgstr "Supprimer l’application" -#: actions/deleteapplication.php:149 +#. TRANS: Confirmation text on delete application page. +#: actions/deleteapplication.php:152 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 " @@ -1451,12 +1471,12 @@ msgstr "" "utilisateur existantes." #. TRANS: Submit button title for 'No' when deleting an application. -#: actions/deleteapplication.php:158 +#: actions/deleteapplication.php:161 msgid "Do not delete this application" msgstr "Ne pas supprimer cette application" #. TRANS: Submit button title for 'Yes' when deleting an application. -#: actions/deleteapplication.php:164 +#: actions/deleteapplication.php:167 msgid "Delete this application" msgstr "Supprimer cette application" @@ -1490,12 +1510,13 @@ msgstr "Impossible de supprimer le groupe « %s »." msgid "Deleted group %s" msgstr "Groupe « %s » supprimé" -#. TRANS: Title. +#. TRANS: Title of delete group page. #. TRANS: Form legend for deleting a group. #: actions/deletegroup.php:176 actions/deletegroup.php:202 msgid "Delete group" msgstr "Supprimer le groupe" +#. TRANS: Warning in form for deleleting a group. #: actions/deletegroup.php:206 msgid "" "Are you sure you want to delete this group? This will clear all data about " @@ -1517,10 +1538,11 @@ msgstr "Ne pas supprimer ce groupe" msgid "Delete this group" msgstr "Supprimer ce groupe" +#. TRANS: Error message displayed trying to delete a notice while not logged in. #. TRANS: Client error displayed when trying to unblock a user from a group while not logged in. #. TRANS: Client error displayed trying a change a subscription while not logged in. #. TRANS: Client error message thrown when trying to access the admin panel while not logged in. -#: actions/deletenotice.php:50 actions/disfavor.php:61 actions/favor.php:62 +#: actions/deletenotice.php:52 actions/disfavor.php:61 actions/favor.php:62 #: actions/groupblock.php:61 actions/groupunblock.php:60 actions/logout.php:69 #: actions/makeadmin.php:61 actions/newmessage.php:87 actions/newnotice.php:88 #: actions/nudge.php:63 actions/subedit.php:33 actions/subscribe.php:96 @@ -1530,11 +1552,13 @@ msgstr "Supprimer ce groupe" msgid "Not logged in." msgstr "Non connecté." -#: actions/deletenotice.php:74 +#. TRANS: Error message displayed trying to delete a notice that was not made by the current user. +#: actions/deletenotice.php:78 msgid "Can't delete this notice." msgstr "Impossible de supprimer cet avis." -#: actions/deletenotice.php:106 +#. TRANS: Instructions for deleting a notice. +#: actions/deletenotice.php:110 msgid "" "You are about to permanently delete a notice. Once this is done, it cannot " "be undone." @@ -1542,21 +1566,24 @@ msgstr "" "Vous êtes sur le point de supprimer définitivement un message. Une fois cela " "fait, il est impossible de l’annuler." -#: actions/deletenotice.php:112 actions/deletenotice.php:144 +#. TRANS: Page title when deleting a notice. +#. TRANS: Fieldset legend for the delete notice form. +#: actions/deletenotice.php:117 actions/deletenotice.php:148 msgid "Delete notice" msgstr "Supprimer cet avis" -#: actions/deletenotice.php:147 +#. TRANS: Message for the delete notice form. +#: actions/deletenotice.php:152 msgid "Are you sure you want to delete this notice?" msgstr "Voulez-vous vraiment supprimer cet avis ?" #. TRANS: Submit button title for 'No' when deleting a notice. -#: actions/deletenotice.php:154 +#: actions/deletenotice.php:159 msgid "Do not delete this notice" msgstr "Ne pas supprimer cet avis" #. TRANS: Submit button title for 'Yes' when deleting a notice. -#: actions/deletenotice.php:161 lib/noticelist.php:667 +#: actions/deletenotice.php:166 lib/noticelist.php:667 msgid "Delete this notice" msgstr "Supprimer cet avis" @@ -1719,11 +1746,9 @@ msgstr "Revenir aux valeurs par défaut" #. TRANS: Submit button title. #: actions/designadminpanel.php:711 actions/licenseadminpanel.php:319 -#: actions/othersettings.php:126 actions/sessionsadminpanel.php:199 -#: actions/siteadminpanel.php:292 actions/sitenoticeadminpanel.php:195 +#: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:292 #: actions/snapshotadminpanel.php:245 actions/tagother.php:154 -#: actions/useradminpanel.php:295 lib/applicationeditform.php:357 -#: lib/designsettings.php:256 lib/groupeditform.php:202 +#: lib/applicationeditform.php:357 lib/designsettings.php:256 msgid "Save" msgstr "Enregistrer" @@ -1771,8 +1796,9 @@ msgid "Name is required." msgstr "Le nom est requis." #. TRANS: Validation error shown when providing too long a name in the "Edit application" form. -#: actions/editapplication.php:188 -msgid "Name is too long (max 255 characters)." +#: actions/editapplication.php:188 actions/newapplication.php:169 +#, fuzzy +msgid "Name is too long (maximum 255 characters)." msgstr "Le nom est trop long (limité à 255 caractères maximum)." #. TRANS: Validation error shown when providing a name for an application that already exists in the "Edit application" form. @@ -1801,7 +1827,7 @@ msgid "Organization is required." msgstr "L’organisation est requise." #. TRANS: Validation error shown when providing too long an arganisation name in the "Edit application" form. -#: actions/editapplication.php:223 +#: actions/editapplication.php:223 actions/newapplication.php:199 msgid "Organization is too long (maximum 255 characters)." msgstr "L’organisation est trop longue (limitée à 255 caractères maximum)." @@ -2605,7 +2631,7 @@ msgid "Publish a MicroID for my Jabber/GTalk address." msgstr "Publier un MicroID pour mon adresse Jabber/GTalk." #. TRANS: Confirmation message for successful IM preferences save. -#: actions/imsettings.php:290 actions/othersettings.php:180 +#: actions/imsettings.php:290 actions/othersettings.php:190 msgid "Preferences saved." msgstr "Préférences enregistrées" @@ -2729,10 +2755,9 @@ msgstr[1] "Vous êtes déjà abonné à ces utilisateurs :" #. TRANS: Used as list item for already subscribed users (%1$s is nickname, %2$s is e-mail address). #. TRANS: Used as list item for already registered people (%1$s is nickname, %2$s is e-mail address). -#. TRANS: Whois output. -#. TRANS: %1$s nickname of the queried user, %2$s is their profile URL. -#: actions/invite.php:145 actions/invite.php:159 lib/command.php:426 -#, php-format +#: actions/invite.php:145 actions/invite.php:159 +#, fuzzy, php-format +msgctxt "INVITE" msgid "%1$s (%2$s)" msgstr "%1$s (%2$s)" @@ -2922,7 +2947,8 @@ msgstr "" "licence « Tous droits réservés »." #: actions/licenseadminpanel.php:156 -msgid "Invalid license title. Max length is 255 characters." +#, fuzzy +msgid "Invalid license title. Maximum length is 255 characters." msgstr "Titre de licence invalide. La taille maximale est de 255 caractères." #: actions/licenseadminpanel.php:168 @@ -3101,18 +3127,10 @@ 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:169 -msgid "Name is too long (maximum 255 chars)." -msgstr "Le nom est trop long (limité à 255 caractères maximum)." - #: actions/newapplication.php:184 msgid "Source URL is required." msgstr "L’URL source est requise." -#: actions/newapplication.php:199 -msgid "Organization is too long (maximum 255 chars)." -msgstr "L’organisation est trop longue (limitée à 255 caractères maximum)." - #: actions/newapplication.php:266 actions/newapplication.php:275 msgid "Could not create application." msgstr "Impossible de créer l’application." @@ -3132,14 +3150,14 @@ msgid "New message" msgstr "Nouveau message" #. TRANS: Error text shown when trying to send a direct message to a user without a mutual subscription (each user must be subscribed to the other). -#: actions/newmessage.php:121 actions/newmessage.php:164 lib/command.php:499 +#: actions/newmessage.php:121 actions/newmessage.php:164 lib/command.php:501 msgid "You can't send a message to this user." msgstr "Vous ne pouvez pas envoyer de messages à cet utilisateur." #. TRANS: Command exception text shown when trying to send a direct message to another user without content. #. TRANS: Command exception text shown when trying to reply to a notice without providing content for the reply. #: actions/newmessage.php:144 actions/newnotice.php:140 lib/command.php:478 -#: lib/command.php:579 +#: lib/command.php:581 msgid "No content!" msgstr "Aucun contenu !" @@ -3148,7 +3166,7 @@ msgid "No recipient specified." msgstr "Aucun destinataire n’a été spécifié." #. TRANS: Error text shown when trying to send a direct message to self. -#: actions/newmessage.php:167 lib/command.php:503 +#: actions/newmessage.php:167 lib/command.php:505 msgid "" "Don't send a message to yourself; just say it to yourself quietly instead." msgstr "" @@ -3160,12 +3178,12 @@ msgstr "Message envoyé" #. TRANS: Message given have sent a direct message to another user. #. TRANS: %s is the name of the other user. -#: actions/newmessage.php:188 lib/command.php:511 +#: actions/newmessage.php:188 lib/command.php:513 #, php-format msgid "Direct message to %s sent." msgstr "Message direct envoyé à %s." -#: actions/newmessage.php:213 actions/newnotice.php:263 +#: actions/newmessage.php:213 actions/newnotice.php:264 msgid "Ajax Error" msgstr "Erreur Ajax" @@ -3173,19 +3191,7 @@ msgstr "Erreur Ajax" msgid "New notice" msgstr "Nouvel avis" -#: actions/newnotice.php:159 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/newnotice.php:183 -#, php-format -msgid "Max notice size is %d chars, including attachment URL." -msgstr "" -"La taille maximale de l’avis est de %d caractères, en incluant l’URL de la " -"pièce jointe." - -#: actions/newnotice.php:229 +#: actions/newnotice.php:230 msgid "Notice posted" msgstr "Avis publié" @@ -3359,36 +3365,46 @@ msgstr "Recherche de personnes" msgid "Notice Search" msgstr "Recherche d’avis" -#: actions/othersettings.php:60 +#: actions/othersettings.php:59 msgid "Other settings" msgstr "Autres paramètres" +#. TRANS: Instructions for tab "Other" in user profile settings. #: actions/othersettings.php:71 msgid "Manage various other options." msgstr "Autres options à configurer" -#: actions/othersettings.php:108 +#. TRANS: Used as a suffix for free URL shorteners in a dropdown list in the tab "Other" of a +#. TRANS: user's profile settings. This message has one space at the beginning. Use your +#. TRANS: language's word separator here if it has one (most likely a single space). +#: actions/othersettings.php:111 msgid " (free service)" msgstr " (service gratuit)" -#: actions/othersettings.php:116 +#. TRANS: Label for dropdown with URL shortener services. +#: actions/othersettings.php:120 msgid "Shorten URLs with" msgstr "Raccourcir les URL avec" -#: actions/othersettings.php:117 +#. TRANS: Tooltip for for dropdown with URL shortener services. +#: actions/othersettings.php:122 msgid "Automatic shortening service to use." msgstr "Sélectionnez un service de réduction d’URL." -#: actions/othersettings.php:122 +#. TRANS: Label for checkbox. +#: actions/othersettings.php:128 msgid "View profile designs" msgstr "Afficher les conceptions de profils" -#: actions/othersettings.php:123 +#. TRANS: Tooltip for checkbox. +#: actions/othersettings.php:130 msgid "Show or hide profile designs." msgstr "Afficher ou masquer les paramètres de conception." -#: actions/othersettings.php:153 -msgid "URL shortening service is too long (max 50 chars)." +#. TRANS: Form validation error for form "Other settings" in user profile. +#: actions/othersettings.php:162 +#, fuzzy +msgid "URL shortening service is too long (maximum 50 characters)." msgstr "Le service de réduction d’URL est trop long (50 caractères maximum)." #: actions/otp.php:69 @@ -3861,7 +3877,7 @@ msgstr "Bio" #. TRANS: Label for group location (dt). Text hidden by default. #: actions/profilesettings.php:149 actions/register.php:485 #: actions/showgroup.php:267 actions/tagother.php:112 -#: actions/userauthorization.php:166 lib/groupeditform.php:177 +#: actions/userauthorization.php:166 lib/groupeditform.php:180 #: lib/userprofile.php:165 msgid "Location" msgstr "Emplacement" @@ -4205,7 +4221,8 @@ msgid "Unexpected password reset." msgstr "Réinitialisation inattendue du mot de passe." #: actions/recoverpassword.php:365 -msgid "Password must be 6 chars or more." +#, fuzzy +msgid "Password must be 6 characters or more." msgstr "Le mot de passe doit contenir au moins 6 caractères." #: actions/recoverpassword.php:369 @@ -4590,7 +4607,7 @@ msgstr "Organisation" #. TRANS: Form input field label. #: actions/showapplication.php:187 actions/version.php:200 -#: lib/applicationeditform.php:208 lib/groupeditform.php:172 +#: lib/applicationeditform.php:208 lib/groupeditform.php:175 msgid "Description" msgstr "Description" @@ -4742,7 +4759,7 @@ msgid "Note" msgstr "Note" #. TRANS: Label for group aliases (dt). Text hidden by default. -#: actions/showgroup.php:298 lib/groupeditform.php:184 +#: actions/showgroup.php:298 lib/groupeditform.php:187 msgid "Aliases" msgstr "Alias" @@ -4877,48 +4894,68 @@ msgstr "Message reçu de %1$s le %2$s" msgid "Notice deleted." msgstr "Avis supprimé." -#: actions/showstream.php:72 -#, php-format -msgid " tagged %s" -msgstr " marqué %s" +#. TRANS: Page title showing tagged notices in one user's stream. %1$s is the username, %2$s is the hash tag. +#: actions/showstream.php:70 +#, fuzzy, php-format +msgid "%1$s tagged %2$s" +msgstr "%1$s, page %2$d" -#: actions/showstream.php:78 +#. TRANS: Page title showing tagged notices in one user's stream. +#. TRANS: %1$s is the username, %2$s is the hash tag, %1$d is the page number. +#: actions/showstream.php:74 +#, fuzzy, php-format +msgid "%1$s tagged %2$s, page %3$d" +msgstr "Avis marqués avec %1$s, page %2$d" + +#. TRANS: Extended page title showing tagged notices in one user's stream. +#. TRANS: %1$s is the username, %2$d is the page number. +#: actions/showstream.php:82 #, php-format msgid "%1$s, page %2$d" msgstr "%1$s, page %2$d" -#: actions/showstream.php:120 +#. TRANS: Title for link to notice feed. +#. TRANS: %1$s is a user nickname, %2$s is a hashtag. +#: actions/showstream.php:127 #, php-format msgid "Notice feed for %1$s tagged %2$s (RSS 1.0)" msgstr "Fil des avis pour %1$s marqués %2$s (RSS 1.0)" -#: actions/showstream.php:127 +#. TRANS: Title for link to notice feed. +#. TRANS: %s is a user nickname. +#: actions/showstream.php:136 #, php-format msgid "Notice feed for %s (RSS 1.0)" msgstr "Flux des avis de %s (RSS 1.0)" -#: actions/showstream.php:134 +#. TRANS: Title for link to notice feed. +#. TRANS: %s is a user nickname. +#: actions/showstream.php:145 #, php-format msgid "Notice feed for %s (RSS 2.0)" msgstr "Flux des avis de %s (RSS 2.0)" -#: actions/showstream.php:141 +#: actions/showstream.php:152 #, php-format msgid "Notice feed for %s (Atom)" msgstr "Flux des avis de %s (Atom)" -#: actions/showstream.php:146 +#. TRANS: Title for link to notice feed. FOAF stands for Friend of a Friend. +#. TRANS: More information at http://www.foaf-project.org. %s is a user nickname. +#: actions/showstream.php:159 #, php-format msgid "FOAF for %s" msgstr "ami d’un ami pour %s" -#: actions/showstream.php:197 -#, php-format -msgid "This is the timeline for %1$s but %2$s hasn't posted anything yet." +#. TRANS: First sentence of empty list message for a stream. $1%s is a user nickname. +#: actions/showstream.php:211 +#, fuzzy, php-format +msgid "This is the timeline for %1$s, but %1$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:202 +#. TRANS: Second sentence of empty list message for a stream for the user themselves. +#: actions/showstream.php:217 msgid "" "Seen anything interesting recently? You haven't posted any notices yet, now " "would be a good time to start :)" @@ -4926,7 +4963,9 @@ 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:204 +#. TRANS: Second sentence of empty list message for a non-self stream. %1$s is a user nickname, %2$s is a part of a URL. +#. TRANS: This message contains a Markdown link. Keep "](" together. +#: actions/showstream.php:221 #, php-format msgid "" "You can try to nudge %1$s or [post something to them](%%%%action.newnotice%%%" @@ -4935,7 +4974,9 @@ 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:243 +#. TRANS: Announcement for anonymous users showing a stream if site registrations are open. +#. TRANS: This message contains a Markdown link. Keep "](" together. +#: actions/showstream.php:264 #, php-format msgid "" "**%s** has an account on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -4949,7 +4990,9 @@ msgstr "" "register%%%%) pour suivre les avis de **%s** et bien plus ! ([En lire plus](%" "%%%doc.help%%%%))" -#: actions/showstream.php:248 +#. TRANS: Announcement for anonymous users showing a stream if site registrations are closed or invite only. +#. TRANS: This message contains a Markdown link. Keep "](" together. +#: actions/showstream.php:271 #, php-format msgid "" "**%s** has an account on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -4960,7 +5003,8 @@ msgstr "" "wikipedia.org/wiki/Microblog) basé sur le logiciel libre [StatusNet](http://" "status.net/). " -#: actions/showstream.php:305 +#. TRANS: Link to the author of a repeated notice. %s is a linked nickname. +#: actions/showstream.php:328 #, php-format msgid "Repeat of %s" msgstr "Reprises de %s" @@ -5074,32 +5118,41 @@ msgstr "" "Combien de temps (en secondes) les utilisateurs doivent attendre pour poster " "la même chose de nouveau." -#: actions/sitenoticeadminpanel.php:56 +#. TRANS: Page title for site-wide notice tab in admin panel. +#: actions/sitenoticeadminpanel.php:55 msgid "Site Notice" msgstr "Avis du site" -#: actions/sitenoticeadminpanel.php:67 +#. TRANS: Instructions for site-wide notice tab in admin panel. +#: actions/sitenoticeadminpanel.php:66 msgid "Edit site-wide message" msgstr "Modifier un message portant sur tout le site" -#: actions/sitenoticeadminpanel.php:103 +#. TRANS: Server error displayed when saving a site-wide notice was impossible. +#: actions/sitenoticeadminpanel.php:101 msgid "Unable to save site notice." msgstr "Impossible d'enregistrer l'avis du site." -#: actions/sitenoticeadminpanel.php:113 -msgid "Max length for the site-wide notice is 255 chars." +#. TRANS: Client error displayed when a site-wide notice was longer than allowed. +#: actions/sitenoticeadminpanel.php:112 +#, fuzzy +msgid "Maximum length for the site-wide notice is 255 characters." msgstr "La longueur maximale pour l'avis du site est de 255 caractères." +#. TRANS: Label for site-wide notice text field in admin panel. #: actions/sitenoticeadminpanel.php:176 msgid "Site notice text" msgstr "Texte de l'avis du site" -#: actions/sitenoticeadminpanel.php:178 -msgid "Site-wide notice text (255 chars max; HTML okay)" +#. TRANS: Tooltip for site-wide notice text field in admin panel. +#: actions/sitenoticeadminpanel.php:179 +#, fuzzy +msgid "Site-wide notice text (255 characters maximum; HTML allowed)" msgstr "" "Texte de l'avis portant sur tout le site (max. 255 caractères ; HTML activé)" -#: actions/sitenoticeadminpanel.php:198 +#. TRANS: Title for button to save site notice in admin panel. +#: actions/sitenoticeadminpanel.php:201 msgid "Save site notice" msgstr "Enregistrer l'avis du site" @@ -5570,77 +5623,95 @@ msgstr "" "avec la licence du site « %2$s »." #. TRANS: User admin panel title -#: actions/useradminpanel.php:60 +#: actions/useradminpanel.php:58 msgctxt "TITLE" msgid "User" msgstr "Utilisateur" -#: actions/useradminpanel.php:71 +#. TRANS: Instruction for user admin panel. +#: actions/useradminpanel.php:69 msgid "User settings for this StatusNet site" msgstr "Paramètres des utilisateurs pour ce site StatusNet" -#: actions/useradminpanel.php:150 +#. TRANS: Form validation error in user admin panel when a non-numeric character limit was set. +#: actions/useradminpanel.php:147 msgid "Invalid bio limit. Must be numeric." msgstr "Limite de bio invalide : doit être numérique." -#: actions/useradminpanel.php:156 -msgid "Invalid welcome text. Max length is 255 characters." +#. TRANS: Form validation error in user admin panel when welcome text is too long. +#: actions/useradminpanel.php:154 +#, fuzzy +msgid "Invalid welcome text. Maximum length is 255 characters." msgstr "Texte de bienvenue invalide. La taille maximale est de 255 caractères." +#. TRANS: Client error displayed when trying to set a non-existing user as default subscription for new +#. TRANS: users in user admin panel. %1$s is the invalid nickname. #: actions/useradminpanel.php:166 -#, php-format -msgid "Invalid default subscripton: '%1$s' is not user." +#, fuzzy, php-format +msgid "Invalid default subscripton: '%1$s' is not a user." msgstr "Abonnement par défaut invalide : « %1$s » n’est pas un utilisateur." #. TRANS: Link description in user account settings menu. -#: actions/useradminpanel.php:219 lib/accountsettingsaction.php:106 +#: actions/useradminpanel.php:215 lib/accountsettingsaction.php:106 #: lib/personalgroupnav.php:109 msgid "Profile" msgstr "Profil" -#: actions/useradminpanel.php:223 +#. TRANS: Field label in user admin panel for setting the character limit for the bio field. +#: actions/useradminpanel.php:220 msgid "Bio Limit" msgstr "Limite de bio" -#: actions/useradminpanel.php:224 +#. TRANS: Tooltip in user admin panel for setting the character limit for the bio field. +#: 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:232 +#. TRANS: Form legend in user admin panel. +#: actions/useradminpanel.php:231 msgid "New users" msgstr "Nouveaux utilisateurs" +#. TRANS: Field label in user admin panel for setting new user welcome text. #: actions/useradminpanel.php:236 msgid "New user welcome" msgstr "Accueil des nouveaux utilisateurs" -#: actions/useradminpanel.php:237 -msgid "Welcome text for new users (Max 255 chars)." +#. TRANS: Tooltip in user admin panel for setting new user welcome text. +#: actions/useradminpanel.php:238 +#, fuzzy +msgid "Welcome text for new users (maximum 255 characters)." msgstr "" "Texte de bienvenue pour les nouveaux utilisateurs (maximum 255 caractères)." -#: actions/useradminpanel.php:242 +#. TRANS: Field label in user admin panel for setting default subscription for new users. +#: actions/useradminpanel.php:244 msgid "Default subscription" msgstr "Abonnements par défaut" -#: actions/useradminpanel.php:243 +#. TRANS: Tooltip in user admin panel for setting default subscription for new users. +#: actions/useradminpanel.php:246 msgid "Automatically subscribe new users to this user." msgstr "Abonner automatiquement les nouveaux utilisateurs à cet utilisateur." -#: actions/useradminpanel.php:252 +#. TRANS: Form legend in user admin panel. +#: actions/useradminpanel.php:256 msgid "Invitations" msgstr "Invitations" -#: actions/useradminpanel.php:257 +#. TRANS: Field label for checkbox in user admin panel for allowing users to invite friend using site e-mail. +#: actions/useradminpanel.php:262 msgid "Invitations enabled" msgstr "Invitations activées" -#: actions/useradminpanel.php:259 +#. TRANS: Tooltip for checkbox in user admin panel for allowing users to invite friend using site e-mail. +#: actions/useradminpanel.php:265 msgid "Whether to allow users to invite new users." msgstr "" "S’il faut autoriser les utilisateurs à inviter de nouveaux utilisateurs." -#: actions/useradminpanel.php:295 +#. TRANS: Title for button to save user settings in user admin panel. +#: actions/useradminpanel.php:302 msgid "Save user settings" msgstr "Sauvegarder les paramètres utilisateur" @@ -5854,7 +5925,7 @@ msgid "Plugins" msgstr "Extensions" #. TRANS: Secondary navigation menu option leading to version information on the StatusNet site. -#: actions/version.php:198 lib/action.php:831 +#: actions/version.php:198 lib/action.php:880 msgid "Version" msgstr "Version" @@ -6063,9 +6134,16 @@ msgstr "Impossible d’enregistrer la réponse à %1$d, %2$d." msgid "RT @%1$s %2$s" msgstr "RT @%1$s %2$s" +#. TRANS: Full name of a profile or group followed by nickname in parens +#: classes/Profile.php:164 +#, fuzzy, php-format +msgctxt "FANCYNAME" +msgid "%1$s (%2$s)" +msgstr "%1$s (%2$s)" + #. TRANS: Exception thrown when trying to revoke an existing role for a user that does not exist. #. TRANS: %1$s is the role name, %2$s is the user ID (number). -#: classes/Profile.php:791 +#: classes/Profile.php:812 #, php-format msgid "Cannot revoke role \"%1$s\" for user #%2$d; does not exist." msgstr "" @@ -6074,7 +6152,7 @@ msgstr "" #. TRANS: Exception thrown when trying to revoke a role for a user with a failing database query. #. TRANS: %1$s is the role name, %2$s is the user ID (number). -#: classes/Profile.php:800 +#: classes/Profile.php:821 #, php-format msgid "Cannot revoke role \"%1$s\" for user #%2$d; database error." msgstr "" @@ -6221,194 +6299,201 @@ msgstr "%1$s - %2$s" msgid "Untitled page" msgstr "Page sans nom" +#. TRANS: Localized tooltip for '...' expansion button on overlong remote messages. +#: lib/action.php:310 +msgctxt "TOOLTIP" +msgid "Show more" +msgstr "" + #. TRANS: DT element for primary navigation menu. String is hidden in default CSS. -#: lib/action.php:477 +#: lib/action.php:526 msgid "Primary site navigation" msgstr "Navigation primaire du site" #. TRANS: Tooltip for main menu option "Personal" -#: lib/action.php:483 +#: lib/action.php:532 msgctxt "TOOLTIP" msgid "Personal profile and friends timeline" msgstr "Profil personnel et flux des amis" #. TRANS: Main menu option when logged in for access to personal profile and friends timeline -#: lib/action.php:486 +#: lib/action.php:535 msgctxt "MENU" msgid "Personal" msgstr "Personnel" #. TRANS: Tooltip for main menu option "Account" -#: lib/action.php:488 +#: lib/action.php:537 msgctxt "TOOLTIP" msgid "Change your email, avatar, password, profile" msgstr "Modifier votre adresse électronique, avatar, mot de passe, profil" #. TRANS: Main menu option when logged in for access to user settings -#: lib/action.php:491 +#: lib/action.php:540 msgid "Account" msgstr "Compte" #. TRANS: Tooltip for main menu option "Services" -#: lib/action.php:493 +#: lib/action.php:542 msgctxt "TOOLTIP" msgid "Connect to services" msgstr "Se connecter aux services" #. TRANS: Main menu option when logged in and connection are possible for access to options to connect to other services -#: lib/action.php:496 +#: lib/action.php:545 msgid "Connect" msgstr "Connexion" #. TRANS: Tooltip for menu option "Admin" -#: lib/action.php:499 +#: lib/action.php:548 msgctxt "TOOLTIP" msgid "Change site configuration" msgstr "Modifier la configuration du site" #. TRANS: Main menu option when logged in and site admin for access to site configuration #. TRANS: Menu item in the group navigation page. Only shown for group administrators. -#: lib/action.php:502 lib/groupnav.php:117 +#: lib/action.php:551 lib/groupnav.php:117 msgctxt "MENU" msgid "Admin" msgstr "Administrer" #. TRANS: Tooltip for main menu option "Invite" -#: lib/action.php:506 +#: lib/action.php:555 #, php-format msgctxt "TOOLTIP" msgid "Invite friends and colleagues to join you on %s" msgstr "Inviter des amis et collègues à vous rejoindre sur %s" #. TRANS: Main menu option when logged in and invitations are allowed for inviting new users -#: lib/action.php:509 +#: lib/action.php:558 msgctxt "MENU" msgid "Invite" msgstr "Inviter" #. TRANS: Tooltip for main menu option "Logout" -#: lib/action.php:515 +#: lib/action.php:564 msgctxt "TOOLTIP" msgid "Logout from the site" msgstr "Fermer la session" #. TRANS: Main menu option when logged in to log out the current user -#: lib/action.php:518 +#: lib/action.php:567 msgctxt "MENU" msgid "Logout" msgstr "Déconnexion" #. TRANS: Tooltip for main menu option "Register" -#: lib/action.php:523 +#: lib/action.php:572 msgctxt "TOOLTIP" msgid "Create an account" msgstr "Créer un compte" #. TRANS: Main menu option when not logged in to register a new account -#: lib/action.php:526 +#: lib/action.php:575 msgctxt "MENU" msgid "Register" msgstr "S’inscrire" #. TRANS: Tooltip for main menu option "Login" -#: lib/action.php:529 +#: lib/action.php:578 msgctxt "TOOLTIP" msgid "Login to the site" msgstr "Ouvrir une session" #. TRANS: Main menu option when not logged in to log in -#: lib/action.php:532 +#: lib/action.php:581 msgctxt "MENU" msgid "Login" msgstr "Connexion" #. TRANS: Tooltip for main menu option "Help" -#: lib/action.php:535 +#: lib/action.php:584 msgctxt "TOOLTIP" msgid "Help me!" msgstr "À l’aide !" #. TRANS: Main menu option for help on the StatusNet site -#: lib/action.php:538 +#: lib/action.php:587 msgctxt "MENU" msgid "Help" msgstr "Aide" #. TRANS: Tooltip for main menu option "Search" -#: lib/action.php:541 +#: lib/action.php:590 msgctxt "TOOLTIP" msgid "Search for people or text" msgstr "Rechercher des personnes ou du texte" #. TRANS: Main menu option when logged in or when the StatusNet instance is not private -#: lib/action.php:544 +#: lib/action.php:593 msgctxt "MENU" msgid "Search" msgstr "Rechercher" #. TRANS: DT element for site notice. String is hidden in default CSS. #. TRANS: Menu item for site administration -#: lib/action.php:566 lib/adminpanelaction.php:387 +#: lib/action.php:615 lib/adminpanelaction.php:387 msgid "Site notice" msgstr "Notice du site" #. TRANS: DT element for local views block. String is hidden in default CSS. -#: lib/action.php:633 +#: lib/action.php:682 msgid "Local views" msgstr "Vues locales" #. TRANS: DT element for page notice. String is hidden in default CSS. -#: lib/action.php:703 +#: lib/action.php:752 msgid "Page notice" msgstr "Avis de la page" #. TRANS: DT element for secondary navigation menu. String is hidden in default CSS. -#: lib/action.php:804 +#: lib/action.php:853 msgid "Secondary site navigation" msgstr "Navigation secondaire du site" #. TRANS: Secondary navigation menu option leading to help on StatusNet. -#: lib/action.php:810 +#: lib/action.php:859 msgid "Help" msgstr "Aide" #. TRANS: Secondary navigation menu option leading to text about StatusNet site. -#: lib/action.php:813 +#: lib/action.php:862 msgid "About" msgstr "À propos" #. TRANS: Secondary navigation menu option leading to Frequently Asked Questions. -#: lib/action.php:816 +#: lib/action.php:865 msgid "FAQ" msgstr "FAQ" #. TRANS: Secondary navigation menu option leading to Terms of Service. -#: lib/action.php:821 +#: lib/action.php:870 msgid "TOS" msgstr "CGU" #. TRANS: Secondary navigation menu option leading to privacy policy. -#: lib/action.php:825 +#: lib/action.php:874 msgid "Privacy" msgstr "Confidentialité" -#. TRANS: Secondary navigation menu option. -#: lib/action.php:828 +#. TRANS: Secondary navigation menu option. Leads to information about StatusNet and its license. +#: lib/action.php:877 msgid "Source" msgstr "Source" -#. TRANS: Secondary navigation menu option leading to contact information on the StatusNet site. -#: lib/action.php:834 +#. TRANS: Secondary navigation menu option leading to e-mail contact information on the +#. TRANS: StatusNet site, where to report bugs, ... +#: lib/action.php:884 msgid "Contact" msgstr "Contact" -#. TRANS: Secondary navigation menu option. -#: lib/action.php:837 +#. TRANS: Secondary navigation menu option. Leads to information about embedding a timeline widget. +#: lib/action.php:887 msgid "Badge" msgstr "Insigne" #. TRANS: DT element for StatusNet software license. -#: lib/action.php:866 +#: lib/action.php:916 msgid "StatusNet software license" msgstr "Licence du logiciel StatusNet" @@ -6416,7 +6501,7 @@ msgstr "Licence du logiciel StatusNet" #. TRANS: Text between [] is a link description, text between () is the link itself. #. TRANS: Make sure there is no whitespace between "]" and "(". #. TRANS: "%%site.broughtby%%" is the value of the variable site.broughtby -#: lib/action.php:873 +#: lib/action.php:923 #, php-format msgid "" "**%%site.name%%** is a microblogging service brought to you by [%%site." @@ -6426,7 +6511,7 @@ msgstr "" "%site.broughtby%%](%%site.broughtbyurl%%)." #. TRANS: First sentence of the StatusNet site license. Used if 'broughtby' is not set. -#: lib/action.php:876 +#: lib/action.php:926 #, php-format msgid "**%%site.name%%** is a microblogging service." msgstr "**%%site.name%%** est un service de micro-blogging." @@ -6435,7 +6520,7 @@ msgstr "**%%site.name%%** est un service de micro-blogging." #. TRANS: Make sure there is no whitespace between "]" and "(". #. TRANS: Text between [] is a link description, text between () is the link itself. #. TRANS: %s is the version of StatusNet that is being used. -#: lib/action.php:883 +#: lib/action.php:933 #, php-format msgid "" "It runs the [StatusNet](http://status.net/) microblogging software, version %" @@ -6447,20 +6532,20 @@ msgstr "" "(http://www.fsf.org/licensing/licenses/agpl-3.0.html)." #. TRANS: DT element for StatusNet site content license. -#: lib/action.php:899 +#: lib/action.php:949 msgid "Site content license" msgstr "Licence du contenu du site" #. TRANS: Content license displayed when license is set to 'private'. #. TRANS: %1$s is the site name. -#: lib/action.php:906 +#: lib/action.php:956 #, 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." #. TRANS: Content license displayed when license is set to 'allrightsreserved'. #. TRANS: %1$s is the copyright owner. -#: lib/action.php:913 +#: lib/action.php:963 #, php-format msgid "Content and data copyright by %1$s. All rights reserved." msgstr "" @@ -6468,7 +6553,7 @@ msgstr "" "réservés." #. TRANS: Content license displayed when license is set to 'allrightsreserved' and no owner is set. -#: lib/action.php:917 +#: lib/action.php:967 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 " @@ -6476,26 +6561,26 @@ msgstr "" #. TRANS: license message in footer. #. TRANS: %1$s is the site name, %2$s is a link to the license URL, with a licence name set in configuration. -#: lib/action.php:949 +#: lib/action.php:999 #, php-format msgid "All %1$s content and data are available under the %2$s license." msgstr "" "Tous les contenus %1$s et les données sont disponibles sous la licence %2$s." #. TRANS: DT element for pagination (previous/next, etc.). -#: lib/action.php:1285 +#: lib/action.php:1335 msgid "Pagination" msgstr "Pagination" #. TRANS: Pagination message to go to a page displaying information more in the #. TRANS: present than the currently displayed information. -#: lib/action.php:1296 +#: lib/action.php:1346 msgid "After" msgstr "Après" #. TRANS: Pagination message to go to a page displaying information more in the #. TRANS: past than the currently displayed information. -#: lib/action.php:1306 +#: lib/action.php:1356 msgid "Before" msgstr "Avant" @@ -6842,7 +6927,7 @@ msgid "AJAX error" msgstr "Erreur Ajax" #. TRANS: E-mail subject when a command has completed. -#: lib/channel.php:233 lib/mailhandler.php:142 +#: lib/channel.php:233 lib/mailhandler.php:143 msgid "Command complete" msgstr "Commande complétée" @@ -6858,7 +6943,7 @@ msgstr "Aucun avis avec cet identifiant n’existe." #. TRANS: Command exception text shown when a last user notice is requested and it does not exist. #. TRANS: Error text shown when a last user notice is requested and it does not exist. -#: lib/command.php:99 lib/command.php:626 +#: lib/command.php:99 lib/command.php:630 msgid "User has no last notice." msgstr "Aucun avis récent pour cet utilisateur." @@ -6927,6 +7012,14 @@ msgstr "%1$s a rejoint le groupe %2$s." msgid "%1$s left group %2$s." msgstr "%1$s a quitté le groupe %2$s." +#. TRANS: Whois output. +#. TRANS: %1$s nickname of the queried user, %2$s is their profile URL. +#: lib/command.php:426 +#, fuzzy, php-format +msgctxt "WHOIS" +msgid "%1$s (%2$s)" +msgstr "%1$s (%2$s)" + #. TRANS: Whois output. %s is the full name of the queried user. #: lib/command.php:430 #, php-format @@ -6966,118 +7059,126 @@ msgstr "" "%s est un profil distant ; vous ne pouvez envoyer de messages directs qu'aux " "utilisateurs du même serveur." -#. TRANS: Message given if content is too long. +#. TRANS: Message given if content is too long. %1$sd is used for plural. #. TRANS: %1$d is the maximum number of characters, %2$d is the number of submitted characters. #: lib/command.php:488 -#, php-format -msgid "Message too long - maximum is %1$d characters, you sent %2$d." -msgstr "" +#, fuzzy, php-format +msgid "Message too long - maximum is %1$d character, you sent %2$d." +msgid_plural "Message too long - maximum is %1$d characters, you sent %2$d." +msgstr[0] "" +"Message trop long ! La taille maximale est de %1$d caractères ; vous en avez " +"entré %2$d." +msgstr[1] "" "Message trop long ! La taille maximale est de %1$d caractères ; vous en avez " "entré %2$d." #. TRANS: Error text shown sending a direct message fails with an unknown reason. -#: lib/command.php:514 +#: lib/command.php:516 msgid "Error sending direct message." msgstr "Une erreur est survenue pendant l’envoi de votre message." #. TRANS: Message given having repeated a notice from another user. #. TRANS: %s is the name of the user for which the notice was repeated. -#: lib/command.php:551 +#: lib/command.php:553 #, php-format msgid "Notice from %s repeated." msgstr "Avis de %s repris." #. TRANS: Error text shown when repeating a notice fails with an unknown reason. -#: lib/command.php:554 +#: lib/command.php:556 msgid "Error repeating notice." msgstr "Erreur lors de la reprise de l’avis." -#. TRANS: Message given if content of a notice for a reply is too long. +#. TRANS: Message given if content of a notice for a reply is too long. %1$d is used for plural. #. TRANS: %1$d is the maximum number of characters, %2$d is the number of submitted characters. -#: lib/command.php:589 -#, php-format -msgid "Notice too long - maximum is %1$d characters, you sent %2$d." -msgstr "" +#: lib/command.php:591 +#, fuzzy, php-format +msgid "Notice too long - maximum is %1$d character, you sent %2$d." +msgid_plural "Notice too long - maximum is %1$d characters, you sent %2$d." +msgstr[0] "" +"Avis trop long ! La taille maximale est de %1$d caractères ; vous en avez " +"entré %2$d." +msgstr[1] "" "Avis trop long ! La taille maximale est de %1$d caractères ; vous en avez " "entré %2$d." #. TRANS: Text shown having sent a reply to a notice successfully. #. TRANS: %s is the nickname of the user of the notice the reply was sent to. -#: lib/command.php:600 +#: lib/command.php:604 #, php-format msgid "Reply to %s sent." msgstr "Réponse à %s envoyée." #. TRANS: Error text shown when a reply to a notice fails with an unknown reason. -#: lib/command.php:603 +#: lib/command.php:607 msgid "Error saving notice." msgstr "Problème lors de l’enregistrement de l’avis." #. TRANS: Error text shown when no username was provided when issuing a subscribe command. -#: lib/command.php:650 +#: lib/command.php:654 msgid "Specify the name of the user to subscribe to." msgstr "Indiquez le nom de l’utilisateur auquel vous souhaitez vous abonner." #. TRANS: Command exception text shown when trying to subscribe to an OMB profile using the subscribe command. -#: lib/command.php:659 +#: lib/command.php:663 msgid "Can't subscribe to OMB profiles by command." msgstr "Impossible de s'inscrire aux profils OMB par cette commande." #. TRANS: Text shown after having subscribed to another user successfully. #. TRANS: %s is the name of the user the subscription was requested for. -#: lib/command.php:667 +#: lib/command.php:671 #, php-format msgid "Subscribed to %s." msgstr "Abonné à %s." #. TRANS: Error text shown when no username was provided when issuing an unsubscribe command. #. TRANS: Error text shown when no username was provided when issuing the command. -#: lib/command.php:688 lib/command.php:799 +#: lib/command.php:692 lib/command.php:803 msgid "Specify the name of the user to unsubscribe from." msgstr "" "Indiquez le nom de l’utilisateur duquel vous souhaitez vous désabonner." #. TRANS: Text shown after having unsubscribed from another user successfully. #. TRANS: %s is the name of the user the unsubscription was requested for. -#: lib/command.php:699 +#: lib/command.php:703 #, php-format msgid "Unsubscribed from %s." msgstr "Désabonné de %s." #. TRANS: Error text shown when issuing the command "off" with a setting which has not yet been implemented. #. TRANS: Error text shown when issuing the command "on" with a setting which has not yet been implemented. -#: lib/command.php:719 lib/command.php:745 +#: lib/command.php:723 lib/command.php:749 msgid "Command not yet implemented." msgstr "Cette commande n’a pas encore été implémentée." #. TRANS: Text shown when issuing the command "off" successfully. -#: lib/command.php:723 +#: lib/command.php:727 msgid "Notification off." msgstr "Avertissements désactivés." #. TRANS: Error text shown when the command "off" fails for an unknown reason. -#: lib/command.php:726 +#: lib/command.php:730 msgid "Can't turn off notification." msgstr "Impossible de désactiver les avertissements." #. TRANS: Text shown when issuing the command "on" successfully. -#: lib/command.php:749 +#: lib/command.php:753 msgid "Notification on." msgstr "Avertissements activés." #. TRANS: Error text shown when the command "on" fails for an unknown reason. -#: lib/command.php:752 +#: lib/command.php:756 msgid "Can't turn on notification." msgstr "Impossible d’activer les avertissements." #. TRANS: Error text shown when issuing the login command while login is disabled. -#: lib/command.php:766 +#: lib/command.php:770 msgid "Login command is disabled." msgstr "La commande d’ouverture de session est désactivée." #. TRANS: Text shown after issuing the login command successfully. #. TRANS: %s is a logon link.. -#: lib/command.php:779 +#: lib/command.php:783 #, php-format msgid "This link is useable only once and is valid for only 2 minutes: %s." msgstr "" @@ -7086,20 +7187,20 @@ msgstr "" #. TRANS: Text shown after issuing the lose command successfully (stop another user from following the current user). #. TRANS: %s is the name of the user the unsubscription was requested for. -#: lib/command.php:808 +#: lib/command.php:812 #, php-format msgid "Unsubscribed %s." msgstr "Désabonné de %s." #. TRANS: Text shown after requesting other users a user is subscribed to without having any subscriptions. -#: lib/command.php:826 +#: lib/command.php:830 msgid "You are not subscribed to anyone." msgstr "Vous n’êtes abonné(e) à personne." #. TRANS: Text shown after requesting other users a user is subscribed to. #. TRANS: This message supports plural forms. This message is followed by a #. TRANS: hard coded space and a comma separated list of subscribed users. -#: lib/command.php:831 +#: lib/command.php:835 msgid "You are subscribed to this person:" msgid_plural "You are subscribed to these people:" msgstr[0] "Vous êtes abonné à cette personne :" @@ -7107,14 +7208,14 @@ msgstr[1] "Vous êtes abonné à ces personnes :" #. TRANS: Text shown after requesting other users that are subscribed to a user #. TRANS: (followers) without having any subscribers. -#: lib/command.php:853 +#: lib/command.php:857 msgid "No one is subscribed to you." msgstr "Personne ne s’est abonné à vous." #. TRANS: Text shown after requesting other users that are subscribed to a user (followers). #. TRANS: This message supports plural forms. This message is followed by a #. TRANS: hard coded space and a comma separated list of subscribing users. -#: lib/command.php:858 +#: lib/command.php:862 msgid "This person is subscribed to you:" msgid_plural "These people are subscribed to you:" msgstr[0] "Cette personne est abonnée à vous :" @@ -7122,21 +7223,21 @@ msgstr[1] "Ces personnes sont abonnées à vous :" #. TRANS: Text shown after requesting groups a user is subscribed to without having #. TRANS: any group subscriptions. -#: lib/command.php:880 +#: lib/command.php:884 msgid "You are not a member of any groups." msgstr "Vous n’êtes membre d’aucun groupe." #. TRANS: Text shown after requesting groups a user is subscribed to. #. TRANS: This message supports plural forms. This message is followed by a #. TRANS: hard coded space and a comma separated list of subscribed groups. -#: lib/command.php:885 +#: lib/command.php:889 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 :" #. TRANS: Help text for commands. Do not translate the command names themselves; they are fixed strings. -#: lib/command.php:900 +#: lib/command.php:904 msgid "" "Commands:\n" "on - turn on notifications\n" @@ -7367,7 +7468,8 @@ msgid "1-64 lowercase letters or numbers, no punctuation or spaces" msgstr "1 à 64 lettres minuscules ou chiffres, sans ponctuation ni espaces" #: lib/groupeditform.php:163 -msgid "URL of the homepage or blog of the group or topic" +#, fuzzy +msgid "URL of the homepage or blog of the group or topic." msgstr "URL du site Web ou blogue du groupe ou sujet " #: lib/groupeditform.php:168 @@ -7375,21 +7477,32 @@ msgid "Describe the group or topic" msgstr "Description du groupe ou du sujet" #: lib/groupeditform.php:170 -#, php-format -msgid "Describe the group or topic in %d characters" -msgstr "Description du groupe ou du sujet en %d caractères" +#, fuzzy, php-format +msgid "Describe the group or topic in %d character or less" +msgid_plural "Describe the group or topic in %d characters or less" +msgstr[0] "Description du groupe ou du sujet en %d caractères" +msgstr[1] "Description du groupe ou du sujet en %d caractères" -#: lib/groupeditform.php:179 +#: lib/groupeditform.php:182 +#, fuzzy msgid "" -"Location for the group, if any, like \"City, State (or Region), Country\"" +"Location for the group, if any, like \"City, State (or Region), Country\"." msgstr "" "Emplacement du groupe, s’il y a lieu, de la forme « Ville, État ou région, " "Pays »" -#: lib/groupeditform.php:187 -#, php-format -msgid "Extra nicknames for the group, comma- or space- separated, max %d" -msgstr "" +#: lib/groupeditform.php:190 +#, fuzzy, php-format +msgid "" +"Extra nicknames for the group, separated with commas or spaces. Maximum %d " +"alias allowed." +msgid_plural "" +"Extra nicknames for the group, separated with commas or spaces. Maximum %d " +"aliases allowed." +msgstr[0] "" +"Pseudos supplémentaires pour le groupe, séparés par des virgules ou des " +"espaces, %d au maximum" +msgstr[1] "" "Pseudos supplémentaires pour le groupe, séparés par des virgules ou des " "espaces, %d au maximum" @@ -7951,7 +8064,7 @@ msgstr "Désolé, ceci n’est pas votre adresse de courriel entrant." msgid "Sorry, no incoming email allowed." msgstr "Désolé, la réception de courriels n’est pas permise." -#: lib/mailhandler.php:228 +#: lib/mailhandler.php:229 #, php-format msgid "Unsupported message type: %s" msgstr "Type de message non supporté : %s" @@ -8299,16 +8412,17 @@ msgid "Sandbox this user" msgstr "Mettre cet utilisateur dans un bac à sable" #. TRANS: Fieldset legend for the search form. -#: lib/searchaction.php:121 +#: lib/searchaction.php:120 msgid "Search site" msgstr "Rechercher sur le site" #. TRANS: Used as a field label for the field where one or more keywords #. TRANS: for searching can be entered. -#: lib/searchaction.php:129 +#: lib/searchaction.php:128 msgid "Keyword(s)" msgstr "Mot(s) clef(s)" +#. TRANS: Button text for searching site. #: lib/searchaction.php:130 msgctxt "BUTTON" msgid "Search" @@ -8400,8 +8514,8 @@ msgid "The theme file is missing or the upload failed." msgstr "Le fichier de thème est manquant ou le téléversement a échoué." #: lib/themeuploader.php:91 lib/themeuploader.php:102 -#: lib/themeuploader.php:278 lib/themeuploader.php:282 -#: lib/themeuploader.php:290 lib/themeuploader.php:297 +#: lib/themeuploader.php:279 lib/themeuploader.php:283 +#: lib/themeuploader.php:291 lib/themeuploader.php:298 msgid "Failed saving theme." msgstr "L’enregistrement du thème a échoué." @@ -8410,17 +8524,22 @@ msgid "Invalid theme: bad directory structure." msgstr "Thème invalide : mauvaise arborescence." #: lib/themeuploader.php:166 -#, php-format -msgid "Uploaded theme is too large; must be less than %d bytes uncompressed." -msgstr "" +#, fuzzy, php-format +msgid "Uploaded theme is too large; must be less than %d byte uncompressed." +msgid_plural "" +"Uploaded theme is too large; must be less than %d bytes uncompressed." +msgstr[0] "" +"Le thème importé est trop volumineux. Non compressé, il doit occuper moins " +"de %d octets." +msgstr[1] "" "Le thème importé est trop volumineux. Non compressé, il doit occuper moins " "de %d octets." -#: lib/themeuploader.php:178 +#: lib/themeuploader.php:179 msgid "Invalid theme archive: missing file css/display.css" msgstr "Archive de thème invalide : fichier css/display.css manquant" -#: lib/themeuploader.php:218 +#: lib/themeuploader.php:219 msgid "" "Theme contains invalid file or folder name. Stick with ASCII letters, " "digits, underscore, and minus sign." @@ -8428,18 +8547,18 @@ msgstr "" "Le thème contient un nom de fichier ou de dossier invalide. Limitez-vous aux " "lettres ASCII et aux chiffres, caractère de soulignement et signe moins." -#: lib/themeuploader.php:224 +#: lib/themeuploader.php:225 msgid "Theme contains unsafe file extension names; may be unsafe." msgstr "" "Ce thème contient un nom d'extension de ficher dangereux; peut être " "dangereux." -#: lib/themeuploader.php:241 +#: lib/themeuploader.php:242 #, php-format msgid "Theme contains file of type '.%s', which is not allowed." msgstr "Le thème contient un fichier de type « .%s », qui n'est pas autorisé." -#: lib/themeuploader.php:259 +#: lib/themeuploader.php:260 msgid "Error opening theme archive." msgstr "Erreur lors de l’ouverture de l’archive du thème." @@ -8626,22 +8745,42 @@ msgstr[1] "" "Message trop long ! La taille maximale est de %1$d caractères ; vous en avez " "envoyé %2$d." -#: scripts/restoreuser.php:82 +#. TRANS: Commandline script output. %s is the filename that contains a backup for a user. +#: scripts/restoreuser.php:61 #, php-format -msgid "Backup file for user %s (%s)" -msgstr "Fichier de sauvegarde pour l’utilisateur %s (%s)" +msgid "Getting backup from file '%s'." +msgstr "" -#: scripts/restoreuser.php:88 +#. TRANS: Commandline script output. +#: scripts/restoreuser.php:91 msgid "No user specified; using backup user." msgstr "Aucun utilisateur spécifié ; utilisation de l’utilisateur de secours." -#: scripts/restoreuser.php:94 -#, php-format -msgid "%d entries in backup." -msgstr "%d entrées dans la sauvegarde." +#. TRANS: Commandline script output. %d is the number of entries in the activity stream in backup; used for plural. +#: scripts/restoreuser.php:98 +#, fuzzy, php-format +msgid "%d entry in backup." +msgid_plural "%d entries in backup." +msgstr[0] "%d entrées dans la sauvegarde." +msgstr[1] "%d entrées dans la sauvegarde." -#~ msgid "Description is too long (max %d chars)." -#~ msgstr "La description est trop longue (limitée à %d caractères maximum)." +#~ msgid "Name is too long (maximum 255 chars)." +#~ msgstr "Le nom est trop long (limité à 255 caractères maximum)." -#~ msgid "Too many aliases! Maximum %d." -#~ msgstr "Trop d’alias ! Maximum %d." +#~ msgid "Organization is too long (maximum 255 chars)." +#~ msgstr "L’organisation est trop longue (limitée à 255 caractères maximum)." + +#~ 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." + +#~ msgid "Max notice size is %d chars, including attachment URL." +#~ msgstr "" +#~ "La taille maximale de l’avis est de %d caractères, en incluant l’URL de " +#~ "la pièce jointe." + +#~ msgid " tagged %s" +#~ msgstr " marqué %s" + +#~ msgid "Backup file for user %s (%s)" +#~ msgstr "Fichier de sauvegarde pour l’utilisateur %s (%s)" diff --git a/locale/ga/LC_MESSAGES/statusnet.po b/locale/ga/LC_MESSAGES/statusnet.po index 5ceb45a932..b05f9aba22 100644 --- a/locale/ga/LC_MESSAGES/statusnet.po +++ b/locale/ga/LC_MESSAGES/statusnet.po @@ -9,18 +9,18 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet - Core\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-10-30 23:18+0000\n" -"PO-Revision-Date: 2010-10-30 23:20:18+0000\n" +"POT-Creation-Date: 2010-11-02 22:51+0000\n" +"PO-Revision-Date: 2010-11-02 22:53:19+0000\n" "Language-Team: Irish \n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r75708); Translate extension (2010-09-17)\n" +"X-Generator: MediaWiki 1.17alpha (r75875); Translate extension (2010-09-17)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: ga\n" "X-Message-Group: #out-statusnet-core\n" "Plural-Forms: nplurals=5; plural=(n == 1) ? 0 : ( (n == 2) ? 1 : ( (n < 7) ? " "2 : ( (n < 11) ? 3 : 4 ) ) );\n" -"X-POT-Import-Date: 2010-10-30 09:48:40+0000\n" +"X-POT-Import-Date: 2010-10-30 23:42:01+0000\n" #. TRANS: Page title for Access admin panel that allows configuring site access. #. TRANS: Menu item for site administration @@ -83,15 +83,20 @@ msgstr "Configuracións de Twitter" #. TRANS: Tooltip for button to save access settings in site admin panel. #. TRANS: Button label to save e-mail preferences. #. TRANS: Button label to save IM preferences. +#. TRANS: Button text for saving "Other settings" in profile. #. TRANS: Button text to store form data in the Paths admin panel. #. TRANS: Button to save input in profile settings. +#. TRANS: Button text for saving site notice in admin panel. #. TRANS: Button label to save SMS preferences. #. TRANS: Save button for settings for a profile in a subscriptions list. +#. TRANS: Button text to save user settings in user admin panel. #. TRANS: Button label in the "Edit application" form. #: actions/accessadminpanel.php:193 actions/emailsettings.php:228 -#: actions/imsettings.php:187 actions/pathsadminpanel.php:512 -#: actions/profilesettings.php:201 actions/smssettings.php:209 -#: actions/subscriptions.php:246 lib/applicationeditform.php:355 +#: actions/imsettings.php:187 actions/othersettings.php:134 +#: actions/pathsadminpanel.php:512 actions/profilesettings.php:201 +#: actions/sitenoticeadminpanel.php:197 actions/smssettings.php:209 +#: actions/subscriptions.php:246 actions/useradminpanel.php:298 +#: lib/applicationeditform.php:355 lib/groupeditform.php:207 #, fuzzy msgctxt "BUTTON" msgid "Save" @@ -144,7 +149,7 @@ msgstr "Non existe a etiqueta." #: 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:93 actions/userrss.php:40 -#: actions/xrds.php:71 lib/command.php:495 lib/galleryaction.php:59 +#: actions/xrds.php:71 lib/command.php:497 lib/galleryaction.php:59 #: lib/mailbox.php:82 lib/profileaction.php:77 msgid "No such user." msgstr "Ningún usuario." @@ -211,7 +216,9 @@ msgstr "" #. TRANS: Encoutagement displayed on empty timeline user pages for anonymous users. #. TRANS: %s is a user nickname. This message contains Markdown links. Keep "](" together. -#: actions/all.php:155 actions/replies.php:210 actions/showstream.php:208 +#. TRANS: Second sentence of empty message for anonymous users. %s is a user nickname. +#. TRANS: This message contains a Markdown link. Keep "](" together. +#: actions/all.php:155 actions/replies.php:210 actions/showstream.php:227 #, php-format msgid "" "Why not [register an account](%%%%action.register%%%%) and then nudge %s or " @@ -579,8 +586,11 @@ msgstr "O nome completo é demasiado longo (max 255 car)." #. TRANS: Group edit form validation error. #. TRANS: Form validation error in New application form. #. TRANS: %d is the maximum number of characters for the description. +#. TRANS: Group create form validation error. +#. TRANS: %d is the maximum number of allowed characters. #: actions/apigroupcreate.php:220 actions/editapplication.php:201 #: actions/editgroup.php:216 actions/newapplication.php:178 +#: actions/newgroup.php:152 #, fuzzy, php-format msgid "Description is too long (maximum %d character)." msgid_plural "Description is too long (maximum %d characters)." @@ -746,14 +756,14 @@ msgstr "Non estás suscrito a ese perfil" #. TRANS: Form validation error in API OAuth authorisation because of an invalid session token. #: actions/apioauthauthorize.php:147 actions/avatarsettings.php:280 -#: actions/deletenotice.php:172 actions/disfavor.php:74 +#: actions/deletenotice.php:177 actions/disfavor.php:74 #: actions/emailsettings.php:271 actions/favor.php:75 actions/geocode.php:55 #: actions/groupblock.php:66 actions/grouplogo.php:312 #: actions/groupunblock.php:65 actions/imsettings.php:230 #: actions/invite.php:59 actions/login.php:137 actions/makeadmin.php:66 #: actions/newmessage.php:135 actions/newnotice.php:105 actions/nudge.php:80 #: actions/oauthappssettings.php:165 actions/oauthconnectionssettings.php:138 -#: actions/othersettings.php:145 actions/passwordsettings.php:138 +#: actions/othersettings.php:153 actions/passwordsettings.php:138 #: actions/profilesettings.php:221 actions/recoverpassword.php:350 #: actions/register.php:172 actions/remotesubscribe.php:77 #: actions/repeat.php:83 actions/smssettings.php:256 actions/subedit.php:40 @@ -928,21 +938,22 @@ msgstr "Non deberías eliminar o estado de outro usuario" #. TRANS: Client error displayed trying to repeat a non-existing notice through the API. #. TRANS: Client error displayed trying to display redents of a non-exiting notice. +#. TRANS: Error message displayed trying to delete a non-existing notice. #: actions/apistatusesretweet.php:74 actions/apistatusesretweets.php:70 -#: actions/deletenotice.php:58 actions/shownotice.php:92 +#: actions/deletenotice.php:61 actions/shownotice.php:92 msgid "No such notice." msgstr "Ningún chío." #. TRANS: Client error displayed trying to repeat an own notice through the API. #. TRANS: Error text shown when trying to repeat an own notice. -#: actions/apistatusesretweet.php:83 lib/command.php:535 +#: actions/apistatusesretweet.php:83 lib/command.php:537 #, fuzzy msgid "Cannot repeat your own notice." msgstr "Non se pode activar a notificación." #. TRANS: Client error displayed trying to re-repeat a notice through the API. #. TRANS: Error text shown when trying to repeat an notice that was already repeated by the user. -#: actions/apistatusesretweet.php:92 lib/command.php:541 +#: actions/apistatusesretweet.php:92 lib/command.php:543 msgid "Already repeated that notice." msgstr "Non se pode eliminar este chíos." @@ -964,7 +975,8 @@ msgstr "" #. TRANS: Client error displayed when the parameter "status" is missing. #. TRANS: %d is the maximum number of character for a notice. -#: actions/apistatusesupdate.php:244 +#: actions/apistatusesupdate.php:244 actions/newnotice.php:161 +#: lib/mailhandler.php:60 #, fuzzy, php-format msgid "That's too long. Maximum notice size is %d character." msgid_plural "That's too long. Maximum notice size is %d characters." @@ -982,7 +994,7 @@ msgstr "Método da API non atopado" #. TRANS: Client error displayed exceeding the maximum notice length. #. TRANS: %d is the maximum lenth for a notice. -#: actions/apistatusesupdate.php:308 +#: actions/apistatusesupdate.php:308 actions/newnotice.php:184 #, php-format msgid "Maximum notice size is %d character, including attachment URL." msgid_plural "Maximum notice size is %d characters, including attachment URL." @@ -1196,17 +1208,18 @@ msgstr "" msgid "Lost our file data." msgstr "" -#: actions/avatarsettings.php:384 +#. TRANS: Success message for having updated a user avatar. +#: actions/avatarsettings.php:385 msgid "Avatar updated." msgstr "Avatar actualizado." #. TRANS: Error displayed on the avatar upload page if the avatar could not be updated for an unknown reason. -#: actions/avatarsettings.php:388 +#: actions/avatarsettings.php:389 msgid "Failed updating avatar." msgstr "Acounteceu un fallo ó actualizar o avatar." #. TRANS: Success message for deleting a user avatar. -#: actions/avatarsettings.php:412 +#: actions/avatarsettings.php:413 #, fuzzy msgid "Avatar deleted." msgstr "Avatar actualizado." @@ -1239,8 +1252,8 @@ msgstr "" #. TRANS: Button label on the delete notice form. #. TRANS: Button label on the delete user form. #. TRANS: Button label on the form to block a user from a group. -#: actions/block.php:154 actions/deleteapplication.php:154 -#: actions/deletegroup.php:220 actions/deletenotice.php:150 +#: actions/block.php:154 actions/deleteapplication.php:157 +#: actions/deletegroup.php:220 actions/deletenotice.php:155 #: actions/deleteuser.php:152 actions/groupblock.php:178 #, fuzzy msgctxt "BUTTON" @@ -1260,8 +1273,8 @@ msgstr "Bloquear usuario" #. TRANS: Button label on the delete notice form. #. TRANS: Button label on the delete user form. #. TRANS: Button label on the form to block a user from a group. -#: actions/block.php:161 actions/deleteapplication.php:161 -#: actions/deletegroup.php:227 actions/deletenotice.php:157 +#: actions/block.php:161 actions/deleteapplication.php:164 +#: actions/deletegroup.php:227 actions/deletenotice.php:162 #: actions/deleteuser.php:159 actions/groupblock.php:185 #, fuzzy msgctxt "BUTTON" @@ -1383,12 +1396,13 @@ msgstr "Esa dirección xa foi confirmada." #. TRANS: Server error thrown on database error removing a registered e-mail address. #. TRANS: Server error thrown on database error updating IM preferences. #. TRANS: Server error thrown on database error removing a registered IM address. +#. TRANS: Server error displayed when "Other" settings in user profile could not be updated on the server. #. TRANS: Server error thrown when user profile settings could not be updated. #. TRANS: Server error thrown on database error updating SMS preferences. #. TRANS: Server error thrown on database error removing a registered SMS phone number. #: actions/confirmaddress.php:118 actions/emailsettings.php:331 #: actions/emailsettings.php:477 actions/imsettings.php:283 -#: actions/imsettings.php:442 actions/othersettings.php:174 +#: actions/imsettings.php:442 actions/othersettings.php:184 #: actions/profilesettings.php:326 actions/smssettings.php:308 #: actions/smssettings.php:464 msgid "Couldn't update user." @@ -1425,17 +1439,20 @@ msgstr "Código de confirmación." msgid "Notices" msgstr "Chíos" -#: actions/deleteapplication.php:63 +#. TRANS: Client error displayed trying to delete an application while not logged in. +#: actions/deleteapplication.php:62 #, fuzzy msgid "You must be logged in to delete an application." msgstr "Debes estar logueado para invitar a outros usuarios a empregar %s" +#. TRANS: Client error displayed trying to delete an application that does not exist. #: actions/deleteapplication.php:71 msgid "Application not found." msgstr "Confirmation code not found." +#. TRANS: Client error displayed trying to delete an application the current user does not own. #. TRANS: Client error displayed trying to edit an application while not being its owner. -#: actions/deleteapplication.php:78 actions/editapplication.php:78 +#: actions/deleteapplication.php:79 actions/editapplication.php:78 #: actions/showapplication.php:94 #, fuzzy msgid "You are not the owner of this application." @@ -1444,17 +1461,20 @@ msgstr "Non estás suscrito a ese perfil" #. TRANS: Client error text when there is a problem with the session token. #: actions/deleteapplication.php:102 actions/editapplication.php:131 #: actions/newapplication.php:114 actions/showapplication.php:118 -#: lib/action.php:1354 +#: lib/action.php:1404 #, 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 +#. TRANS: Title for delete application page. +#. TRANS: Fieldset legend on delete application page. +#: actions/deleteapplication.php:124 actions/deleteapplication.php:149 #, fuzzy msgid "Delete application" msgstr "Ningún chío." -#: actions/deleteapplication.php:149 +#. TRANS: Confirmation text on delete application page. +#: actions/deleteapplication.php:152 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 " @@ -1462,13 +1482,13 @@ msgid "" msgstr "" #. TRANS: Submit button title for 'No' when deleting an application. -#: actions/deleteapplication.php:158 +#: actions/deleteapplication.php:161 #, fuzzy msgid "Do not delete this application" msgstr "Non se pode eliminar este chíos." #. TRANS: Submit button title for 'Yes' when deleting an application. -#: actions/deleteapplication.php:164 +#: actions/deleteapplication.php:167 #, fuzzy msgid "Delete this application" msgstr "Eliminar chío" @@ -1506,13 +1526,14 @@ msgstr "Non se puido actualizar o usuario." msgid "Deleted group %s" msgstr "Estado de %1$s en %2$s" -#. TRANS: Title. +#. TRANS: Title of delete group page. #. TRANS: Form legend for deleting a group. #: actions/deletegroup.php:176 actions/deletegroup.php:202 #, fuzzy msgid "Delete group" msgstr "Eliminar chío" +#. TRANS: Warning in form for deleleting a group. #: actions/deletegroup.php:206 msgid "" "Are you sure you want to delete this group? This will clear all data about " @@ -1532,10 +1553,11 @@ msgstr "Non se pode eliminar este chíos." msgid "Delete this group" msgstr "Eliminar chío" +#. TRANS: Error message displayed trying to delete a notice while not logged in. #. TRANS: Client error displayed when trying to unblock a user from a group while not logged in. #. TRANS: Client error displayed trying a change a subscription while not logged in. #. TRANS: Client error message thrown when trying to access the admin panel while not logged in. -#: actions/deletenotice.php:50 actions/disfavor.php:61 actions/favor.php:62 +#: actions/deletenotice.php:52 actions/disfavor.php:61 actions/favor.php:62 #: actions/groupblock.php:61 actions/groupunblock.php:60 actions/logout.php:69 #: actions/makeadmin.php:61 actions/newmessage.php:87 actions/newnotice.php:88 #: actions/nudge.php:63 actions/subedit.php:33 actions/subscribe.php:96 @@ -1545,11 +1567,13 @@ msgstr "Eliminar chío" msgid "Not logged in." msgstr "Non está logueado." -#: actions/deletenotice.php:74 +#. TRANS: Error message displayed trying to delete a notice that was not made by the current user. +#: actions/deletenotice.php:78 msgid "Can't delete this notice." msgstr "Non se pode eliminar este chíos." -#: actions/deletenotice.php:106 +#. TRANS: Instructions for deleting a notice. +#: actions/deletenotice.php:110 #, fuzzy msgid "" "You are about to permanently delete a notice. Once this is done, it cannot " @@ -1558,22 +1582,25 @@ msgstr "" "Vas a eliminar permanentemente este chío. Unha vez feito, xa non hai volta " "atrás... Quedas avisado!" -#: actions/deletenotice.php:112 actions/deletenotice.php:144 +#. TRANS: Page title when deleting a notice. +#. TRANS: Fieldset legend for the delete notice form. +#: actions/deletenotice.php:117 actions/deletenotice.php:148 msgid "Delete notice" msgstr "Eliminar chío" -#: actions/deletenotice.php:147 +#. TRANS: Message for the delete notice form. +#: actions/deletenotice.php:152 msgid "Are you sure you want to delete this notice?" msgstr "Estas seguro que queres eliminar este chío?" #. TRANS: Submit button title for 'No' when deleting a notice. -#: actions/deletenotice.php:154 +#: actions/deletenotice.php:159 #, fuzzy msgid "Do not delete this notice" msgstr "Non se pode eliminar este chíos." #. TRANS: Submit button title for 'Yes' when deleting a notice. -#: actions/deletenotice.php:161 lib/noticelist.php:667 +#: actions/deletenotice.php:166 lib/noticelist.php:667 #, fuzzy msgid "Delete this notice" msgstr "Eliminar chío" @@ -1745,11 +1772,9 @@ msgstr "" #. TRANS: Submit button title. #: actions/designadminpanel.php:711 actions/licenseadminpanel.php:319 -#: actions/othersettings.php:126 actions/sessionsadminpanel.php:199 -#: actions/siteadminpanel.php:292 actions/sitenoticeadminpanel.php:195 +#: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:292 #: actions/snapshotadminpanel.php:245 actions/tagother.php:154 -#: actions/useradminpanel.php:295 lib/applicationeditform.php:357 -#: lib/designsettings.php:256 lib/groupeditform.php:202 +#: lib/applicationeditform.php:357 lib/designsettings.php:256 msgid "Save" msgstr "Gardar" @@ -1803,9 +1828,9 @@ msgid "Name is required." msgstr "A mesma contrasinal que arriba. Requerido." #. TRANS: Validation error shown when providing too long a name in the "Edit application" form. -#: actions/editapplication.php:188 +#: actions/editapplication.php:188 actions/newapplication.php:169 #, fuzzy -msgid "Name is too long (max 255 characters)." +msgid "Name is too long (maximum 255 characters)." msgstr "O nome completo é demasiado longo (max 255 car)." #. TRANS: Validation error shown when providing a name for an application that already exists in the "Edit application" form. @@ -1836,7 +1861,7 @@ msgid "Organization is required." msgstr "" #. TRANS: Validation error shown when providing too long an arganisation name in the "Edit application" form. -#: actions/editapplication.php:223 +#: actions/editapplication.php:223 actions/newapplication.php:199 #, fuzzy msgid "Organization is too long (maximum 255 characters)." msgstr "A localización é demasiado longa (max 255 car.)." @@ -2647,7 +2672,7 @@ msgid "Publish a MicroID for my Jabber/GTalk address." msgstr "Publicar unha MicroID dende a miña dirección de Jabber/GTalk." #. TRANS: Confirmation message for successful IM preferences save. -#: actions/imsettings.php:290 actions/othersettings.php:180 +#: actions/imsettings.php:290 actions/othersettings.php:190 msgid "Preferences saved." msgstr "Preferencias gardadas." @@ -2775,10 +2800,9 @@ msgstr[4] "Xa estas suscrito a estes usuarios:" #. TRANS: Used as list item for already subscribed users (%1$s is nickname, %2$s is e-mail address). #. TRANS: Used as list item for already registered people (%1$s is nickname, %2$s is e-mail address). -#. TRANS: Whois output. -#. TRANS: %1$s nickname of the queried user, %2$s is their profile URL. -#: actions/invite.php:145 actions/invite.php:159 lib/command.php:426 -#, php-format +#: actions/invite.php:145 actions/invite.php:159 +#, fuzzy, php-format +msgctxt "INVITE" msgid "%1$s (%2$s)" msgstr "%1$s (%2$s)" @@ -2974,8 +2998,9 @@ msgid "" msgstr "" #: actions/licenseadminpanel.php:156 -msgid "Invalid license title. Max length is 255 characters." -msgstr "" +#, fuzzy +msgid "Invalid license title. Maximum length is 255 characters." +msgstr "A localización é demasiado longa (max 255 car.)." #: actions/licenseadminpanel.php:168 msgid "Invalid license URL." @@ -3152,20 +3177,10 @@ 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:169 -#, fuzzy -msgid "Name is too long (maximum 255 chars)." -msgstr "O nome completo é demasiado longo (max 255 car)." - #: actions/newapplication.php:184 msgid "Source URL is required." msgstr "" -#: actions/newapplication.php:199 -#, fuzzy -msgid "Organization is too long (maximum 255 chars)." -msgstr "A localización é demasiado longa (max 255 car.)." - #: actions/newapplication.php:266 actions/newapplication.php:275 #, fuzzy msgid "Could not create application." @@ -3186,14 +3201,14 @@ msgid "New message" msgstr "Nova mensaxe" #. TRANS: Error text shown when trying to send a direct message to a user without a mutual subscription (each user must be subscribed to the other). -#: actions/newmessage.php:121 actions/newmessage.php:164 lib/command.php:499 +#: actions/newmessage.php:121 actions/newmessage.php:164 lib/command.php:501 msgid "You can't send a message to this user." msgstr "Non podes enviar mensaxes a este usurio." #. TRANS: Command exception text shown when trying to send a direct message to another user without content. #. TRANS: Command exception text shown when trying to reply to a notice without providing content for the reply. #: actions/newmessage.php:144 actions/newnotice.php:140 lib/command.php:478 -#: lib/command.php:579 +#: lib/command.php:581 msgid "No content!" msgstr "Sen contido!" @@ -3202,7 +3217,7 @@ msgid "No recipient specified." msgstr "Non se especificou ningún destinatario" #. TRANS: Error text shown when trying to send a direct message to self. -#: actions/newmessage.php:167 lib/command.php:503 +#: actions/newmessage.php:167 lib/command.php:505 msgid "" "Don't send a message to yourself; just say it to yourself quietly instead." msgstr "" @@ -3216,12 +3231,12 @@ msgstr "Non hai mensaxes de texto!" #. TRANS: Message given have sent a direct message to another user. #. TRANS: %s is the name of the other user. -#: actions/newmessage.php:188 lib/command.php:511 +#: actions/newmessage.php:188 lib/command.php:513 #, fuzzy, php-format msgid "Direct message to %s sent." msgstr "Mensaxe directo a %s enviado" -#: actions/newmessage.php:213 actions/newnotice.php:263 +#: actions/newmessage.php:213 actions/newnotice.php:264 msgid "Ajax Error" msgstr "Erro de Ajax" @@ -3229,17 +3244,7 @@ msgstr "Erro de Ajax" msgid "New notice" msgstr "Novo chío" -#: actions/newnotice.php:159 lib/mailhandler.php:60 -#, php-format -msgid "That's too long. Max notice size is %d chars." -msgstr "Podes actualizar a túa información do perfil persoal aquí" - -#: actions/newnotice.php:183 -#, php-format -msgid "Max notice size is %d chars, including attachment URL." -msgstr "" - -#: actions/newnotice.php:229 +#: actions/newnotice.php:230 msgid "Notice posted" msgstr "Chío publicado" @@ -3409,37 +3414,47 @@ msgstr "Procurar xente" msgid "Notice Search" msgstr "Procura de Chíos" -#: actions/othersettings.php:60 +#: actions/othersettings.php:59 msgid "Other settings" msgstr "Outras opcions" +#. TRANS: Instructions for tab "Other" in user profile settings. #: actions/othersettings.php:71 msgid "Manage various other options." msgstr "Xestionár axustes varios." -#: actions/othersettings.php:108 +#. TRANS: Used as a suffix for free URL shorteners in a dropdown list in the tab "Other" of a +#. TRANS: user's profile settings. This message has one space at the beginning. Use your +#. TRANS: language's word separator here if it has one (most likely a single space). +#: actions/othersettings.php:111 msgid " (free service)" msgstr "" -#: actions/othersettings.php:116 +#. TRANS: Label for dropdown with URL shortener services. +#: actions/othersettings.php:120 msgid "Shorten URLs with" msgstr "" -#: actions/othersettings.php:117 +#. TRANS: Tooltip for for dropdown with URL shortener services. +#: actions/othersettings.php:122 msgid "Automatic shortening service to use." msgstr "Servizo de acortado automático a usar." -#: actions/othersettings.php:122 +#. TRANS: Label for checkbox. +#: actions/othersettings.php:128 #, fuzzy msgid "View profile designs" msgstr "Configuración de perfil" -#: actions/othersettings.php:123 +#. TRANS: Tooltip for checkbox. +#: actions/othersettings.php:130 msgid "Show or hide profile designs." msgstr "" -#: actions/othersettings.php:153 -msgid "URL shortening service is too long (max 50 chars)." +#. TRANS: Form validation error for form "Other settings" in user profile. +#: actions/othersettings.php:162 +#, fuzzy +msgid "URL shortening service is too long (maximum 50 characters)." msgstr "Sistema de acortamento de URLs demasiado longo (max 50 car.)." #: actions/otp.php:69 @@ -3937,7 +3952,7 @@ msgstr "Bio" #. TRANS: Label for group location (dt). Text hidden by default. #: actions/profilesettings.php:149 actions/register.php:485 #: actions/showgroup.php:267 actions/tagother.php:112 -#: actions/userauthorization.php:166 lib/groupeditform.php:177 +#: actions/userauthorization.php:166 lib/groupeditform.php:180 #: lib/userprofile.php:165 msgid "Location" msgstr "Localización" @@ -4284,7 +4299,8 @@ msgid "Unexpected password reset." msgstr "Restauración de contrasinal non esperada." #: actions/recoverpassword.php:365 -msgid "Password must be 6 chars or more." +#, fuzzy +msgid "Password must be 6 characters or more." msgstr "A contrasinal debe ter 6 caracteres ou máis." #: actions/recoverpassword.php:369 @@ -4670,7 +4686,7 @@ msgstr "Invitación(s) enviada(s)." #. TRANS: Form input field label. #: actions/showapplication.php:187 actions/version.php:200 -#: lib/applicationeditform.php:208 lib/groupeditform.php:172 +#: lib/applicationeditform.php:208 lib/groupeditform.php:175 #, fuzzy msgid "Description" msgstr "Subscricións" @@ -4815,7 +4831,7 @@ msgid "Note" msgstr "Chíos" #. TRANS: Label for group aliases (dt). Text hidden by default. -#: actions/showgroup.php:298 lib/groupeditform.php:184 +#: actions/showgroup.php:298 lib/groupeditform.php:187 msgid "Aliases" msgstr "" @@ -4950,60 +4966,84 @@ msgstr "Mensaxe dende %1$s en %2$s" msgid "Notice deleted." msgstr "Chío publicado" -#: actions/showstream.php:72 +#. TRANS: Page title showing tagged notices in one user's stream. %1$s is the username, %2$s is the hash tag. +#: actions/showstream.php:70 #, fuzzy, php-format -msgid " tagged %s" +msgid "%1$s tagged %2$s" +msgstr "%1$s (%2$s)" + +#. TRANS: Page title showing tagged notices in one user's stream. +#. TRANS: %1$s is the username, %2$s is the hash tag, %1$d is the page number. +#: actions/showstream.php:74 +#, fuzzy, php-format +msgid "%1$s tagged %2$s, page %3$d" msgstr "Chíos tagueados con %s" -#: actions/showstream.php:78 +#. TRANS: Extended page title showing tagged notices in one user's stream. +#. TRANS: %1$s is the username, %2$d is the page number. +#: actions/showstream.php:82 #, php-format msgid "%1$s, page %2$d" msgstr "%1$s (%2$s)" -#: actions/showstream.php:120 +#. TRANS: Title for link to notice feed. +#. TRANS: %1$s is a user nickname, %2$s is a hashtag. +#: actions/showstream.php:127 #, php-format msgid "Notice feed for %1$s tagged %2$s (RSS 1.0)" msgstr "Fonte para os amigos de %s" -#: actions/showstream.php:127 +#. TRANS: Title for link to notice feed. +#. TRANS: %s is a user nickname. +#: actions/showstream.php:136 #, php-format msgid "Notice feed for %s (RSS 1.0)" msgstr "Fonte para os amigos de %s" -#: actions/showstream.php:134 +#. TRANS: Title for link to notice feed. +#. TRANS: %s is a user nickname. +#: actions/showstream.php:145 #, php-format msgid "Notice feed for %s (RSS 2.0)" msgstr "Fonte para os amigos de %s" -#: actions/showstream.php:141 +#: actions/showstream.php:152 #, php-format msgid "Notice feed for %s (Atom)" msgstr "Fonte para os amigos de %s" -#: actions/showstream.php:146 +#. TRANS: Title for link to notice feed. FOAF stands for Friend of a Friend. +#. TRANS: More information at http://www.foaf-project.org. %s is a user nickname. +#: actions/showstream.php:159 #, fuzzy, php-format msgid "FOAF for %s" msgstr "Band. Saída para %s" -#: actions/showstream.php:197 +#. TRANS: First sentence of empty list message for a stream. $1%s is a user nickname. +#: actions/showstream.php:211 #, php-format -msgid "This is the timeline for %1$s but %2$s hasn't posted anything yet." +msgid "This is the timeline for %1$s, but %1$s hasn't posted anything yet." msgstr "" -#: actions/showstream.php:202 +#. TRANS: Second sentence of empty list message for a stream for the user themselves. +#: actions/showstream.php:217 msgid "" "Seen anything interesting recently? You haven't posted any notices yet, now " "would be a good time to start :)" msgstr "" -#: actions/showstream.php:204 +#. TRANS: Second sentence of empty list message for a non-self stream. %1$s is a user nickname, %2$s is a part of a URL. +#. TRANS: This message contains a Markdown link. Keep "](" together. +#: actions/showstream.php:221 #, php-format msgid "" "You can try to nudge %1$s or [post something to them](%%%%action.newnotice%%%" "%?status_textarea=%2$s)." msgstr "" -#: actions/showstream.php:243 +#. TRANS: Announcement for anonymous users showing a stream if site registrations are open. +#. TRANS: This message contains a Markdown link. Keep "](" together. +#: actions/showstream.php:264 #, fuzzy, php-format msgid "" "**%s** has an account on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -5016,7 +5056,9 @@ 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:248 +#. TRANS: Announcement for anonymous users showing a stream if site registrations are closed or invite only. +#. TRANS: This message contains a Markdown link. Keep "](" together. +#: actions/showstream.php:271 #, fuzzy, php-format msgid "" "**%s** has an account on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -5028,7 +5070,8 @@ 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:305 +#. TRANS: Link to the author of a repeated notice. %s is a linked nickname. +#: actions/showstream.php:328 #, fuzzy, php-format msgid "Repeat of %s" msgstr "Replies to %s" @@ -5144,33 +5187,40 @@ msgstr "" msgid "How long users must wait (in seconds) to post the same thing again." msgstr "" -#: actions/sitenoticeadminpanel.php:56 +#. TRANS: Page title for site-wide notice tab in admin panel. +#: actions/sitenoticeadminpanel.php:55 msgid "Site Notice" msgstr "Chíos" -#: actions/sitenoticeadminpanel.php:67 +#. TRANS: Instructions for site-wide notice tab in admin panel. +#: actions/sitenoticeadminpanel.php:66 #, fuzzy msgid "Edit site-wide message" msgstr "Nova mensaxe" -#: actions/sitenoticeadminpanel.php:103 +#. TRANS: Server error displayed when saving a site-wide notice was impossible. +#: actions/sitenoticeadminpanel.php:101 #, fuzzy msgid "Unable to save site notice." msgstr "Non se puideron gardar os teus axustes de Twitter!" -#: actions/sitenoticeadminpanel.php:113 -msgid "Max length for the site-wide notice is 255 chars." +#. TRANS: Client error displayed when a site-wide notice was longer than allowed. +#: actions/sitenoticeadminpanel.php:112 +msgid "Maximum length for the site-wide notice is 255 characters." msgstr "" +#. TRANS: Label for site-wide notice text field in admin panel. #: actions/sitenoticeadminpanel.php:176 msgid "Site notice text" msgstr "Eliminar chío" -#: actions/sitenoticeadminpanel.php:178 -msgid "Site-wide notice text (255 chars max; HTML okay)" +#. TRANS: Tooltip for site-wide notice text field in admin panel. +#: actions/sitenoticeadminpanel.php:179 +msgid "Site-wide notice text (255 characters maximum; HTML allowed)" msgstr "" -#: actions/sitenoticeadminpanel.php:198 +#. TRANS: Title for button to save site notice in admin panel. +#: actions/sitenoticeadminpanel.php:201 msgid "Save site notice" msgstr "Eliminar chío" @@ -5635,83 +5685,100 @@ msgid "" msgstr "" #. TRANS: User admin panel title -#: actions/useradminpanel.php:60 +#: actions/useradminpanel.php:58 #, fuzzy msgctxt "TITLE" msgid "User" msgstr "Usuario" -#: actions/useradminpanel.php:71 +#. TRANS: Instruction for user admin panel. +#: actions/useradminpanel.php:69 msgid "User settings for this StatusNet site" msgstr "" -#: actions/useradminpanel.php:150 +#. TRANS: Form validation error in user admin panel when a non-numeric character limit was set. +#: actions/useradminpanel.php:147 msgid "Invalid bio limit. Must be numeric." msgstr "" -#: actions/useradminpanel.php:156 -msgid "Invalid welcome text. Max length is 255 characters." +#. TRANS: Form validation error in user admin panel when welcome text is too long. +#: actions/useradminpanel.php:154 +msgid "Invalid welcome text. Maximum length is 255 characters." msgstr "" +#. TRANS: Client error displayed when trying to set a non-existing user as default subscription for new +#. TRANS: users in user admin panel. %1$s is the invalid nickname. #: actions/useradminpanel.php:166 #, php-format -msgid "Invalid default subscripton: '%1$s' is not user." +msgid "Invalid default subscripton: '%1$s' is not a user." msgstr "" #. TRANS: Link description in user account settings menu. -#: actions/useradminpanel.php:219 lib/accountsettingsaction.php:106 +#: actions/useradminpanel.php:215 lib/accountsettingsaction.php:106 #: lib/personalgroupnav.php:109 msgid "Profile" msgstr "Perfil" -#: actions/useradminpanel.php:223 +#. TRANS: Field label in user admin panel for setting the character limit for the bio field. +#: actions/useradminpanel.php:220 msgid "Bio Limit" msgstr "" -#: actions/useradminpanel.php:224 +#. TRANS: Tooltip in user admin panel for setting the character limit for the bio field. +#: actions/useradminpanel.php:222 msgid "Maximum length of a profile bio in characters." msgstr "" -#: actions/useradminpanel.php:232 +#. TRANS: Form legend in user admin panel. +#: actions/useradminpanel.php:231 #, fuzzy msgid "New users" msgstr "Invitar a novos usuarios" +#. TRANS: Field label in user admin panel for setting new user welcome text. #: actions/useradminpanel.php:236 msgid "New user welcome" msgstr "" -#: actions/useradminpanel.php:237 -msgid "Welcome text for new users (Max 255 chars)." -msgstr "" +#. TRANS: Tooltip in user admin panel for setting new user welcome text. +#: actions/useradminpanel.php:238 +#, fuzzy +msgid "Welcome text for new users (maximum 255 characters)." +msgstr "O nome completo é demasiado longo (max 255 car)." -#: actions/useradminpanel.php:242 +#. TRANS: Field label in user admin panel for setting default subscription for new users. +#: actions/useradminpanel.php:244 #, fuzzy msgid "Default subscription" msgstr "Tódalas subscricións" -#: actions/useradminpanel.php:243 +#. TRANS: Tooltip in user admin panel for setting default subscription for new users. +#: actions/useradminpanel.php:246 #, 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:252 +#. TRANS: Form legend in user admin panel. +#: actions/useradminpanel.php:256 #, fuzzy msgid "Invitations" msgstr "Invitación(s) enviada(s)." -#: actions/useradminpanel.php:257 +#. TRANS: Field label for checkbox in user admin panel for allowing users to invite friend using site e-mail. +#: actions/useradminpanel.php:262 #, fuzzy msgid "Invitations enabled" msgstr "Invitación(s) enviada(s)." -#: actions/useradminpanel.php:259 +#. TRANS: Tooltip for checkbox in user admin panel for allowing users to invite friend using site e-mail. +#: actions/useradminpanel.php:265 msgid "Whether to allow users to invite new users." msgstr "" -#: actions/useradminpanel.php:295 +#. TRANS: Title for button to save user settings in user admin panel. +#: actions/useradminpanel.php:302 msgid "Save user settings" msgstr "" @@ -5914,7 +5981,7 @@ msgid "Plugins" msgstr "" #. TRANS: Secondary navigation menu option leading to version information on the StatusNet site. -#: actions/version.php:198 lib/action.php:831 +#: actions/version.php:198 lib/action.php:880 #, fuzzy msgid "Version" msgstr "Persoal" @@ -6132,16 +6199,23 @@ msgstr "Non se pode gardar a subscrición." msgid "RT @%1$s %2$s" msgstr "RT @%1$s %2$s" +#. TRANS: Full name of a profile or group followed by nickname in parens +#: classes/Profile.php:164 +#, fuzzy, php-format +msgctxt "FANCYNAME" +msgid "%1$s (%2$s)" +msgstr "%1$s (%2$s)" + #. TRANS: Exception thrown when trying to revoke an existing role for a user that does not exist. #. TRANS: %1$s is the role name, %2$s is the user ID (number). -#: classes/Profile.php:791 +#: classes/Profile.php:812 #, php-format msgid "Cannot revoke role \"%1$s\" for user #%2$d; does not exist." msgstr "" #. TRANS: Exception thrown when trying to revoke a role for a user with a failing database query. #. TRANS: %1$s is the role name, %2$s is the user ID (number). -#: classes/Profile.php:800 +#: classes/Profile.php:821 #, php-format msgid "Cannot revoke role \"%1$s\" for user #%2$d; database error." msgstr "" @@ -6295,51 +6369,57 @@ msgstr "%1$s (%2$s)" msgid "Untitled page" msgstr "" +#. TRANS: Localized tooltip for '...' expansion button on overlong remote messages. +#: lib/action.php:310 +msgctxt "TOOLTIP" +msgid "Show more" +msgstr "" + #. TRANS: DT element for primary navigation menu. String is hidden in default CSS. -#: lib/action.php:477 +#: lib/action.php:526 msgid "Primary site navigation" msgstr "" #. TRANS: Tooltip for main menu option "Personal" -#: lib/action.php:483 +#: lib/action.php:532 msgctxt "TOOLTIP" msgid "Personal profile and friends timeline" msgstr "" #. TRANS: Main menu option when logged in for access to personal profile and friends timeline -#: lib/action.php:486 +#: lib/action.php:535 #, fuzzy msgctxt "MENU" msgid "Personal" msgstr "Persoal" #. TRANS: Tooltip for main menu option "Account" -#: lib/action.php:488 +#: lib/action.php:537 #, fuzzy msgctxt "TOOLTIP" msgid "Change your email, avatar, password, profile" msgstr "Cambiar contrasinal" #. TRANS: Main menu option when logged in for access to user settings -#: lib/action.php:491 +#: lib/action.php:540 #, fuzzy msgid "Account" msgstr "Sobre" #. TRANS: Tooltip for main menu option "Services" -#: lib/action.php:493 +#: lib/action.php:542 #, fuzzy msgctxt "TOOLTIP" msgid "Connect to services" msgstr "Non se pode redireccionar ao servidor: %s" #. TRANS: Main menu option when logged in and connection are possible for access to options to connect to other services -#: lib/action.php:496 +#: lib/action.php:545 msgid "Connect" msgstr "Conectar" #. TRANS: Tooltip for menu option "Admin" -#: lib/action.php:499 +#: lib/action.php:548 #, fuzzy msgctxt "TOOLTIP" msgid "Change site configuration" @@ -6347,13 +6427,13 @@ msgstr "Navegación de subscricións" #. TRANS: Main menu option when logged in and site admin for access to site configuration #. TRANS: Menu item in the group navigation page. Only shown for group administrators. -#: lib/action.php:502 lib/groupnav.php:117 +#: lib/action.php:551 lib/groupnav.php:117 msgctxt "MENU" msgid "Admin" msgstr "" #. TRANS: Tooltip for main menu option "Invite" -#: lib/action.php:506 +#: lib/action.php:555 #, fuzzy, php-format msgctxt "TOOLTIP" msgid "Invite friends and colleagues to join you on %s" @@ -6362,74 +6442,74 @@ msgstr "" "este servizo." #. TRANS: Main menu option when logged in and invitations are allowed for inviting new users -#: lib/action.php:509 +#: lib/action.php:558 #, fuzzy msgctxt "MENU" msgid "Invite" msgstr "Invitar" #. TRANS: Tooltip for main menu option "Logout" -#: lib/action.php:515 +#: lib/action.php:564 msgctxt "TOOLTIP" msgid "Logout from the site" msgstr "" #. TRANS: Main menu option when logged in to log out the current user -#: lib/action.php:518 +#: lib/action.php:567 #, fuzzy msgctxt "MENU" msgid "Logout" msgstr "Sair" #. TRANS: Tooltip for main menu option "Register" -#: lib/action.php:523 +#: lib/action.php:572 #, fuzzy msgctxt "TOOLTIP" msgid "Create an account" msgstr "Crear nova conta" #. TRANS: Main menu option when not logged in to register a new account -#: lib/action.php:526 +#: lib/action.php:575 #, fuzzy msgctxt "MENU" msgid "Register" msgstr "Rexistrar" #. TRANS: Tooltip for main menu option "Login" -#: lib/action.php:529 +#: lib/action.php:578 msgctxt "TOOLTIP" msgid "Login to the site" msgstr "" #. TRANS: Main menu option when not logged in to log in -#: lib/action.php:532 +#: lib/action.php:581 #, fuzzy msgctxt "MENU" msgid "Login" msgstr "Inicio de sesión" #. TRANS: Tooltip for main menu option "Help" -#: lib/action.php:535 +#: lib/action.php:584 #, fuzzy msgctxt "TOOLTIP" msgid "Help me!" msgstr "Axuda" #. TRANS: Main menu option for help on the StatusNet site -#: lib/action.php:538 +#: lib/action.php:587 #, fuzzy msgctxt "MENU" msgid "Help" msgstr "Axuda" #. TRANS: Tooltip for main menu option "Search" -#: lib/action.php:541 +#: lib/action.php:590 msgctxt "TOOLTIP" msgid "Search for people or text" msgstr "" #. TRANS: Main menu option when logged in or when the StatusNet instance is not private -#: lib/action.php:544 +#: lib/action.php:593 #, fuzzy msgctxt "MENU" msgid "Search" @@ -6437,70 +6517,71 @@ msgstr "Buscar" #. TRANS: DT element for site notice. String is hidden in default CSS. #. TRANS: Menu item for site administration -#: lib/action.php:566 lib/adminpanelaction.php:387 +#: lib/action.php:615 lib/adminpanelaction.php:387 #, fuzzy msgid "Site notice" msgstr "Novo chío" #. TRANS: DT element for local views block. String is hidden in default CSS. -#: lib/action.php:633 +#: lib/action.php:682 msgid "Local views" msgstr "" #. TRANS: DT element for page notice. String is hidden in default CSS. -#: lib/action.php:703 +#: lib/action.php:752 #, fuzzy msgid "Page notice" msgstr "Novo chío" #. TRANS: DT element for secondary navigation menu. String is hidden in default CSS. -#: lib/action.php:804 +#: lib/action.php:853 #, fuzzy msgid "Secondary site navigation" msgstr "Navegación de subscricións" #. TRANS: Secondary navigation menu option leading to help on StatusNet. -#: lib/action.php:810 +#: lib/action.php:859 msgid "Help" msgstr "Axuda" #. TRANS: Secondary navigation menu option leading to text about StatusNet site. -#: lib/action.php:813 +#: lib/action.php:862 msgid "About" msgstr "Sobre" #. TRANS: Secondary navigation menu option leading to Frequently Asked Questions. -#: lib/action.php:816 +#: lib/action.php:865 msgid "FAQ" msgstr "Preguntas frecuentes" #. TRANS: Secondary navigation menu option leading to Terms of Service. -#: lib/action.php:821 +#: lib/action.php:870 msgid "TOS" msgstr "" #. TRANS: Secondary navigation menu option leading to privacy policy. -#: lib/action.php:825 +#: lib/action.php:874 msgid "Privacy" msgstr "Privacidade" -#. TRANS: Secondary navigation menu option. -#: lib/action.php:828 +#. TRANS: Secondary navigation menu option. Leads to information about StatusNet and its license. +#: lib/action.php:877 msgid "Source" msgstr "Fonte" -#. TRANS: Secondary navigation menu option leading to contact information on the StatusNet site. -#: lib/action.php:834 +#. TRANS: Secondary navigation menu option leading to e-mail contact information on the +#. TRANS: StatusNet site, where to report bugs, ... +#: lib/action.php:884 msgid "Contact" msgstr "Contacto" -#. TRANS: Secondary navigation menu option. -#: lib/action.php:837 +#. TRANS: Secondary navigation menu option. Leads to information about embedding a timeline widget. +#: lib/action.php:887 msgid "Badge" msgstr "" #. TRANS: DT element for StatusNet software license. -#: lib/action.php:866 +#: lib/action.php:916 msgid "StatusNet software license" msgstr "" @@ -6508,7 +6589,7 @@ msgstr "" #. TRANS: Text between [] is a link description, text between () is the link itself. #. TRANS: Make sure there is no whitespace between "]" and "(". #. TRANS: "%%site.broughtby%%" is the value of the variable site.broughtby -#: lib/action.php:873 +#: lib/action.php:923 #, fuzzy, php-format msgid "" "**%%site.name%%** is a microblogging service brought to you by [%%site." @@ -6518,7 +6599,7 @@ msgstr "" "broughtby%%](%%site.broughtbyurl%%). " #. TRANS: First sentence of the StatusNet site license. Used if 'broughtby' is not set. -#: lib/action.php:876 +#: lib/action.php:926 #, php-format msgid "**%%site.name%%** is a microblogging service." msgstr "**%%site.name%%** é un servizo de microbloguexo." @@ -6527,7 +6608,7 @@ msgstr "**%%site.name%%** é un servizo de microbloguexo." #. TRANS: Make sure there is no whitespace between "]" and "(". #. TRANS: Text between [] is a link description, text between () is the link itself. #. TRANS: %s is the version of StatusNet that is being used. -#: lib/action.php:883 +#: lib/action.php:933 #, php-format msgid "" "It runs the [StatusNet](http://status.net/) microblogging software, version %" @@ -6539,51 +6620,51 @@ msgstr "" "fsf.org/licensing/licenses/agpl-3.0.html)." #. TRANS: DT element for StatusNet site content license. -#: lib/action.php:899 +#: lib/action.php:949 #, fuzzy msgid "Site content license" msgstr "Atopar no contido dos chíos" #. TRANS: Content license displayed when license is set to 'private'. #. TRANS: %1$s is the site name. -#: lib/action.php:906 +#: lib/action.php:956 #, php-format msgid "Content and data of %1$s are private and confidential." msgstr "" #. TRANS: Content license displayed when license is set to 'allrightsreserved'. #. TRANS: %1$s is the copyright owner. -#: lib/action.php:913 +#: lib/action.php:963 #, php-format msgid "Content and data copyright by %1$s. All rights reserved." msgstr "" #. TRANS: Content license displayed when license is set to 'allrightsreserved' and no owner is set. -#: lib/action.php:917 +#: lib/action.php:967 msgid "Content and data copyright by contributors. All rights reserved." msgstr "" #. TRANS: license message in footer. #. TRANS: %1$s is the site name, %2$s is a link to the license URL, with a licence name set in configuration. -#: lib/action.php:949 +#: lib/action.php:999 #, php-format msgid "All %1$s content and data are available under the %2$s license." msgstr "" #. TRANS: DT element for pagination (previous/next, etc.). -#: lib/action.php:1285 +#: lib/action.php:1335 msgid "Pagination" msgstr "" #. TRANS: Pagination message to go to a page displaying information more in the #. TRANS: present than the currently displayed information. -#: lib/action.php:1296 +#: lib/action.php:1346 msgid "After" msgstr "Outros" #. TRANS: Pagination message to go to a page displaying information more in the #. TRANS: past than the currently displayed information. -#: lib/action.php:1306 +#: lib/action.php:1356 #, fuzzy msgid "Before" msgstr "Antes »" @@ -6950,7 +7031,7 @@ msgid "AJAX error" msgstr "Erro de Ajax" #. TRANS: E-mail subject when a command has completed. -#: lib/channel.php:233 lib/mailhandler.php:142 +#: lib/channel.php:233 lib/mailhandler.php:143 msgid "Command complete" msgstr "Comando completo" @@ -6967,7 +7048,7 @@ msgstr "Non se atopou un perfil con ese ID." #. TRANS: Command exception text shown when a last user notice is requested and it does not exist. #. TRANS: Error text shown when a last user notice is requested and it does not exist. -#: lib/command.php:99 lib/command.php:626 +#: lib/command.php:99 lib/command.php:630 #, fuzzy msgid "User has no last notice." msgstr "O usuario non ten último chio." @@ -7037,6 +7118,14 @@ msgstr "" msgid "%1$s left group %2$s." msgstr "" +#. TRANS: Whois output. +#. TRANS: %1$s nickname of the queried user, %2$s is their profile URL. +#: lib/command.php:426 +#, fuzzy, php-format +msgctxt "WHOIS" +msgid "%1$s (%2$s)" +msgstr "%1$s (%2$s)" + #. TRANS: Whois output. %s is the full name of the queried user. #: lib/command.php:430 #, php-format @@ -7074,130 +7163,150 @@ msgid "" "same server." msgstr "" -#. TRANS: Message given if content is too long. +#. TRANS: Message given if content is too long. %1$sd is used for plural. #. TRANS: %1$d is the maximum number of characters, %2$d is the number of submitted characters. #: lib/command.php:488 #, 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 " +msgid "Message too long - maximum is %1$d character, you sent %2$d." +msgid_plural "Message too long - maximum is %1$d characters, you sent %2$d." +msgstr[0] "" +"Mensaxe demasiado longa - o máximo é 140 caracteres, ti enviaches %d " +msgstr[1] "" +"Mensaxe demasiado longa - o máximo é 140 caracteres, ti enviaches %d " +msgstr[2] "" +"Mensaxe demasiado longa - o máximo é 140 caracteres, ti enviaches %d " +msgstr[3] "" +"Mensaxe demasiado longa - o máximo é 140 caracteres, ti enviaches %d " +msgstr[4] "" +"Mensaxe demasiado longa - o máximo é 140 caracteres, ti enviaches %d " #. TRANS: Error text shown sending a direct message fails with an unknown reason. -#: lib/command.php:514 +#: lib/command.php:516 msgid "Error sending direct message." msgstr "Erro ó enviar a mensaxe directa." #. TRANS: Message given having repeated a notice from another user. #. TRANS: %s is the name of the user for which the notice was repeated. -#: lib/command.php:551 +#: lib/command.php:553 #, fuzzy, php-format msgid "Notice from %s repeated." msgstr "Chío publicado" #. TRANS: Error text shown when repeating a notice fails with an unknown reason. -#: lib/command.php:554 +#: lib/command.php:556 msgid "Error repeating notice." msgstr "Acounteceu un erro configurando o usuario." -#. TRANS: Message given if content of a notice for a reply is too long. +#. TRANS: Message given if content of a notice for a reply is too long. %1$d is used for plural. #. TRANS: %1$d is the maximum number of characters, %2$d is the number of submitted characters. -#: lib/command.php:589 +#: lib/command.php:591 #, fuzzy, php-format -msgid "Notice too long - maximum is %1$d characters, you sent %2$d." -msgstr "Mensaxe demasiado longa - o máximo é 140 caracteres, ti enviaches %d " +msgid "Notice too long - maximum is %1$d character, you sent %2$d." +msgid_plural "Notice too long - maximum is %1$d characters, you sent %2$d." +msgstr[0] "" +"Mensaxe demasiado longa - o máximo é 140 caracteres, ti enviaches %d " +msgstr[1] "" +"Mensaxe demasiado longa - o máximo é 140 caracteres, ti enviaches %d " +msgstr[2] "" +"Mensaxe demasiado longa - o máximo é 140 caracteres, ti enviaches %d " +msgstr[3] "" +"Mensaxe demasiado longa - o máximo é 140 caracteres, ti enviaches %d " +msgstr[4] "" +"Mensaxe demasiado longa - o máximo é 140 caracteres, ti enviaches %d " #. TRANS: Text shown having sent a reply to a notice successfully. #. TRANS: %s is the nickname of the user of the notice the reply was sent to. -#: lib/command.php:600 +#: lib/command.php:604 #, fuzzy, php-format msgid "Reply to %s sent." msgstr "Non se pode eliminar este chíos." #. TRANS: Error text shown when a reply to a notice fails with an unknown reason. -#: lib/command.php:603 +#: lib/command.php:607 #, fuzzy msgid "Error saving notice." msgstr "Aconteceu un erro ó gardar o chío." #. TRANS: Error text shown when no username was provided when issuing a subscribe command. -#: lib/command.php:650 +#: lib/command.php:654 #, fuzzy msgid "Specify the name of the user to subscribe to." msgstr "Especifica o nome do usuario ó que queres suscribirte" #. TRANS: Command exception text shown when trying to subscribe to an OMB profile using the subscribe command. -#: lib/command.php:659 +#: lib/command.php:663 #, fuzzy msgid "Can't subscribe to OMB profiles by command." msgstr "Non estás suscrito a ese perfil" #. TRANS: Text shown after having subscribed to another user successfully. #. TRANS: %s is the name of the user the subscription was requested for. -#: lib/command.php:667 +#: lib/command.php:671 #, php-format msgid "Subscribed to %s." msgstr "" #. TRANS: Error text shown when no username was provided when issuing an unsubscribe command. #. TRANS: Error text shown when no username was provided when issuing the command. -#: lib/command.php:688 lib/command.php:799 +#: lib/command.php:692 lib/command.php:803 #, fuzzy msgid "Specify the name of the user to unsubscribe from." msgstr "Especifica o nome de usuario ó que queres deixar de seguir" #. TRANS: Text shown after having unsubscribed from another user successfully. #. TRANS: %s is the name of the user the unsubscription was requested for. -#: lib/command.php:699 +#: lib/command.php:703 #, php-format msgid "Unsubscribed from %s." msgstr "" #. TRANS: Error text shown when issuing the command "off" with a setting which has not yet been implemented. #. TRANS: Error text shown when issuing the command "on" with a setting which has not yet been implemented. -#: lib/command.php:719 lib/command.php:745 +#: lib/command.php:723 lib/command.php:749 msgid "Command not yet implemented." msgstr "Comando non implementado." #. TRANS: Text shown when issuing the command "off" successfully. -#: lib/command.php:723 +#: lib/command.php:727 msgid "Notification off." msgstr "Notificación desactivada." #. TRANS: Error text shown when the command "off" fails for an unknown reason. -#: lib/command.php:726 +#: lib/command.php:730 msgid "Can't turn off notification." msgstr "No se pode desactivar a notificación." #. TRANS: Text shown when issuing the command "on" successfully. -#: lib/command.php:749 +#: lib/command.php:753 msgid "Notification on." msgstr "Notificación habilitada." #. TRANS: Error text shown when the command "on" fails for an unknown reason. -#: lib/command.php:752 +#: lib/command.php:756 msgid "Can't turn on notification." msgstr "Non se pode activar a notificación." #. TRANS: Error text shown when issuing the login command while login is disabled. -#: lib/command.php:766 +#: lib/command.php:770 msgid "Login command is disabled." msgstr "" #. TRANS: Text shown after issuing the login command successfully. #. TRANS: %s is a logon link.. -#: lib/command.php:779 +#: lib/command.php:783 #, php-format msgid "This link is useable only once and is valid for only 2 minutes: %s." msgstr "" #. TRANS: Text shown after issuing the lose command successfully (stop another user from following the current user). #. TRANS: %s is the name of the user the unsubscription was requested for. -#: lib/command.php:808 +#: lib/command.php:812 #, php-format msgid "Unsubscribed %s." msgstr "" #. TRANS: Text shown after requesting other users a user is subscribed to without having any subscriptions. -#: lib/command.php:826 +#: lib/command.php:830 #, fuzzy msgid "You are not subscribed to anyone." msgstr "Non estás suscrito a ese perfil" @@ -7205,7 +7314,7 @@ msgstr "Non estás suscrito a ese perfil" #. TRANS: Text shown after requesting other users a user is subscribed to. #. TRANS: This message supports plural forms. This message is followed by a #. TRANS: hard coded space and a comma separated list of subscribed users. -#: lib/command.php:831 +#: lib/command.php:835 msgid "You are subscribed to this person:" msgid_plural "You are subscribed to these people:" msgstr[0] "Xa estas suscrito a estes usuarios:" @@ -7216,7 +7325,7 @@ msgstr[4] "" #. TRANS: Text shown after requesting other users that are subscribed to a user #. TRANS: (followers) without having any subscribers. -#: lib/command.php:853 +#: lib/command.php:857 #, fuzzy msgid "No one is subscribed to you." msgstr "Outro usuario non se puido suscribir a ti." @@ -7224,7 +7333,7 @@ msgstr "Outro usuario non se puido suscribir a ti." #. TRANS: Text shown after requesting other users that are subscribed to a user (followers). #. TRANS: This message supports plural forms. This message is followed by a #. TRANS: hard coded space and a comma separated list of subscribing users. -#: lib/command.php:858 +#: lib/command.php:862 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." @@ -7235,7 +7344,7 @@ msgstr[4] "" #. TRANS: Text shown after requesting groups a user is subscribed to without having #. TRANS: any group subscriptions. -#: lib/command.php:880 +#: lib/command.php:884 #, fuzzy msgid "You are not a member of any groups." msgstr "Non estás suscrito a ese perfil" @@ -7243,7 +7352,7 @@ msgstr "Non estás suscrito a ese perfil" #. TRANS: Text shown after requesting groups a user is subscribed to. #. TRANS: This message supports plural forms. This message is followed by a #. TRANS: hard coded space and a comma separated list of subscribed groups. -#: lib/command.php:885 +#: lib/command.php:889 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" @@ -7253,7 +7362,7 @@ msgstr[3] "" msgstr[4] "" #. TRANS: Help text for commands. Do not translate the command names themselves; they are fixed strings. -#: lib/command.php:900 +#: lib/command.php:904 #, fuzzy msgid "" "Commands:\n" @@ -7474,7 +7583,7 @@ msgstr "" #: lib/groupeditform.php:163 #, fuzzy -msgid "URL of the homepage or blog of the group or topic" +msgid "URL of the homepage or blog of the group or topic." msgstr "Enderezo da túa páxina persoal, blogue, ou perfil noutro sitio" #: lib/groupeditform.php:168 @@ -7484,19 +7593,33 @@ msgstr "Contanos un pouco de ti e dos teus intereses en 140 caractéres." #: lib/groupeditform.php:170 #, fuzzy, php-format -msgid "Describe the group or topic in %d characters" -msgstr "Contanos un pouco de ti e dos teus intereses en 140 caractéres." +msgid "Describe the group or topic in %d character or less" +msgid_plural "Describe the group or topic in %d characters or less" +msgstr[0] "Contanos un pouco de ti e dos teus intereses en 140 caractéres." +msgstr[1] "Contanos un pouco de ti e dos teus intereses en 140 caractéres." +msgstr[2] "Contanos un pouco de ti e dos teus intereses en 140 caractéres." +msgstr[3] "Contanos un pouco de ti e dos teus intereses en 140 caractéres." +msgstr[4] "Contanos un pouco de ti e dos teus intereses en 140 caractéres." -#: lib/groupeditform.php:179 +#: lib/groupeditform.php:182 #, fuzzy msgid "" -"Location for the group, if any, like \"City, State (or Region), Country\"" +"Location for the group, if any, like \"City, State (or Region), Country\"." msgstr "¿Onde estas, coma \"Cidade, Provincia, País\"" -#: lib/groupeditform.php:187 +#: lib/groupeditform.php:190 #, php-format -msgid "Extra nicknames for the group, comma- or space- separated, max %d" -msgstr "" +msgid "" +"Extra nicknames for the group, separated with commas or spaces. Maximum %d " +"alias allowed." +msgid_plural "" +"Extra nicknames for the group, separated with commas or spaces. Maximum %d " +"aliases allowed." +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" +msgstr[3] "" +msgstr[4] "" #. TRANS: Menu item in the group navigation page. #: lib/groupnav.php:86 @@ -8023,7 +8146,7 @@ msgstr "Ise é un enderezo IM incorrecto." msgid "Sorry, no incoming email allowed." msgstr "Aivá, non se permiten correos entrantes." -#: lib/mailhandler.php:228 +#: lib/mailhandler.php:229 #, fuzzy, php-format msgid "Unsupported message type: %s" msgstr "Formato de ficheiro de imaxe non soportado." @@ -8387,17 +8510,18 @@ msgid "Sandbox this user" msgstr "Bloquear usuario" #. TRANS: Fieldset legend for the search form. -#: lib/searchaction.php:121 +#: lib/searchaction.php:120 #, fuzzy msgid "Search site" msgstr "Buscar" #. TRANS: Used as a field label for the field where one or more keywords #. TRANS: for searching can be entered. -#: lib/searchaction.php:129 +#: lib/searchaction.php:128 msgid "Keyword(s)" msgstr "" +#. TRANS: Button text for searching site. #: lib/searchaction.php:130 msgctxt "BUTTON" msgid "Search" @@ -8494,8 +8618,8 @@ msgid "The theme file is missing or the upload failed." msgstr "" #: lib/themeuploader.php:91 lib/themeuploader.php:102 -#: lib/themeuploader.php:278 lib/themeuploader.php:282 -#: lib/themeuploader.php:290 lib/themeuploader.php:297 +#: lib/themeuploader.php:279 lib/themeuploader.php:283 +#: lib/themeuploader.php:291 lib/themeuploader.php:298 #, fuzzy msgid "Failed saving theme." msgstr "Acounteceu un fallo ó actualizar o avatar." @@ -8506,29 +8630,35 @@ msgstr "" #: lib/themeuploader.php:166 #, php-format -msgid "Uploaded theme is too large; must be less than %d bytes uncompressed." -msgstr "" +msgid "Uploaded theme is too large; must be less than %d byte uncompressed." +msgid_plural "" +"Uploaded theme is too large; must be less than %d bytes uncompressed." +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" +msgstr[3] "" +msgstr[4] "" -#: lib/themeuploader.php:178 +#: lib/themeuploader.php:179 msgid "Invalid theme archive: missing file css/display.css" msgstr "" -#: lib/themeuploader.php:218 +#: lib/themeuploader.php:219 msgid "" "Theme contains invalid file or folder name. Stick with ASCII letters, " "digits, underscore, and minus sign." msgstr "" -#: lib/themeuploader.php:224 +#: lib/themeuploader.php:225 msgid "Theme contains unsafe file extension names; may be unsafe." msgstr "" -#: lib/themeuploader.php:241 +#: lib/themeuploader.php:242 #, php-format msgid "Theme contains file of type '.%s', which is not allowed." msgstr "" -#: lib/themeuploader.php:259 +#: lib/themeuploader.php:260 msgid "Error opening theme archive." msgstr "Acounteceu un erro borrando o bloqueo." @@ -8738,20 +8868,40 @@ msgstr[3] "" msgstr[4] "" "Mensaxe demasiado longa - o máximo é 140 caracteres, ti enviaches %d " -#: scripts/restoreuser.php:82 +#. TRANS: Commandline script output. %s is the filename that contains a backup for a user. +#: scripts/restoreuser.php:61 #, php-format -msgid "Backup file for user %s (%s)" +msgid "Getting backup from file '%s'." msgstr "" -#: scripts/restoreuser.php:88 +#. TRANS: Commandline script output. +#: scripts/restoreuser.php:91 #, fuzzy msgid "No user specified; using backup user." msgstr "Non se especificou ningún perfil." -#: scripts/restoreuser.php:94 +#. TRANS: Commandline script output. %d is the number of entries in the activity stream in backup; used for plural. +#: scripts/restoreuser.php:98 #, php-format -msgid "%d entries in backup." -msgstr "" +msgid "%d entry in backup." +msgid_plural "%d entries in backup." +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" +msgstr[3] "" +msgstr[4] "" -#~ msgid "Description is too long (max %d chars)." -#~ msgstr "O teu Bio é demasiado longo (max %d car.)." +#, fuzzy +#~ msgid "Name is too long (maximum 255 chars)." +#~ msgstr "O nome completo é demasiado longo (max 255 car)." + +#, fuzzy +#~ msgid "Organization is too long (maximum 255 chars)." +#~ msgstr "A localización é demasiado longa (max 255 car.)." + +#~ msgid "That's too long. Max notice size is %d chars." +#~ msgstr "Podes actualizar a túa información do perfil persoal aquí" + +#, fuzzy +#~ msgid " tagged %s" +#~ msgstr "Chíos tagueados con %s" diff --git a/locale/gl/LC_MESSAGES/statusnet.po b/locale/gl/LC_MESSAGES/statusnet.po index ab9374d1f1..a5e70638f2 100644 --- a/locale/gl/LC_MESSAGES/statusnet.po +++ b/locale/gl/LC_MESSAGES/statusnet.po @@ -11,17 +11,17 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet - Core\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-10-30 23:18+0000\n" -"PO-Revision-Date: 2010-10-30 23:20:19+0000\n" +"POT-Creation-Date: 2010-11-02 22:51+0000\n" +"PO-Revision-Date: 2010-11-02 22:53:20+0000\n" "Language-Team: Galician \n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r75708); Translate extension (2010-09-17)\n" +"X-Generator: MediaWiki 1.17alpha (r75875); Translate extension (2010-09-17)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: gl\n" "X-Message-Group: #out-statusnet-core\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-POT-Import-Date: 2010-10-30 09:48:40+0000\n" +"X-POT-Import-Date: 2010-10-30 23:42:01+0000\n" #. TRANS: Page title for Access admin panel that allows configuring site access. #. TRANS: Menu item for site administration @@ -78,15 +78,20 @@ msgstr "Gardar a configuración de acceso" #. TRANS: Tooltip for button to save access settings in site admin panel. #. TRANS: Button label to save e-mail preferences. #. TRANS: Button label to save IM preferences. +#. TRANS: Button text for saving "Other settings" in profile. #. TRANS: Button text to store form data in the Paths admin panel. #. TRANS: Button to save input in profile settings. +#. TRANS: Button text for saving site notice in admin panel. #. TRANS: Button label to save SMS preferences. #. TRANS: Save button for settings for a profile in a subscriptions list. +#. TRANS: Button text to save user settings in user admin panel. #. TRANS: Button label in the "Edit application" form. #: actions/accessadminpanel.php:193 actions/emailsettings.php:228 -#: actions/imsettings.php:187 actions/pathsadminpanel.php:512 -#: actions/profilesettings.php:201 actions/smssettings.php:209 -#: actions/subscriptions.php:246 lib/applicationeditform.php:355 +#: actions/imsettings.php:187 actions/othersettings.php:134 +#: actions/pathsadminpanel.php:512 actions/profilesettings.php:201 +#: actions/sitenoticeadminpanel.php:197 actions/smssettings.php:209 +#: actions/subscriptions.php:246 actions/useradminpanel.php:298 +#: lib/applicationeditform.php:355 lib/groupeditform.php:207 msgctxt "BUTTON" msgid "Save" msgstr "Gardar" @@ -137,7 +142,7 @@ msgstr "Esa páxina non existe." #: 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:93 actions/userrss.php:40 -#: actions/xrds.php:71 lib/command.php:495 lib/galleryaction.php:59 +#: actions/xrds.php:71 lib/command.php:497 lib/galleryaction.php:59 #: lib/mailbox.php:82 lib/profileaction.php:77 msgid "No such user." msgstr "Non existe tal usuario." @@ -210,7 +215,9 @@ msgstr "" #. TRANS: Encoutagement displayed on empty timeline user pages for anonymous users. #. TRANS: %s is a user nickname. This message contains Markdown links. Keep "](" together. -#: actions/all.php:155 actions/replies.php:210 actions/showstream.php:208 +#. TRANS: Second sentence of empty message for anonymous users. %s is a user nickname. +#. TRANS: This message contains a Markdown link. Keep "](" together. +#: actions/all.php:155 actions/replies.php:210 actions/showstream.php:227 #, php-format msgid "" "Why not [register an account](%%%%action.register%%%%) and then nudge %s or " @@ -569,8 +576,11 @@ msgstr "O nome completo é longo de máis (o máximo son 255 caracteres)." #. TRANS: Group edit form validation error. #. TRANS: Form validation error in New application form. #. TRANS: %d is the maximum number of characters for the description. +#. TRANS: Group create form validation error. +#. TRANS: %d is the maximum number of allowed characters. #: actions/apigroupcreate.php:220 actions/editapplication.php:201 #: actions/editgroup.php:216 actions/newapplication.php:178 +#: actions/newgroup.php:152 #, fuzzy, php-format msgid "Description is too long (maximum %d character)." msgid_plural "Description is too long (maximum %d characters)." @@ -730,14 +740,14 @@ msgstr "Non está autorizado." #. TRANS: Form validation error in API OAuth authorisation because of an invalid session token. #: actions/apioauthauthorize.php:147 actions/avatarsettings.php:280 -#: actions/deletenotice.php:172 actions/disfavor.php:74 +#: actions/deletenotice.php:177 actions/disfavor.php:74 #: actions/emailsettings.php:271 actions/favor.php:75 actions/geocode.php:55 #: actions/groupblock.php:66 actions/grouplogo.php:312 #: actions/groupunblock.php:65 actions/imsettings.php:230 #: actions/invite.php:59 actions/login.php:137 actions/makeadmin.php:66 #: actions/newmessage.php:135 actions/newnotice.php:105 actions/nudge.php:80 #: actions/oauthappssettings.php:165 actions/oauthconnectionssettings.php:138 -#: actions/othersettings.php:145 actions/passwordsettings.php:138 +#: actions/othersettings.php:153 actions/passwordsettings.php:138 #: actions/profilesettings.php:221 actions/recoverpassword.php:350 #: actions/register.php:172 actions/remotesubscribe.php:77 #: actions/repeat.php:83 actions/smssettings.php:256 actions/subedit.php:40 @@ -919,20 +929,21 @@ msgstr "Non pode borrar o estado doutro usuario." #. TRANS: Client error displayed trying to repeat a non-existing notice through the API. #. TRANS: Client error displayed trying to display redents of a non-exiting notice. +#. TRANS: Error message displayed trying to delete a non-existing notice. #: actions/apistatusesretweet.php:74 actions/apistatusesretweets.php:70 -#: actions/deletenotice.php:58 actions/shownotice.php:92 +#: actions/deletenotice.php:61 actions/shownotice.php:92 msgid "No such notice." msgstr "Non existe tal nota." #. TRANS: Client error displayed trying to repeat an own notice through the API. #. TRANS: Error text shown when trying to repeat an own notice. -#: actions/apistatusesretweet.php:83 lib/command.php:535 +#: actions/apistatusesretweet.php:83 lib/command.php:537 msgid "Cannot repeat your own notice." msgstr "Non pode repetir a súa propia nota." #. TRANS: Client error displayed trying to re-repeat a notice through the API. #. TRANS: Error text shown when trying to repeat an notice that was already repeated by the user. -#: actions/apistatusesretweet.php:92 lib/command.php:541 +#: actions/apistatusesretweet.php:92 lib/command.php:543 msgid "Already repeated that notice." msgstr "Xa repetiu esa nota." @@ -953,7 +964,8 @@ msgstr "O cliente debe proporcionar un parámetro de \"estado\" cun valor." #. TRANS: Client error displayed when the parameter "status" is missing. #. TRANS: %d is the maximum number of character for a notice. -#: actions/apistatusesupdate.php:244 +#: actions/apistatusesupdate.php:244 actions/newnotice.php:161 +#: lib/mailhandler.php:60 #, fuzzy, php-format msgid "That's too long. Maximum notice size is %d character." msgid_plural "That's too long. Maximum notice size is %d characters." @@ -968,7 +980,7 @@ msgstr "Non se atopou o método da API." #. TRANS: Client error displayed exceeding the maximum notice length. #. TRANS: %d is the maximum lenth for a notice. -#: actions/apistatusesupdate.php:308 +#: actions/apistatusesupdate.php:308 actions/newnotice.php:184 #, fuzzy, php-format msgid "Maximum notice size is %d character, including attachment URL." msgid_plural "Maximum notice size is %d characters, including attachment URL." @@ -1185,17 +1197,18 @@ msgstr "Escolla unha zona cadrada da imaxe para usala como avatar" msgid "Lost our file data." msgstr "Perdéronse os datos do ficheiro." -#: actions/avatarsettings.php:384 +#. TRANS: Success message for having updated a user avatar. +#: actions/avatarsettings.php:385 msgid "Avatar updated." msgstr "Actualizouse o avatar." #. TRANS: Error displayed on the avatar upload page if the avatar could not be updated for an unknown reason. -#: actions/avatarsettings.php:388 +#: actions/avatarsettings.php:389 msgid "Failed updating avatar." msgstr "Non se puido actualizar o avatar." #. TRANS: Success message for deleting a user avatar. -#: actions/avatarsettings.php:412 +#: actions/avatarsettings.php:413 msgid "Avatar deleted." msgstr "Borrouse o avatar." @@ -1227,8 +1240,8 @@ msgstr "" #. TRANS: Button label on the delete notice form. #. TRANS: Button label on the delete user form. #. TRANS: Button label on the form to block a user from a group. -#: actions/block.php:154 actions/deleteapplication.php:154 -#: actions/deletegroup.php:220 actions/deletenotice.php:150 +#: actions/block.php:154 actions/deleteapplication.php:157 +#: actions/deletegroup.php:220 actions/deletenotice.php:155 #: actions/deleteuser.php:152 actions/groupblock.php:178 msgctxt "BUTTON" msgid "No" @@ -1246,8 +1259,8 @@ msgstr "Non bloquear este usuario" #. TRANS: Button label on the delete notice form. #. TRANS: Button label on the delete user form. #. TRANS: Button label on the form to block a user from a group. -#: actions/block.php:161 actions/deleteapplication.php:161 -#: actions/deletegroup.php:227 actions/deletenotice.php:157 +#: actions/block.php:161 actions/deleteapplication.php:164 +#: actions/deletegroup.php:227 actions/deletenotice.php:162 #: actions/deleteuser.php:159 actions/groupblock.php:185 msgctxt "BUTTON" msgid "Yes" @@ -1364,12 +1377,13 @@ msgstr "Ese enderezo xa se confirmou." #. TRANS: Server error thrown on database error removing a registered e-mail address. #. TRANS: Server error thrown on database error updating IM preferences. #. TRANS: Server error thrown on database error removing a registered IM address. +#. TRANS: Server error displayed when "Other" settings in user profile could not be updated on the server. #. TRANS: Server error thrown when user profile settings could not be updated. #. TRANS: Server error thrown on database error updating SMS preferences. #. TRANS: Server error thrown on database error removing a registered SMS phone number. #: actions/confirmaddress.php:118 actions/emailsettings.php:331 #: actions/emailsettings.php:477 actions/imsettings.php:283 -#: actions/imsettings.php:442 actions/othersettings.php:174 +#: actions/imsettings.php:442 actions/othersettings.php:184 #: actions/profilesettings.php:326 actions/smssettings.php:308 #: actions/smssettings.php:464 msgid "Couldn't update user." @@ -1405,16 +1419,19 @@ msgstr "Conversa" msgid "Notices" msgstr "Notas" -#: actions/deleteapplication.php:63 +#. TRANS: Client error displayed trying to delete an application while not logged in. +#: actions/deleteapplication.php:62 msgid "You must be logged in to delete an application." msgstr "Ten que iniciar sesión para borrar unha aplicación." +#. TRANS: Client error displayed trying to delete an application that does not exist. #: actions/deleteapplication.php:71 msgid "Application not found." msgstr "Non se atopou a aplicación." +#. TRANS: Client error displayed trying to delete an application the current user does not own. #. TRANS: Client error displayed trying to edit an application while not being its owner. -#: actions/deleteapplication.php:78 actions/editapplication.php:78 +#: actions/deleteapplication.php:79 actions/editapplication.php:78 #: actions/showapplication.php:94 msgid "You are not the owner of this application." msgstr "Non é o dono desa aplicación." @@ -1422,15 +1439,18 @@ msgstr "Non é o dono desa aplicación." #. TRANS: Client error text when there is a problem with the session token. #: actions/deleteapplication.php:102 actions/editapplication.php:131 #: actions/newapplication.php:114 actions/showapplication.php:118 -#: lib/action.php:1354 +#: lib/action.php:1404 msgid "There was a problem with your session token." msgstr "Houbo un problema co seu pase." -#: actions/deleteapplication.php:123 actions/deleteapplication.php:147 +#. TRANS: Title for delete application page. +#. TRANS: Fieldset legend on delete application page. +#: actions/deleteapplication.php:124 actions/deleteapplication.php:149 msgid "Delete application" msgstr "Borrar a aplicación" -#: actions/deleteapplication.php:149 +#. TRANS: Confirmation text on delete application page. +#: actions/deleteapplication.php:152 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 " @@ -1441,12 +1461,12 @@ msgstr "" "usuario existentes." #. TRANS: Submit button title for 'No' when deleting an application. -#: actions/deleteapplication.php:158 +#: actions/deleteapplication.php:161 msgid "Do not delete this application" msgstr "Non borrar a aplicación" #. TRANS: Submit button title for 'Yes' when deleting an application. -#: actions/deleteapplication.php:164 +#: actions/deleteapplication.php:167 msgid "Delete this application" msgstr "Borrar a aplicación" @@ -1482,13 +1502,14 @@ msgstr "Non se puido actualizar o grupo." msgid "Deleted group %s" msgstr "%1$s deixou o grupo %2$s" -#. TRANS: Title. +#. TRANS: Title of delete group page. #. TRANS: Form legend for deleting a group. #: actions/deletegroup.php:176 actions/deletegroup.php:202 #, fuzzy msgid "Delete group" msgstr "Borrar o usuario" +#. TRANS: Warning in form for deleleting a group. #: actions/deletegroup.php:206 #, fuzzy msgid "" @@ -1511,10 +1532,11 @@ msgstr "Non borrar esta nota" msgid "Delete this group" msgstr "Borrar o usuario" +#. TRANS: Error message displayed trying to delete a notice while not logged in. #. TRANS: Client error displayed when trying to unblock a user from a group while not logged in. #. TRANS: Client error displayed trying a change a subscription while not logged in. #. TRANS: Client error message thrown when trying to access the admin panel while not logged in. -#: actions/deletenotice.php:50 actions/disfavor.php:61 actions/favor.php:62 +#: actions/deletenotice.php:52 actions/disfavor.php:61 actions/favor.php:62 #: actions/groupblock.php:61 actions/groupunblock.php:60 actions/logout.php:69 #: actions/makeadmin.php:61 actions/newmessage.php:87 actions/newnotice.php:88 #: actions/nudge.php:63 actions/subedit.php:33 actions/subscribe.php:96 @@ -1524,11 +1546,13 @@ msgstr "Borrar o usuario" msgid "Not logged in." msgstr "Non iniciou sesión." -#: actions/deletenotice.php:74 +#. TRANS: Error message displayed trying to delete a notice that was not made by the current user. +#: actions/deletenotice.php:78 msgid "Can't delete this notice." msgstr "Non se pode borrar esta nota." -#: actions/deletenotice.php:106 +#. TRANS: Instructions for deleting a notice. +#: actions/deletenotice.php:110 msgid "" "You are about to permanently delete a notice. Once this is done, it cannot " "be undone." @@ -1536,21 +1560,24 @@ msgstr "" "Está a piques de borrar unha nota definitivamente. Unha vez feito, non se " "poderá recuperar." -#: actions/deletenotice.php:112 actions/deletenotice.php:144 +#. TRANS: Page title when deleting a notice. +#. TRANS: Fieldset legend for the delete notice form. +#: actions/deletenotice.php:117 actions/deletenotice.php:148 msgid "Delete notice" msgstr "Borrar a nota" -#: actions/deletenotice.php:147 +#. TRANS: Message for the delete notice form. +#: actions/deletenotice.php:152 msgid "Are you sure you want to delete this notice?" msgstr "Está seguro de querer borrar esta nota?" #. TRANS: Submit button title for 'No' when deleting a notice. -#: actions/deletenotice.php:154 +#: actions/deletenotice.php:159 msgid "Do not delete this notice" msgstr "Non borrar esta nota" #. TRANS: Submit button title for 'Yes' when deleting a notice. -#: actions/deletenotice.php:161 lib/noticelist.php:667 +#: actions/deletenotice.php:166 lib/noticelist.php:667 msgid "Delete this notice" msgstr "Borrar esta nota" @@ -1715,11 +1742,9 @@ msgstr "Volver ao deseño por defecto" #. TRANS: Submit button title. #: actions/designadminpanel.php:711 actions/licenseadminpanel.php:319 -#: actions/othersettings.php:126 actions/sessionsadminpanel.php:199 -#: actions/siteadminpanel.php:292 actions/sitenoticeadminpanel.php:195 +#: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:292 #: actions/snapshotadminpanel.php:245 actions/tagother.php:154 -#: actions/useradminpanel.php:295 lib/applicationeditform.php:357 -#: lib/designsettings.php:256 lib/groupeditform.php:202 +#: lib/applicationeditform.php:357 lib/designsettings.php:256 msgid "Save" msgstr "Gardar" @@ -1767,9 +1792,9 @@ msgid "Name is required." msgstr "Fai falla un nome." #. TRANS: Validation error shown when providing too long a name in the "Edit application" form. -#: actions/editapplication.php:188 +#: actions/editapplication.php:188 actions/newapplication.php:169 #, fuzzy -msgid "Name is too long (max 255 characters)." +msgid "Name is too long (maximum 255 characters)." msgstr "O nome é longo de máis (o límite é de 255 caracteres)." #. TRANS: Validation error shown when providing a name for an application that already exists in the "Edit application" form. @@ -1798,7 +1823,7 @@ msgid "Organization is required." msgstr "Fai falla unha organización." #. TRANS: Validation error shown when providing too long an arganisation name in the "Edit application" form. -#: actions/editapplication.php:223 +#: actions/editapplication.php:223 actions/newapplication.php:199 #, fuzzy msgid "Organization is too long (maximum 255 characters)." msgstr "A organización é longa de máis (o límite é de 255 caracteres)." @@ -2601,7 +2626,7 @@ msgid "Publish a MicroID for my Jabber/GTalk address." msgstr "Publicar unha MicroID para o meu enderezo de Jabber ou GTalk." #. TRANS: Confirmation message for successful IM preferences save. -#: actions/imsettings.php:290 actions/othersettings.php:180 +#: actions/imsettings.php:290 actions/othersettings.php:190 msgid "Preferences saved." msgstr "Gardáronse as preferencias." @@ -2725,10 +2750,9 @@ msgstr[1] "Xa está subscrito aos seguintes usuarios:" #. TRANS: Used as list item for already subscribed users (%1$s is nickname, %2$s is e-mail address). #. TRANS: Used as list item for already registered people (%1$s is nickname, %2$s is e-mail address). -#. TRANS: Whois output. -#. TRANS: %1$s nickname of the queried user, %2$s is their profile URL. -#: actions/invite.php:145 actions/invite.php:159 lib/command.php:426 -#, php-format +#: actions/invite.php:145 actions/invite.php:159 +#, fuzzy, php-format +msgctxt "INVITE" msgid "%1$s (%2$s)" msgstr "%1$s (%2$s)" @@ -2914,7 +2938,8 @@ msgstr "" "os dereitos reservados\"." #: actions/licenseadminpanel.php:156 -msgid "Invalid license title. Max length is 255 characters." +#, fuzzy +msgid "Invalid license title. Maximum length is 255 characters." msgstr "Título de licenza incorrecto. A extensión máxima é de 255 caracteres." #: actions/licenseadminpanel.php:168 @@ -3092,20 +3117,10 @@ msgstr "Ten que identificarse para rexistrar unha aplicación." msgid "Use this form to register a new application." msgstr "Utilice o seguinte formulario para rexistrar unha aplicación nova." -#: actions/newapplication.php:169 -#, fuzzy -msgid "Name is too long (maximum 255 chars)." -msgstr "O nome é longo de máis (o límite é de 255 caracteres)." - #: actions/newapplication.php:184 msgid "Source URL is required." msgstr "Necesítase o URL de orixe." -#: actions/newapplication.php:199 -#, fuzzy -msgid "Organization is too long (maximum 255 chars)." -msgstr "A organización é longa de máis (o límite é de 255 caracteres)." - #: actions/newapplication.php:266 actions/newapplication.php:275 msgid "Could not create application." msgstr "Non se puido crear a aplicación." @@ -3125,14 +3140,14 @@ msgid "New message" msgstr "Mensaxe nova" #. TRANS: Error text shown when trying to send a direct message to a user without a mutual subscription (each user must be subscribed to the other). -#: actions/newmessage.php:121 actions/newmessage.php:164 lib/command.php:499 +#: actions/newmessage.php:121 actions/newmessage.php:164 lib/command.php:501 msgid "You can't send a message to this user." msgstr "Non pode enviarlle unha mensaxe a este usuario." #. TRANS: Command exception text shown when trying to send a direct message to another user without content. #. TRANS: Command exception text shown when trying to reply to a notice without providing content for the reply. #: actions/newmessage.php:144 actions/newnotice.php:140 lib/command.php:478 -#: lib/command.php:579 +#: lib/command.php:581 msgid "No content!" msgstr "Non hai contido ningún!" @@ -3141,7 +3156,7 @@ msgid "No recipient specified." msgstr "Non se especificou ningún destinatario." #. TRANS: Error text shown when trying to send a direct message to self. -#: actions/newmessage.php:167 lib/command.php:503 +#: actions/newmessage.php:167 lib/command.php:505 msgid "" "Don't send a message to yourself; just say it to yourself quietly instead." msgstr "Non se envíe unha mensaxe, limítese a pensar nela." @@ -3152,12 +3167,12 @@ msgstr "Enviouse a mensaxe" #. TRANS: Message given have sent a direct message to another user. #. TRANS: %s is the name of the other user. -#: actions/newmessage.php:188 lib/command.php:511 +#: actions/newmessage.php:188 lib/command.php:513 #, php-format msgid "Direct message to %s sent." msgstr "Enviouse a mensaxe directa a %s." -#: actions/newmessage.php:213 actions/newnotice.php:263 +#: actions/newmessage.php:213 actions/newnotice.php:264 msgid "Ajax Error" msgstr "Houbo un erro de AJAX" @@ -3165,19 +3180,7 @@ msgstr "Houbo un erro de AJAX" msgid "New notice" msgstr "Nova nota" -#: actions/newnotice.php:159 lib/mailhandler.php:60 -#, php-format -msgid "That's too long. Max notice size is %d chars." -msgstr "Iso é longo de máis. A nota non pode exceder os %d caracteres." - -#: actions/newnotice.php:183 -#, php-format -msgid "Max notice size is %d chars, including attachment URL." -msgstr "" -"A lonxitude máxima das notas é de %d caracteres, incluído o URL do dato " -"adxunto." - -#: actions/newnotice.php:229 +#: actions/newnotice.php:230 msgid "Notice posted" msgstr "Publicouse a nota" @@ -3347,36 +3350,46 @@ msgstr "Busca de xente" msgid "Notice Search" msgstr "Busca de notas" -#: actions/othersettings.php:60 +#: actions/othersettings.php:59 msgid "Other settings" msgstr "Outras opcións" +#. TRANS: Instructions for tab "Other" in user profile settings. #: actions/othersettings.php:71 msgid "Manage various other options." msgstr "Configure outras tantas opcións." -#: actions/othersettings.php:108 +#. TRANS: Used as a suffix for free URL shorteners in a dropdown list in the tab "Other" of a +#. TRANS: user's profile settings. This message has one space at the beginning. Use your +#. TRANS: language's word separator here if it has one (most likely a single space). +#: actions/othersettings.php:111 msgid " (free service)" msgstr " (servizo gratuíto)" -#: actions/othersettings.php:116 +#. TRANS: Label for dropdown with URL shortener services. +#: actions/othersettings.php:120 msgid "Shorten URLs with" msgstr "Abreviar os enderezos URL con" -#: actions/othersettings.php:117 +#. TRANS: Tooltip for for dropdown with URL shortener services. +#: actions/othersettings.php:122 msgid "Automatic shortening service to use." msgstr "Servizo de abreviación automática a usar." -#: actions/othersettings.php:122 +#. TRANS: Label for checkbox. +#: actions/othersettings.php:128 msgid "View profile designs" msgstr "Deseños visuais do perfil" -#: actions/othersettings.php:123 +#. TRANS: Tooltip for checkbox. +#: actions/othersettings.php:130 msgid "Show or hide profile designs." msgstr "Amosar ou agochar os deseños do perfil." -#: actions/othersettings.php:153 -msgid "URL shortening service is too long (max 50 chars)." +#. TRANS: Form validation error for form "Other settings" in user profile. +#: actions/othersettings.php:162 +#, fuzzy +msgid "URL shortening service is too long (maximum 50 characters)." msgstr "" "O servizo de abreviación de enderezos URL é longo de máis (o límite está en " "50 caracteres)." @@ -3870,7 +3883,7 @@ msgstr "Biografía" #. TRANS: Label for group location (dt). Text hidden by default. #: actions/profilesettings.php:149 actions/register.php:485 #: actions/showgroup.php:267 actions/tagother.php:112 -#: actions/userauthorization.php:166 lib/groupeditform.php:177 +#: actions/userauthorization.php:166 lib/groupeditform.php:180 #: lib/userprofile.php:165 msgid "Location" msgstr "Lugar" @@ -4218,7 +4231,8 @@ msgid "Unexpected password reset." msgstr "Restablecemento de contrasinal inesperado." #: actions/recoverpassword.php:365 -msgid "Password must be 6 chars or more." +#, fuzzy +msgid "Password must be 6 characters or more." msgstr "O contrasinal debe ter seis ou máis caracteres." #: actions/recoverpassword.php:369 @@ -4599,7 +4613,7 @@ msgstr "Organización" #. TRANS: Form input field label. #: actions/showapplication.php:187 actions/version.php:200 -#: lib/applicationeditform.php:208 lib/groupeditform.php:172 +#: lib/applicationeditform.php:208 lib/groupeditform.php:175 msgid "Description" msgstr "Descrición" @@ -4752,7 +4766,7 @@ msgid "Note" msgstr "Nota" #. TRANS: Label for group aliases (dt). Text hidden by default. -#: actions/showgroup.php:298 lib/groupeditform.php:184 +#: actions/showgroup.php:298 lib/groupeditform.php:187 msgid "Aliases" msgstr "Pseudónimos" @@ -4885,47 +4899,67 @@ msgstr "Mensaxe de %1$s en %2$s" msgid "Notice deleted." msgstr "Borrouse a nota." -#: actions/showstream.php:72 -#, php-format -msgid " tagged %s" -msgstr " etiquetouse %s" +#. TRANS: Page title showing tagged notices in one user's stream. %1$s is the username, %2$s is the hash tag. +#: actions/showstream.php:70 +#, fuzzy, php-format +msgid "%1$s tagged %2$s" +msgstr "%1$s, páxina %2$d" -#: actions/showstream.php:78 +#. TRANS: Page title showing tagged notices in one user's stream. +#. TRANS: %1$s is the username, %2$s is the hash tag, %1$d is the page number. +#: actions/showstream.php:74 +#, fuzzy, php-format +msgid "%1$s tagged %2$s, page %3$d" +msgstr "Notas etiquetadas con %1$s, páxina %2$d" + +#. TRANS: Extended page title showing tagged notices in one user's stream. +#. TRANS: %1$s is the username, %2$d is the page number. +#: actions/showstream.php:82 #, php-format msgid "%1$s, page %2$d" msgstr "%1$s, páxina %2$d" -#: actions/showstream.php:120 +#. TRANS: Title for link to notice feed. +#. TRANS: %1$s is a user nickname, %2$s is a hashtag. +#: actions/showstream.php:127 #, php-format msgid "Notice feed for %1$s tagged %2$s (RSS 1.0)" msgstr "Fonte de novas das notas para %1$s etiquetadas con %2$s (RSS 1.0)" -#: actions/showstream.php:127 +#. TRANS: Title for link to notice feed. +#. TRANS: %s is a user nickname. +#: actions/showstream.php:136 #, php-format msgid "Notice feed for %s (RSS 1.0)" msgstr "Fonte de novas das notas para %s (RSS 1.0)" -#: actions/showstream.php:134 +#. TRANS: Title for link to notice feed. +#. TRANS: %s is a user nickname. +#: actions/showstream.php:145 #, php-format msgid "Notice feed for %s (RSS 2.0)" msgstr "Fonte de novas das notas para %s (RSS 2.0)" -#: actions/showstream.php:141 +#: actions/showstream.php:152 #, php-format msgid "Notice feed for %s (Atom)" msgstr "Fonte de novas das notas para %s (Atom)" -#: actions/showstream.php:146 +#. TRANS: Title for link to notice feed. FOAF stands for Friend of a Friend. +#. TRANS: More information at http://www.foaf-project.org. %s is a user nickname. +#: actions/showstream.php:159 #, php-format msgid "FOAF for %s" msgstr "Amigo dun amigo para %s" -#: actions/showstream.php:197 -#, php-format -msgid "This is the timeline for %1$s but %2$s hasn't posted anything yet." +#. TRANS: First sentence of empty list message for a stream. $1%s is a user nickname. +#: actions/showstream.php:211 +#, fuzzy, php-format +msgid "This is the timeline for %1$s, but %1$s hasn't posted anything yet." msgstr "Esta é a liña do tempo para %1$s pero %2$s aínda non publicou nada." -#: actions/showstream.php:202 +#. TRANS: Second sentence of empty list message for a stream for the user themselves. +#: actions/showstream.php:217 msgid "" "Seen anything interesting recently? You haven't posted any notices yet, now " "would be a good time to start :)" @@ -4933,7 +4967,9 @@ msgstr "" "Viu algo interesante hoxe? Aínda non publicou ningunha nota, este sería un " "bo momento para comezar :)" -#: actions/showstream.php:204 +#. TRANS: Second sentence of empty list message for a non-self stream. %1$s is a user nickname, %2$s is a part of a URL. +#. TRANS: This message contains a Markdown link. Keep "](" together. +#: actions/showstream.php:221 #, php-format msgid "" "You can try to nudge %1$s or [post something to them](%%%%action.newnotice%%%" @@ -4942,7 +4978,9 @@ msgstr "" "Pode probar a facerlle un aceno a %1$s ou [publicar algo dirixido a el ou " "ela](%%%%action.newnotice%%%%?status_textarea=%2$s)." -#: actions/showstream.php:243 +#. TRANS: Announcement for anonymous users showing a stream if site registrations are open. +#. TRANS: This message contains a Markdown link. Keep "](" together. +#: actions/showstream.php:264 #, php-format msgid "" "**%s** has an account on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -4956,7 +4994,9 @@ msgstr "" "[Únase agora](%%%%action.register%%%%) para seguir as notas de **%s** e de " "moita máis xente! ([Máis información](%%%%doc.help%%%%))" -#: actions/showstream.php:248 +#. TRANS: Announcement for anonymous users showing a stream if site registrations are closed or invite only. +#. TRANS: This message contains a Markdown link. Keep "](" together. +#: actions/showstream.php:271 #, php-format msgid "" "**%s** has an account on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -4967,7 +5007,8 @@ msgstr "" "blogue curtas](http://en.wikipedia.org/wiki/Microblogging) (en inglés) " "baseado na ferramenta de software libre [StatusNet](http://status.net/). " -#: actions/showstream.php:305 +#. TRANS: Link to the author of a repeated notice. %s is a linked nickname. +#: actions/showstream.php:328 #, php-format msgid "Repeat of %s" msgstr "Repeticións de %s" @@ -5083,32 +5124,41 @@ msgstr "" "Tempo (en segundos) que teñen que agardar os usuarios para publicar unha " "nota de novo." -#: actions/sitenoticeadminpanel.php:56 +#. TRANS: Page title for site-wide notice tab in admin panel. +#: actions/sitenoticeadminpanel.php:55 msgid "Site Notice" msgstr "Nota do sitio" -#: actions/sitenoticeadminpanel.php:67 +#. TRANS: Instructions for site-wide notice tab in admin panel. +#: actions/sitenoticeadminpanel.php:66 msgid "Edit site-wide message" msgstr "Editar a mensaxe global do sitio" -#: actions/sitenoticeadminpanel.php:103 +#. TRANS: Server error displayed when saving a site-wide notice was impossible. +#: actions/sitenoticeadminpanel.php:101 msgid "Unable to save site notice." msgstr "Non se puido gardar a nota do sitio." -#: actions/sitenoticeadminpanel.php:113 -msgid "Max length for the site-wide notice is 255 chars." +#. TRANS: Client error displayed when a site-wide notice was longer than allowed. +#: actions/sitenoticeadminpanel.php:112 +#, fuzzy +msgid "Maximum length for the site-wide notice is 255 characters." msgstr "O tamaño máximo da nota global do sitio é de 255 caracteres." +#. TRANS: Label for site-wide notice text field in admin panel. #: actions/sitenoticeadminpanel.php:176 msgid "Site notice text" msgstr "Texto da nota do sitio" -#: actions/sitenoticeadminpanel.php:178 -msgid "Site-wide notice text (255 chars max; HTML okay)" +#. TRANS: Tooltip for site-wide notice text field in admin panel. +#: actions/sitenoticeadminpanel.php:179 +#, fuzzy +msgid "Site-wide notice text (255 characters maximum; HTML allowed)" msgstr "" "Texto da nota global do sitio (255 caracteres como máximo, pode conter HTML)" -#: actions/sitenoticeadminpanel.php:198 +#. TRANS: Title for button to save site notice in admin panel. +#: actions/sitenoticeadminpanel.php:201 msgid "Save site notice" msgstr "Gardar a nota do sitio" @@ -5576,75 +5626,93 @@ msgstr "" "licenza deste sitio: \"%2$s\"." #. TRANS: User admin panel title -#: actions/useradminpanel.php:60 +#: actions/useradminpanel.php:58 msgctxt "TITLE" msgid "User" msgstr "Usuario" -#: actions/useradminpanel.php:71 +#. TRANS: Instruction for user admin panel. +#: actions/useradminpanel.php:69 msgid "User settings for this StatusNet site" msgstr "Configuración de usuario para este sitio StatusNet" -#: actions/useradminpanel.php:150 +#. TRANS: Form validation error in user admin panel when a non-numeric character limit was set. +#: actions/useradminpanel.php:147 msgid "Invalid bio limit. Must be numeric." msgstr "Límite da biografía incorrecto. Debe ser numérico." -#: actions/useradminpanel.php:156 -msgid "Invalid welcome text. Max length is 255 characters." +#. TRANS: Form validation error in user admin panel when welcome text is too long. +#: actions/useradminpanel.php:154 +#, fuzzy +msgid "Invalid welcome text. Maximum length is 255 characters." msgstr "Texto de benvida incorrecto. A extensión máxima é de 255 caracteres." +#. TRANS: Client error displayed when trying to set a non-existing user as default subscription for new +#. TRANS: users in user admin panel. %1$s is the invalid nickname. #: actions/useradminpanel.php:166 -#, php-format -msgid "Invalid default subscripton: '%1$s' is not user." +#, fuzzy, php-format +msgid "Invalid default subscripton: '%1$s' is not a user." msgstr "Subscrición por defecto incorrecta. \"%1$s\" non é un usuario." #. TRANS: Link description in user account settings menu. -#: actions/useradminpanel.php:219 lib/accountsettingsaction.php:106 +#: actions/useradminpanel.php:215 lib/accountsettingsaction.php:106 #: lib/personalgroupnav.php:109 msgid "Profile" msgstr "Perfil" -#: actions/useradminpanel.php:223 +#. TRANS: Field label in user admin panel for setting the character limit for the bio field. +#: actions/useradminpanel.php:220 msgid "Bio Limit" msgstr "Límite da biografía" -#: actions/useradminpanel.php:224 +#. TRANS: Tooltip in user admin panel for setting the character limit for the bio field. +#: actions/useradminpanel.php:222 msgid "Maximum length of a profile bio in characters." msgstr "Extensión máxima da biografía dun perfil en caracteres." -#: actions/useradminpanel.php:232 +#. TRANS: Form legend in user admin panel. +#: actions/useradminpanel.php:231 msgid "New users" msgstr "Novos usuarios" +#. TRANS: Field label in user admin panel for setting new user welcome text. #: actions/useradminpanel.php:236 msgid "New user welcome" msgstr "Nova benvida para os usuarios" -#: actions/useradminpanel.php:237 -msgid "Welcome text for new users (Max 255 chars)." +#. TRANS: Tooltip in user admin panel for setting new user welcome text. +#: actions/useradminpanel.php:238 +#, fuzzy +msgid "Welcome text for new users (maximum 255 characters)." msgstr "Texto de benvida para os novos usuarios (255 caracteres como máximo)." -#: actions/useradminpanel.php:242 +#. TRANS: Field label in user admin panel for setting default subscription for new users. +#: actions/useradminpanel.php:244 msgid "Default subscription" msgstr "Subscrición por defecto" -#: actions/useradminpanel.php:243 +#. TRANS: Tooltip in user admin panel for setting default subscription for new users. +#: actions/useradminpanel.php:246 msgid "Automatically subscribe new users to this user." msgstr "Subscribir automaticamente aos novos usuarios a este usuario." -#: actions/useradminpanel.php:252 +#. TRANS: Form legend in user admin panel. +#: actions/useradminpanel.php:256 msgid "Invitations" msgstr "Invitacións" -#: actions/useradminpanel.php:257 +#. TRANS: Field label for checkbox in user admin panel for allowing users to invite friend using site e-mail. +#: actions/useradminpanel.php:262 msgid "Invitations enabled" msgstr "Activáronse as invitacións" -#: actions/useradminpanel.php:259 +#. TRANS: Tooltip for checkbox in user admin panel for allowing users to invite friend using site e-mail. +#: actions/useradminpanel.php:265 msgid "Whether to allow users to invite new users." msgstr "Permitir ou non que os usuarios poidan invitar a novos usuarios." -#: actions/useradminpanel.php:295 +#. TRANS: Title for button to save user settings in user admin panel. +#: actions/useradminpanel.php:302 msgid "Save user settings" msgstr "Gardar a configuración do usuario" @@ -5855,7 +5923,7 @@ msgid "Plugins" msgstr "Complementos" #. TRANS: Secondary navigation menu option leading to version information on the StatusNet site. -#: actions/version.php:198 lib/action.php:831 +#: actions/version.php:198 lib/action.php:880 msgid "Version" msgstr "Versión" @@ -6065,9 +6133,16 @@ msgstr "Non se puido gardar a resposta a %1$d, %2$d." msgid "RT @%1$s %2$s" msgstr "RT @%1$s %2$s" +#. TRANS: Full name of a profile or group followed by nickname in parens +#: classes/Profile.php:164 +#, fuzzy, php-format +msgctxt "FANCYNAME" +msgid "%1$s (%2$s)" +msgstr "%1$s (%2$s)" + #. TRANS: Exception thrown when trying to revoke an existing role for a user that does not exist. #. TRANS: %1$s is the role name, %2$s is the user ID (number). -#: classes/Profile.php:791 +#: classes/Profile.php:812 #, php-format msgid "Cannot revoke role \"%1$s\" for user #%2$d; does not exist." msgstr "" @@ -6075,7 +6150,7 @@ msgstr "" #. TRANS: Exception thrown when trying to revoke a role for a user with a failing database query. #. TRANS: %1$s is the role name, %2$s is the user ID (number). -#: classes/Profile.php:800 +#: classes/Profile.php:821 #, php-format msgid "Cannot revoke role \"%1$s\" for user #%2$d; database error." msgstr "" @@ -6221,194 +6296,201 @@ msgstr "%1$s - %2$s" msgid "Untitled page" msgstr "Páxina sen título" +#. TRANS: Localized tooltip for '...' expansion button on overlong remote messages. +#: lib/action.php:310 +msgctxt "TOOLTIP" +msgid "Show more" +msgstr "" + #. TRANS: DT element for primary navigation menu. String is hidden in default CSS. -#: lib/action.php:477 +#: lib/action.php:526 msgid "Primary site navigation" msgstr "Navegación principal do sitio" #. TRANS: Tooltip for main menu option "Personal" -#: lib/action.php:483 +#: lib/action.php:532 msgctxt "TOOLTIP" msgid "Personal profile and friends timeline" msgstr "Liña do tempo do perfil persoal e os amigos" #. TRANS: Main menu option when logged in for access to personal profile and friends timeline -#: lib/action.php:486 +#: lib/action.php:535 msgctxt "MENU" msgid "Personal" msgstr "Persoal" #. TRANS: Tooltip for main menu option "Account" -#: lib/action.php:488 +#: lib/action.php:537 msgctxt "TOOLTIP" msgid "Change your email, avatar, password, profile" msgstr "Cambie o seu correo electrónico, avatar, contrasinal ou perfil" #. TRANS: Main menu option when logged in for access to user settings -#: lib/action.php:491 +#: lib/action.php:540 msgid "Account" msgstr "Conta" #. TRANS: Tooltip for main menu option "Services" -#: lib/action.php:493 +#: lib/action.php:542 msgctxt "TOOLTIP" msgid "Connect to services" msgstr "Conectarse aos servizos" #. TRANS: Main menu option when logged in and connection are possible for access to options to connect to other services -#: lib/action.php:496 +#: lib/action.php:545 msgid "Connect" msgstr "Conectarse" #. TRANS: Tooltip for menu option "Admin" -#: lib/action.php:499 +#: lib/action.php:548 msgctxt "TOOLTIP" msgid "Change site configuration" msgstr "Cambiar a configuración do sitio" #. TRANS: Main menu option when logged in and site admin for access to site configuration #. TRANS: Menu item in the group navigation page. Only shown for group administrators. -#: lib/action.php:502 lib/groupnav.php:117 +#: lib/action.php:551 lib/groupnav.php:117 msgctxt "MENU" msgid "Admin" msgstr "Administrador" #. TRANS: Tooltip for main menu option "Invite" -#: lib/action.php:506 +#: lib/action.php:555 #, php-format msgctxt "TOOLTIP" msgid "Invite friends and colleagues to join you on %s" msgstr "Convide a amigos e compañeiros a unírselle en %s" #. TRANS: Main menu option when logged in and invitations are allowed for inviting new users -#: lib/action.php:509 +#: lib/action.php:558 msgctxt "MENU" msgid "Invite" msgstr "Convidar" #. TRANS: Tooltip for main menu option "Logout" -#: lib/action.php:515 +#: lib/action.php:564 msgctxt "TOOLTIP" msgid "Logout from the site" msgstr "Saír ao anonimato" #. TRANS: Main menu option when logged in to log out the current user -#: lib/action.php:518 +#: lib/action.php:567 msgctxt "MENU" msgid "Logout" msgstr "Saír" #. TRANS: Tooltip for main menu option "Register" -#: lib/action.php:523 +#: lib/action.php:572 msgctxt "TOOLTIP" msgid "Create an account" msgstr "Crear unha conta" #. TRANS: Main menu option when not logged in to register a new account -#: lib/action.php:526 +#: lib/action.php:575 msgctxt "MENU" msgid "Register" msgstr "Rexistrarse" #. TRANS: Tooltip for main menu option "Login" -#: lib/action.php:529 +#: lib/action.php:578 msgctxt "TOOLTIP" msgid "Login to the site" msgstr "Identificarse no sitio" #. TRANS: Main menu option when not logged in to log in -#: lib/action.php:532 +#: lib/action.php:581 msgctxt "MENU" msgid "Login" msgstr "Identificarse" #. TRANS: Tooltip for main menu option "Help" -#: lib/action.php:535 +#: lib/action.php:584 msgctxt "TOOLTIP" msgid "Help me!" msgstr "Axuda!" #. TRANS: Main menu option for help on the StatusNet site -#: lib/action.php:538 +#: lib/action.php:587 msgctxt "MENU" msgid "Help" msgstr "Axuda" #. TRANS: Tooltip for main menu option "Search" -#: lib/action.php:541 +#: lib/action.php:590 msgctxt "TOOLTIP" msgid "Search for people or text" msgstr "Buscar persoas ou palabras" #. TRANS: Main menu option when logged in or when the StatusNet instance is not private -#: lib/action.php:544 +#: lib/action.php:593 msgctxt "MENU" msgid "Search" msgstr "Buscar" #. TRANS: DT element for site notice. String is hidden in default CSS. #. TRANS: Menu item for site administration -#: lib/action.php:566 lib/adminpanelaction.php:387 +#: lib/action.php:615 lib/adminpanelaction.php:387 msgid "Site notice" msgstr "Nota do sitio" #. TRANS: DT element for local views block. String is hidden in default CSS. -#: lib/action.php:633 +#: lib/action.php:682 msgid "Local views" msgstr "Vistas locais" #. TRANS: DT element for page notice. String is hidden in default CSS. -#: lib/action.php:703 +#: lib/action.php:752 msgid "Page notice" msgstr "Nota da páxina" #. TRANS: DT element for secondary navigation menu. String is hidden in default CSS. -#: lib/action.php:804 +#: lib/action.php:853 msgid "Secondary site navigation" msgstr "Navegación secundaria do sitio" #. TRANS: Secondary navigation menu option leading to help on StatusNet. -#: lib/action.php:810 +#: lib/action.php:859 msgid "Help" msgstr "Axuda" #. TRANS: Secondary navigation menu option leading to text about StatusNet site. -#: lib/action.php:813 +#: lib/action.php:862 msgid "About" msgstr "Acerca de" #. TRANS: Secondary navigation menu option leading to Frequently Asked Questions. -#: lib/action.php:816 +#: lib/action.php:865 msgid "FAQ" msgstr "Preguntas máis frecuentes" #. TRANS: Secondary navigation menu option leading to Terms of Service. -#: lib/action.php:821 +#: lib/action.php:870 msgid "TOS" msgstr "Condicións do servicio" #. TRANS: Secondary navigation menu option leading to privacy policy. -#: lib/action.php:825 +#: lib/action.php:874 msgid "Privacy" msgstr "Protección de datos" -#. TRANS: Secondary navigation menu option. -#: lib/action.php:828 +#. TRANS: Secondary navigation menu option. Leads to information about StatusNet and its license. +#: lib/action.php:877 msgid "Source" msgstr "Código fonte" -#. TRANS: Secondary navigation menu option leading to contact information on the StatusNet site. -#: lib/action.php:834 +#. TRANS: Secondary navigation menu option leading to e-mail contact information on the +#. TRANS: StatusNet site, where to report bugs, ... +#: lib/action.php:884 msgid "Contact" msgstr "Contacto" -#. TRANS: Secondary navigation menu option. -#: lib/action.php:837 +#. TRANS: Secondary navigation menu option. Leads to information about embedding a timeline widget. +#: lib/action.php:887 msgid "Badge" msgstr "Insignia" #. TRANS: DT element for StatusNet software license. -#: lib/action.php:866 +#: lib/action.php:916 msgid "StatusNet software license" msgstr "Licenza do software StatusNet" @@ -6416,7 +6498,7 @@ msgstr "Licenza do software StatusNet" #. TRANS: Text between [] is a link description, text between () is the link itself. #. TRANS: Make sure there is no whitespace between "]" and "(". #. TRANS: "%%site.broughtby%%" is the value of the variable site.broughtby -#: lib/action.php:873 +#: lib/action.php:923 #, php-format msgid "" "**%%site.name%%** is a microblogging service brought to you by [%%site." @@ -6426,7 +6508,7 @@ msgstr "" "site.broughtby%%](%%site.broughtbyurl%%)." #. TRANS: First sentence of the StatusNet site license. Used if 'broughtby' is not set. -#: lib/action.php:876 +#: lib/action.php:926 #, php-format msgid "**%%site.name%%** is a microblogging service." msgstr "**%%site.name%%** é un servizo de mensaxes de blogue curtas." @@ -6435,7 +6517,7 @@ msgstr "**%%site.name%%** é un servizo de mensaxes de blogue curtas." #. TRANS: Make sure there is no whitespace between "]" and "(". #. TRANS: Text between [] is a link description, text between () is the link itself. #. TRANS: %s is the version of StatusNet that is being used. -#: lib/action.php:883 +#: lib/action.php:933 #, php-format msgid "" "It runs the [StatusNet](http://status.net/) microblogging software, version %" @@ -6447,20 +6529,20 @@ msgstr "" "GNU](http://www.fsf.org/licensing/licenses/agpl-3.0.html) (en inglés)." #. TRANS: DT element for StatusNet site content license. -#: lib/action.php:899 +#: lib/action.php:949 msgid "Site content license" msgstr "Licenza dos contidos do sitio" #. TRANS: Content license displayed when license is set to 'private'. #. TRANS: %1$s is the site name. -#: lib/action.php:906 +#: lib/action.php:956 #, php-format msgid "Content and data of %1$s are private and confidential." msgstr "O contido e os datos de %1$s son privados e confidenciais." #. TRANS: Content license displayed when license is set to 'allrightsreserved'. #. TRANS: %1$s is the copyright owner. -#: lib/action.php:913 +#: lib/action.php:963 #, php-format msgid "Content and data copyright by %1$s. All rights reserved." msgstr "" @@ -6468,7 +6550,7 @@ msgstr "" "todos os dereitos." #. TRANS: Content license displayed when license is set to 'allrightsreserved' and no owner is set. -#: lib/action.php:917 +#: lib/action.php:967 msgid "Content and data copyright by contributors. All rights reserved." msgstr "" "Os contidos e datos son propiedade intelectual dos colaboradores. Quedan " @@ -6476,26 +6558,26 @@ msgstr "" #. TRANS: license message in footer. #. TRANS: %1$s is the site name, %2$s is a link to the license URL, with a licence name set in configuration. -#: lib/action.php:949 +#: lib/action.php:999 #, php-format msgid "All %1$s content and data are available under the %2$s license." msgstr "" "Todos os contidos e datos de %1$s están dispoñibles baixo a licenza %2$s." #. TRANS: DT element for pagination (previous/next, etc.). -#: lib/action.php:1285 +#: lib/action.php:1335 msgid "Pagination" msgstr "Paxinación" #. TRANS: Pagination message to go to a page displaying information more in the #. TRANS: present than the currently displayed information. -#: lib/action.php:1296 +#: lib/action.php:1346 msgid "After" msgstr "Posteriores" #. TRANS: Pagination message to go to a page displaying information more in the #. TRANS: past than the currently displayed information. -#: lib/action.php:1306 +#: lib/action.php:1356 msgid "Before" msgstr "Anteriores" @@ -6844,7 +6926,7 @@ msgid "AJAX error" msgstr "Houbo un erro de AJAX" #. TRANS: E-mail subject when a command has completed. -#: lib/channel.php:233 lib/mailhandler.php:142 +#: lib/channel.php:233 lib/mailhandler.php:143 msgid "Command complete" msgstr "Completouse a orde" @@ -6860,7 +6942,7 @@ msgstr "Non hai ningunha nota con esa id." #. TRANS: Command exception text shown when a last user notice is requested and it does not exist. #. TRANS: Error text shown when a last user notice is requested and it does not exist. -#: lib/command.php:99 lib/command.php:626 +#: lib/command.php:99 lib/command.php:630 msgid "User has no last notice." msgstr "O usuario non ten ningunha última nota." @@ -6929,6 +7011,14 @@ msgstr "%1$s uniuse ao grupo %2$s." msgid "%1$s left group %2$s." msgstr "%1$s deixou o grupo %2$s." +#. TRANS: Whois output. +#. TRANS: %1$s nickname of the queried user, %2$s is their profile URL. +#: lib/command.php:426 +#, fuzzy, php-format +msgctxt "WHOIS" +msgid "%1$s (%2$s)" +msgstr "%1$s (%2$s)" + #. TRANS: Whois output. %s is the full name of the queried user. #: lib/command.php:430 #, php-format @@ -6968,114 +7058,121 @@ msgstr "" "%s é un perfil remoto. Só pode enviarlle mensaxes persoais aos usuarios do " "mesmo servidor." -#. TRANS: Message given if content is too long. +#. TRANS: Message given if content is too long. %1$sd is used for plural. #. TRANS: %1$d is the maximum number of characters, %2$d is the number of submitted characters. #: lib/command.php:488 -#, php-format -msgid "Message too long - maximum is %1$d characters, you sent %2$d." -msgstr "" +#, fuzzy, php-format +msgid "Message too long - maximum is %1$d character, you sent %2$d." +msgid_plural "Message too long - maximum is %1$d characters, you sent %2$d." +msgstr[0] "" +"A mensaxe é longa de máis, o límite de caracteres é de %1$d, e enviou %2$d." +msgstr[1] "" "A mensaxe é longa de máis, o límite de caracteres é de %1$d, e enviou %2$d." #. TRANS: Error text shown sending a direct message fails with an unknown reason. -#: lib/command.php:514 +#: lib/command.php:516 msgid "Error sending direct message." msgstr "Houbo un erro ao enviar a mensaxe directa." #. TRANS: Message given having repeated a notice from another user. #. TRANS: %s is the name of the user for which the notice was repeated. -#: lib/command.php:551 +#: lib/command.php:553 #, php-format msgid "Notice from %s repeated." msgstr "Repetiuse a nota de %s." #. TRANS: Error text shown when repeating a notice fails with an unknown reason. -#: lib/command.php:554 +#: lib/command.php:556 msgid "Error repeating notice." msgstr "Houbo un erro ao repetir a nota." -#. TRANS: Message given if content of a notice for a reply is too long. +#. TRANS: Message given if content of a notice for a reply is too long. %1$d is used for plural. #. TRANS: %1$d is the maximum number of characters, %2$d is the number of submitted characters. -#: lib/command.php:589 -#, php-format -msgid "Notice too long - maximum is %1$d characters, you sent %2$d." -msgstr "A nota é longa de máis. O límite son %1$d caracteres, e enviou %2$d." +#: lib/command.php:591 +#, fuzzy, php-format +msgid "Notice too long - maximum is %1$d character, you sent %2$d." +msgid_plural "Notice too long - maximum is %1$d characters, you sent %2$d." +msgstr[0] "" +"A nota é longa de máis. O límite son %1$d caracteres, e enviou %2$d." +msgstr[1] "" +"A nota é longa de máis. O límite son %1$d caracteres, e enviou %2$d." #. TRANS: Text shown having sent a reply to a notice successfully. #. TRANS: %s is the nickname of the user of the notice the reply was sent to. -#: lib/command.php:600 +#: lib/command.php:604 #, php-format msgid "Reply to %s sent." msgstr "Enviouse a resposta a %s." #. TRANS: Error text shown when a reply to a notice fails with an unknown reason. -#: lib/command.php:603 +#: lib/command.php:607 msgid "Error saving notice." msgstr "Houbo un erro ao gardar a nota." #. TRANS: Error text shown when no username was provided when issuing a subscribe command. -#: lib/command.php:650 +#: lib/command.php:654 msgid "Specify the name of the user to subscribe to." msgstr "Introduza o nome do usuario ao que quere subscribirse." #. TRANS: Command exception text shown when trying to subscribe to an OMB profile using the subscribe command. -#: lib/command.php:659 +#: lib/command.php:663 msgid "Can't subscribe to OMB profiles by command." msgstr "Non se pode subscribir aos perfís OMB cunha orde." #. TRANS: Text shown after having subscribed to another user successfully. #. TRANS: %s is the name of the user the subscription was requested for. -#: lib/command.php:667 +#: lib/command.php:671 #, php-format msgid "Subscribed to %s." msgstr "Subscribiuse a %s." #. TRANS: Error text shown when no username was provided when issuing an unsubscribe command. #. TRANS: Error text shown when no username was provided when issuing the command. -#: lib/command.php:688 lib/command.php:799 +#: lib/command.php:692 lib/command.php:803 msgid "Specify the name of the user to unsubscribe from." msgstr "Introduza o nome do usuario ao que quer deixar de estar subscrito." #. TRANS: Text shown after having unsubscribed from another user successfully. #. TRANS: %s is the name of the user the unsubscription was requested for. -#: lib/command.php:699 +#: lib/command.php:703 #, php-format msgid "Unsubscribed from %s." msgstr "Cancelou a subscrición a %s." #. TRANS: Error text shown when issuing the command "off" with a setting which has not yet been implemented. #. TRANS: Error text shown when issuing the command "on" with a setting which has not yet been implemented. -#: lib/command.php:719 lib/command.php:745 +#: lib/command.php:723 lib/command.php:749 msgid "Command not yet implemented." msgstr "Aínda non se integrou esa orde." #. TRANS: Text shown when issuing the command "off" successfully. -#: lib/command.php:723 +#: lib/command.php:727 msgid "Notification off." msgstr "Desactivar a notificación." #. TRANS: Error text shown when the command "off" fails for an unknown reason. -#: lib/command.php:726 +#: lib/command.php:730 msgid "Can't turn off notification." msgstr "Non se pode desactivar a notificación." #. TRANS: Text shown when issuing the command "on" successfully. -#: lib/command.php:749 +#: lib/command.php:753 msgid "Notification on." msgstr "Activar a notificación." #. TRANS: Error text shown when the command "on" fails for an unknown reason. -#: lib/command.php:752 +#: lib/command.php:756 msgid "Can't turn on notification." msgstr "Non se pode activar a notificación." #. TRANS: Error text shown when issuing the login command while login is disabled. -#: lib/command.php:766 +#: lib/command.php:770 msgid "Login command is disabled." msgstr "A orde de identificación está desactivada." #. TRANS: Text shown after issuing the login command successfully. #. TRANS: %s is a logon link.. -#: lib/command.php:779 +#: lib/command.php:783 #, php-format msgid "This link is useable only once and is valid for only 2 minutes: %s." msgstr "" @@ -7084,20 +7181,20 @@ msgstr "" #. TRANS: Text shown after issuing the lose command successfully (stop another user from following the current user). #. TRANS: %s is the name of the user the unsubscription was requested for. -#: lib/command.php:808 +#: lib/command.php:812 #, php-format msgid "Unsubscribed %s." msgstr "Cancelou a subscrición a %s." #. TRANS: Text shown after requesting other users a user is subscribed to without having any subscriptions. -#: lib/command.php:826 +#: lib/command.php:830 msgid "You are not subscribed to anyone." msgstr "Non está subscrito a ninguén." #. TRANS: Text shown after requesting other users a user is subscribed to. #. TRANS: This message supports plural forms. This message is followed by a #. TRANS: hard coded space and a comma separated list of subscribed users. -#: lib/command.php:831 +#: lib/command.php:835 msgid "You are subscribed to this person:" msgid_plural "You are subscribed to these people:" msgstr[0] "Vostede está subscrito a esta persoa:" @@ -7105,14 +7202,14 @@ msgstr[1] "Vostede está subscrito a estas persoas:" #. TRANS: Text shown after requesting other users that are subscribed to a user #. TRANS: (followers) without having any subscribers. -#: lib/command.php:853 +#: lib/command.php:857 msgid "No one is subscribed to you." msgstr "Non hai ninguén subscrito a vostede." #. TRANS: Text shown after requesting other users that are subscribed to a user (followers). #. TRANS: This message supports plural forms. This message is followed by a #. TRANS: hard coded space and a comma separated list of subscribing users. -#: lib/command.php:858 +#: lib/command.php:862 msgid "This person is subscribed to you:" msgid_plural "These people are subscribed to you:" msgstr[0] "Esta persoa está subscrita a vostede:" @@ -7120,21 +7217,21 @@ msgstr[1] "Estas persoas están subscritas a vostede:" #. TRANS: Text shown after requesting groups a user is subscribed to without having #. TRANS: any group subscriptions. -#: lib/command.php:880 +#: lib/command.php:884 msgid "You are not a member of any groups." msgstr "Non forma parte de ningún grupo." #. TRANS: Text shown after requesting groups a user is subscribed to. #. TRANS: This message supports plural forms. This message is followed by a #. TRANS: hard coded space and a comma separated list of subscribed groups. -#: lib/command.php:885 +#: lib/command.php:889 msgid "You are a member of this group:" msgid_plural "You are a member of these groups:" msgstr[0] "Vostede pertence a este grupo:" msgstr[1] "Vostede pertence a estes grupos:" #. TRANS: Help text for commands. Do not translate the command names themselves; they are fixed strings. -#: lib/command.php:900 +#: lib/command.php:904 msgid "" "Commands:\n" "on - turn on notifications\n" @@ -7367,7 +7464,8 @@ msgstr "" "espazos, tiles ou eñes" #: lib/groupeditform.php:163 -msgid "URL of the homepage or blog of the group or topic" +#, fuzzy +msgid "URL of the homepage or blog of the group or topic." msgstr "URL do sitio web persoal ou blogue do grupo ou tema" #: lib/groupeditform.php:168 @@ -7375,21 +7473,32 @@ msgid "Describe the group or topic" msgstr "Describa o grupo ou o tema" #: lib/groupeditform.php:170 -#, php-format -msgid "Describe the group or topic in %d characters" -msgstr "Describa o grupo ou o tema en %d caracteres" +#, fuzzy, php-format +msgid "Describe the group or topic in %d character or less" +msgid_plural "Describe the group or topic in %d characters or less" +msgstr[0] "Describa o grupo ou o tema en %d caracteres" +msgstr[1] "Describa o grupo ou o tema en %d caracteres" -#: lib/groupeditform.php:179 +#: lib/groupeditform.php:182 +#, fuzzy msgid "" -"Location for the group, if any, like \"City, State (or Region), Country\"" +"Location for the group, if any, like \"City, State (or Region), Country\"." msgstr "" "Localidade do grupo, se a ten, como por exemplo \"Cidade, Provincia, " "Comunidade, País\"" -#: lib/groupeditform.php:187 -#, php-format -msgid "Extra nicknames for the group, comma- or space- separated, max %d" -msgstr "" +#: lib/groupeditform.php:190 +#, fuzzy, php-format +msgid "" +"Extra nicknames for the group, separated with commas or spaces. Maximum %d " +"alias allowed." +msgid_plural "" +"Extra nicknames for the group, separated with commas or spaces. Maximum %d " +"aliases allowed." +msgstr[0] "" +"Alcumes adicionais para o grupo, separados por comas ou espazos, %d como " +"máximo" +msgstr[1] "" "Alcumes adicionais para o grupo, separados por comas ou espazos, %d como " "máximo" @@ -7947,7 +8056,7 @@ msgstr "Ese non é o seu enderezo de correo electrónico para recibir correos." msgid "Sorry, no incoming email allowed." msgstr "Non se permite recibir correo electrónico." -#: lib/mailhandler.php:228 +#: lib/mailhandler.php:229 #, php-format msgid "Unsupported message type: %s" msgstr "Non se soporta o tipo de mensaxe: %s" @@ -8295,16 +8404,17 @@ msgid "Sandbox this user" msgstr "Illar a este usuario" #. TRANS: Fieldset legend for the search form. -#: lib/searchaction.php:121 +#: lib/searchaction.php:120 msgid "Search site" msgstr "Buscar no sitio" #. TRANS: Used as a field label for the field where one or more keywords #. TRANS: for searching can be entered. -#: lib/searchaction.php:129 +#: lib/searchaction.php:128 msgid "Keyword(s)" msgstr "Termos de busca" +#. TRANS: Button text for searching site. #: lib/searchaction.php:130 msgctxt "BUTTON" msgid "Search" @@ -8396,8 +8506,8 @@ msgid "The theme file is missing or the upload failed." msgstr "O ficheiro do tema visual non existe ou a subida fallou." #: lib/themeuploader.php:91 lib/themeuploader.php:102 -#: lib/themeuploader.php:278 lib/themeuploader.php:282 -#: lib/themeuploader.php:290 lib/themeuploader.php:297 +#: lib/themeuploader.php:279 lib/themeuploader.php:283 +#: lib/themeuploader.php:291 lib/themeuploader.php:298 msgid "Failed saving theme." msgstr "Non se puido gardar o tema visual." @@ -8406,17 +8516,22 @@ msgid "Invalid theme: bad directory structure." msgstr "Tema visual inválido: a estrutura do directorio é incorrecta" #: lib/themeuploader.php:166 -#, php-format -msgid "Uploaded theme is too large; must be less than %d bytes uncompressed." -msgstr "" +#, fuzzy, php-format +msgid "Uploaded theme is too large; must be less than %d byte uncompressed." +msgid_plural "" +"Uploaded theme is too large; must be less than %d bytes uncompressed." +msgstr[0] "" +"O tema visual cargado é grande de máis; o tamaño descomprimido non pode " +"superar os %d bytes." +msgstr[1] "" "O tema visual cargado é grande de máis; o tamaño descomprimido non pode " "superar os %d bytes." -#: lib/themeuploader.php:178 +#: lib/themeuploader.php:179 msgid "Invalid theme archive: missing file css/display.css" msgstr "Arquivo de tema visual inválido: falta o ficheiro css/display.css" -#: lib/themeuploader.php:218 +#: lib/themeuploader.php:219 msgid "" "Theme contains invalid file or folder name. Stick with ASCII letters, " "digits, underscore, and minus sign." @@ -8424,16 +8539,16 @@ msgstr "" "O tema visual contén un ficheiro inválido ou nome de cartafol incorrecto. " "Limíteo a letras ASCII, díxitos, barras baixas e signos menos." -#: lib/themeuploader.php:224 +#: lib/themeuploader.php:225 msgid "Theme contains unsafe file extension names; may be unsafe." msgstr "O tema visual contén nomes de extensión inseguros." -#: lib/themeuploader.php:241 +#: lib/themeuploader.php:242 #, php-format msgid "Theme contains file of type '.%s', which is not allowed." msgstr "O tema visual contén o tipo de ficheiro \".%s\". Non está permitido." -#: lib/themeuploader.php:259 +#: lib/themeuploader.php:260 msgid "Error opening theme archive." msgstr "Houbo un erro ao abrir o arquivo do tema visual." @@ -8616,22 +8731,43 @@ msgstr[0] "" msgstr[1] "" "A mensaxe é longa de máis, o límite de caracteres é de %1$d, e enviou %2$d." -#: scripts/restoreuser.php:82 +#. TRANS: Commandline script output. %s is the filename that contains a backup for a user. +#: scripts/restoreuser.php:61 #, php-format -msgid "Backup file for user %s (%s)" -msgstr "Ficheiro de reserva para o usuario %s (%s)" +msgid "Getting backup from file '%s'." +msgstr "" -#: scripts/restoreuser.php:88 +#. TRANS: Commandline script output. +#: scripts/restoreuser.php:91 msgid "No user specified; using backup user." msgstr "Non se especificou ningún usuario; emprégase o usuario de reserva." -#: scripts/restoreuser.php:94 -#, php-format -msgid "%d entries in backup." -msgstr "%d entradas na reserva." +#. TRANS: Commandline script output. %d is the number of entries in the activity stream in backup; used for plural. +#: scripts/restoreuser.php:98 +#, fuzzy, php-format +msgid "%d entry in backup." +msgid_plural "%d entries in backup." +msgstr[0] "%d entradas na reserva." +msgstr[1] "%d entradas na reserva." -#~ msgid "Description is too long (max %d chars)." -#~ msgstr "A descrición é longa de máis (o máximo son %d caracteres)." +#, fuzzy +#~ msgid "Name is too long (maximum 255 chars)." +#~ msgstr "O nome é longo de máis (o límite é de 255 caracteres)." -#~ msgid "Too many aliases! Maximum %d." -#~ msgstr "Demasiados pseudónimos! O número máximo é %d." +#, fuzzy +#~ msgid "Organization is too long (maximum 255 chars)." +#~ msgstr "A organización é longa de máis (o límite é de 255 caracteres)." + +#~ msgid "That's too long. Max notice size is %d chars." +#~ msgstr "Iso é longo de máis. A nota non pode exceder os %d caracteres." + +#~ msgid "Max notice size is %d chars, including attachment URL." +#~ msgstr "" +#~ "A lonxitude máxima das notas é de %d caracteres, incluído o URL do dato " +#~ "adxunto." + +#~ msgid " tagged %s" +#~ msgstr " etiquetouse %s" + +#~ msgid "Backup file for user %s (%s)" +#~ msgstr "Ficheiro de reserva para o usuario %s (%s)" diff --git a/locale/hsb/LC_MESSAGES/statusnet.po b/locale/hsb/LC_MESSAGES/statusnet.po index 89d8f334b7..e801adbc6d 100644 --- a/locale/hsb/LC_MESSAGES/statusnet.po +++ b/locale/hsb/LC_MESSAGES/statusnet.po @@ -11,18 +11,18 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet - Core\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-10-30 23:18+0000\n" -"PO-Revision-Date: 2010-10-30 23:20:21+0000\n" +"POT-Creation-Date: 2010-11-02 22:51+0000\n" +"PO-Revision-Date: 2010-11-02 22:53:22+0000\n" "Language-Team: Upper Sorbian \n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r75708); Translate extension (2010-09-17)\n" +"X-Generator: MediaWiki 1.17alpha (r75875); Translate extension (2010-09-17)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: hsb\n" "X-Message-Group: #out-statusnet-core\n" "Plural-Forms: nplurals=4; plural=(n%100==1 ? 0 : n%100==2 ? 1 : (n%100==3 || " "n%100==4) ? 2 : 3)\n" -"X-POT-Import-Date: 2010-10-30 09:48:40+0000\n" +"X-POT-Import-Date: 2010-10-30 23:42:01+0000\n" #. TRANS: Page title for Access admin panel that allows configuring site access. #. TRANS: Menu item for site administration @@ -79,15 +79,20 @@ msgstr "Přistupne nastajenja składować" #. TRANS: Tooltip for button to save access settings in site admin panel. #. TRANS: Button label to save e-mail preferences. #. TRANS: Button label to save IM preferences. +#. TRANS: Button text for saving "Other settings" in profile. #. TRANS: Button text to store form data in the Paths admin panel. #. TRANS: Button to save input in profile settings. +#. TRANS: Button text for saving site notice in admin panel. #. TRANS: Button label to save SMS preferences. #. TRANS: Save button for settings for a profile in a subscriptions list. +#. TRANS: Button text to save user settings in user admin panel. #. TRANS: Button label in the "Edit application" form. #: actions/accessadminpanel.php:193 actions/emailsettings.php:228 -#: actions/imsettings.php:187 actions/pathsadminpanel.php:512 -#: actions/profilesettings.php:201 actions/smssettings.php:209 -#: actions/subscriptions.php:246 lib/applicationeditform.php:355 +#: actions/imsettings.php:187 actions/othersettings.php:134 +#: actions/pathsadminpanel.php:512 actions/profilesettings.php:201 +#: actions/sitenoticeadminpanel.php:197 actions/smssettings.php:209 +#: actions/subscriptions.php:246 actions/useradminpanel.php:298 +#: lib/applicationeditform.php:355 lib/groupeditform.php:207 msgctxt "BUTTON" msgid "Save" msgstr "Składować" @@ -138,7 +143,7 @@ msgstr "Strona njeeksistuje." #: 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:93 actions/userrss.php:40 -#: actions/xrds.php:71 lib/command.php:495 lib/galleryaction.php:59 +#: actions/xrds.php:71 lib/command.php:497 lib/galleryaction.php:59 #: lib/mailbox.php:82 lib/profileaction.php:77 msgid "No such user." msgstr "Wužiwar njeeksistuje" @@ -205,7 +210,9 @@ msgstr "" #. TRANS: Encoutagement displayed on empty timeline user pages for anonymous users. #. TRANS: %s is a user nickname. This message contains Markdown links. Keep "](" together. -#: actions/all.php:155 actions/replies.php:210 actions/showstream.php:208 +#. TRANS: Second sentence of empty message for anonymous users. %s is a user nickname. +#. TRANS: This message contains a Markdown link. Keep "](" together. +#: actions/all.php:155 actions/replies.php:210 actions/showstream.php:227 #, php-format msgid "" "Why not [register an account](%%%%action.register%%%%) and then nudge %s or " @@ -559,8 +566,11 @@ msgstr "Dospołne mjeno je předołho (maks. 255 znamješkow)." #. TRANS: Group edit form validation error. #. TRANS: Form validation error in New application form. #. TRANS: %d is the maximum number of characters for the description. +#. TRANS: Group create form validation error. +#. TRANS: %d is the maximum number of allowed characters. #: actions/apigroupcreate.php:220 actions/editapplication.php:201 #: actions/editgroup.php:216 actions/newapplication.php:178 +#: actions/newgroup.php:152 #, fuzzy, php-format msgid "Description is too long (maximum %d character)." msgid_plural "Description is too long (maximum %d characters)." @@ -724,14 +734,14 @@ msgstr "Njejsy awtorizowany." #. TRANS: Form validation error in API OAuth authorisation because of an invalid session token. #: actions/apioauthauthorize.php:147 actions/avatarsettings.php:280 -#: actions/deletenotice.php:172 actions/disfavor.php:74 +#: actions/deletenotice.php:177 actions/disfavor.php:74 #: actions/emailsettings.php:271 actions/favor.php:75 actions/geocode.php:55 #: actions/groupblock.php:66 actions/grouplogo.php:312 #: actions/groupunblock.php:65 actions/imsettings.php:230 #: actions/invite.php:59 actions/login.php:137 actions/makeadmin.php:66 #: actions/newmessage.php:135 actions/newnotice.php:105 actions/nudge.php:80 #: actions/oauthappssettings.php:165 actions/oauthconnectionssettings.php:138 -#: actions/othersettings.php:145 actions/passwordsettings.php:138 +#: actions/othersettings.php:153 actions/passwordsettings.php:138 #: actions/profilesettings.php:221 actions/recoverpassword.php:350 #: actions/register.php:172 actions/remotesubscribe.php:77 #: actions/repeat.php:83 actions/smssettings.php:256 actions/subedit.php:40 @@ -905,20 +915,21 @@ msgstr "Njemóžeš status druheho wužiwarja zničić." #. TRANS: Client error displayed trying to repeat a non-existing notice through the API. #. TRANS: Client error displayed trying to display redents of a non-exiting notice. +#. TRANS: Error message displayed trying to delete a non-existing notice. #: actions/apistatusesretweet.php:74 actions/apistatusesretweets.php:70 -#: actions/deletenotice.php:58 actions/shownotice.php:92 +#: actions/deletenotice.php:61 actions/shownotice.php:92 msgid "No such notice." msgstr "Zdźělenka njeeksistuje." #. TRANS: Client error displayed trying to repeat an own notice through the API. #. TRANS: Error text shown when trying to repeat an own notice. -#: actions/apistatusesretweet.php:83 lib/command.php:535 +#: actions/apistatusesretweet.php:83 lib/command.php:537 msgid "Cannot repeat your own notice." msgstr "Njemóžno twoju zdźělenku wospjetować." #. TRANS: Client error displayed trying to re-repeat a notice through the API. #. TRANS: Error text shown when trying to repeat an notice that was already repeated by the user. -#: actions/apistatusesretweet.php:92 lib/command.php:541 +#: actions/apistatusesretweet.php:92 lib/command.php:543 msgid "Already repeated that notice." msgstr "Tuta zdźělenka bu hižo wospjetowana." @@ -939,7 +950,8 @@ msgstr "" #. TRANS: Client error displayed when the parameter "status" is missing. #. TRANS: %d is the maximum number of character for a notice. -#: actions/apistatusesupdate.php:244 +#: actions/apistatusesupdate.php:244 actions/newnotice.php:161 +#: lib/mailhandler.php:60 #, fuzzy, php-format msgid "That's too long. Maximum notice size is %d character." msgid_plural "That's too long. Maximum notice size is %d characters." @@ -956,7 +968,7 @@ msgstr "API-metoda njenamakana." #. TRANS: Client error displayed exceeding the maximum notice length. #. TRANS: %d is the maximum lenth for a notice. -#: actions/apistatusesupdate.php:308 +#: actions/apistatusesupdate.php:308 actions/newnotice.php:184 #, php-format msgid "Maximum notice size is %d character, including attachment URL." msgid_plural "Maximum notice size is %d characters, including attachment URL." @@ -1171,17 +1183,18 @@ msgstr "" msgid "Lost our file data." msgstr "Naše datajowe daty su so zhubili." -#: actions/avatarsettings.php:384 +#. TRANS: Success message for having updated a user avatar. +#: actions/avatarsettings.php:385 msgid "Avatar updated." msgstr "Awatar zaktualizowany." #. TRANS: Error displayed on the avatar upload page if the avatar could not be updated for an unknown reason. -#: actions/avatarsettings.php:388 +#: actions/avatarsettings.php:389 msgid "Failed updating avatar." msgstr "Aktualizowanje awatara je so njeporadźiło." #. TRANS: Success message for deleting a user avatar. -#: actions/avatarsettings.php:412 +#: actions/avatarsettings.php:413 msgid "Avatar deleted." msgstr "Awatar zničeny." @@ -1210,8 +1223,8 @@ msgstr "" #. TRANS: Button label on the delete notice form. #. TRANS: Button label on the delete user form. #. TRANS: Button label on the form to block a user from a group. -#: actions/block.php:154 actions/deleteapplication.php:154 -#: actions/deletegroup.php:220 actions/deletenotice.php:150 +#: actions/block.php:154 actions/deleteapplication.php:157 +#: actions/deletegroup.php:220 actions/deletenotice.php:155 #: actions/deleteuser.php:152 actions/groupblock.php:178 msgctxt "BUTTON" msgid "No" @@ -1229,8 +1242,8 @@ msgstr "Tutoho wužiwarja njeblokować" #. TRANS: Button label on the delete notice form. #. TRANS: Button label on the delete user form. #. TRANS: Button label on the form to block a user from a group. -#: actions/block.php:161 actions/deleteapplication.php:161 -#: actions/deletegroup.php:227 actions/deletenotice.php:157 +#: actions/block.php:161 actions/deleteapplication.php:164 +#: actions/deletegroup.php:227 actions/deletenotice.php:162 #: actions/deleteuser.php:159 actions/groupblock.php:185 msgctxt "BUTTON" msgid "Yes" @@ -1349,12 +1362,13 @@ msgstr "Tuta adresa bu hižo wobkrućena." #. TRANS: Server error thrown on database error removing a registered e-mail address. #. TRANS: Server error thrown on database error updating IM preferences. #. TRANS: Server error thrown on database error removing a registered IM address. +#. TRANS: Server error displayed when "Other" settings in user profile could not be updated on the server. #. TRANS: Server error thrown when user profile settings could not be updated. #. TRANS: Server error thrown on database error updating SMS preferences. #. TRANS: Server error thrown on database error removing a registered SMS phone number. #: actions/confirmaddress.php:118 actions/emailsettings.php:331 #: actions/emailsettings.php:477 actions/imsettings.php:283 -#: actions/imsettings.php:442 actions/othersettings.php:174 +#: actions/imsettings.php:442 actions/othersettings.php:184 #: actions/profilesettings.php:326 actions/smssettings.php:308 #: actions/smssettings.php:464 msgid "Couldn't update user." @@ -1390,16 +1404,19 @@ msgstr "Konwersacija" msgid "Notices" msgstr "Zdźělenki" -#: actions/deleteapplication.php:63 +#. TRANS: Client error displayed trying to delete an application while not logged in. +#: actions/deleteapplication.php:62 msgid "You must be logged in to delete an application." msgstr "Dyrbiš přizjewjeny być, zo by aplikaciju zničił." +#. TRANS: Client error displayed trying to delete an application that does not exist. #: actions/deleteapplication.php:71 msgid "Application not found." msgstr "Aplikaciska njenamakana." +#. TRANS: Client error displayed trying to delete an application the current user does not own. #. TRANS: Client error displayed trying to edit an application while not being its owner. -#: actions/deleteapplication.php:78 actions/editapplication.php:78 +#: actions/deleteapplication.php:79 actions/editapplication.php:78 #: actions/showapplication.php:94 msgid "You are not the owner of this application." msgstr "Njejsy wobsedźer tuteje aplikacije." @@ -1407,15 +1424,18 @@ msgstr "Njejsy wobsedźer tuteje aplikacije." #. TRANS: Client error text when there is a problem with the session token. #: actions/deleteapplication.php:102 actions/editapplication.php:131 #: actions/newapplication.php:114 actions/showapplication.php:118 -#: lib/action.php:1354 +#: lib/action.php:1404 msgid "There was a problem with your session token." msgstr "" -#: actions/deleteapplication.php:123 actions/deleteapplication.php:147 +#. TRANS: Title for delete application page. +#. TRANS: Fieldset legend on delete application page. +#: actions/deleteapplication.php:124 actions/deleteapplication.php:149 msgid "Delete application" msgstr "Aplikaciju zničić" -#: actions/deleteapplication.php:149 +#. TRANS: Confirmation text on delete application page. +#: actions/deleteapplication.php:152 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 " @@ -1423,12 +1443,12 @@ msgid "" msgstr "" #. TRANS: Submit button title for 'No' when deleting an application. -#: actions/deleteapplication.php:158 +#: actions/deleteapplication.php:161 msgid "Do not delete this application" msgstr "Tutu aplikaciju njezničić" #. TRANS: Submit button title for 'Yes' when deleting an application. -#: actions/deleteapplication.php:164 +#: actions/deleteapplication.php:167 msgid "Delete this application" msgstr "Tutu aplikaciju zničić" @@ -1464,13 +1484,14 @@ msgstr "Skupina njeje so dała aktualizować." msgid "Deleted group %s" msgstr "%1$s je skupinu %2$s wopušćił" -#. TRANS: Title. +#. TRANS: Title of delete group page. #. TRANS: Form legend for deleting a group. #: actions/deletegroup.php:176 actions/deletegroup.php:202 #, fuzzy msgid "Delete group" msgstr "Wužiwarja wušmórnyć" +#. TRANS: Warning in form for deleleting a group. #: actions/deletegroup.php:206 msgid "" "Are you sure you want to delete this group? This will clear all data about " @@ -1490,10 +1511,11 @@ msgstr "Tutu zdźělenku njewušmórnyć" msgid "Delete this group" msgstr "Tutoho wužiwarja wušmórnyć" +#. TRANS: Error message displayed trying to delete a notice while not logged in. #. TRANS: Client error displayed when trying to unblock a user from a group while not logged in. #. TRANS: Client error displayed trying a change a subscription while not logged in. #. TRANS: Client error message thrown when trying to access the admin panel while not logged in. -#: actions/deletenotice.php:50 actions/disfavor.php:61 actions/favor.php:62 +#: actions/deletenotice.php:52 actions/disfavor.php:61 actions/favor.php:62 #: actions/groupblock.php:61 actions/groupunblock.php:60 actions/logout.php:69 #: actions/makeadmin.php:61 actions/newmessage.php:87 actions/newnotice.php:88 #: actions/nudge.php:63 actions/subedit.php:33 actions/subscribe.php:96 @@ -1503,31 +1525,36 @@ msgstr "Tutoho wužiwarja wušmórnyć" msgid "Not logged in." msgstr "Njepřizjewjeny." -#: actions/deletenotice.php:74 +#. TRANS: Error message displayed trying to delete a notice that was not made by the current user. +#: actions/deletenotice.php:78 msgid "Can't delete this notice." msgstr "Tuta zdźělenka njeda so zničić." -#: actions/deletenotice.php:106 +#. TRANS: Instructions for deleting a notice. +#: actions/deletenotice.php:110 msgid "" "You are about to permanently delete a notice. Once this is done, it cannot " "be undone." msgstr "" -#: actions/deletenotice.php:112 actions/deletenotice.php:144 +#. TRANS: Page title when deleting a notice. +#. TRANS: Fieldset legend for the delete notice form. +#: actions/deletenotice.php:117 actions/deletenotice.php:148 msgid "Delete notice" msgstr "Zdźělenku wušmórnyć" -#: actions/deletenotice.php:147 +#. TRANS: Message for the delete notice form. +#: actions/deletenotice.php:152 msgid "Are you sure you want to delete this notice?" msgstr "Chceš woprawdźe tutu zdźělenku wušmórnyć?" #. TRANS: Submit button title for 'No' when deleting a notice. -#: actions/deletenotice.php:154 +#: actions/deletenotice.php:159 msgid "Do not delete this notice" msgstr "Tutu zdźělenku njewušmórnyć" #. TRANS: Submit button title for 'Yes' when deleting a notice. -#: actions/deletenotice.php:161 lib/noticelist.php:667 +#: actions/deletenotice.php:166 lib/noticelist.php:667 msgid "Delete this notice" msgstr "Tutu zdźělenku wušmórnyć" @@ -1690,11 +1717,9 @@ msgstr "Na standard wróćo stajić" #. TRANS: Submit button title. #: actions/designadminpanel.php:711 actions/licenseadminpanel.php:319 -#: actions/othersettings.php:126 actions/sessionsadminpanel.php:199 -#: actions/siteadminpanel.php:292 actions/sitenoticeadminpanel.php:195 +#: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:292 #: actions/snapshotadminpanel.php:245 actions/tagother.php:154 -#: actions/useradminpanel.php:295 lib/applicationeditform.php:357 -#: lib/designsettings.php:256 lib/groupeditform.php:202 +#: lib/applicationeditform.php:357 lib/designsettings.php:256 msgid "Save" msgstr "Składować" @@ -1742,9 +1767,9 @@ msgid "Name is required." msgstr "Mjeno je trěbne." #. TRANS: Validation error shown when providing too long a name in the "Edit application" form. -#: actions/editapplication.php:188 +#: actions/editapplication.php:188 actions/newapplication.php:169 #, fuzzy -msgid "Name is too long (max 255 characters)." +msgid "Name is too long (maximum 255 characters)." msgstr "Mjeno je předołho (maks. 255 znamješkow)." #. TRANS: Validation error shown when providing a name for an application that already exists in the "Edit application" form. @@ -1773,7 +1798,7 @@ msgid "Organization is required." msgstr "Organizacija je trěbna." #. TRANS: Validation error shown when providing too long an arganisation name in the "Edit application" form. -#: actions/editapplication.php:223 +#: actions/editapplication.php:223 actions/newapplication.php:199 #, fuzzy msgid "Organization is too long (maximum 255 characters)." msgstr "Mjeno organizacije je předołho (maks. 255 znamješkow)." @@ -2545,7 +2570,7 @@ msgid "Publish a MicroID for my Jabber/GTalk address." msgstr "MicroID za moju e-mejlowu adresu publikować" #. TRANS: Confirmation message for successful IM preferences save. -#: actions/imsettings.php:290 actions/othersettings.php:180 +#: actions/imsettings.php:290 actions/othersettings.php:190 msgid "Preferences saved." msgstr "Nastajenja składowane." @@ -2673,10 +2698,9 @@ msgstr[3] "Sy tutych wužiwarjow hižo abonował:" #. TRANS: Used as list item for already subscribed users (%1$s is nickname, %2$s is e-mail address). #. TRANS: Used as list item for already registered people (%1$s is nickname, %2$s is e-mail address). -#. TRANS: Whois output. -#. TRANS: %1$s nickname of the queried user, %2$s is their profile URL. -#: actions/invite.php:145 actions/invite.php:159 lib/command.php:426 -#, php-format +#: actions/invite.php:145 actions/invite.php:159 +#, fuzzy, php-format +msgctxt "INVITE" msgid "%1$s (%2$s)" msgstr "%1$s (%2$s)" @@ -2835,8 +2859,9 @@ msgid "" msgstr "" #: actions/licenseadminpanel.php:156 -msgid "Invalid license title. Max length is 255 characters." -msgstr "" +#, fuzzy +msgid "Invalid license title. Maximum length is 255 characters." +msgstr "Městno je předołho (maks. 255 znamješkow)." #: actions/licenseadminpanel.php:168 msgid "Invalid license URL." @@ -3007,20 +3032,10 @@ 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:169 -#, fuzzy -msgid "Name is too long (maximum 255 chars)." -msgstr "Mjeno je předołho (maks. 255 znamješkow)." - #: actions/newapplication.php:184 msgid "Source URL is required." msgstr "Žórłowy URL je trěbny." -#: actions/newapplication.php:199 -#, fuzzy -msgid "Organization is too long (maximum 255 chars)." -msgstr "Mjeno organizacije je předołho (maks. 255 znamješkow)." - #: actions/newapplication.php:266 actions/newapplication.php:275 msgid "Could not create application." msgstr "Aplikacija njeda so wutworić." @@ -3040,14 +3055,14 @@ msgid "New message" msgstr "Nowa powěsć" #. TRANS: Error text shown when trying to send a direct message to a user without a mutual subscription (each user must be subscribed to the other). -#: actions/newmessage.php:121 actions/newmessage.php:164 lib/command.php:499 +#: actions/newmessage.php:121 actions/newmessage.php:164 lib/command.php:501 msgid "You can't send a message to this user." msgstr "Njemóžeš tutomu wužiwarju powěsć pósłać." #. TRANS: Command exception text shown when trying to send a direct message to another user without content. #. TRANS: Command exception text shown when trying to reply to a notice without providing content for the reply. #: actions/newmessage.php:144 actions/newnotice.php:140 lib/command.php:478 -#: lib/command.php:579 +#: lib/command.php:581 msgid "No content!" msgstr "Žadyn wobsah!" @@ -3056,7 +3071,7 @@ msgid "No recipient specified." msgstr "Žadyn přijimowar podaty." #. TRANS: Error text shown when trying to send a direct message to self. -#: actions/newmessage.php:167 lib/command.php:503 +#: actions/newmessage.php:167 lib/command.php:505 msgid "" "Don't send a message to yourself; just say it to yourself quietly instead." msgstr "" @@ -3067,12 +3082,12 @@ msgstr "Powěsć pósłana" #. TRANS: Message given have sent a direct message to another user. #. TRANS: %s is the name of the other user. -#: actions/newmessage.php:188 lib/command.php:511 +#: actions/newmessage.php:188 lib/command.php:513 #, php-format msgid "Direct message to %s sent." msgstr "Direktna powěsć do %s pósłana." -#: actions/newmessage.php:213 actions/newnotice.php:263 +#: actions/newmessage.php:213 actions/newnotice.php:264 msgid "Ajax Error" msgstr "Zmylk Ajax" @@ -3080,17 +3095,7 @@ msgstr "Zmylk Ajax" msgid "New notice" msgstr "Nowa zdźělenka" -#: actions/newnotice.php:159 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/newnotice.php:183 -#, php-format -msgid "Max notice size is %d chars, including attachment URL." -msgstr "" - -#: actions/newnotice.php:229 +#: actions/newnotice.php:230 msgid "Notice posted" msgstr "Zdźělenka wotpósłana" @@ -3253,38 +3258,47 @@ msgstr "Ludźi pytać" msgid "Notice Search" msgstr "Zdźělenku pytać" -#: actions/othersettings.php:60 +#: actions/othersettings.php:59 msgid "Other settings" msgstr "Druhe nastajenja" +#. TRANS: Instructions for tab "Other" in user profile settings. #: actions/othersettings.php:71 msgid "Manage various other options." msgstr "Wšelake druhe opcije zrjadować." -#: actions/othersettings.php:108 +#. TRANS: Used as a suffix for free URL shorteners in a dropdown list in the tab "Other" of a +#. TRANS: user's profile settings. This message has one space at the beginning. Use your +#. TRANS: language's word separator here if it has one (most likely a single space). +#: actions/othersettings.php:111 msgid " (free service)" msgstr " (swobodna słužba)" -#: actions/othersettings.php:116 +#. TRANS: Label for dropdown with URL shortener services. +#: actions/othersettings.php:120 msgid "Shorten URLs with" msgstr "URL skrótšić z" -#: actions/othersettings.php:117 +#. TRANS: Tooltip for for dropdown with URL shortener services. +#: actions/othersettings.php:122 msgid "Automatic shortening service to use." msgstr "" -#: actions/othersettings.php:122 +#. TRANS: Label for checkbox. +#: actions/othersettings.php:128 #, fuzzy msgid "View profile designs" msgstr "Profilowe nastajenja wobdźěłać" -#: actions/othersettings.php:123 +#. TRANS: Tooltip for checkbox. +#: actions/othersettings.php:130 msgid "Show or hide profile designs." msgstr "" -#: actions/othersettings.php:153 +#. TRANS: Form validation error for form "Other settings" in user profile. +#: actions/othersettings.php:162 #, fuzzy -msgid "URL shortening service is too long (max 50 chars)." +msgid "URL shortening service is too long (maximum 50 characters)." msgstr "Mjeno rěče je předołhe (maks. 50 znamješkow)." #: actions/otp.php:69 @@ -3774,7 +3788,7 @@ msgstr "Biografija" #. TRANS: Label for group location (dt). Text hidden by default. #: actions/profilesettings.php:149 actions/register.php:485 #: actions/showgroup.php:267 actions/tagother.php:112 -#: actions/userauthorization.php:166 lib/groupeditform.php:177 +#: actions/userauthorization.php:166 lib/groupeditform.php:180 #: lib/userprofile.php:165 msgid "Location" msgstr "Městno" @@ -4106,7 +4120,8 @@ msgid "Unexpected password reset." msgstr "Njewočakowane wotpósłanje formulara." #: actions/recoverpassword.php:365 -msgid "Password must be 6 chars or more." +#, fuzzy +msgid "Password must be 6 characters or more." msgstr "Hesło dyrbi 6 znamješkow abo wjace měć." #: actions/recoverpassword.php:369 @@ -4451,7 +4466,7 @@ msgstr "Organizacija" #. TRANS: Form input field label. #: actions/showapplication.php:187 actions/version.php:200 -#: lib/applicationeditform.php:208 lib/groupeditform.php:172 +#: lib/applicationeditform.php:208 lib/groupeditform.php:175 msgid "Description" msgstr "Wopisanje" @@ -4595,7 +4610,7 @@ msgid "Note" msgstr "Žadyn" #. TRANS: Label for group aliases (dt). Text hidden by default. -#: actions/showgroup.php:298 lib/groupeditform.php:184 +#: actions/showgroup.php:298 lib/groupeditform.php:187 msgid "Aliases" msgstr "Aliasy" @@ -4719,60 +4734,84 @@ msgstr "Powěsć wot %1$s na %2$s" msgid "Notice deleted." msgstr "Zdźělenka zničena." -#: actions/showstream.php:72 -#, php-format -msgid " tagged %s" -msgstr "" +#. TRANS: Page title showing tagged notices in one user's stream. %1$s is the username, %2$s is the hash tag. +#: actions/showstream.php:70 +#, fuzzy, php-format +msgid "%1$s tagged %2$s" +msgstr "%1$s, strona %2$d" -#: actions/showstream.php:78 +#. TRANS: Page title showing tagged notices in one user's stream. +#. TRANS: %1$s is the username, %2$s is the hash tag, %1$d is the page number. +#: actions/showstream.php:74 +#, fuzzy, php-format +msgid "%1$s tagged %2$s, page %3$d" +msgstr "%1$s, strona %2$d" + +#. TRANS: Extended page title showing tagged notices in one user's stream. +#. TRANS: %1$s is the username, %2$d is the page number. +#: actions/showstream.php:82 #, php-format msgid "%1$s, page %2$d" msgstr "%1$s, strona %2$d" -#: actions/showstream.php:120 +#. TRANS: Title for link to notice feed. +#. TRANS: %1$s is a user nickname, %2$s is a hashtag. +#: actions/showstream.php:127 #, php-format msgid "Notice feed for %1$s tagged %2$s (RSS 1.0)" msgstr "Powěsćowy kanal za %1$s je %2$s (RSS 1.0) markěrował" -#: actions/showstream.php:127 +#. TRANS: Title for link to notice feed. +#. TRANS: %s is a user nickname. +#: actions/showstream.php:136 #, fuzzy, php-format msgid "Notice feed for %s (RSS 1.0)" msgstr "Powěsćowy kanal za %1$s je %2$s (RSS 1.0) markěrował" -#: actions/showstream.php:134 +#. TRANS: Title for link to notice feed. +#. TRANS: %s is a user nickname. +#: actions/showstream.php:145 #, fuzzy, php-format msgid "Notice feed for %s (RSS 2.0)" msgstr "Powěsćowy kanal za %1$s je %2$s (RSS 1.0) markěrował" -#: actions/showstream.php:141 +#: actions/showstream.php:152 #, fuzzy, php-format msgid "Notice feed for %s (Atom)" msgstr "Kanal za přećelow wužiwarja %s (Atom)" -#: actions/showstream.php:146 +#. TRANS: Title for link to notice feed. FOAF stands for Friend of a Friend. +#. TRANS: More information at http://www.foaf-project.org. %s is a user nickname. +#: actions/showstream.php:159 #, php-format msgid "FOAF for %s" msgstr "FOAF za %s" -#: actions/showstream.php:197 +#. TRANS: First sentence of empty list message for a stream. $1%s is a user nickname. +#: actions/showstream.php:211 #, php-format -msgid "This is the timeline for %1$s but %2$s hasn't posted anything yet." +msgid "This is the timeline for %1$s, but %1$s hasn't posted anything yet." msgstr "" -#: actions/showstream.php:202 +#. TRANS: Second sentence of empty list message for a stream for the user themselves. +#: actions/showstream.php:217 msgid "" "Seen anything interesting recently? You haven't posted any notices yet, now " "would be a good time to start :)" msgstr "" -#: actions/showstream.php:204 +#. TRANS: Second sentence of empty list message for a non-self stream. %1$s is a user nickname, %2$s is a part of a URL. +#. TRANS: This message contains a Markdown link. Keep "](" together. +#: actions/showstream.php:221 #, php-format msgid "" "You can try to nudge %1$s or [post something to them](%%%%action.newnotice%%%" "%?status_textarea=%2$s)." msgstr "" -#: actions/showstream.php:243 +#. TRANS: Announcement for anonymous users showing a stream if site registrations are open. +#. TRANS: This message contains a Markdown link. Keep "](" together. +#: actions/showstream.php:264 #, php-format msgid "" "**%s** has an account on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -4781,7 +4820,9 @@ msgid "" "follow **%s**'s notices and many more! ([Read more](%%%%doc.help%%%%))" msgstr "" -#: actions/showstream.php:248 +#. TRANS: Announcement for anonymous users showing a stream if site registrations are closed or invite only. +#. TRANS: This message contains a Markdown link. Keep "](" together. +#: actions/showstream.php:271 #, php-format msgid "" "**%s** has an account on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -4789,7 +4830,8 @@ msgid "" "[StatusNet](http://status.net/) tool. " msgstr "" -#: actions/showstream.php:305 +#. TRANS: Link to the author of a repeated notice. %s is a linked nickname. +#: actions/showstream.php:328 #, fuzzy, php-format msgid "Repeat of %s" msgstr "Wospjetowany wot" @@ -4904,31 +4946,38 @@ msgstr "Tekstowy limit" msgid "How long users must wait (in seconds) to post the same thing again." msgstr "" -#: actions/sitenoticeadminpanel.php:56 +#. TRANS: Page title for site-wide notice tab in admin panel. +#: actions/sitenoticeadminpanel.php:55 msgid "Site Notice" msgstr "Sydłowa zdźělenka" -#: actions/sitenoticeadminpanel.php:67 +#. TRANS: Instructions for site-wide notice tab in admin panel. +#: actions/sitenoticeadminpanel.php:66 msgid "Edit site-wide message" msgstr "Sydłodaloku powěsć wobdźěłać" -#: actions/sitenoticeadminpanel.php:103 +#. TRANS: Server error displayed when saving a site-wide notice was impossible. +#: actions/sitenoticeadminpanel.php:101 msgid "Unable to save site notice." msgstr "Njeje móžno, sydłowu zdźělenku składować." -#: actions/sitenoticeadminpanel.php:113 -msgid "Max length for the site-wide notice is 255 chars." +#. TRANS: Client error displayed when a site-wide notice was longer than allowed. +#: actions/sitenoticeadminpanel.php:112 +msgid "Maximum length for the site-wide notice is 255 characters." msgstr "" +#. TRANS: Label for site-wide notice text field in admin panel. #: actions/sitenoticeadminpanel.php:176 msgid "Site notice text" msgstr "Tekst sydłoweje zdźělenki" -#: actions/sitenoticeadminpanel.php:178 -msgid "Site-wide notice text (255 chars max; HTML okay)" +#. TRANS: Tooltip for site-wide notice text field in admin panel. +#: actions/sitenoticeadminpanel.php:179 +msgid "Site-wide notice text (255 characters maximum; HTML allowed)" msgstr "" -#: actions/sitenoticeadminpanel.php:198 +#. TRANS: Title for button to save site notice in admin panel. +#: actions/sitenoticeadminpanel.php:201 msgid "Save site notice" msgstr "Sydłowu zdźělenku składować" @@ -5381,77 +5430,94 @@ msgid "" msgstr "" #. TRANS: User admin panel title -#: actions/useradminpanel.php:60 +#: actions/useradminpanel.php:58 msgctxt "TITLE" msgid "User" msgstr "Wužiwar" -#: actions/useradminpanel.php:71 +#. TRANS: Instruction for user admin panel. +#: actions/useradminpanel.php:69 msgid "User settings for this StatusNet site" msgstr "" -#: actions/useradminpanel.php:150 +#. TRANS: Form validation error in user admin panel when a non-numeric character limit was set. +#: actions/useradminpanel.php:147 msgid "Invalid bio limit. Must be numeric." msgstr "" -#: actions/useradminpanel.php:156 -msgid "Invalid welcome text. Max length is 255 characters." +#. TRANS: Form validation error in user admin panel when welcome text is too long. +#: actions/useradminpanel.php:154 +msgid "Invalid welcome text. Maximum length is 255 characters." msgstr "" +#. TRANS: Client error displayed when trying to set a non-existing user as default subscription for new +#. TRANS: users in user admin panel. %1$s is the invalid nickname. #: actions/useradminpanel.php:166 -#, php-format -msgid "Invalid default subscripton: '%1$s' is not user." +#, fuzzy, php-format +msgid "Invalid default subscripton: '%1$s' is not a user." msgstr "Njepłaćiwy standardny abonement: '%1$s' wužiwar njeje." #. TRANS: Link description in user account settings menu. -#: actions/useradminpanel.php:219 lib/accountsettingsaction.php:106 +#: actions/useradminpanel.php:215 lib/accountsettingsaction.php:106 #: lib/personalgroupnav.php:109 msgid "Profile" msgstr "Profil" -#: actions/useradminpanel.php:223 +#. TRANS: Field label in user admin panel for setting the character limit for the bio field. +#: actions/useradminpanel.php:220 #, fuzzy msgid "Bio Limit" msgstr "Limity" -#: actions/useradminpanel.php:224 +#. TRANS: Tooltip in user admin panel for setting the character limit for the bio field. +#: actions/useradminpanel.php:222 msgid "Maximum length of a profile bio in characters." msgstr "" -#: actions/useradminpanel.php:232 +#. TRANS: Form legend in user admin panel. +#: actions/useradminpanel.php:231 msgid "New users" msgstr "Nowi wužiwarjo" +#. TRANS: Field label in user admin panel for setting new user welcome text. #: actions/useradminpanel.php:236 msgid "New user welcome" msgstr "Powitanje noweho wužiwarja" -#: actions/useradminpanel.php:237 -msgid "Welcome text for new users (Max 255 chars)." +#. TRANS: Tooltip in user admin panel for setting new user welcome text. +#: actions/useradminpanel.php:238 +#, fuzzy +msgid "Welcome text for new users (maximum 255 characters)." msgstr "Powitanski tekst za nowych wužiwarjow (maks. 255 znamješkow)." -#: actions/useradminpanel.php:242 +#. TRANS: Field label in user admin panel for setting default subscription for new users. +#: actions/useradminpanel.php:244 msgid "Default subscription" msgstr "Standardny abonement" -#: actions/useradminpanel.php:243 +#. TRANS: Tooltip in user admin panel for setting default subscription for new users. +#: actions/useradminpanel.php:246 #, fuzzy msgid "Automatically subscribe new users to this user." msgstr "Tutoho wužiwarja abonować" -#: actions/useradminpanel.php:252 +#. TRANS: Form legend in user admin panel. +#: actions/useradminpanel.php:256 msgid "Invitations" msgstr "Přeprošenja" -#: actions/useradminpanel.php:257 +#. TRANS: Field label for checkbox in user admin panel for allowing users to invite friend using site e-mail. +#: actions/useradminpanel.php:262 msgid "Invitations enabled" msgstr "Přeprošenja zmóžnjene" -#: actions/useradminpanel.php:259 +#. TRANS: Tooltip for checkbox in user admin panel for allowing users to invite friend using site e-mail. +#: actions/useradminpanel.php:265 msgid "Whether to allow users to invite new users." msgstr "" -#: actions/useradminpanel.php:295 +#. TRANS: Title for button to save user settings in user admin panel. +#: actions/useradminpanel.php:302 msgid "Save user settings" msgstr "" @@ -5640,7 +5706,7 @@ msgid "Plugins" msgstr "Tykače" #. TRANS: Secondary navigation menu option leading to version information on the StatusNet site. -#: actions/version.php:198 lib/action.php:831 +#: actions/version.php:198 lib/action.php:880 msgid "Version" msgstr "Wersija" @@ -5850,16 +5916,23 @@ msgstr "Informacije wo lokalnej skupinje njedachu so składować." msgid "RT @%1$s %2$s" msgstr "RT @%1$s %2$s" +#. TRANS: Full name of a profile or group followed by nickname in parens +#: classes/Profile.php:164 +#, fuzzy, php-format +msgctxt "FANCYNAME" +msgid "%1$s (%2$s)" +msgstr "%1$s (%2$s)" + #. TRANS: Exception thrown when trying to revoke an existing role for a user that does not exist. #. TRANS: %1$s is the role name, %2$s is the user ID (number). -#: classes/Profile.php:791 +#: classes/Profile.php:812 #, php-format msgid "Cannot revoke role \"%1$s\" for user #%2$d; does not exist." msgstr "" #. TRANS: Exception thrown when trying to revoke a role for a user with a failing database query. #. TRANS: %1$s is the role name, %2$s is the user ID (number). -#: classes/Profile.php:800 +#: classes/Profile.php:821 #, php-format msgid "Cannot revoke role \"%1$s\" for user #%2$d; database error." msgstr "" @@ -6006,199 +6079,206 @@ msgstr "%1$s - %2$s" msgid "Untitled page" msgstr "Strona bjez titula" +#. TRANS: Localized tooltip for '...' expansion button on overlong remote messages. +#: lib/action.php:310 +msgctxt "TOOLTIP" +msgid "Show more" +msgstr "" + #. TRANS: DT element for primary navigation menu. String is hidden in default CSS. -#: lib/action.php:477 +#: lib/action.php:526 #, fuzzy msgid "Primary site navigation" msgstr "Zakładna sydłowa konfiguracija" #. TRANS: Tooltip for main menu option "Personal" -#: lib/action.php:483 +#: lib/action.php:532 msgctxt "TOOLTIP" msgid "Personal profile and friends timeline" msgstr "" #. TRANS: Main menu option when logged in for access to personal profile and friends timeline -#: lib/action.php:486 +#: lib/action.php:535 msgctxt "MENU" msgid "Personal" msgstr "Wosobinski" #. TRANS: Tooltip for main menu option "Account" -#: lib/action.php:488 +#: lib/action.php:537 msgctxt "TOOLTIP" msgid "Change your email, avatar, password, profile" msgstr "Wašu e-mejl, waš awatar, waše hesło, waš profil změnić" #. TRANS: Main menu option when logged in for access to user settings -#: lib/action.php:491 +#: lib/action.php:540 msgid "Account" msgstr "Konto" #. TRANS: Tooltip for main menu option "Services" -#: lib/action.php:493 +#: lib/action.php:542 msgctxt "TOOLTIP" msgid "Connect to services" msgstr "Ze słužbami zwjazać" #. TRANS: Main menu option when logged in and connection are possible for access to options to connect to other services -#: lib/action.php:496 +#: lib/action.php:545 msgid "Connect" msgstr "Zwjazać" #. TRANS: Tooltip for menu option "Admin" -#: lib/action.php:499 +#: lib/action.php:548 msgctxt "TOOLTIP" msgid "Change site configuration" msgstr "Sydłowu konfiguraciju změnić" #. TRANS: Main menu option when logged in and site admin for access to site configuration #. TRANS: Menu item in the group navigation page. Only shown for group administrators. -#: lib/action.php:502 lib/groupnav.php:117 +#: lib/action.php:551 lib/groupnav.php:117 msgctxt "MENU" msgid "Admin" msgstr "Administrator" #. TRANS: Tooltip for main menu option "Invite" -#: lib/action.php:506 +#: lib/action.php:555 #, php-format msgctxt "TOOLTIP" msgid "Invite friends and colleagues to join you on %s" msgstr "Přećelow a kolegow přeprosyć, so tebi na %s přidružić" #. TRANS: Main menu option when logged in and invitations are allowed for inviting new users -#: lib/action.php:509 +#: lib/action.php:558 msgctxt "MENU" msgid "Invite" msgstr "Přeprosyć" #. TRANS: Tooltip for main menu option "Logout" -#: lib/action.php:515 +#: lib/action.php:564 msgctxt "TOOLTIP" msgid "Logout from the site" msgstr "Ze sydła wotzjewić" #. TRANS: Main menu option when logged in to log out the current user -#: lib/action.php:518 +#: lib/action.php:567 msgctxt "MENU" msgid "Logout" msgstr "Wotzjewić" #. TRANS: Tooltip for main menu option "Register" -#: lib/action.php:523 +#: lib/action.php:572 msgctxt "TOOLTIP" msgid "Create an account" msgstr "Konto załožić" #. TRANS: Main menu option when not logged in to register a new account -#: lib/action.php:526 +#: lib/action.php:575 msgctxt "MENU" msgid "Register" msgstr "Registrować" #. TRANS: Tooltip for main menu option "Login" -#: lib/action.php:529 +#: lib/action.php:578 msgctxt "TOOLTIP" msgid "Login to the site" msgstr "Při sydle přizjewić" #. TRANS: Main menu option when not logged in to log in -#: lib/action.php:532 +#: lib/action.php:581 msgctxt "MENU" msgid "Login" msgstr "Přizjewjenje" #. TRANS: Tooltip for main menu option "Help" -#: lib/action.php:535 +#: lib/action.php:584 msgctxt "TOOLTIP" msgid "Help me!" msgstr "Pomhaj!" #. TRANS: Main menu option for help on the StatusNet site -#: lib/action.php:538 +#: lib/action.php:587 msgctxt "MENU" msgid "Help" msgstr "Pomoc" #. TRANS: Tooltip for main menu option "Search" -#: lib/action.php:541 +#: lib/action.php:590 msgctxt "TOOLTIP" msgid "Search for people or text" msgstr "Za ludźimi abo tekstom pytać" #. TRANS: Main menu option when logged in or when the StatusNet instance is not private -#: lib/action.php:544 +#: lib/action.php:593 msgctxt "MENU" msgid "Search" msgstr "Pytać" #. TRANS: DT element for site notice. String is hidden in default CSS. #. TRANS: Menu item for site administration -#: lib/action.php:566 lib/adminpanelaction.php:387 +#: lib/action.php:615 lib/adminpanelaction.php:387 #, fuzzy msgid "Site notice" msgstr "Sydłowa zdźělenka" #. TRANS: DT element for local views block. String is hidden in default CSS. -#: lib/action.php:633 +#: lib/action.php:682 #, fuzzy msgid "Local views" msgstr "Lokalny" #. TRANS: DT element for page notice. String is hidden in default CSS. -#: lib/action.php:703 +#: lib/action.php:752 #, fuzzy msgid "Page notice" msgstr "Nowa zdźělenka" #. TRANS: DT element for secondary navigation menu. String is hidden in default CSS. -#: lib/action.php:804 +#: lib/action.php:853 #, fuzzy msgid "Secondary site navigation" msgstr "Zakładna sydłowa konfiguracija" #. TRANS: Secondary navigation menu option leading to help on StatusNet. -#: lib/action.php:810 +#: lib/action.php:859 msgid "Help" msgstr "Pomoc" #. TRANS: Secondary navigation menu option leading to text about StatusNet site. -#: lib/action.php:813 +#: lib/action.php:862 msgid "About" msgstr "Wo" #. TRANS: Secondary navigation menu option leading to Frequently Asked Questions. -#: lib/action.php:816 +#: lib/action.php:865 msgid "FAQ" msgstr "Huste prašenja" #. TRANS: Secondary navigation menu option leading to Terms of Service. -#: lib/action.php:821 +#: lib/action.php:870 msgid "TOS" msgstr "" #. TRANS: Secondary navigation menu option leading to privacy policy. -#: lib/action.php:825 +#: lib/action.php:874 msgid "Privacy" msgstr "Priwatnosć" -#. TRANS: Secondary navigation menu option. -#: lib/action.php:828 +#. TRANS: Secondary navigation menu option. Leads to information about StatusNet and its license. +#: lib/action.php:877 msgid "Source" msgstr "Žórło" -#. TRANS: Secondary navigation menu option leading to contact information on the StatusNet site. -#: lib/action.php:834 +#. TRANS: Secondary navigation menu option leading to e-mail contact information on the +#. TRANS: StatusNet site, where to report bugs, ... +#: lib/action.php:884 msgid "Contact" msgstr "Kontakt" -#. TRANS: Secondary navigation menu option. -#: lib/action.php:837 +#. TRANS: Secondary navigation menu option. Leads to information about embedding a timeline widget. +#: lib/action.php:887 msgid "Badge" msgstr "" #. TRANS: DT element for StatusNet software license. -#: lib/action.php:866 +#: lib/action.php:916 msgid "StatusNet software license" msgstr "" @@ -6206,7 +6286,7 @@ msgstr "" #. TRANS: Text between [] is a link description, text between () is the link itself. #. TRANS: Make sure there is no whitespace between "]" and "(". #. TRANS: "%%site.broughtby%%" is the value of the variable site.broughtby -#: lib/action.php:873 +#: lib/action.php:923 #, php-format msgid "" "**%%site.name%%** is a microblogging service brought to you by [%%site." @@ -6214,7 +6294,7 @@ msgid "" msgstr "" #. TRANS: First sentence of the StatusNet site license. Used if 'broughtby' is not set. -#: lib/action.php:876 +#: lib/action.php:926 #, php-format msgid "**%%site.name%%** is a microblogging service." msgstr "" @@ -6223,7 +6303,7 @@ msgstr "" #. TRANS: Make sure there is no whitespace between "]" and "(". #. TRANS: Text between [] is a link description, text between () is the link itself. #. TRANS: %s is the version of StatusNet that is being used. -#: lib/action.php:883 +#: lib/action.php:933 #, php-format msgid "" "It runs the [StatusNet](http://status.net/) microblogging software, version %" @@ -6232,52 +6312,52 @@ msgid "" msgstr "" #. TRANS: DT element for StatusNet site content license. -#: lib/action.php:899 +#: lib/action.php:949 #, fuzzy msgid "Site content license" msgstr "Wobsah zdźělenkow přepytać" #. TRANS: Content license displayed when license is set to 'private'. #. TRANS: %1$s is the site name. -#: lib/action.php:906 +#: lib/action.php:956 #, php-format msgid "Content and data of %1$s are private and confidential." msgstr "" #. TRANS: Content license displayed when license is set to 'allrightsreserved'. #. TRANS: %1$s is the copyright owner. -#: lib/action.php:913 +#: lib/action.php:963 #, php-format msgid "Content and data copyright by %1$s. All rights reserved." msgstr "" #. TRANS: Content license displayed when license is set to 'allrightsreserved' and no owner is set. -#: lib/action.php:917 +#: lib/action.php:967 msgid "Content and data copyright by contributors. All rights reserved." msgstr "" #. TRANS: license message in footer. #. TRANS: %1$s is the site name, %2$s is a link to the license URL, with a licence name set in configuration. -#: lib/action.php:949 +#: lib/action.php:999 #, php-format msgid "All %1$s content and data are available under the %2$s license." msgstr "" #. TRANS: DT element for pagination (previous/next, etc.). -#: lib/action.php:1285 +#: lib/action.php:1335 #, fuzzy msgid "Pagination" msgstr "Registrowanje" #. TRANS: Pagination message to go to a page displaying information more in the #. TRANS: present than the currently displayed information. -#: lib/action.php:1296 +#: lib/action.php:1346 msgid "After" msgstr "Po" #. TRANS: Pagination message to go to a page displaying information more in the #. TRANS: past than the currently displayed information. -#: lib/action.php:1306 +#: lib/action.php:1356 msgid "Before" msgstr "Před" @@ -6627,7 +6707,7 @@ msgid "AJAX error" msgstr "Zmylk Ajax" #. TRANS: E-mail subject when a command has completed. -#: lib/channel.php:233 lib/mailhandler.php:142 +#: lib/channel.php:233 lib/mailhandler.php:143 msgid "Command complete" msgstr "Přikaz wuwjedźeny" @@ -6643,7 +6723,7 @@ msgstr "Zdźělenka z tym ID njeeksistuje." #. TRANS: Command exception text shown when a last user notice is requested and it does not exist. #. TRANS: Error text shown when a last user notice is requested and it does not exist. -#: lib/command.php:99 lib/command.php:626 +#: lib/command.php:99 lib/command.php:630 msgid "User has no last notice." msgstr "Wužiwar nima poslednju powěsć." @@ -6710,6 +6790,14 @@ msgstr "" msgid "%1$s left group %2$s." msgstr "" +#. TRANS: Whois output. +#. TRANS: %1$s nickname of the queried user, %2$s is their profile URL. +#: lib/command.php:426 +#, fuzzy, php-format +msgctxt "WHOIS" +msgid "%1$s (%2$s)" +msgstr "%1$s (%2$s)" + #. TRANS: Whois output. %s is the full name of the queried user. #: lib/command.php:430 #, php-format @@ -6747,135 +6835,157 @@ msgid "" "same server." msgstr "" -#. TRANS: Message given if content is too long. +#. TRANS: Message given if content is too long. %1$sd is used for plural. #. TRANS: %1$d is the maximum number of characters, %2$d is the number of submitted characters. #: lib/command.php:488 -#, php-format -msgid "Message too long - maximum is %1$d characters, you sent %2$d." -msgstr "" +#, fuzzy, php-format +msgid "Message too long - maximum is %1$d character, you sent %2$d." +msgid_plural "Message too long - maximum is %1$d characters, you sent %2$d." +msgstr[0] "" +"Powěsć je předołho - maksimalna wulkosć je %1$d znamješkow, ty sy %2$d " +"pósłał." +msgstr[1] "" +"Powěsć je předołho - maksimalna wulkosć je %1$d znamješkow, ty sy %2$d " +"pósłał." +msgstr[2] "" +"Powěsć je předołho - maksimalna wulkosć je %1$d znamješkow, ty sy %2$d " +"pósłał." +msgstr[3] "" "Powěsć je předołho - maksimalna wulkosć je %1$d znamješkow, ty sy %2$d " "pósłał." #. TRANS: Error text shown sending a direct message fails with an unknown reason. -#: lib/command.php:514 +#: lib/command.php:516 msgid "Error sending direct message." msgstr "Zmylk při słanju direktneje powěsće," #. TRANS: Message given having repeated a notice from another user. #. TRANS: %s is the name of the user for which the notice was repeated. -#: lib/command.php:551 +#: lib/command.php:553 #, php-format msgid "Notice from %s repeated." msgstr "Powěsć wot %s wospjetowana." #. TRANS: Error text shown when repeating a notice fails with an unknown reason. -#: lib/command.php:554 +#: lib/command.php:556 msgid "Error repeating notice." msgstr "Zmylk při wospjetowanju zdźělenki" -#. TRANS: Message given if content of a notice for a reply is too long. +#. TRANS: Message given if content of a notice for a reply is too long. %1$d is used for plural. #. TRANS: %1$d is the maximum number of characters, %2$d is the number of submitted characters. -#: lib/command.php:589 -#, php-format -msgid "Notice too long - maximum is %1$d characters, you sent %2$d." -msgstr "" +#: lib/command.php:591 +#, fuzzy, php-format +msgid "Notice too long - maximum is %1$d character, you sent %2$d." +msgid_plural "Notice too long - maximum is %1$d characters, you sent %2$d." +msgstr[0] "" +"Powěsć je předołho - maksimalna wulkosć je %1$d znamješkow, ty sy %2$d " +"pósłał." +msgstr[1] "" +"Powěsć je předołho - maksimalna wulkosć je %1$d znamješkow, ty sy %2$d " +"pósłał." +msgstr[2] "" +"Powěsć je předołho - maksimalna wulkosć je %1$d znamješkow, ty sy %2$d " +"pósłał." +msgstr[3] "" +"Powěsć je předołho - maksimalna wulkosć je %1$d znamješkow, ty sy %2$d " +"pósłał." #. TRANS: Text shown having sent a reply to a notice successfully. #. TRANS: %s is the nickname of the user of the notice the reply was sent to. -#: lib/command.php:600 +#: lib/command.php:604 #, php-format msgid "Reply to %s sent." msgstr "Wotmołwa na %s pósłana." #. TRANS: Error text shown when a reply to a notice fails with an unknown reason. -#: lib/command.php:603 +#: lib/command.php:607 msgid "Error saving notice." msgstr "Zmylk při składowanju powěsće" #. TRANS: Error text shown when no username was provided when issuing a subscribe command. -#: lib/command.php:650 +#: lib/command.php:654 msgid "Specify the name of the user to subscribe to." msgstr "" #. TRANS: Command exception text shown when trying to subscribe to an OMB profile using the subscribe command. -#: lib/command.php:659 +#: lib/command.php:663 msgid "Can't subscribe to OMB profiles by command." msgstr "OMB-profile njedadźa so přez přikaz abonować." #. TRANS: Text shown after having subscribed to another user successfully. #. TRANS: %s is the name of the user the subscription was requested for. -#: lib/command.php:667 +#: lib/command.php:671 #, php-format msgid "Subscribed to %s." msgstr "" #. TRANS: Error text shown when no username was provided when issuing an unsubscribe command. #. TRANS: Error text shown when no username was provided when issuing the command. -#: lib/command.php:688 lib/command.php:799 +#: lib/command.php:692 lib/command.php:803 msgid "Specify the name of the user to unsubscribe from." msgstr "" #. TRANS: Text shown after having unsubscribed from another user successfully. #. TRANS: %s is the name of the user the unsubscription was requested for. -#: lib/command.php:699 +#: lib/command.php:703 #, php-format msgid "Unsubscribed from %s." msgstr "" #. TRANS: Error text shown when issuing the command "off" with a setting which has not yet been implemented. #. TRANS: Error text shown when issuing the command "on" with a setting which has not yet been implemented. -#: lib/command.php:719 lib/command.php:745 +#: lib/command.php:723 lib/command.php:749 msgid "Command not yet implemented." msgstr "Přikaz hišće njeimplementowany." #. TRANS: Text shown when issuing the command "off" successfully. -#: lib/command.php:723 +#: lib/command.php:727 msgid "Notification off." msgstr "Zdźělenje znjemóžnjene." #. TRANS: Error text shown when the command "off" fails for an unknown reason. -#: lib/command.php:726 +#: lib/command.php:730 msgid "Can't turn off notification." msgstr "Zdźělenje njeda so znjemóžnić." #. TRANS: Text shown when issuing the command "on" successfully. -#: lib/command.php:749 +#: lib/command.php:753 msgid "Notification on." msgstr "Zdźělenje zmóžnjene." #. TRANS: Error text shown when the command "on" fails for an unknown reason. -#: lib/command.php:752 +#: lib/command.php:756 msgid "Can't turn on notification." msgstr "Zdźělenje njeda so zmóžnić." #. TRANS: Error text shown when issuing the login command while login is disabled. -#: lib/command.php:766 +#: lib/command.php:770 msgid "Login command is disabled." msgstr "" #. TRANS: Text shown after issuing the login command successfully. #. TRANS: %s is a logon link.. -#: lib/command.php:779 +#: lib/command.php:783 #, php-format msgid "This link is useable only once and is valid for only 2 minutes: %s." msgstr "" #. TRANS: Text shown after issuing the lose command successfully (stop another user from following the current user). #. TRANS: %s is the name of the user the unsubscription was requested for. -#: lib/command.php:808 +#: lib/command.php:812 #, php-format msgid "Unsubscribed %s." msgstr "" #. TRANS: Text shown after requesting other users a user is subscribed to without having any subscriptions. -#: lib/command.php:826 +#: lib/command.php:830 msgid "You are not subscribed to anyone." msgstr "Njejsy nikoho abonował." #. TRANS: Text shown after requesting other users a user is subscribed to. #. TRANS: This message supports plural forms. This message is followed by a #. TRANS: hard coded space and a comma separated list of subscribed users. -#: lib/command.php:831 +#: lib/command.php:835 msgid "You are subscribed to this person:" msgid_plural "You are subscribed to these people:" msgstr[0] "Sy tutu wosobu abonował:" @@ -6885,14 +6995,14 @@ msgstr[3] "Sy tute wosoby abonował:" #. TRANS: Text shown after requesting other users that are subscribed to a user #. TRANS: (followers) without having any subscribers. -#: lib/command.php:853 +#: lib/command.php:857 msgid "No one is subscribed to you." msgstr "Nichtó njeje će abonował." #. TRANS: Text shown after requesting other users that are subscribed to a user (followers). #. TRANS: This message supports plural forms. This message is followed by a #. TRANS: hard coded space and a comma separated list of subscribing users. -#: lib/command.php:858 +#: lib/command.php:862 msgid "This person is subscribed to you:" msgid_plural "These people are subscribed to you:" msgstr[0] "Tuta wosoba je će abonowała:" @@ -6902,14 +7012,14 @@ msgstr[3] "Tute wosoby su će abonowali:" #. TRANS: Text shown after requesting groups a user is subscribed to without having #. TRANS: any group subscriptions. -#: lib/command.php:880 +#: lib/command.php:884 msgid "You are not a member of any groups." msgstr "Njejsy čłon w žanej skupinje." #. TRANS: Text shown after requesting groups a user is subscribed to. #. TRANS: This message supports plural forms. This message is followed by a #. TRANS: hard coded space and a comma separated list of subscribed groups. -#: lib/command.php:885 +#: lib/command.php:889 msgid "You are a member of this group:" msgid_plural "You are a member of these groups:" msgstr[0] "Sy čłon tuteje skupiny:" @@ -6918,7 +7028,7 @@ msgstr[2] "Sy čłon tutych skupinow:" msgstr[3] "Sy čłon tutych skupinow:" #. TRANS: Help text for commands. Do not translate the command names themselves; they are fixed strings. -#: lib/command.php:900 +#: lib/command.php:904 msgid "" "Commands:\n" "on - turn on notifications\n" @@ -7115,7 +7225,7 @@ msgstr "" #: lib/groupeditform.php:163 #, fuzzy -msgid "URL of the homepage or blog of the group or topic" +msgid "URL of the homepage or blog of the group or topic." msgstr "URL za startowu stronu organizacije" #: lib/groupeditform.php:168 @@ -7123,21 +7233,34 @@ msgid "Describe the group or topic" msgstr "Skupinu abo temu wopisać" #: lib/groupeditform.php:170 -#, php-format -msgid "Describe the group or topic in %d characters" -msgstr "Skupinu abo temu w %d znamješkach wopisać" +#, fuzzy, php-format +msgid "Describe the group or topic in %d character or less" +msgid_plural "Describe the group or topic in %d characters or less" +msgstr[0] "Skupinu abo temu w %d znamješkach wopisać" +msgstr[1] "Skupinu abo temu w %d znamješkach wopisać" +msgstr[2] "Skupinu abo temu w %d znamješkach wopisać" +msgstr[3] "Skupinu abo temu w %d znamješkach wopisać" -#: lib/groupeditform.php:179 +#: lib/groupeditform.php:182 +#, fuzzy msgid "" -"Location for the group, if any, like \"City, State (or Region), Country\"" +"Location for the group, if any, like \"City, State (or Region), Country\"." msgstr "" "Městno za skupinu, jeli eksistuje, na př. \"město, zwjazkowy kraj (abo " "region), kraj\"" -#: lib/groupeditform.php:187 +#: lib/groupeditform.php:190 #, php-format -msgid "Extra nicknames for the group, comma- or space- separated, max %d" -msgstr "" +msgid "" +"Extra nicknames for the group, separated with commas or spaces. Maximum %d " +"alias allowed." +msgid_plural "" +"Extra nicknames for the group, separated with commas or spaces. Maximum %d " +"aliases allowed." +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" +msgstr[3] "" #. TRANS: Menu item in the group navigation page. #: lib/groupnav.php:86 @@ -7600,7 +7723,7 @@ msgstr "Wodaj, to twoja adresa za dochadźace e-mejle njeje." msgid "Sorry, no incoming email allowed." msgstr "Wodaj, dochadźaće e-mejle njejsu dowolene." -#: lib/mailhandler.php:228 +#: lib/mailhandler.php:229 #, php-format msgid "Unsupported message type: %s" msgstr "Njepodpěrany powěsćowy typ: %s" @@ -7948,16 +8071,17 @@ msgid "Sandbox this user" msgstr "Tutoho wužiwarja wotblokować" #. TRANS: Fieldset legend for the search form. -#: lib/searchaction.php:121 +#: lib/searchaction.php:120 msgid "Search site" msgstr "Pytanske sydło" #. TRANS: Used as a field label for the field where one or more keywords #. TRANS: for searching can be entered. -#: lib/searchaction.php:129 +#: lib/searchaction.php:128 msgid "Keyword(s)" msgstr "Klučowe hesła" +#. TRANS: Button text for searching site. #: lib/searchaction.php:130 msgctxt "BUTTON" msgid "Search" @@ -8049,8 +8173,8 @@ msgid "The theme file is missing or the upload failed." msgstr "" #: lib/themeuploader.php:91 lib/themeuploader.php:102 -#: lib/themeuploader.php:278 lib/themeuploader.php:282 -#: lib/themeuploader.php:290 lib/themeuploader.php:297 +#: lib/themeuploader.php:279 lib/themeuploader.php:283 +#: lib/themeuploader.php:291 lib/themeuploader.php:298 msgid "Failed saving theme." msgstr "Składowanje šata je so njeporadźiło." @@ -8060,29 +8184,34 @@ msgstr "" #: lib/themeuploader.php:166 #, php-format -msgid "Uploaded theme is too large; must be less than %d bytes uncompressed." -msgstr "" +msgid "Uploaded theme is too large; must be less than %d byte uncompressed." +msgid_plural "" +"Uploaded theme is too large; must be less than %d bytes uncompressed." +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" +msgstr[3] "" -#: lib/themeuploader.php:178 +#: lib/themeuploader.php:179 msgid "Invalid theme archive: missing file css/display.css" msgstr "" -#: lib/themeuploader.php:218 +#: lib/themeuploader.php:219 msgid "" "Theme contains invalid file or folder name. Stick with ASCII letters, " "digits, underscore, and minus sign." msgstr "" -#: lib/themeuploader.php:224 +#: lib/themeuploader.php:225 msgid "Theme contains unsafe file extension names; may be unsafe." msgstr "" -#: lib/themeuploader.php:241 +#: lib/themeuploader.php:242 #, php-format msgid "Theme contains file of type '.%s', which is not allowed." msgstr "" -#: lib/themeuploader.php:259 +#: lib/themeuploader.php:260 msgid "Error opening theme archive." msgstr "Zmylk při wočinjenju šatoweho archiwa." @@ -8285,23 +8414,35 @@ msgstr[3] "" "Powěsć je předołho - maksimalna wulkosć je %1$d znamješkow, ty sy %2$d " "pósłał." -#: scripts/restoreuser.php:82 +#. TRANS: Commandline script output. %s is the filename that contains a backup for a user. +#: scripts/restoreuser.php:61 #, php-format -msgid "Backup file for user %s (%s)" +msgid "Getting backup from file '%s'." msgstr "" -#: scripts/restoreuser.php:88 +#. TRANS: Commandline script output. +#: scripts/restoreuser.php:91 #, fuzzy msgid "No user specified; using backup user." msgstr "Žadyn wužiwarski ID podaty." -#: scripts/restoreuser.php:94 +#. TRANS: Commandline script output. %d is the number of entries in the activity stream in backup; used for plural. +#: scripts/restoreuser.php:98 #, php-format -msgid "%d entries in backup." -msgstr "" +msgid "%d entry in backup." +msgid_plural "%d entries in backup." +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" +msgstr[3] "" -#~ msgid "Description is too long (max %d chars)." -#~ msgstr "Wopisanje je předołho (maks. %d znamješkow)." +#, fuzzy +#~ msgid "Name is too long (maximum 255 chars)." +#~ msgstr "Mjeno je předołho (maks. 255 znamješkow)." -#~ msgid "Too many aliases! Maximum %d." -#~ msgstr "Přewjele aliasow! Maksimum: %d." +#, fuzzy +#~ msgid "Organization is too long (maximum 255 chars)." +#~ msgstr "Mjeno organizacije je předołho (maks. 255 znamješkow)." + +#~ 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." diff --git a/locale/hu/LC_MESSAGES/statusnet.po b/locale/hu/LC_MESSAGES/statusnet.po index acf0eaf40e..6cdd324c78 100644 --- a/locale/hu/LC_MESSAGES/statusnet.po +++ b/locale/hu/LC_MESSAGES/statusnet.po @@ -12,13 +12,13 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet - Core\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-10-30 23:18+0000\n" -"PO-Revision-Date: 2010-10-30 23:20:22+0000\n" +"POT-Creation-Date: 2010-11-02 22:51+0000\n" +"PO-Revision-Date: 2010-11-02 22:53:22+0000\n" "Language-Team: Hungarian \n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-POT-Import-Date: 2010-10-30 09:48:40+0000\n" -"X-Generator: MediaWiki 1.17alpha (r75708); Translate extension (2010-09-17)\n" +"X-POT-Import-Date: 2010-10-30 23:42:01+0000\n" +"X-Generator: MediaWiki 1.17alpha (r75875); Translate extension (2010-09-17)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: hu\n" "X-Message-Group: #out-statusnet-core\n" @@ -81,15 +81,20 @@ msgstr "Hozzáférések beállításainak mentése" #. TRANS: Tooltip for button to save access settings in site admin panel. #. TRANS: Button label to save e-mail preferences. #. TRANS: Button label to save IM preferences. +#. TRANS: Button text for saving "Other settings" in profile. #. TRANS: Button text to store form data in the Paths admin panel. #. TRANS: Button to save input in profile settings. +#. TRANS: Button text for saving site notice in admin panel. #. TRANS: Button label to save SMS preferences. #. TRANS: Save button for settings for a profile in a subscriptions list. +#. TRANS: Button text to save user settings in user admin panel. #. TRANS: Button label in the "Edit application" form. #: actions/accessadminpanel.php:193 actions/emailsettings.php:228 -#: actions/imsettings.php:187 actions/pathsadminpanel.php:512 -#: actions/profilesettings.php:201 actions/smssettings.php:209 -#: actions/subscriptions.php:246 lib/applicationeditform.php:355 +#: actions/imsettings.php:187 actions/othersettings.php:134 +#: actions/pathsadminpanel.php:512 actions/profilesettings.php:201 +#: actions/sitenoticeadminpanel.php:197 actions/smssettings.php:209 +#: actions/subscriptions.php:246 actions/useradminpanel.php:298 +#: lib/applicationeditform.php:355 lib/groupeditform.php:207 msgctxt "BUTTON" msgid "Save" msgstr "Mentés" @@ -140,7 +145,7 @@ msgstr "Nincs ilyen lap." #: 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:93 actions/userrss.php:40 -#: actions/xrds.php:71 lib/command.php:495 lib/galleryaction.php:59 +#: actions/xrds.php:71 lib/command.php:497 lib/galleryaction.php:59 #: lib/mailbox.php:82 lib/profileaction.php:77 msgid "No such user." msgstr "Nincs ilyen felhasználó." @@ -211,7 +216,9 @@ msgstr "" #. TRANS: Encoutagement displayed on empty timeline user pages for anonymous users. #. TRANS: %s is a user nickname. This message contains Markdown links. Keep "](" together. -#: actions/all.php:155 actions/replies.php:210 actions/showstream.php:208 +#. TRANS: Second sentence of empty message for anonymous users. %s is a user nickname. +#. TRANS: This message contains a Markdown link. Keep "](" together. +#: actions/all.php:155 actions/replies.php:210 actions/showstream.php:227 #, php-format msgid "" "Why not [register an account](%%%%action.register%%%%) and then nudge %s or " @@ -562,8 +569,11 @@ msgstr "A teljes név túl hosszú (legfeljebb 255 karakter lehet)." #. TRANS: Group edit form validation error. #. TRANS: Form validation error in New application form. #. TRANS: %d is the maximum number of characters for the description. +#. TRANS: Group create form validation error. +#. TRANS: %d is the maximum number of allowed characters. #: actions/apigroupcreate.php:220 actions/editapplication.php:201 #: actions/editgroup.php:216 actions/newapplication.php:178 +#: actions/newgroup.php:152 #, fuzzy, php-format msgid "Description is too long (maximum %d character)." msgid_plural "Description is too long (maximum %d characters)." @@ -722,14 +732,14 @@ msgstr "Nincs jogosultságod." #. TRANS: Form validation error in API OAuth authorisation because of an invalid session token. #: actions/apioauthauthorize.php:147 actions/avatarsettings.php:280 -#: actions/deletenotice.php:172 actions/disfavor.php:74 +#: actions/deletenotice.php:177 actions/disfavor.php:74 #: actions/emailsettings.php:271 actions/favor.php:75 actions/geocode.php:55 #: actions/groupblock.php:66 actions/grouplogo.php:312 #: actions/groupunblock.php:65 actions/imsettings.php:230 #: actions/invite.php:59 actions/login.php:137 actions/makeadmin.php:66 #: actions/newmessage.php:135 actions/newnotice.php:105 actions/nudge.php:80 #: actions/oauthappssettings.php:165 actions/oauthconnectionssettings.php:138 -#: actions/othersettings.php:145 actions/passwordsettings.php:138 +#: actions/othersettings.php:153 actions/passwordsettings.php:138 #: actions/profilesettings.php:221 actions/recoverpassword.php:350 #: actions/register.php:172 actions/remotesubscribe.php:77 #: actions/repeat.php:83 actions/smssettings.php:256 actions/subedit.php:40 @@ -901,20 +911,21 @@ msgstr "Nem törölheted más felhasználók állapotait." #. TRANS: Client error displayed trying to repeat a non-existing notice through the API. #. TRANS: Client error displayed trying to display redents of a non-exiting notice. +#. TRANS: Error message displayed trying to delete a non-existing notice. #: actions/apistatusesretweet.php:74 actions/apistatusesretweets.php:70 -#: actions/deletenotice.php:58 actions/shownotice.php:92 +#: actions/deletenotice.php:61 actions/shownotice.php:92 msgid "No such notice." msgstr "Nincs ilyen hír." #. TRANS: Client error displayed trying to repeat an own notice through the API. #. TRANS: Error text shown when trying to repeat an own notice. -#: actions/apistatusesretweet.php:83 lib/command.php:535 +#: actions/apistatusesretweet.php:83 lib/command.php:537 msgid "Cannot repeat your own notice." msgstr "Nem ismételheted meg a saját híredet." #. TRANS: Client error displayed trying to re-repeat a notice through the API. #. TRANS: Error text shown when trying to repeat an notice that was already repeated by the user. -#: actions/apistatusesretweet.php:92 lib/command.php:541 +#: actions/apistatusesretweet.php:92 lib/command.php:543 msgid "Already repeated that notice." msgstr "Már megismételted azt a hírt." @@ -935,7 +946,8 @@ msgstr "" #. TRANS: Client error displayed when the parameter "status" is missing. #. TRANS: %d is the maximum number of character for a notice. -#: actions/apistatusesupdate.php:244 +#: actions/apistatusesupdate.php:244 actions/newnotice.php:161 +#: lib/mailhandler.php:60 #, fuzzy, php-format msgid "That's too long. Maximum notice size is %d character." msgid_plural "That's too long. Maximum notice size is %d characters." @@ -950,7 +962,7 @@ msgstr "Az API-metódus nem található." #. TRANS: Client error displayed exceeding the maximum notice length. #. TRANS: %d is the maximum lenth for a notice. -#: actions/apistatusesupdate.php:308 +#: actions/apistatusesupdate.php:308 actions/newnotice.php:184 #, fuzzy, php-format msgid "Maximum notice size is %d character, including attachment URL." msgid_plural "Maximum notice size is %d characters, including attachment URL." @@ -1162,17 +1174,18 @@ msgstr "Válassz ki egy négyzet alakú területet a képből, ami az avatarod l msgid "Lost our file data." msgstr "Elvesztettük az adatainkat." -#: actions/avatarsettings.php:384 +#. TRANS: Success message for having updated a user avatar. +#: actions/avatarsettings.php:385 msgid "Avatar updated." msgstr "Avatar frissítve." #. TRANS: Error displayed on the avatar upload page if the avatar could not be updated for an unknown reason. -#: actions/avatarsettings.php:388 +#: actions/avatarsettings.php:389 msgid "Failed updating avatar." msgstr "Nem sikerült felölteni az avatart." #. TRANS: Success message for deleting a user avatar. -#: actions/avatarsettings.php:412 +#: actions/avatarsettings.php:413 msgid "Avatar deleted." msgstr "Avatar törölve." @@ -1201,8 +1214,8 @@ msgstr "" #. TRANS: Button label on the delete notice form. #. TRANS: Button label on the delete user form. #. TRANS: Button label on the form to block a user from a group. -#: actions/block.php:154 actions/deleteapplication.php:154 -#: actions/deletegroup.php:220 actions/deletenotice.php:150 +#: actions/block.php:154 actions/deleteapplication.php:157 +#: actions/deletegroup.php:220 actions/deletenotice.php:155 #: actions/deleteuser.php:152 actions/groupblock.php:178 msgctxt "BUTTON" msgid "No" @@ -1220,8 +1233,8 @@ msgstr "Ne blokkoljuk ezt a felhasználót" #. TRANS: Button label on the delete notice form. #. TRANS: Button label on the delete user form. #. TRANS: Button label on the form to block a user from a group. -#: actions/block.php:161 actions/deleteapplication.php:161 -#: actions/deletegroup.php:227 actions/deletenotice.php:157 +#: actions/block.php:161 actions/deleteapplication.php:164 +#: actions/deletegroup.php:227 actions/deletenotice.php:162 #: actions/deleteuser.php:159 actions/groupblock.php:185 msgctxt "BUTTON" msgid "Yes" @@ -1338,12 +1351,13 @@ msgstr "Ez a cím már meg van erősítve." #. TRANS: Server error thrown on database error removing a registered e-mail address. #. TRANS: Server error thrown on database error updating IM preferences. #. TRANS: Server error thrown on database error removing a registered IM address. +#. TRANS: Server error displayed when "Other" settings in user profile could not be updated on the server. #. TRANS: Server error thrown when user profile settings could not be updated. #. TRANS: Server error thrown on database error updating SMS preferences. #. TRANS: Server error thrown on database error removing a registered SMS phone number. #: actions/confirmaddress.php:118 actions/emailsettings.php:331 #: actions/emailsettings.php:477 actions/imsettings.php:283 -#: actions/imsettings.php:442 actions/othersettings.php:174 +#: actions/imsettings.php:442 actions/othersettings.php:184 #: actions/profilesettings.php:326 actions/smssettings.php:308 #: actions/smssettings.php:464 msgid "Couldn't update user." @@ -1379,16 +1393,19 @@ msgstr "Beszélgetés" msgid "Notices" msgstr "Hírek" -#: actions/deleteapplication.php:63 +#. TRANS: Client error displayed trying to delete an application while not logged in. +#: actions/deleteapplication.php:62 msgid "You must be logged in to delete an application." msgstr "" +#. TRANS: Client error displayed trying to delete an application that does not exist. #: actions/deleteapplication.php:71 msgid "Application not found." msgstr "" +#. TRANS: Client error displayed trying to delete an application the current user does not own. #. TRANS: Client error displayed trying to edit an application while not being its owner. -#: actions/deleteapplication.php:78 actions/editapplication.php:78 +#: actions/deleteapplication.php:79 actions/editapplication.php:78 #: actions/showapplication.php:94 msgid "You are not the owner of this application." msgstr "" @@ -1396,15 +1413,18 @@ msgstr "" #. TRANS: Client error text when there is a problem with the session token. #: actions/deleteapplication.php:102 actions/editapplication.php:131 #: actions/newapplication.php:114 actions/showapplication.php:118 -#: lib/action.php:1354 +#: lib/action.php:1404 msgid "There was a problem with your session token." msgstr "" -#: actions/deleteapplication.php:123 actions/deleteapplication.php:147 +#. TRANS: Title for delete application page. +#. TRANS: Fieldset legend on delete application page. +#: actions/deleteapplication.php:124 actions/deleteapplication.php:149 msgid "Delete application" msgstr "Alkalmazás törlése" -#: actions/deleteapplication.php:149 +#. TRANS: Confirmation text on delete application page. +#: actions/deleteapplication.php:152 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 " @@ -1412,12 +1432,12 @@ msgid "" msgstr "" #. TRANS: Submit button title for 'No' when deleting an application. -#: actions/deleteapplication.php:158 +#: actions/deleteapplication.php:161 msgid "Do not delete this application" msgstr "" #. TRANS: Submit button title for 'Yes' when deleting an application. -#: actions/deleteapplication.php:164 +#: actions/deleteapplication.php:167 msgid "Delete this application" msgstr "" @@ -1453,13 +1473,14 @@ msgstr "Nem sikerült a csoport frissítése." msgid "Deleted group %s" msgstr "%1$s csatlakozott a(z) %2$s csoporthoz" -#. TRANS: Title. +#. TRANS: Title of delete group page. #. TRANS: Form legend for deleting a group. #: actions/deletegroup.php:176 actions/deletegroup.php:202 #, fuzzy msgid "Delete group" msgstr "Felhasználó törlése" +#. TRANS: Warning in form for deleleting a group. #: actions/deletegroup.php:206 #, fuzzy msgid "" @@ -1482,10 +1503,11 @@ msgstr "Ne töröljük ezt a hírt" msgid "Delete this group" msgstr "Töröljük ezt a felhasználót" +#. TRANS: Error message displayed trying to delete a notice while not logged in. #. TRANS: Client error displayed when trying to unblock a user from a group while not logged in. #. TRANS: Client error displayed trying a change a subscription while not logged in. #. TRANS: Client error message thrown when trying to access the admin panel while not logged in. -#: actions/deletenotice.php:50 actions/disfavor.php:61 actions/favor.php:62 +#: actions/deletenotice.php:52 actions/disfavor.php:61 actions/favor.php:62 #: actions/groupblock.php:61 actions/groupunblock.php:60 actions/logout.php:69 #: actions/makeadmin.php:61 actions/newmessage.php:87 actions/newnotice.php:88 #: actions/nudge.php:63 actions/subedit.php:33 actions/subscribe.php:96 @@ -1495,31 +1517,36 @@ msgstr "Töröljük ezt a felhasználót" msgid "Not logged in." msgstr "Nem vagy bejelentkezve." -#: actions/deletenotice.php:74 +#. TRANS: Error message displayed trying to delete a notice that was not made by the current user. +#: actions/deletenotice.php:78 msgid "Can't delete this notice." msgstr "" -#: actions/deletenotice.php:106 +#. TRANS: Instructions for deleting a notice. +#: actions/deletenotice.php:110 msgid "" "You are about to permanently delete a notice. Once this is done, it cannot " "be undone." msgstr "" -#: actions/deletenotice.php:112 actions/deletenotice.php:144 +#. TRANS: Page title when deleting a notice. +#. TRANS: Fieldset legend for the delete notice form. +#: actions/deletenotice.php:117 actions/deletenotice.php:148 msgid "Delete notice" msgstr "Hír törlése" -#: actions/deletenotice.php:147 +#. TRANS: Message for the delete notice form. +#: actions/deletenotice.php:152 msgid "Are you sure you want to delete this notice?" msgstr "Biztosan törölni szeretnéd ezt a hírt?" #. TRANS: Submit button title for 'No' when deleting a notice. -#: actions/deletenotice.php:154 +#: actions/deletenotice.php:159 msgid "Do not delete this notice" msgstr "Ne töröljük ezt a hírt" #. TRANS: Submit button title for 'Yes' when deleting a notice. -#: actions/deletenotice.php:161 lib/noticelist.php:667 +#: actions/deletenotice.php:166 lib/noticelist.php:667 msgid "Delete this notice" msgstr "Töröljük ezt a hírt" @@ -1681,11 +1708,9 @@ msgstr "Visszaállítás az alapértelmezettre" #. TRANS: Submit button title. #: actions/designadminpanel.php:711 actions/licenseadminpanel.php:319 -#: actions/othersettings.php:126 actions/sessionsadminpanel.php:199 -#: actions/siteadminpanel.php:292 actions/sitenoticeadminpanel.php:195 +#: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:292 #: actions/snapshotadminpanel.php:245 actions/tagother.php:154 -#: actions/useradminpanel.php:295 lib/applicationeditform.php:357 -#: lib/designsettings.php:256 lib/groupeditform.php:202 +#: lib/applicationeditform.php:357 lib/designsettings.php:256 msgid "Save" msgstr "Mentés" @@ -1733,9 +1758,9 @@ msgid "Name is required." msgstr "A név szükséges." #. TRANS: Validation error shown when providing too long a name in the "Edit application" form. -#: actions/editapplication.php:188 +#: actions/editapplication.php:188 actions/newapplication.php:169 #, fuzzy -msgid "Name is too long (max 255 characters)." +msgid "Name is too long (maximum 255 characters)." msgstr "A név túl hosszú (max 255 karakter lehet)." #. TRANS: Validation error shown when providing a name for an application that already exists in the "Edit application" form. @@ -1764,7 +1789,7 @@ msgid "Organization is required." msgstr "A szervezet szükséges." #. TRANS: Validation error shown when providing too long an arganisation name in the "Edit application" form. -#: actions/editapplication.php:223 +#: actions/editapplication.php:223 actions/newapplication.php:199 #, fuzzy msgid "Organization is too long (maximum 255 characters)." msgstr "A szervezet túl hosszú (255 karakter lehet)." @@ -2543,7 +2568,7 @@ msgid "Publish a MicroID for my Jabber/GTalk address." msgstr "" #. TRANS: Confirmation message for successful IM preferences save. -#: actions/imsettings.php:290 actions/othersettings.php:180 +#: actions/imsettings.php:290 actions/othersettings.php:190 msgid "Preferences saved." msgstr "Beállítások elmentve." @@ -2664,12 +2689,11 @@ msgstr[1] "Ezen felhasználók híreire már feliratkoztál:" #. TRANS: Used as list item for already subscribed users (%1$s is nickname, %2$s is e-mail address). #. TRANS: Used as list item for already registered people (%1$s is nickname, %2$s is e-mail address). -#. TRANS: Whois output. -#. TRANS: %1$s nickname of the queried user, %2$s is their profile URL. -#: actions/invite.php:145 actions/invite.php:159 lib/command.php:426 -#, php-format +#: actions/invite.php:145 actions/invite.php:159 +#, fuzzy, php-format +msgctxt "INVITE" msgid "%1$s (%2$s)" -msgstr "" +msgstr "%1$s - %2$s" #. TRANS: Message displayed inviting users to use a StatusNet site while the invited user #. TRANS: already uses a this StatusNet site. Plural form is based on the number of @@ -2824,8 +2848,9 @@ msgid "" msgstr "" #: actions/licenseadminpanel.php:156 -msgid "Invalid license title. Max length is 255 characters." -msgstr "" +#, fuzzy +msgid "Invalid license title. Maximum length is 255 characters." +msgstr "Érvénytelen SSL szerver. A maximális hossz 255 karakter." #: actions/licenseadminpanel.php:168 msgid "Invalid license URL." @@ -2995,20 +3020,10 @@ msgstr "" msgid "Use this form to register a new application." msgstr "" -#: actions/newapplication.php:169 -#, fuzzy -msgid "Name is too long (maximum 255 chars)." -msgstr "A név túl hosszú (max 255 karakter lehet)." - #: actions/newapplication.php:184 msgid "Source URL is required." msgstr "Meg kell adnod forrás URL-t." -#: actions/newapplication.php:199 -#, fuzzy -msgid "Organization is too long (maximum 255 chars)." -msgstr "A szervezet túl hosszú (255 karakter lehet)." - #: actions/newapplication.php:266 actions/newapplication.php:275 msgid "Could not create application." msgstr "Nem sikerült létrehozni az alkalmazást." @@ -3028,14 +3043,14 @@ msgid "New message" msgstr "Új üzenet" #. TRANS: Error text shown when trying to send a direct message to a user without a mutual subscription (each user must be subscribed to the other). -#: actions/newmessage.php:121 actions/newmessage.php:164 lib/command.php:499 +#: actions/newmessage.php:121 actions/newmessage.php:164 lib/command.php:501 msgid "You can't send a message to this user." msgstr "Ennek a felhasználónak nem küldhetsz üzenetet." #. TRANS: Command exception text shown when trying to send a direct message to another user without content. #. TRANS: Command exception text shown when trying to reply to a notice without providing content for the reply. #: actions/newmessage.php:144 actions/newnotice.php:140 lib/command.php:478 -#: lib/command.php:579 +#: lib/command.php:581 msgid "No content!" msgstr "Nincs tartalom!" @@ -3044,7 +3059,7 @@ msgid "No recipient specified." msgstr "Nincs címzett megadva." #. TRANS: Error text shown when trying to send a direct message to self. -#: actions/newmessage.php:167 lib/command.php:503 +#: actions/newmessage.php:167 lib/command.php:505 msgid "" "Don't send a message to yourself; just say it to yourself quietly instead." msgstr "Ne küldj üzenetet magadnak, helyette mondd el halkan." @@ -3055,12 +3070,12 @@ msgstr "Üzenet elküldve" #. TRANS: Message given have sent a direct message to another user. #. TRANS: %s is the name of the other user. -#: actions/newmessage.php:188 lib/command.php:511 +#: actions/newmessage.php:188 lib/command.php:513 #, php-format msgid "Direct message to %s sent." msgstr "Közvetlen üzenet ment %s részére." -#: actions/newmessage.php:213 actions/newnotice.php:263 +#: actions/newmessage.php:213 actions/newnotice.php:264 msgid "Ajax Error" msgstr "Ajax-hiba" @@ -3068,18 +3083,7 @@ msgstr "Ajax-hiba" msgid "New notice" msgstr "Új hír" -#: actions/newnotice.php:159 lib/mailhandler.php:60 -#, php-format -msgid "That's too long. Max notice size is %d chars." -msgstr "Az túl hosszú. Egy hír legfeljebb %d karakterből állhat." - -#: actions/newnotice.php:183 -#, php-format -msgid "Max notice size is %d chars, including attachment URL." -msgstr "" -"Egy hír legfeljebb %d karakterből állhat, a melléklet URL-jét is beleértve." - -#: actions/newnotice.php:229 +#: actions/newnotice.php:230 msgid "Notice posted" msgstr "Hír elküldve" @@ -3239,37 +3243,47 @@ msgstr "Emberek keresése" msgid "Notice Search" msgstr "Hírek keresése" -#: actions/othersettings.php:60 +#: actions/othersettings.php:59 msgid "Other settings" msgstr "Egyéb beállítások" +#. TRANS: Instructions for tab "Other" in user profile settings. #: actions/othersettings.php:71 msgid "Manage various other options." msgstr "Számos egyéb beállítás kezelése." -#: actions/othersettings.php:108 +#. TRANS: Used as a suffix for free URL shorteners in a dropdown list in the tab "Other" of a +#. TRANS: user's profile settings. This message has one space at the beginning. Use your +#. TRANS: language's word separator here if it has one (most likely a single space). +#: actions/othersettings.php:111 msgid " (free service)" msgstr " (ingyenes szolgáltatás)" -#: actions/othersettings.php:116 +#. TRANS: Label for dropdown with URL shortener services. +#: actions/othersettings.php:120 msgid "Shorten URLs with" msgstr "" -#: actions/othersettings.php:117 +#. TRANS: Tooltip for for dropdown with URL shortener services. +#: actions/othersettings.php:122 msgid "Automatic shortening service to use." msgstr "" -#: actions/othersettings.php:122 +#. TRANS: Label for checkbox. +#: actions/othersettings.php:128 msgid "View profile designs" msgstr "" -#: actions/othersettings.php:123 +#. TRANS: Tooltip for checkbox. +#: actions/othersettings.php:130 msgid "Show or hide profile designs." msgstr "" -#: actions/othersettings.php:153 -msgid "URL shortening service is too long (max 50 chars)." -msgstr "" +#. TRANS: Form validation error for form "Other settings" in user profile. +#: actions/othersettings.php:162 +#, fuzzy +msgid "URL shortening service is too long (maximum 50 characters)." +msgstr "A nyelv túl hosszú (legfeljebb 50 karakter lehet)." #: actions/otp.php:69 msgid "No user ID specified." @@ -3758,7 +3772,7 @@ msgstr "Életrajz" #. TRANS: Label for group location (dt). Text hidden by default. #: actions/profilesettings.php:149 actions/register.php:485 #: actions/showgroup.php:267 actions/tagother.php:112 -#: actions/userauthorization.php:166 lib/groupeditform.php:177 +#: actions/userauthorization.php:166 lib/groupeditform.php:180 #: lib/userprofile.php:165 msgid "Location" msgstr "Helyszín" @@ -4087,7 +4101,8 @@ msgid "Unexpected password reset." msgstr "" #: actions/recoverpassword.php:365 -msgid "Password must be 6 chars or more." +#, fuzzy +msgid "Password must be 6 characters or more." msgstr "A jelszónak legalább 6 karakterből kell állnia." #: actions/recoverpassword.php:369 @@ -4436,7 +4451,7 @@ msgstr "Szervezet" #. TRANS: Form input field label. #: actions/showapplication.php:187 actions/version.php:200 -#: lib/applicationeditform.php:208 lib/groupeditform.php:172 +#: lib/applicationeditform.php:208 lib/groupeditform.php:175 msgid "Description" msgstr "Leírás" @@ -4578,7 +4593,7 @@ msgid "Note" msgstr "Megjegyzés" #. TRANS: Label for group aliases (dt). Text hidden by default. -#: actions/showgroup.php:298 lib/groupeditform.php:184 +#: actions/showgroup.php:298 lib/groupeditform.php:187 msgid "Aliases" msgstr "Álnevek" @@ -4707,60 +4722,84 @@ msgstr "" msgid "Notice deleted." msgstr "A hírt töröltük." -#: actions/showstream.php:72 -#, php-format -msgid " tagged %s" +#. TRANS: Page title showing tagged notices in one user's stream. %1$s is the username, %2$s is the hash tag. +#: actions/showstream.php:70 +#, fuzzy, php-format +msgid "%1$s tagged %2$s" msgstr " %s megcímkézve" -#: actions/showstream.php:78 +#. TRANS: Page title showing tagged notices in one user's stream. +#. TRANS: %1$s is the username, %2$s is the hash tag, %1$d is the page number. +#: actions/showstream.php:74 +#, fuzzy, php-format +msgid "%1$s tagged %2$s, page %3$d" +msgstr "%1$s és barátai, %2$d oldal" + +#. TRANS: Extended page title showing tagged notices in one user's stream. +#. TRANS: %1$s is the username, %2$d is the page number. +#: actions/showstream.php:82 #, php-format msgid "%1$s, page %2$d" msgstr "" -#: actions/showstream.php:120 +#. TRANS: Title for link to notice feed. +#. TRANS: %1$s is a user nickname, %2$s is a hashtag. +#: actions/showstream.php:127 #, php-format msgid "Notice feed for %1$s tagged %2$s (RSS 1.0)" msgstr "RSS 1.0 csatorna %1$s %2$s címkéjű híreiből" -#: actions/showstream.php:127 +#. TRANS: Title for link to notice feed. +#. TRANS: %s is a user nickname. +#: actions/showstream.php:136 #, php-format msgid "Notice feed for %s (RSS 1.0)" msgstr "%s RSS 1.0 hírcsatornája" -#: actions/showstream.php:134 +#. TRANS: Title for link to notice feed. +#. TRANS: %s is a user nickname. +#: actions/showstream.php:145 #, php-format msgid "Notice feed for %s (RSS 2.0)" msgstr "%s RSS 2.0 hírcsatornája" -#: actions/showstream.php:141 +#: actions/showstream.php:152 #, php-format msgid "Notice feed for %s (Atom)" msgstr "%s Atom hírcsatornája" -#: actions/showstream.php:146 +#. TRANS: Title for link to notice feed. FOAF stands for Friend of a Friend. +#. TRANS: More information at http://www.foaf-project.org. %s is a user nickname. +#: actions/showstream.php:159 #, php-format msgid "FOAF for %s" msgstr "" -#: actions/showstream.php:197 -#, php-format -msgid "This is the timeline for %1$s but %2$s hasn't posted anything yet." +#. TRANS: First sentence of empty list message for a stream. $1%s is a user nickname. +#: actions/showstream.php:211 +#, fuzzy, php-format +msgid "This is the timeline for %1$s, but %1$s hasn't posted anything yet." msgstr "Ez %1$s története, de %2$s még nem tett közzé hírt." -#: actions/showstream.php:202 +#. TRANS: Second sentence of empty list message for a stream for the user themselves. +#: actions/showstream.php:217 msgid "" "Seen anything interesting recently? You haven't posted any notices yet, now " "would be a good time to start :)" msgstr "" -#: actions/showstream.php:204 +#. TRANS: Second sentence of empty list message for a non-self stream. %1$s is a user nickname, %2$s is a part of a URL. +#. TRANS: This message contains a Markdown link. Keep "](" together. +#: actions/showstream.php:221 #, php-format msgid "" "You can try to nudge %1$s or [post something to them](%%%%action.newnotice%%%" "%?status_textarea=%2$s)." msgstr "" -#: actions/showstream.php:243 +#. TRANS: Announcement for anonymous users showing a stream if site registrations are open. +#. TRANS: This message contains a Markdown link. Keep "](" together. +#: actions/showstream.php:264 #, php-format msgid "" "**%s** has an account on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -4774,7 +4813,9 @@ msgstr "" "register%%%%) és kövesd nyomon **%s** pletykáit - és még rengeteg mást! " "([Tudj meg többet](%%%%doc.help%%%%))" -#: actions/showstream.php:248 +#. TRANS: Announcement for anonymous users showing a stream if site registrations are closed or invite only. +#. TRANS: This message contains a Markdown link. Keep "](" together. +#: actions/showstream.php:271 #, php-format msgid "" "**%s** has an account on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -4785,7 +4826,8 @@ msgstr "" "wiki/Mikroblog#Mikroblog) ír egy webhelyen, ami a szabad [StatusNet](http://" "status.net/) szoftverre épült. " -#: actions/showstream.php:305 +#. TRANS: Link to the author of a repeated notice. %s is a linked nickname. +#: actions/showstream.php:328 #, php-format msgid "Repeat of %s" msgstr "%s ismétlése" @@ -4895,31 +4937,38 @@ msgstr "Duplázások korlátja" msgid "How long users must wait (in seconds) to post the same thing again." msgstr "" -#: actions/sitenoticeadminpanel.php:56 +#. TRANS: Page title for site-wide notice tab in admin panel. +#: actions/sitenoticeadminpanel.php:55 msgid "Site Notice" msgstr "" -#: actions/sitenoticeadminpanel.php:67 +#. TRANS: Instructions for site-wide notice tab in admin panel. +#: actions/sitenoticeadminpanel.php:66 msgid "Edit site-wide message" msgstr "" -#: actions/sitenoticeadminpanel.php:103 +#. TRANS: Server error displayed when saving a site-wide notice was impossible. +#: actions/sitenoticeadminpanel.php:101 msgid "Unable to save site notice." msgstr "" -#: actions/sitenoticeadminpanel.php:113 -msgid "Max length for the site-wide notice is 255 chars." +#. TRANS: Client error displayed when a site-wide notice was longer than allowed. +#: actions/sitenoticeadminpanel.php:112 +msgid "Maximum length for the site-wide notice is 255 characters." msgstr "" +#. TRANS: Label for site-wide notice text field in admin panel. #: actions/sitenoticeadminpanel.php:176 msgid "Site notice text" msgstr "" -#: actions/sitenoticeadminpanel.php:178 -msgid "Site-wide notice text (255 chars max; HTML okay)" +#. TRANS: Tooltip for site-wide notice text field in admin panel. +#: actions/sitenoticeadminpanel.php:179 +msgid "Site-wide notice text (255 characters maximum; HTML allowed)" msgstr "" -#: actions/sitenoticeadminpanel.php:198 +#. TRANS: Title for button to save site notice in admin panel. +#: actions/sitenoticeadminpanel.php:201 msgid "Save site notice" msgstr "" @@ -5360,75 +5409,93 @@ msgid "" msgstr "" #. TRANS: User admin panel title -#: actions/useradminpanel.php:60 +#: actions/useradminpanel.php:58 msgctxt "TITLE" msgid "User" msgstr "" -#: actions/useradminpanel.php:71 +#. TRANS: Instruction for user admin panel. +#: actions/useradminpanel.php:69 msgid "User settings for this StatusNet site" msgstr "" -#: actions/useradminpanel.php:150 +#. TRANS: Form validation error in user admin panel when a non-numeric character limit was set. +#: actions/useradminpanel.php:147 msgid "Invalid bio limit. Must be numeric." msgstr "" -#: actions/useradminpanel.php:156 -msgid "Invalid welcome text. Max length is 255 characters." -msgstr "" +#. TRANS: Form validation error in user admin panel when welcome text is too long. +#: actions/useradminpanel.php:154 +#, fuzzy +msgid "Invalid welcome text. Maximum length is 255 characters." +msgstr "Érvénytelen SSL szerver. A maximális hossz 255 karakter." +#. TRANS: Client error displayed when trying to set a non-existing user as default subscription for new +#. TRANS: users in user admin panel. %1$s is the invalid nickname. #: actions/useradminpanel.php:166 #, php-format -msgid "Invalid default subscripton: '%1$s' is not user." +msgid "Invalid default subscripton: '%1$s' is not a user." msgstr "" #. TRANS: Link description in user account settings menu. -#: actions/useradminpanel.php:219 lib/accountsettingsaction.php:106 +#: actions/useradminpanel.php:215 lib/accountsettingsaction.php:106 #: lib/personalgroupnav.php:109 msgid "Profile" msgstr "Profil" -#: actions/useradminpanel.php:223 +#. TRANS: Field label in user admin panel for setting the character limit for the bio field. +#: actions/useradminpanel.php:220 msgid "Bio Limit" msgstr "Bemutatkozás méretkorlátja" -#: actions/useradminpanel.php:224 +#. TRANS: Tooltip in user admin panel for setting the character limit for the bio field. +#: actions/useradminpanel.php:222 msgid "Maximum length of a profile bio in characters." msgstr "" -#: actions/useradminpanel.php:232 +#. TRANS: Form legend in user admin panel. +#: actions/useradminpanel.php:231 msgid "New users" msgstr "Új felhasználók" +#. TRANS: Field label in user admin panel for setting new user welcome text. #: actions/useradminpanel.php:236 msgid "New user welcome" msgstr "" -#: actions/useradminpanel.php:237 -msgid "Welcome text for new users (Max 255 chars)." -msgstr "" +#. TRANS: Tooltip in user admin panel for setting new user welcome text. +#: actions/useradminpanel.php:238 +#, fuzzy +msgid "Welcome text for new users (maximum 255 characters)." +msgstr "A teljes név túl hosszú (legfeljebb 255 karakter lehet)." -#: actions/useradminpanel.php:242 +#. TRANS: Field label in user admin panel for setting default subscription for new users. +#: actions/useradminpanel.php:244 msgid "Default subscription" msgstr "" -#: actions/useradminpanel.php:243 +#. TRANS: Tooltip in user admin panel for setting default subscription for new users. +#: actions/useradminpanel.php:246 msgid "Automatically subscribe new users to this user." msgstr "" -#: actions/useradminpanel.php:252 +#. TRANS: Form legend in user admin panel. +#: actions/useradminpanel.php:256 msgid "Invitations" msgstr "Meghívások" -#: actions/useradminpanel.php:257 +#. TRANS: Field label for checkbox in user admin panel for allowing users to invite friend using site e-mail. +#: actions/useradminpanel.php:262 msgid "Invitations enabled" msgstr "A meghívások engedélyezve vannak" -#: actions/useradminpanel.php:259 +#. TRANS: Tooltip for checkbox in user admin panel for allowing users to invite friend using site e-mail. +#: actions/useradminpanel.php:265 msgid "Whether to allow users to invite new users." msgstr "" -#: actions/useradminpanel.php:295 +#. TRANS: Title for button to save user settings in user admin panel. +#: actions/useradminpanel.php:302 msgid "Save user settings" msgstr "" @@ -5616,7 +5683,7 @@ msgid "Plugins" msgstr "" #. TRANS: Secondary navigation menu option leading to version information on the StatusNet site. -#: actions/version.php:198 lib/action.php:831 +#: actions/version.php:198 lib/action.php:880 msgid "Version" msgstr "" @@ -5819,16 +5886,23 @@ msgstr "Nem sikerült menteni a profilt." msgid "RT @%1$s %2$s" msgstr "" +#. TRANS: Full name of a profile or group followed by nickname in parens +#: classes/Profile.php:164 +#, fuzzy, php-format +msgctxt "FANCYNAME" +msgid "%1$s (%2$s)" +msgstr "%1$s - %2$s" + #. TRANS: Exception thrown when trying to revoke an existing role for a user that does not exist. #. TRANS: %1$s is the role name, %2$s is the user ID (number). -#: classes/Profile.php:791 +#: classes/Profile.php:812 #, php-format msgid "Cannot revoke role \"%1$s\" for user #%2$d; does not exist." msgstr "" #. TRANS: Exception thrown when trying to revoke a role for a user with a failing database query. #. TRANS: %1$s is the role name, %2$s is the user ID (number). -#: classes/Profile.php:800 +#: classes/Profile.php:821 #, php-format msgid "Cannot revoke role \"%1$s\" for user #%2$d; database error." msgstr "" @@ -5973,194 +6047,201 @@ msgstr "%1$s - %2$s" msgid "Untitled page" msgstr "Név nélküli oldal" +#. TRANS: Localized tooltip for '...' expansion button on overlong remote messages. +#: lib/action.php:310 +msgctxt "TOOLTIP" +msgid "Show more" +msgstr "" + #. TRANS: DT element for primary navigation menu. String is hidden in default CSS. -#: lib/action.php:477 +#: lib/action.php:526 msgid "Primary site navigation" msgstr "Elsődleges navigáció" #. TRANS: Tooltip for main menu option "Personal" -#: lib/action.php:483 +#: lib/action.php:532 msgctxt "TOOLTIP" msgid "Personal profile and friends timeline" msgstr "" #. TRANS: Main menu option when logged in for access to personal profile and friends timeline -#: lib/action.php:486 +#: lib/action.php:535 msgctxt "MENU" msgid "Personal" msgstr "" #. TRANS: Tooltip for main menu option "Account" -#: lib/action.php:488 +#: lib/action.php:537 msgctxt "TOOLTIP" msgid "Change your email, avatar, password, profile" msgstr "" #. TRANS: Main menu option when logged in for access to user settings -#: lib/action.php:491 +#: lib/action.php:540 msgid "Account" msgstr "Kontó" #. TRANS: Tooltip for main menu option "Services" -#: lib/action.php:493 +#: lib/action.php:542 msgctxt "TOOLTIP" msgid "Connect to services" msgstr "" #. TRANS: Main menu option when logged in and connection are possible for access to options to connect to other services -#: lib/action.php:496 +#: lib/action.php:545 msgid "Connect" msgstr "Kapcsolódás" #. TRANS: Tooltip for menu option "Admin" -#: lib/action.php:499 +#: lib/action.php:548 msgctxt "TOOLTIP" msgid "Change site configuration" msgstr "" #. TRANS: Main menu option when logged in and site admin for access to site configuration #. TRANS: Menu item in the group navigation page. Only shown for group administrators. -#: lib/action.php:502 lib/groupnav.php:117 +#: lib/action.php:551 lib/groupnav.php:117 msgctxt "MENU" msgid "Admin" msgstr "" #. TRANS: Tooltip for main menu option "Invite" -#: lib/action.php:506 +#: lib/action.php:555 #, php-format msgctxt "TOOLTIP" msgid "Invite friends and colleagues to join you on %s" msgstr "" #. TRANS: Main menu option when logged in and invitations are allowed for inviting new users -#: lib/action.php:509 +#: lib/action.php:558 msgctxt "MENU" msgid "Invite" msgstr "" #. TRANS: Tooltip for main menu option "Logout" -#: lib/action.php:515 +#: lib/action.php:564 msgctxt "TOOLTIP" msgid "Logout from the site" msgstr "" #. TRANS: Main menu option when logged in to log out the current user -#: lib/action.php:518 +#: lib/action.php:567 msgctxt "MENU" msgid "Logout" msgstr "" #. TRANS: Tooltip for main menu option "Register" -#: lib/action.php:523 +#: lib/action.php:572 msgctxt "TOOLTIP" msgid "Create an account" msgstr "" #. TRANS: Main menu option when not logged in to register a new account -#: lib/action.php:526 +#: lib/action.php:575 msgctxt "MENU" msgid "Register" msgstr "" #. TRANS: Tooltip for main menu option "Login" -#: lib/action.php:529 +#: lib/action.php:578 msgctxt "TOOLTIP" msgid "Login to the site" msgstr "" #. TRANS: Main menu option when not logged in to log in -#: lib/action.php:532 +#: lib/action.php:581 msgctxt "MENU" msgid "Login" msgstr "" #. TRANS: Tooltip for main menu option "Help" -#: lib/action.php:535 +#: lib/action.php:584 msgctxt "TOOLTIP" msgid "Help me!" msgstr "" #. TRANS: Main menu option for help on the StatusNet site -#: lib/action.php:538 +#: lib/action.php:587 msgctxt "MENU" msgid "Help" msgstr "" #. TRANS: Tooltip for main menu option "Search" -#: lib/action.php:541 +#: lib/action.php:590 msgctxt "TOOLTIP" msgid "Search for people or text" msgstr "" #. TRANS: Main menu option when logged in or when the StatusNet instance is not private -#: lib/action.php:544 +#: lib/action.php:593 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:566 lib/adminpanelaction.php:387 +#: lib/action.php:615 lib/adminpanelaction.php:387 msgid "Site notice" msgstr "A webhely híre" #. TRANS: DT element for local views block. String is hidden in default CSS. -#: lib/action.php:633 +#: lib/action.php:682 msgid "Local views" msgstr "" #. TRANS: DT element for page notice. String is hidden in default CSS. -#: lib/action.php:703 +#: lib/action.php:752 msgid "Page notice" msgstr "" #. TRANS: DT element for secondary navigation menu. String is hidden in default CSS. -#: lib/action.php:804 +#: lib/action.php:853 msgid "Secondary site navigation" msgstr "Másodlagos navigáció" #. TRANS: Secondary navigation menu option leading to help on StatusNet. -#: lib/action.php:810 +#: lib/action.php:859 msgid "Help" msgstr "Súgó" #. TRANS: Secondary navigation menu option leading to text about StatusNet site. -#: lib/action.php:813 +#: lib/action.php:862 msgid "About" msgstr "Névjegy" #. TRANS: Secondary navigation menu option leading to Frequently Asked Questions. -#: lib/action.php:816 +#: lib/action.php:865 msgid "FAQ" msgstr "GyIK" #. TRANS: Secondary navigation menu option leading to Terms of Service. -#: lib/action.php:821 +#: lib/action.php:870 msgid "TOS" msgstr "Felhasználási feltételek" #. TRANS: Secondary navigation menu option leading to privacy policy. -#: lib/action.php:825 +#: lib/action.php:874 msgid "Privacy" msgstr "" -#. TRANS: Secondary navigation menu option. -#: lib/action.php:828 +#. TRANS: Secondary navigation menu option. Leads to information about StatusNet and its license. +#: lib/action.php:877 msgid "Source" msgstr "Forrás" -#. TRANS: Secondary navigation menu option leading to contact information on the StatusNet site. -#: lib/action.php:834 +#. TRANS: Secondary navigation menu option leading to e-mail contact information on the +#. TRANS: StatusNet site, where to report bugs, ... +#: lib/action.php:884 msgid "Contact" msgstr "Kapcsolat" -#. TRANS: Secondary navigation menu option. -#: lib/action.php:837 +#. TRANS: Secondary navigation menu option. Leads to information about embedding a timeline widget. +#: lib/action.php:887 msgid "Badge" msgstr "" #. TRANS: DT element for StatusNet software license. -#: lib/action.php:866 +#: lib/action.php:916 msgid "StatusNet software license" msgstr "A StatusNet szoftver licence" @@ -6168,7 +6249,7 @@ msgstr "A StatusNet szoftver licence" #. TRANS: Text between [] is a link description, text between () is the link itself. #. TRANS: Make sure there is no whitespace between "]" and "(". #. TRANS: "%%site.broughtby%%" is the value of the variable site.broughtby -#: lib/action.php:873 +#: lib/action.php:923 #, php-format msgid "" "**%%site.name%%** is a microblogging service brought to you by [%%site." @@ -6176,7 +6257,7 @@ msgid "" msgstr "" #. TRANS: First sentence of the StatusNet site license. Used if 'broughtby' is not set. -#: lib/action.php:876 +#: lib/action.php:926 #, php-format msgid "**%%site.name%%** is a microblogging service." msgstr "" @@ -6185,7 +6266,7 @@ msgstr "" #. TRANS: Make sure there is no whitespace between "]" and "(". #. TRANS: Text between [] is a link description, text between () is the link itself. #. TRANS: %s is the version of StatusNet that is being used. -#: lib/action.php:883 +#: lib/action.php:933 #, php-format msgid "" "It runs the [StatusNet](http://status.net/) microblogging software, version %" @@ -6194,50 +6275,50 @@ msgid "" msgstr "" #. TRANS: DT element for StatusNet site content license. -#: lib/action.php:899 +#: lib/action.php:949 msgid "Site content license" msgstr "A webhely tartalmára vonatkozó licenc" #. TRANS: Content license displayed when license is set to 'private'. #. TRANS: %1$s is the site name. -#: lib/action.php:906 +#: lib/action.php:956 #, php-format msgid "Content and data of %1$s are private and confidential." msgstr "" #. TRANS: Content license displayed when license is set to 'allrightsreserved'. #. TRANS: %1$s is the copyright owner. -#: lib/action.php:913 +#: lib/action.php:963 #, php-format msgid "Content and data copyright by %1$s. All rights reserved." msgstr "" #. TRANS: Content license displayed when license is set to 'allrightsreserved' and no owner is set. -#: lib/action.php:917 +#: lib/action.php:967 msgid "Content and data copyright by contributors. All rights reserved." msgstr "" #. TRANS: license message in footer. #. TRANS: %1$s is the site name, %2$s is a link to the license URL, with a licence name set in configuration. -#: lib/action.php:949 +#: lib/action.php:999 #, php-format msgid "All %1$s content and data are available under the %2$s license." msgstr "" #. TRANS: DT element for pagination (previous/next, etc.). -#: lib/action.php:1285 +#: lib/action.php:1335 msgid "Pagination" msgstr "" #. TRANS: Pagination message to go to a page displaying information more in the #. TRANS: present than the currently displayed information. -#: lib/action.php:1296 +#: lib/action.php:1346 msgid "After" msgstr "Utána" #. TRANS: Pagination message to go to a page displaying information more in the #. TRANS: past than the currently displayed information. -#: lib/action.php:1306 +#: lib/action.php:1356 msgid "Before" msgstr "Előtte" @@ -6580,7 +6661,7 @@ msgid "AJAX error" msgstr "Ajax-hiba" #. TRANS: E-mail subject when a command has completed. -#: lib/channel.php:233 lib/mailhandler.php:142 +#: lib/channel.php:233 lib/mailhandler.php:143 msgid "Command complete" msgstr "" @@ -6596,7 +6677,7 @@ msgstr "" #. TRANS: Command exception text shown when a last user notice is requested and it does not exist. #. TRANS: Error text shown when a last user notice is requested and it does not exist. -#: lib/command.php:99 lib/command.php:626 +#: lib/command.php:99 lib/command.php:630 msgid "User has no last notice." msgstr "" @@ -6665,6 +6746,14 @@ msgstr "" msgid "%1$s left group %2$s." msgstr "" +#. TRANS: Whois output. +#. TRANS: %1$s nickname of the queried user, %2$s is their profile URL. +#: lib/command.php:426 +#, fuzzy, php-format +msgctxt "WHOIS" +msgid "%1$s (%2$s)" +msgstr "%1$s - %2$s" + #. TRANS: Whois output. %s is the full name of the queried user. #: lib/command.php:430 #, php-format @@ -6702,133 +6791,137 @@ msgid "" "same server." msgstr "" -#. TRANS: Message given if content is too long. +#. TRANS: Message given if content is too long. %1$sd is used for plural. #. TRANS: %1$d is the maximum number of characters, %2$d is the number of submitted characters. #: lib/command.php:488 -#, php-format -msgid "Message too long - maximum is %1$d characters, you sent %2$d." -msgstr "" +#, fuzzy, php-format +msgid "Message too long - maximum is %1$d character, you sent %2$d." +msgid_plural "Message too long - maximum is %1$d characters, you sent %2$d." +msgstr[0] "Az túl hosszú. Egy hír legfeljebb %d karakterből állhat." +msgstr[1] "Az túl hosszú. Egy hír legfeljebb %d karakterből állhat." #. TRANS: Error text shown sending a direct message fails with an unknown reason. -#: lib/command.php:514 +#: lib/command.php:516 msgid "Error sending direct message." msgstr "Hiba a közvetlen üzenet küldése közben." #. TRANS: Message given having repeated a notice from another user. #. TRANS: %s is the name of the user for which the notice was repeated. -#: lib/command.php:551 +#: lib/command.php:553 #, php-format msgid "Notice from %s repeated." msgstr "" #. TRANS: Error text shown when repeating a notice fails with an unknown reason. -#: lib/command.php:554 +#: lib/command.php:556 msgid "Error repeating notice." msgstr "Hiba a hír ismétlésekor." -#. TRANS: Message given if content of a notice for a reply is too long. +#. TRANS: Message given if content of a notice for a reply is too long. %1$d is used for plural. #. TRANS: %1$d is the maximum number of characters, %2$d is the number of submitted characters. -#: lib/command.php:589 -#, php-format -msgid "Notice too long - maximum is %1$d characters, you sent %2$d." -msgstr "" +#: lib/command.php:591 +#, fuzzy, php-format +msgid "Notice too long - maximum is %1$d character, you sent %2$d." +msgid_plural "Notice too long - maximum is %1$d characters, you sent %2$d." +msgstr[0] "Az túl hosszú. Egy hír legfeljebb %d karakterből állhat." +msgstr[1] "Az túl hosszú. Egy hír legfeljebb %d karakterből állhat." #. TRANS: Text shown having sent a reply to a notice successfully. #. TRANS: %s is the nickname of the user of the notice the reply was sent to. -#: lib/command.php:600 +#: lib/command.php:604 #, php-format msgid "Reply to %s sent." msgstr "" #. TRANS: Error text shown when a reply to a notice fails with an unknown reason. -#: lib/command.php:603 +#: lib/command.php:607 msgid "Error saving notice." msgstr "Hiba a hír elmentésekor." #. TRANS: Error text shown when no username was provided when issuing a subscribe command. -#: lib/command.php:650 +#: lib/command.php:654 msgid "Specify the name of the user to subscribe to." msgstr "" #. TRANS: Command exception text shown when trying to subscribe to an OMB profile using the subscribe command. -#: lib/command.php:659 +#: lib/command.php:663 msgid "Can't subscribe to OMB profiles by command." msgstr "" #. TRANS: Text shown after having subscribed to another user successfully. #. TRANS: %s is the name of the user the subscription was requested for. -#: lib/command.php:667 +#: lib/command.php:671 #, php-format msgid "Subscribed to %s." msgstr "" #. TRANS: Error text shown when no username was provided when issuing an unsubscribe command. #. TRANS: Error text shown when no username was provided when issuing the command. -#: lib/command.php:688 lib/command.php:799 +#: lib/command.php:692 lib/command.php:803 msgid "Specify the name of the user to unsubscribe from." msgstr "" #. TRANS: Text shown after having unsubscribed from another user successfully. #. TRANS: %s is the name of the user the unsubscription was requested for. -#: lib/command.php:699 +#: lib/command.php:703 #, php-format msgid "Unsubscribed from %s." msgstr "" #. TRANS: Error text shown when issuing the command "off" with a setting which has not yet been implemented. #. TRANS: Error text shown when issuing the command "on" with a setting which has not yet been implemented. -#: lib/command.php:719 lib/command.php:745 +#: lib/command.php:723 lib/command.php:749 msgid "Command not yet implemented." msgstr "" #. TRANS: Text shown when issuing the command "off" successfully. -#: lib/command.php:723 +#: lib/command.php:727 msgid "Notification off." msgstr "Ne legyenek értesítések." #. TRANS: Error text shown when the command "off" fails for an unknown reason. -#: lib/command.php:726 +#: lib/command.php:730 msgid "Can't turn off notification." msgstr "" #. TRANS: Text shown when issuing the command "on" successfully. -#: lib/command.php:749 +#: lib/command.php:753 msgid "Notification on." msgstr "Legyenek értesítések." #. TRANS: Error text shown when the command "on" fails for an unknown reason. -#: lib/command.php:752 +#: lib/command.php:756 msgid "Can't turn on notification." msgstr "" #. TRANS: Error text shown when issuing the login command while login is disabled. -#: lib/command.php:766 +#: lib/command.php:770 msgid "Login command is disabled." msgstr "" #. TRANS: Text shown after issuing the login command successfully. #. TRANS: %s is a logon link.. -#: lib/command.php:779 +#: lib/command.php:783 #, php-format msgid "This link is useable only once and is valid for only 2 minutes: %s." msgstr "" #. TRANS: Text shown after issuing the lose command successfully (stop another user from following the current user). #. TRANS: %s is the name of the user the unsubscription was requested for. -#: lib/command.php:808 +#: lib/command.php:812 #, php-format msgid "Unsubscribed %s." msgstr "" #. TRANS: Text shown after requesting other users a user is subscribed to without having any subscriptions. -#: lib/command.php:826 +#: lib/command.php:830 msgid "You are not subscribed to anyone." msgstr "Senkinek sem iratkoztál fel a híreire." #. TRANS: Text shown after requesting other users a user is subscribed to. #. TRANS: This message supports plural forms. This message is followed by a #. TRANS: hard coded space and a comma separated list of subscribed users. -#: lib/command.php:831 +#: lib/command.php:835 msgid "You are subscribed to this person:" msgid_plural "You are subscribed to these people:" msgstr[0] "Ezen személy híreire iratkoztál fel:" @@ -6836,14 +6929,14 @@ msgstr[1] "Ezen emberek híreire iratkoztál fel:" #. TRANS: Text shown after requesting other users that are subscribed to a user #. TRANS: (followers) without having any subscribers. -#: lib/command.php:853 +#: lib/command.php:857 msgid "No one is subscribed to you." msgstr "Senki sem követ figyelemmel." #. TRANS: Text shown after requesting other users that are subscribed to a user (followers). #. TRANS: This message supports plural forms. This message is followed by a #. TRANS: hard coded space and a comma separated list of subscribing users. -#: lib/command.php:858 +#: lib/command.php:862 msgid "This person is subscribed to you:" msgid_plural "These people are subscribed to you:" msgstr[0] "Ez a személy iratkozott fel a híreidre:" @@ -6851,21 +6944,21 @@ msgstr[1] "Ezek az emberek iratkoztak fel a híreidre:" #. TRANS: Text shown after requesting groups a user is subscribed to without having #. TRANS: any group subscriptions. -#: lib/command.php:880 +#: lib/command.php:884 msgid "You are not a member of any groups." msgstr "Nem vagy tagja semmilyen csoportnak." #. TRANS: Text shown after requesting groups a user is subscribed to. #. TRANS: This message supports plural forms. This message is followed by a #. TRANS: hard coded space and a comma separated list of subscribed groups. -#: lib/command.php:885 +#: lib/command.php:889 msgid "You are a member of this group:" msgid_plural "You are a member of these groups:" msgstr[0] "Ennek a csoportnak vagy tagja:" msgstr[1] "Ezeknek a csoportoknak vagy tagja:" #. TRANS: Help text for commands. Do not translate the command names themselves; they are fixed strings. -#: lib/command.php:900 +#: lib/command.php:904 msgid "" "Commands:\n" "on - turn on notifications\n" @@ -7055,7 +7148,8 @@ msgid "1-64 lowercase letters or numbers, no punctuation or spaces" msgstr "1-64 kisbetű vagy számjegy, nem lehet benne írásjel vagy szóköz" #: lib/groupeditform.php:163 -msgid "URL of the homepage or blog of the group or topic" +#, fuzzy +msgid "URL of the homepage or blog of the group or topic." msgstr "A csoporthoz vagy témához tartozó honlap illetve blog URL-je" #: lib/groupeditform.php:168 @@ -7063,21 +7157,32 @@ msgid "Describe the group or topic" msgstr "Jellemezd a csoportot vagy a témát" #: lib/groupeditform.php:170 -#, php-format -msgid "Describe the group or topic in %d characters" -msgstr "Jellemezd a csoportot vagy a témát %d karakterben" +#, fuzzy, php-format +msgid "Describe the group or topic in %d character or less" +msgid_plural "Describe the group or topic in %d characters or less" +msgstr[0] "Jellemezd a csoportot vagy a témát %d karakterben" +msgstr[1] "Jellemezd a csoportot vagy a témát %d karakterben" -#: lib/groupeditform.php:179 +#: lib/groupeditform.php:182 +#, fuzzy msgid "" -"Location for the group, if any, like \"City, State (or Region), Country\"" +"Location for the group, if any, like \"City, State (or Region), Country\"." msgstr "" "A csoport földrajzi elhelyezkedése, ha van ilyen, pl. \"Város, Megye, Ország" "\"" -#: lib/groupeditform.php:187 -#, php-format -msgid "Extra nicknames for the group, comma- or space- separated, max %d" -msgstr "" +#: lib/groupeditform.php:190 +#, fuzzy, php-format +msgid "" +"Extra nicknames for the group, separated with commas or spaces. Maximum %d " +"alias allowed." +msgid_plural "" +"Extra nicknames for the group, separated with commas or spaces. Maximum %d " +"aliases allowed." +msgstr[0] "" +"Extra becenevek a csoport számára, vesszővel vagy szóközökkel elválasztva, " +"legfeljebb %d" +msgstr[1] "" "Extra becenevek a csoport számára, vesszővel vagy szóközökkel elválasztva, " "legfeljebb %d" @@ -7599,7 +7704,7 @@ msgstr "Sajnos az nem a te bejövő email-címed." msgid "Sorry, no incoming email allowed." msgstr "Sajnos a bejövő email nincs engedélyezve." -#: lib/mailhandler.php:228 +#: lib/mailhandler.php:229 #, php-format msgid "Unsupported message type: %s" msgstr "Nem támogatott üzenet-típus: %s" @@ -7940,16 +8045,17 @@ msgid "Sandbox this user" msgstr "" #. TRANS: Fieldset legend for the search form. -#: lib/searchaction.php:121 +#: lib/searchaction.php:120 msgid "Search site" msgstr "" #. TRANS: Used as a field label for the field where one or more keywords #. TRANS: for searching can be entered. -#: lib/searchaction.php:129 +#: lib/searchaction.php:128 msgid "Keyword(s)" msgstr "" +#. TRANS: Button text for searching site. #: lib/searchaction.php:130 msgctxt "BUTTON" msgid "Search" @@ -8039,8 +8145,8 @@ msgid "The theme file is missing or the upload failed." msgstr "" #: lib/themeuploader.php:91 lib/themeuploader.php:102 -#: lib/themeuploader.php:278 lib/themeuploader.php:282 -#: lib/themeuploader.php:290 lib/themeuploader.php:297 +#: lib/themeuploader.php:279 lib/themeuploader.php:283 +#: lib/themeuploader.php:291 lib/themeuploader.php:298 msgid "Failed saving theme." msgstr "" @@ -8050,29 +8156,32 @@ msgstr "" #: lib/themeuploader.php:166 #, php-format -msgid "Uploaded theme is too large; must be less than %d bytes uncompressed." -msgstr "" +msgid "Uploaded theme is too large; must be less than %d byte uncompressed." +msgid_plural "" +"Uploaded theme is too large; must be less than %d bytes uncompressed." +msgstr[0] "" +msgstr[1] "" -#: lib/themeuploader.php:178 +#: lib/themeuploader.php:179 msgid "Invalid theme archive: missing file css/display.css" msgstr "" -#: lib/themeuploader.php:218 +#: lib/themeuploader.php:219 msgid "" "Theme contains invalid file or folder name. Stick with ASCII letters, " "digits, underscore, and minus sign." msgstr "" -#: lib/themeuploader.php:224 +#: lib/themeuploader.php:225 msgid "Theme contains unsafe file extension names; may be unsafe." msgstr "" -#: lib/themeuploader.php:241 +#: lib/themeuploader.php:242 #, php-format msgid "Theme contains file of type '.%s', which is not allowed." msgstr "" -#: lib/themeuploader.php:259 +#: lib/themeuploader.php:260 msgid "Error opening theme archive." msgstr "" @@ -8253,22 +8362,37 @@ msgid_plural "Message too long. Maximum is %1$d characters, you sent %2$d." msgstr[0] "Az túl hosszú. Egy hír legfeljebb %d karakterből állhat." msgstr[1] "Az túl hosszú. Egy hír legfeljebb %d karakterből állhat." -#: scripts/restoreuser.php:82 +#. TRANS: Commandline script output. %s is the filename that contains a backup for a user. +#: scripts/restoreuser.php:61 #, php-format -msgid "Backup file for user %s (%s)" +msgid "Getting backup from file '%s'." msgstr "" -#: scripts/restoreuser.php:88 +#. TRANS: Commandline script output. +#: scripts/restoreuser.php:91 msgid "No user specified; using backup user." msgstr "" -#: scripts/restoreuser.php:94 +#. TRANS: Commandline script output. %d is the number of entries in the activity stream in backup; used for plural. +#: scripts/restoreuser.php:98 #, php-format -msgid "%d entries in backup." -msgstr "" +msgid "%d entry in backup." +msgid_plural "%d entries in backup." +msgstr[0] "" +msgstr[1] "" -#~ msgid "Description is too long (max %d chars)." -#~ msgstr "A leírás túl hosszú (legfeljebb %d karakter lehet)." +#, fuzzy +#~ msgid "Name is too long (maximum 255 chars)." +#~ msgstr "A név túl hosszú (max 255 karakter lehet)." -#~ msgid "Too many aliases! Maximum %d." -#~ msgstr "Túl sok álnév! Legfeljebb %d lehet." +#, fuzzy +#~ msgid "Organization is too long (maximum 255 chars)." +#~ msgstr "A szervezet túl hosszú (255 karakter lehet)." + +#~ msgid "That's too long. Max notice size is %d chars." +#~ msgstr "Az túl hosszú. Egy hír legfeljebb %d karakterből állhat." + +#~ msgid "Max notice size is %d chars, including attachment URL." +#~ msgstr "" +#~ "Egy hír legfeljebb %d karakterből állhat, a melléklet URL-jét is " +#~ "beleértve." diff --git a/locale/ia/LC_MESSAGES/statusnet.po b/locale/ia/LC_MESSAGES/statusnet.po index e78db5e5b5..73afea5a86 100644 --- a/locale/ia/LC_MESSAGES/statusnet.po +++ b/locale/ia/LC_MESSAGES/statusnet.po @@ -9,17 +9,17 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet - Core\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-10-30 23:18+0000\n" -"PO-Revision-Date: 2010-10-30 23:20:23+0000\n" +"POT-Creation-Date: 2010-11-02 22:51+0000\n" +"PO-Revision-Date: 2010-11-02 22:53:24+0000\n" "Language-Team: Interlingua \n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r75708); Translate extension (2010-09-17)\n" +"X-Generator: MediaWiki 1.17alpha (r75875); Translate extension (2010-09-17)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: ia\n" "X-Message-Group: #out-statusnet-core\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-POT-Import-Date: 2010-10-30 09:48:40+0000\n" +"X-POT-Import-Date: 2010-10-30 23:42:01+0000\n" #. TRANS: Page title for Access admin panel that allows configuring site access. #. TRANS: Menu item for site administration @@ -76,15 +76,20 @@ msgstr "Salveguardar configurationes de accesso" #. TRANS: Tooltip for button to save access settings in site admin panel. #. TRANS: Button label to save e-mail preferences. #. TRANS: Button label to save IM preferences. +#. TRANS: Button text for saving "Other settings" in profile. #. TRANS: Button text to store form data in the Paths admin panel. #. TRANS: Button to save input in profile settings. +#. TRANS: Button text for saving site notice in admin panel. #. TRANS: Button label to save SMS preferences. #. TRANS: Save button for settings for a profile in a subscriptions list. +#. TRANS: Button text to save user settings in user admin panel. #. TRANS: Button label in the "Edit application" form. #: actions/accessadminpanel.php:193 actions/emailsettings.php:228 -#: actions/imsettings.php:187 actions/pathsadminpanel.php:512 -#: actions/profilesettings.php:201 actions/smssettings.php:209 -#: actions/subscriptions.php:246 lib/applicationeditform.php:355 +#: actions/imsettings.php:187 actions/othersettings.php:134 +#: actions/pathsadminpanel.php:512 actions/profilesettings.php:201 +#: actions/sitenoticeadminpanel.php:197 actions/smssettings.php:209 +#: actions/subscriptions.php:246 actions/useradminpanel.php:298 +#: lib/applicationeditform.php:355 lib/groupeditform.php:207 msgctxt "BUTTON" msgid "Save" msgstr "Salveguardar" @@ -135,7 +140,7 @@ msgstr "Pagina non existe." #: 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:93 actions/userrss.php:40 -#: actions/xrds.php:71 lib/command.php:495 lib/galleryaction.php:59 +#: actions/xrds.php:71 lib/command.php:497 lib/galleryaction.php:59 #: lib/mailbox.php:82 lib/profileaction.php:77 msgid "No such user." msgstr "Iste usator non existe." @@ -208,7 +213,9 @@ msgstr "" #. TRANS: Encoutagement displayed on empty timeline user pages for anonymous users. #. TRANS: %s is a user nickname. This message contains Markdown links. Keep "](" together. -#: actions/all.php:155 actions/replies.php:210 actions/showstream.php:208 +#. TRANS: Second sentence of empty message for anonymous users. %s is a user nickname. +#. TRANS: This message contains a Markdown link. Keep "](" together. +#: actions/all.php:155 actions/replies.php:210 actions/showstream.php:227 #, php-format msgid "" "Why not [register an account](%%%%action.register%%%%) and then nudge %s or " @@ -562,8 +569,11 @@ msgstr "Le nomine complete es troppo longe (maximo 255 characteres)." #. TRANS: Group edit form validation error. #. TRANS: Form validation error in New application form. #. TRANS: %d is the maximum number of characters for the description. +#. TRANS: Group create form validation error. +#. TRANS: %d is the maximum number of allowed characters. #: actions/apigroupcreate.php:220 actions/editapplication.php:201 #: actions/editgroup.php:216 actions/newapplication.php:178 +#: actions/newgroup.php:152 #, php-format msgid "Description is too long (maximum %d character)." msgid_plural "Description is too long (maximum %d characters)." @@ -719,14 +729,14 @@ msgstr "Indicio de requesta jam autorisate." #. TRANS: Form validation error in API OAuth authorisation because of an invalid session token. #: actions/apioauthauthorize.php:147 actions/avatarsettings.php:280 -#: actions/deletenotice.php:172 actions/disfavor.php:74 +#: actions/deletenotice.php:177 actions/disfavor.php:74 #: actions/emailsettings.php:271 actions/favor.php:75 actions/geocode.php:55 #: actions/groupblock.php:66 actions/grouplogo.php:312 #: actions/groupunblock.php:65 actions/imsettings.php:230 #: actions/invite.php:59 actions/login.php:137 actions/makeadmin.php:66 #: actions/newmessage.php:135 actions/newnotice.php:105 actions/nudge.php:80 #: actions/oauthappssettings.php:165 actions/oauthconnectionssettings.php:138 -#: actions/othersettings.php:145 actions/passwordsettings.php:138 +#: actions/othersettings.php:153 actions/passwordsettings.php:138 #: actions/profilesettings.php:221 actions/recoverpassword.php:350 #: actions/register.php:172 actions/remotesubscribe.php:77 #: actions/repeat.php:83 actions/smssettings.php:256 actions/subedit.php:40 @@ -905,20 +915,21 @@ msgstr "Tu non pote deler le stato de un altere usator." #. TRANS: Client error displayed trying to repeat a non-existing notice through the API. #. TRANS: Client error displayed trying to display redents of a non-exiting notice. +#. TRANS: Error message displayed trying to delete a non-existing notice. #: actions/apistatusesretweet.php:74 actions/apistatusesretweets.php:70 -#: actions/deletenotice.php:58 actions/shownotice.php:92 +#: actions/deletenotice.php:61 actions/shownotice.php:92 msgid "No such notice." msgstr "Nota non trovate." #. TRANS: Client error displayed trying to repeat an own notice through the API. #. TRANS: Error text shown when trying to repeat an own notice. -#: actions/apistatusesretweet.php:83 lib/command.php:535 +#: actions/apistatusesretweet.php:83 lib/command.php:537 msgid "Cannot repeat your own notice." msgstr "Non pote repeter tu proprie nota." #. TRANS: Client error displayed trying to re-repeat a notice through the API. #. TRANS: Error text shown when trying to repeat an notice that was already repeated by the user. -#: actions/apistatusesretweet.php:92 lib/command.php:541 +#: actions/apistatusesretweet.php:92 lib/command.php:543 msgid "Already repeated that notice." msgstr "Iste nota ha ja essite repetite." @@ -939,7 +950,8 @@ msgstr "Le cliente debe fornir un parametro 'status' con un valor." #. TRANS: Client error displayed when the parameter "status" is missing. #. TRANS: %d is the maximum number of character for a notice. -#: actions/apistatusesupdate.php:244 +#: actions/apistatusesupdate.php:244 actions/newnotice.php:161 +#: lib/mailhandler.php:60 #, php-format msgid "That's too long. Maximum notice size is %d character." msgid_plural "That's too long. Maximum notice size is %d characters." @@ -955,7 +967,7 @@ msgstr "Nota genitor non trovate." #. TRANS: Client error displayed exceeding the maximum notice length. #. TRANS: %d is the maximum lenth for a notice. -#: actions/apistatusesupdate.php:308 +#: actions/apistatusesupdate.php:308 actions/newnotice.php:184 #, php-format msgid "Maximum notice size is %d character, including attachment URL." msgid_plural "Maximum notice size is %d characters, including attachment URL." @@ -1134,21 +1146,18 @@ msgstr "Previsualisation" #. TRANS: Button on avatar upload page to delete current avatar. #: actions/avatarsettings.php:155 -#, fuzzy msgctxt "BUTTON" msgid "Delete" msgstr "Deler" #. TRANS: Button on avatar upload page to upload an avatar. #: actions/avatarsettings.php:173 -#, fuzzy msgctxt "BUTTON" msgid "Upload" msgstr "Incargar" #. TRANS: Button on avatar upload crop form to confirm a selected crop as avatar. #: actions/avatarsettings.php:243 -#, fuzzy msgctxt "BUTTON" msgid "Crop" msgstr "Taliar" @@ -1168,17 +1177,18 @@ msgstr "Selige un area quadrate del imagine pro facer lo tu avatar" msgid "Lost our file data." msgstr "Datos del file perdite." -#: actions/avatarsettings.php:384 +#. TRANS: Success message for having updated a user avatar. +#: actions/avatarsettings.php:385 msgid "Avatar updated." msgstr "Avatar actualisate." #. TRANS: Error displayed on the avatar upload page if the avatar could not be updated for an unknown reason. -#: actions/avatarsettings.php:388 +#: actions/avatarsettings.php:389 msgid "Failed updating avatar." msgstr "Actualisation del avatar fallite." #. TRANS: Success message for deleting a user avatar. -#: actions/avatarsettings.php:412 +#: actions/avatarsettings.php:413 msgid "Avatar deleted." msgstr "Avatar delite." @@ -1210,8 +1220,8 @@ msgstr "" #. TRANS: Button label on the delete notice form. #. TRANS: Button label on the delete user form. #. TRANS: Button label on the form to block a user from a group. -#: actions/block.php:154 actions/deleteapplication.php:154 -#: actions/deletegroup.php:220 actions/deletenotice.php:150 +#: actions/block.php:154 actions/deleteapplication.php:157 +#: actions/deletegroup.php:220 actions/deletenotice.php:155 #: actions/deleteuser.php:152 actions/groupblock.php:178 msgctxt "BUTTON" msgid "No" @@ -1229,8 +1239,8 @@ msgstr "Non blocar iste usator" #. TRANS: Button label on the delete notice form. #. TRANS: Button label on the delete user form. #. TRANS: Button label on the form to block a user from a group. -#: actions/block.php:161 actions/deleteapplication.php:161 -#: actions/deletegroup.php:227 actions/deletenotice.php:157 +#: actions/block.php:161 actions/deleteapplication.php:164 +#: actions/deletegroup.php:227 actions/deletenotice.php:162 #: actions/deleteuser.php:159 actions/groupblock.php:185 msgctxt "BUTTON" msgid "Yes" @@ -1298,7 +1308,6 @@ msgstr "Disblocar le usator del gruppo" #. TRANS: Button text for unblocking a user from a group. #: actions/blockedfromgroup.php:323 -#, fuzzy msgctxt "BUTTON" msgid "Unblock" msgstr "Disblocar" @@ -1347,12 +1356,13 @@ msgstr "Iste adresse ha ja essite confirmate." #. TRANS: Server error thrown on database error removing a registered e-mail address. #. TRANS: Server error thrown on database error updating IM preferences. #. TRANS: Server error thrown on database error removing a registered IM address. +#. TRANS: Server error displayed when "Other" settings in user profile could not be updated on the server. #. TRANS: Server error thrown when user profile settings could not be updated. #. TRANS: Server error thrown on database error updating SMS preferences. #. TRANS: Server error thrown on database error removing a registered SMS phone number. #: actions/confirmaddress.php:118 actions/emailsettings.php:331 #: actions/emailsettings.php:477 actions/imsettings.php:283 -#: actions/imsettings.php:442 actions/othersettings.php:174 +#: actions/imsettings.php:442 actions/othersettings.php:184 #: actions/profilesettings.php:326 actions/smssettings.php:308 #: actions/smssettings.php:464 msgid "Couldn't update user." @@ -1361,9 +1371,8 @@ msgstr "Non poteva actualisar usator." #. TRANS: Server error displayed when an address confirmation code deletion from the #. TRANS: database fails in the contact address confirmation action. #: actions/confirmaddress.php:132 -#, fuzzy msgid "Could not delete address confirmation." -msgstr "Non poteva deler confirmation de messageria instantanee." +msgstr "Non poteva deler le confirmation de adresse." #. TRANS: Title for the contact address confirmation action. #: actions/confirmaddress.php:150 @@ -1388,16 +1397,19 @@ msgstr "Conversation" msgid "Notices" msgstr "Notas" -#: actions/deleteapplication.php:63 +#. TRANS: Client error displayed trying to delete an application while not logged in. +#: actions/deleteapplication.php:62 msgid "You must be logged in to delete an application." msgstr "Tu debe aperir un session pro deler un application." +#. TRANS: Client error displayed trying to delete an application that does not exist. #: actions/deleteapplication.php:71 msgid "Application not found." msgstr "Application non trovate." +#. TRANS: Client error displayed trying to delete an application the current user does not own. #. TRANS: Client error displayed trying to edit an application while not being its owner. -#: actions/deleteapplication.php:78 actions/editapplication.php:78 +#: actions/deleteapplication.php:79 actions/editapplication.php:78 #: actions/showapplication.php:94 msgid "You are not the owner of this application." msgstr "Tu non es le proprietario de iste application." @@ -1405,15 +1417,18 @@ msgstr "Tu non es le proprietario de iste application." #. TRANS: Client error text when there is a problem with the session token. #: actions/deleteapplication.php:102 actions/editapplication.php:131 #: actions/newapplication.php:114 actions/showapplication.php:118 -#: lib/action.php:1354 +#: lib/action.php:1404 msgid "There was a problem with your session token." msgstr "Il habeva un problema con tu indicio de session." -#: actions/deleteapplication.php:123 actions/deleteapplication.php:147 +#. TRANS: Title for delete application page. +#. TRANS: Fieldset legend on delete application page. +#: actions/deleteapplication.php:124 actions/deleteapplication.php:149 msgid "Delete application" msgstr "Deler application" -#: actions/deleteapplication.php:149 +#. TRANS: Confirmation text on delete application page. +#: actions/deleteapplication.php:152 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 " @@ -1424,12 +1439,12 @@ msgstr "" "de usator." #. TRANS: Submit button title for 'No' when deleting an application. -#: actions/deleteapplication.php:158 +#: actions/deleteapplication.php:161 msgid "Do not delete this application" msgstr "Non deler iste application" #. TRANS: Submit button title for 'Yes' when deleting an application. -#: actions/deleteapplication.php:164 +#: actions/deleteapplication.php:167 msgid "Delete this application" msgstr "Deler iste application" @@ -1463,12 +1478,13 @@ msgstr "Non poteva deler le gruppo %s." msgid "Deleted group %s" msgstr "Deleva gruppo %s" -#. TRANS: Title. +#. TRANS: Title of delete group page. #. TRANS: Form legend for deleting a group. #: actions/deletegroup.php:176 actions/deletegroup.php:202 msgid "Delete group" msgstr "Deler gruppo" +#. TRANS: Warning in form for deleleting a group. #: actions/deletegroup.php:206 msgid "" "Are you sure you want to delete this group? This will clear all data about " @@ -1489,10 +1505,11 @@ msgstr "Non deler iste gruppo" msgid "Delete this group" msgstr "Deler iste gruppo" +#. TRANS: Error message displayed trying to delete a notice while not logged in. #. TRANS: Client error displayed when trying to unblock a user from a group while not logged in. #. TRANS: Client error displayed trying a change a subscription while not logged in. #. TRANS: Client error message thrown when trying to access the admin panel while not logged in. -#: actions/deletenotice.php:50 actions/disfavor.php:61 actions/favor.php:62 +#: actions/deletenotice.php:52 actions/disfavor.php:61 actions/favor.php:62 #: actions/groupblock.php:61 actions/groupunblock.php:60 actions/logout.php:69 #: actions/makeadmin.php:61 actions/newmessage.php:87 actions/newnotice.php:88 #: actions/nudge.php:63 actions/subedit.php:33 actions/subscribe.php:96 @@ -1502,11 +1519,13 @@ msgstr "Deler iste gruppo" msgid "Not logged in." msgstr "Tu non ha aperite un session." -#: actions/deletenotice.php:74 +#. TRANS: Error message displayed trying to delete a notice that was not made by the current user. +#: actions/deletenotice.php:78 msgid "Can't delete this notice." msgstr "Non pote deler iste nota." -#: actions/deletenotice.php:106 +#. TRANS: Instructions for deleting a notice. +#: actions/deletenotice.php:110 msgid "" "You are about to permanently delete a notice. Once this is done, it cannot " "be undone." @@ -1514,21 +1533,24 @@ msgstr "" "Tu es super le puncto de deler permanentemente un nota. Un vice facite, isto " "non pote esser disfacite." -#: actions/deletenotice.php:112 actions/deletenotice.php:144 +#. TRANS: Page title when deleting a notice. +#. TRANS: Fieldset legend for the delete notice form. +#: actions/deletenotice.php:117 actions/deletenotice.php:148 msgid "Delete notice" msgstr "Deler nota" -#: actions/deletenotice.php:147 +#. TRANS: Message for the delete notice form. +#: actions/deletenotice.php:152 msgid "Are you sure you want to delete this notice?" msgstr "Es tu secur de voler deler iste nota?" #. TRANS: Submit button title for 'No' when deleting a notice. -#: actions/deletenotice.php:154 +#: actions/deletenotice.php:159 msgid "Do not delete this notice" msgstr "Non deler iste nota" #. TRANS: Submit button title for 'Yes' when deleting a notice. -#: actions/deletenotice.php:161 lib/noticelist.php:667 +#: actions/deletenotice.php:166 lib/noticelist.php:667 msgid "Delete this notice" msgstr "Deler iste nota" @@ -1692,11 +1714,9 @@ msgstr "Revenir al predefinitiones" #. TRANS: Submit button title. #: actions/designadminpanel.php:711 actions/licenseadminpanel.php:319 -#: actions/othersettings.php:126 actions/sessionsadminpanel.php:199 -#: actions/siteadminpanel.php:292 actions/sitenoticeadminpanel.php:195 +#: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:292 #: actions/snapshotadminpanel.php:245 actions/tagother.php:154 -#: actions/useradminpanel.php:295 lib/applicationeditform.php:357 -#: lib/designsettings.php:256 lib/groupeditform.php:202 +#: lib/applicationeditform.php:357 lib/designsettings.php:256 msgid "Save" msgstr "Salveguardar" @@ -1744,8 +1764,9 @@ msgid "Name is required." msgstr "Le nomine es requirite." #. TRANS: Validation error shown when providing too long a name in the "Edit application" form. -#: actions/editapplication.php:188 -msgid "Name is too long (max 255 characters)." +#: actions/editapplication.php:188 actions/newapplication.php:169 +#, fuzzy +msgid "Name is too long (maximum 255 characters)." msgstr "Le nomine es troppo longe (max. 255 characteres)." #. TRANS: Validation error shown when providing a name for an application that already exists in the "Edit application" form. @@ -1774,7 +1795,7 @@ msgid "Organization is required." msgstr "Le organisation es requirite." #. TRANS: Validation error shown when providing too long an arganisation name in the "Edit application" form. -#: actions/editapplication.php:223 +#: actions/editapplication.php:223 actions/newapplication.php:199 msgid "Organization is too long (maximum 255 characters)." msgstr "Le organisation es troppo longe (maximo 255 characteres)." @@ -2571,7 +2592,7 @@ msgid "Publish a MicroID for my Jabber/GTalk address." msgstr "Publicar un MicroID pro mi adresse Jabber/GTalk." #. TRANS: Confirmation message for successful IM preferences save. -#: actions/imsettings.php:290 actions/othersettings.php:180 +#: actions/imsettings.php:290 actions/othersettings.php:190 msgid "Preferences saved." msgstr "Preferentias confirmate." @@ -2694,10 +2715,9 @@ msgstr[1] "Tu es ja subscribite a iste usatores:" #. TRANS: Used as list item for already subscribed users (%1$s is nickname, %2$s is e-mail address). #. TRANS: Used as list item for already registered people (%1$s is nickname, %2$s is e-mail address). -#. TRANS: Whois output. -#. TRANS: %1$s nickname of the queried user, %2$s is their profile URL. -#: actions/invite.php:145 actions/invite.php:159 lib/command.php:426 -#, php-format +#: actions/invite.php:145 actions/invite.php:159 +#, fuzzy, php-format +msgctxt "INVITE" msgid "%1$s (%2$s)" msgstr "%1$s (%2$s)" @@ -2882,7 +2902,8 @@ msgstr "" "derectos reservate\"." #: actions/licenseadminpanel.php:156 -msgid "Invalid license title. Max length is 255 characters." +#, fuzzy +msgid "Invalid license title. Maximum length is 255 characters." msgstr "Titulo de licentia invalide. Longitude maximal es 255 characteres." #: actions/licenseadminpanel.php:168 @@ -3056,18 +3077,10 @@ msgstr "Tu debe aperir un session pro registrar un application." msgid "Use this form to register a new application." msgstr "Usa iste formulario pro registrar un nove application." -#: actions/newapplication.php:169 -msgid "Name is too long (maximum 255 chars)." -msgstr "Le nomine es troppo longe (maximo 255 characteres)." - #: actions/newapplication.php:184 msgid "Source URL is required." msgstr "Le URL de origine es requirite." -#: actions/newapplication.php:199 -msgid "Organization is too long (maximum 255 chars)." -msgstr "Le organisation es troppo longe (maximo 255 characteres)." - #: actions/newapplication.php:266 actions/newapplication.php:275 msgid "Could not create application." msgstr "Non poteva crear application." @@ -3087,14 +3100,14 @@ msgid "New message" msgstr "Nove message" #. TRANS: Error text shown when trying to send a direct message to a user without a mutual subscription (each user must be subscribed to the other). -#: actions/newmessage.php:121 actions/newmessage.php:164 lib/command.php:499 +#: actions/newmessage.php:121 actions/newmessage.php:164 lib/command.php:501 msgid "You can't send a message to this user." msgstr "Tu non pote inviar un message a iste usator." #. TRANS: Command exception text shown when trying to send a direct message to another user without content. #. TRANS: Command exception text shown when trying to reply to a notice without providing content for the reply. #: actions/newmessage.php:144 actions/newnotice.php:140 lib/command.php:478 -#: lib/command.php:579 +#: lib/command.php:581 msgid "No content!" msgstr "Nulle contento!" @@ -3103,7 +3116,7 @@ msgid "No recipient specified." msgstr "Nulle destinatario specificate." #. TRANS: Error text shown when trying to send a direct message to self. -#: actions/newmessage.php:167 lib/command.php:503 +#: actions/newmessage.php:167 lib/command.php:505 msgid "" "Don't send a message to yourself; just say it to yourself quietly instead." msgstr "Non invia un message a te mesme; il suffice susurrar lo discretemente." @@ -3114,12 +3127,12 @@ msgstr "Message inviate" #. TRANS: Message given have sent a direct message to another user. #. TRANS: %s is the name of the other user. -#: actions/newmessage.php:188 lib/command.php:511 +#: actions/newmessage.php:188 lib/command.php:513 #, php-format msgid "Direct message to %s sent." msgstr "Message directe a %s inviate." -#: actions/newmessage.php:213 actions/newnotice.php:263 +#: actions/newmessage.php:213 actions/newnotice.php:264 msgid "Ajax Error" msgstr "Error de Ajax" @@ -3127,20 +3140,7 @@ msgstr "Error de Ajax" msgid "New notice" msgstr "Nove nota" -#: actions/newnotice.php:159 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/newnotice.php:183 -#, php-format -msgid "Max notice size is %d chars, including attachment URL." -msgstr "" -"Le longitude maximal del notas es %d characteres, includente le URL " -"adjungite." - -#: actions/newnotice.php:229 +#: actions/newnotice.php:230 msgid "Notice posted" msgstr "Nota publicate" @@ -3313,36 +3313,46 @@ msgstr "Recerca de personas" msgid "Notice Search" msgstr "Rercerca de notas" -#: actions/othersettings.php:60 +#: actions/othersettings.php:59 msgid "Other settings" msgstr "Altere configurationes" +#. TRANS: Instructions for tab "Other" in user profile settings. #: actions/othersettings.php:71 msgid "Manage various other options." msgstr "Gestion de varie altere optiones." -#: actions/othersettings.php:108 +#. TRANS: Used as a suffix for free URL shorteners in a dropdown list in the tab "Other" of a +#. TRANS: user's profile settings. This message has one space at the beginning. Use your +#. TRANS: language's word separator here if it has one (most likely a single space). +#: actions/othersettings.php:111 msgid " (free service)" msgstr " (servicio gratuite)" -#: actions/othersettings.php:116 +#. TRANS: Label for dropdown with URL shortener services. +#: actions/othersettings.php:120 msgid "Shorten URLs with" msgstr "Accurtar URLs con" -#: actions/othersettings.php:117 +#. TRANS: Tooltip for for dropdown with URL shortener services. +#: actions/othersettings.php:122 msgid "Automatic shortening service to use." msgstr "Le servicio de accurtamento automatic a usar." -#: actions/othersettings.php:122 +#. TRANS: Label for checkbox. +#: actions/othersettings.php:128 msgid "View profile designs" msgstr "Vider apparentias de profilo" -#: actions/othersettings.php:123 +#. TRANS: Tooltip for checkbox. +#: actions/othersettings.php:130 msgid "Show or hide profile designs." msgstr "Monstrar o celar apparentias de profilo." -#: actions/othersettings.php:153 -msgid "URL shortening service is too long (max 50 chars)." +#. TRANS: Form validation error for form "Other settings" in user profile. +#: actions/othersettings.php:162 +#, fuzzy +msgid "URL shortening service is too long (maximum 50 characters)." msgstr "Le servicio de accurtamento de URL es troppo longe (max 50 chars)." #: actions/otp.php:69 @@ -3813,7 +3823,7 @@ msgstr "Bio" #. TRANS: Label for group location (dt). Text hidden by default. #: actions/profilesettings.php:149 actions/register.php:485 #: actions/showgroup.php:267 actions/tagother.php:112 -#: actions/userauthorization.php:166 lib/groupeditform.php:177 +#: actions/userauthorization.php:166 lib/groupeditform.php:180 #: lib/userprofile.php:165 msgid "Location" msgstr "Loco" @@ -4152,7 +4162,8 @@ msgid "Unexpected password reset." msgstr "Reinitialisation inexpectate del contrasigno." #: actions/recoverpassword.php:365 -msgid "Password must be 6 chars or more." +#, fuzzy +msgid "Password must be 6 characters or more." msgstr "Le contrasigno debe haber 6 characteres o plus." #: actions/recoverpassword.php:369 @@ -4529,7 +4540,7 @@ msgstr "Organisation" #. TRANS: Form input field label. #: actions/showapplication.php:187 actions/version.php:200 -#: lib/applicationeditform.php:208 lib/groupeditform.php:172 +#: lib/applicationeditform.php:208 lib/groupeditform.php:175 msgid "Description" msgstr "Description" @@ -4681,7 +4692,7 @@ msgid "Note" msgstr "Nota" #. TRANS: Label for group aliases (dt). Text hidden by default. -#: actions/showgroup.php:298 lib/groupeditform.php:184 +#: actions/showgroup.php:298 lib/groupeditform.php:187 msgid "Aliases" msgstr "Aliases" @@ -4733,14 +4744,12 @@ msgstr "Tote le membros" #. TRANS: Label for creation date in statistics on group page. #: actions/showgroup.php:458 -#, fuzzy msgctxt "LABEL" msgid "Created" msgstr "Create" #. TRANS: Label for member count in statistics on group page. #: actions/showgroup.php:466 -#, fuzzy msgctxt "LABEL" msgid "Members" msgstr "Membros" @@ -4813,48 +4822,68 @@ msgstr "Message de %1$s in %2$s" msgid "Notice deleted." msgstr "Nota delite." -#: actions/showstream.php:72 -#, php-format -msgid " tagged %s" -msgstr " con etiquetta %s" +#. TRANS: Page title showing tagged notices in one user's stream. %1$s is the username, %2$s is the hash tag. +#: actions/showstream.php:70 +#, fuzzy, php-format +msgid "%1$s tagged %2$s" +msgstr "%1$s, pagina %2$d" -#: actions/showstream.php:78 +#. TRANS: Page title showing tagged notices in one user's stream. +#. TRANS: %1$s is the username, %2$s is the hash tag, %1$d is the page number. +#: actions/showstream.php:74 +#, fuzzy, php-format +msgid "%1$s tagged %2$s, page %3$d" +msgstr "Notas etiquettate con %1$s, pagina %2$d" + +#. TRANS: Extended page title showing tagged notices in one user's stream. +#. TRANS: %1$s is the username, %2$d is the page number. +#: actions/showstream.php:82 #, php-format msgid "%1$s, page %2$d" msgstr "%1$s, pagina %2$d" -#: actions/showstream.php:120 +#. TRANS: Title for link to notice feed. +#. TRANS: %1$s is a user nickname, %2$s is a hashtag. +#: actions/showstream.php:127 #, php-format msgid "Notice feed for %1$s tagged %2$s (RSS 1.0)" msgstr "Syndication de notas pro %1$s con etiquetta %2$s (RSS 1.0)" -#: actions/showstream.php:127 +#. TRANS: Title for link to notice feed. +#. TRANS: %s is a user nickname. +#: actions/showstream.php:136 #, php-format msgid "Notice feed for %s (RSS 1.0)" msgstr "Syndication de notas pro %s (RSS 1.0)" -#: actions/showstream.php:134 +#. TRANS: Title for link to notice feed. +#. TRANS: %s is a user nickname. +#: actions/showstream.php:145 #, php-format msgid "Notice feed for %s (RSS 2.0)" msgstr "Syndication de notas pro %s (RSS 2.0)" -#: actions/showstream.php:141 +#: actions/showstream.php:152 #, php-format msgid "Notice feed for %s (Atom)" msgstr "Syndication de notas pro %s (Atom)" -#: actions/showstream.php:146 +#. TRANS: Title for link to notice feed. FOAF stands for Friend of a Friend. +#. TRANS: More information at http://www.foaf-project.org. %s is a user nickname. +#: actions/showstream.php:159 #, php-format msgid "FOAF for %s" msgstr "Amico de un amico pro %s" -#: actions/showstream.php:197 -#, php-format -msgid "This is the timeline for %1$s but %2$s hasn't posted anything yet." +#. TRANS: First sentence of empty list message for a stream. $1%s is a user nickname. +#: actions/showstream.php:211 +#, fuzzy, php-format +msgid "This is the timeline for %1$s, but %1$s hasn't posted anything yet." msgstr "" "Isto es le chronologia pro %1$s, ma %2$s non ha ancora publicate alique." -#: actions/showstream.php:202 +#. TRANS: Second sentence of empty list message for a stream for the user themselves. +#: actions/showstream.php:217 msgid "" "Seen anything interesting recently? You haven't posted any notices yet, now " "would be a good time to start :)" @@ -4862,7 +4891,9 @@ 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:204 +#. TRANS: Second sentence of empty list message for a non-self stream. %1$s is a user nickname, %2$s is a part of a URL. +#. TRANS: This message contains a Markdown link. Keep "](" together. +#: actions/showstream.php:221 #, php-format msgid "" "You can try to nudge %1$s or [post something to them](%%%%action.newnotice%%%" @@ -4871,7 +4902,9 @@ msgstr "" "Tu pote tentar dar un pulsata a %1$s o [publicar un nota a su attention](%%%%" "action.newnotice%%%%?status_textarea=%2$s)." -#: actions/showstream.php:243 +#. TRANS: Announcement for anonymous users showing a stream if site registrations are open. +#. TRANS: This message contains a Markdown link. Keep "](" together. +#: actions/showstream.php:264 #, php-format msgid "" "**%s** has an account on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -4885,7 +4918,9 @@ msgstr "" "pro sequer le notas de **%s** e multe alteres! ([Lege plus](%%%%doc.help%%%" "%))" -#: actions/showstream.php:248 +#. TRANS: Announcement for anonymous users showing a stream if site registrations are closed or invite only. +#. TRANS: This message contains a Markdown link. Keep "](" together. +#: actions/showstream.php:271 #, php-format msgid "" "**%s** has an account on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -4896,7 +4931,8 @@ msgstr "" "(http://en.wikipedia.org/wiki/Microblog) a base del software libere " "[StatusNet](http://status.net/). " -#: actions/showstream.php:305 +#. TRANS: Link to the author of a repeated notice. %s is a linked nickname. +#: actions/showstream.php:328 #, php-format msgid "Repeat of %s" msgstr "Repetition de %s" @@ -5010,32 +5046,41 @@ msgstr "" "Quante tempore (in secundas) le usatores debe attender ante de poter " "publicar le mesme cosa de novo." -#: actions/sitenoticeadminpanel.php:56 +#. TRANS: Page title for site-wide notice tab in admin panel. +#: actions/sitenoticeadminpanel.php:55 msgid "Site Notice" msgstr "Aviso del sito" -#: actions/sitenoticeadminpanel.php:67 +#. TRANS: Instructions for site-wide notice tab in admin panel. +#: actions/sitenoticeadminpanel.php:66 msgid "Edit site-wide message" msgstr "Modificar message a tote le sito" -#: actions/sitenoticeadminpanel.php:103 +#. TRANS: Server error displayed when saving a site-wide notice was impossible. +#: actions/sitenoticeadminpanel.php:101 msgid "Unable to save site notice." msgstr "Impossibile salveguardar le aviso del sito." -#: actions/sitenoticeadminpanel.php:113 -msgid "Max length for the site-wide notice is 255 chars." +#. TRANS: Client error displayed when a site-wide notice was longer than allowed. +#: actions/sitenoticeadminpanel.php:112 +#, fuzzy +msgid "Maximum length for the site-wide notice is 255 characters." msgstr "Le longitude maxime del aviso a tote le sito es 255 characteres." +#. TRANS: Label for site-wide notice text field in admin panel. #: actions/sitenoticeadminpanel.php:176 msgid "Site notice text" msgstr "Texto del aviso del sito" -#: actions/sitenoticeadminpanel.php:178 -msgid "Site-wide notice text (255 chars max; HTML okay)" +#. TRANS: Tooltip for site-wide notice text field in admin panel. +#: actions/sitenoticeadminpanel.php:179 +#, fuzzy +msgid "Site-wide notice text (255 characters maximum; HTML allowed)" msgstr "" "Le texto del aviso a tote le sito (max. 255 characteres; HTML permittite)" -#: actions/sitenoticeadminpanel.php:198 +#. TRANS: Title for button to save site notice in admin panel. +#: actions/sitenoticeadminpanel.php:201 msgid "Save site notice" msgstr "Salveguardar aviso del sito" @@ -5500,75 +5545,93 @@ msgstr "" "licentia del sito ‘%2$s’." #. TRANS: User admin panel title -#: actions/useradminpanel.php:60 +#: actions/useradminpanel.php:58 msgctxt "TITLE" msgid "User" msgstr "Usator" -#: actions/useradminpanel.php:71 +#. TRANS: Instruction for user admin panel. +#: actions/useradminpanel.php:69 msgid "User settings for this StatusNet site" msgstr "Configurationes de usator pro iste sito de StatusNet" -#: actions/useradminpanel.php:150 +#. TRANS: Form validation error in user admin panel when a non-numeric character limit was set. +#: actions/useradminpanel.php:147 msgid "Invalid bio limit. Must be numeric." msgstr "Limite de biographia invalide. Debe esser un numero." -#: actions/useradminpanel.php:156 -msgid "Invalid welcome text. Max length is 255 characters." +#. TRANS: Form validation error in user admin panel when welcome text is too long. +#: actions/useradminpanel.php:154 +#, fuzzy +msgid "Invalid welcome text. Maximum length is 255 characters." msgstr "Texto de benvenita invalide. Longitude maximal es 255 characteres." +#. TRANS: Client error displayed when trying to set a non-existing user as default subscription for new +#. TRANS: users in user admin panel. %1$s is the invalid nickname. #: actions/useradminpanel.php:166 -#, php-format -msgid "Invalid default subscripton: '%1$s' is not user." +#, fuzzy, php-format +msgid "Invalid default subscripton: '%1$s' is not a user." msgstr "Subscription predefinite invalide: '%1$s' non es usator." #. TRANS: Link description in user account settings menu. -#: actions/useradminpanel.php:219 lib/accountsettingsaction.php:106 +#: actions/useradminpanel.php:215 lib/accountsettingsaction.php:106 #: lib/personalgroupnav.php:109 msgid "Profile" msgstr "Profilo" -#: actions/useradminpanel.php:223 +#. TRANS: Field label in user admin panel for setting the character limit for the bio field. +#: actions/useradminpanel.php:220 msgid "Bio Limit" msgstr "Limite de biographia" -#: actions/useradminpanel.php:224 +#. TRANS: Tooltip in user admin panel for setting the character limit for the bio field. +#: actions/useradminpanel.php:222 msgid "Maximum length of a profile bio in characters." msgstr "Le longitude maximal del biographia de un profilo in characteres." -#: actions/useradminpanel.php:232 +#. TRANS: Form legend in user admin panel. +#: actions/useradminpanel.php:231 msgid "New users" msgstr "Nove usatores" +#. TRANS: Field label in user admin panel for setting new user welcome text. #: actions/useradminpanel.php:236 msgid "New user welcome" msgstr "Message de benvenita a nove usatores" -#: actions/useradminpanel.php:237 -msgid "Welcome text for new users (Max 255 chars)." +#. TRANS: Tooltip in user admin panel for setting new user welcome text. +#: actions/useradminpanel.php:238 +#, fuzzy +msgid "Welcome text for new users (maximum 255 characters)." msgstr "Texto de benvenita pro nove usatores (max. 255 characteres)" -#: actions/useradminpanel.php:242 +#. TRANS: Field label in user admin panel for setting default subscription for new users. +#: actions/useradminpanel.php:244 msgid "Default subscription" msgstr "Subscription predefinite" -#: actions/useradminpanel.php:243 +#. TRANS: Tooltip in user admin panel for setting default subscription for new users. +#: actions/useradminpanel.php:246 msgid "Automatically subscribe new users to this user." msgstr "Subscriber automaticamente le nove usatores a iste usator." -#: actions/useradminpanel.php:252 +#. TRANS: Form legend in user admin panel. +#: actions/useradminpanel.php:256 msgid "Invitations" msgstr "Invitationes" -#: actions/useradminpanel.php:257 +#. TRANS: Field label for checkbox in user admin panel for allowing users to invite friend using site e-mail. +#: actions/useradminpanel.php:262 msgid "Invitations enabled" msgstr "Invitationes activate" -#: actions/useradminpanel.php:259 +#. TRANS: Tooltip for checkbox in user admin panel for allowing users to invite friend using site e-mail. +#: actions/useradminpanel.php:265 msgid "Whether to allow users to invite new users." msgstr "Si le usatores pote invitar nove usatores." -#: actions/useradminpanel.php:295 +#. TRANS: Title for button to save user settings in user admin panel. +#: actions/useradminpanel.php:302 msgid "Save user settings" msgstr "Salveguardar configurationes de usator" @@ -5779,7 +5842,7 @@ msgid "Plugins" msgstr "Plug-ins" #. TRANS: Secondary navigation menu option leading to version information on the StatusNet site. -#: actions/version.php:198 lib/action.php:831 +#: actions/version.php:198 lib/action.php:880 msgid "Version" msgstr "Version" @@ -5988,16 +6051,23 @@ msgstr "Non poteva salveguardar le responsa pro %1$d, %2$d." msgid "RT @%1$s %2$s" msgstr "RT @%1$s %2$s" +#. TRANS: Full name of a profile or group followed by nickname in parens +#: classes/Profile.php:164 +#, fuzzy, php-format +msgctxt "FANCYNAME" +msgid "%1$s (%2$s)" +msgstr "%1$s (%2$s)" + #. TRANS: Exception thrown when trying to revoke an existing role for a user that does not exist. #. TRANS: %1$s is the role name, %2$s is the user ID (number). -#: classes/Profile.php:791 +#: classes/Profile.php:812 #, php-format msgid "Cannot revoke role \"%1$s\" for user #%2$d; does not exist." msgstr "Non pote revocar le rolo \"%1$s\" del usator #%2$d; non existe." #. TRANS: Exception thrown when trying to revoke a role for a user with a failing database query. #. TRANS: %1$s is the role name, %2$s is the user ID (number). -#: classes/Profile.php:800 +#: classes/Profile.php:821 #, php-format msgid "Cannot revoke role \"%1$s\" for user #%2$d; database error." msgstr "" @@ -6144,194 +6214,201 @@ msgstr "%1$s - %2$s" msgid "Untitled page" msgstr "Pagina sin titulo" +#. TRANS: Localized tooltip for '...' expansion button on overlong remote messages. +#: lib/action.php:310 +msgctxt "TOOLTIP" +msgid "Show more" +msgstr "" + #. TRANS: DT element for primary navigation menu. String is hidden in default CSS. -#: lib/action.php:477 +#: lib/action.php:526 msgid "Primary site navigation" msgstr "Navigation primari del sito" #. TRANS: Tooltip for main menu option "Personal" -#: lib/action.php:483 +#: lib/action.php:532 msgctxt "TOOLTIP" msgid "Personal profile and friends timeline" msgstr "Profilo personal e chronologia de amicos" #. TRANS: Main menu option when logged in for access to personal profile and friends timeline -#: lib/action.php:486 +#: lib/action.php:535 msgctxt "MENU" msgid "Personal" msgstr "Personal" #. TRANS: Tooltip for main menu option "Account" -#: lib/action.php:488 +#: lib/action.php:537 msgctxt "TOOLTIP" msgid "Change your email, avatar, password, profile" msgstr "Cambiar tu e-mail, avatar, contrasigno, profilo" #. TRANS: Main menu option when logged in for access to user settings -#: lib/action.php:491 +#: lib/action.php:540 msgid "Account" msgstr "Conto" #. TRANS: Tooltip for main menu option "Services" -#: lib/action.php:493 +#: lib/action.php:542 msgctxt "TOOLTIP" msgid "Connect to services" msgstr "Connecter a servicios" #. TRANS: Main menu option when logged in and connection are possible for access to options to connect to other services -#: lib/action.php:496 +#: lib/action.php:545 msgid "Connect" msgstr "Connecter" #. TRANS: Tooltip for menu option "Admin" -#: lib/action.php:499 +#: lib/action.php:548 msgctxt "TOOLTIP" msgid "Change site configuration" msgstr "Modificar le configuration del sito" #. TRANS: Main menu option when logged in and site admin for access to site configuration #. TRANS: Menu item in the group navigation page. Only shown for group administrators. -#: lib/action.php:502 lib/groupnav.php:117 +#: lib/action.php:551 lib/groupnav.php:117 msgctxt "MENU" msgid "Admin" msgstr "Admin" #. TRANS: Tooltip for main menu option "Invite" -#: lib/action.php:506 +#: lib/action.php:555 #, php-format msgctxt "TOOLTIP" msgid "Invite friends and colleagues to join you on %s" msgstr "Invitar amicos e collegas a accompaniar te in %s" #. TRANS: Main menu option when logged in and invitations are allowed for inviting new users -#: lib/action.php:509 +#: lib/action.php:558 msgctxt "MENU" msgid "Invite" msgstr "Invitar" #. TRANS: Tooltip for main menu option "Logout" -#: lib/action.php:515 +#: lib/action.php:564 msgctxt "TOOLTIP" msgid "Logout from the site" msgstr "Terminar le session del sito" #. TRANS: Main menu option when logged in to log out the current user -#: lib/action.php:518 +#: lib/action.php:567 msgctxt "MENU" msgid "Logout" msgstr "Clauder session" #. TRANS: Tooltip for main menu option "Register" -#: lib/action.php:523 +#: lib/action.php:572 msgctxt "TOOLTIP" msgid "Create an account" msgstr "Crear un conto" #. TRANS: Main menu option when not logged in to register a new account -#: lib/action.php:526 +#: lib/action.php:575 msgctxt "MENU" msgid "Register" msgstr "Crear conto" #. TRANS: Tooltip for main menu option "Login" -#: lib/action.php:529 +#: lib/action.php:578 msgctxt "TOOLTIP" msgid "Login to the site" msgstr "Authenticar te a iste sito" #. TRANS: Main menu option when not logged in to log in -#: lib/action.php:532 +#: lib/action.php:581 msgctxt "MENU" msgid "Login" msgstr "Aperir session" #. TRANS: Tooltip for main menu option "Help" -#: lib/action.php:535 +#: lib/action.php:584 msgctxt "TOOLTIP" msgid "Help me!" msgstr "Adjuta me!" #. TRANS: Main menu option for help on the StatusNet site -#: lib/action.php:538 +#: lib/action.php:587 msgctxt "MENU" msgid "Help" msgstr "Adjuta" #. TRANS: Tooltip for main menu option "Search" -#: lib/action.php:541 +#: lib/action.php:590 msgctxt "TOOLTIP" msgid "Search for people or text" msgstr "Cercar personas o texto" #. TRANS: Main menu option when logged in or when the StatusNet instance is not private -#: lib/action.php:544 +#: lib/action.php:593 msgctxt "MENU" msgid "Search" msgstr "Cercar" #. TRANS: DT element for site notice. String is hidden in default CSS. #. TRANS: Menu item for site administration -#: lib/action.php:566 lib/adminpanelaction.php:387 +#: lib/action.php:615 lib/adminpanelaction.php:387 msgid "Site notice" msgstr "Aviso del sito" #. TRANS: DT element for local views block. String is hidden in default CSS. -#: lib/action.php:633 +#: lib/action.php:682 msgid "Local views" msgstr "Vistas local" #. TRANS: DT element for page notice. String is hidden in default CSS. -#: lib/action.php:703 +#: lib/action.php:752 msgid "Page notice" msgstr "Aviso de pagina" #. TRANS: DT element for secondary navigation menu. String is hidden in default CSS. -#: lib/action.php:804 +#: lib/action.php:853 msgid "Secondary site navigation" msgstr "Navigation secundari del sito" #. TRANS: Secondary navigation menu option leading to help on StatusNet. -#: lib/action.php:810 +#: lib/action.php:859 msgid "Help" msgstr "Adjuta" #. TRANS: Secondary navigation menu option leading to text about StatusNet site. -#: lib/action.php:813 +#: lib/action.php:862 msgid "About" msgstr "A proposito" #. TRANS: Secondary navigation menu option leading to Frequently Asked Questions. -#: lib/action.php:816 +#: lib/action.php:865 msgid "FAQ" msgstr "FAQ" #. TRANS: Secondary navigation menu option leading to Terms of Service. -#: lib/action.php:821 +#: lib/action.php:870 msgid "TOS" msgstr "CdS" #. TRANS: Secondary navigation menu option leading to privacy policy. -#: lib/action.php:825 +#: lib/action.php:874 msgid "Privacy" msgstr "Confidentialitate" -#. TRANS: Secondary navigation menu option. -#: lib/action.php:828 +#. TRANS: Secondary navigation menu option. Leads to information about StatusNet and its license. +#: lib/action.php:877 msgid "Source" msgstr "Fonte" -#. TRANS: Secondary navigation menu option leading to contact information on the StatusNet site. -#: lib/action.php:834 +#. TRANS: Secondary navigation menu option leading to e-mail contact information on the +#. TRANS: StatusNet site, where to report bugs, ... +#: lib/action.php:884 msgid "Contact" msgstr "Contacto" -#. TRANS: Secondary navigation menu option. -#: lib/action.php:837 +#. TRANS: Secondary navigation menu option. Leads to information about embedding a timeline widget. +#: lib/action.php:887 msgid "Badge" msgstr "Insignia" #. TRANS: DT element for StatusNet software license. -#: lib/action.php:866 +#: lib/action.php:916 msgid "StatusNet software license" msgstr "Licentia del software StatusNet" @@ -6339,7 +6416,7 @@ msgstr "Licentia del software StatusNet" #. TRANS: Text between [] is a link description, text between () is the link itself. #. TRANS: Make sure there is no whitespace between "]" and "(". #. TRANS: "%%site.broughtby%%" is the value of the variable site.broughtby -#: lib/action.php:873 +#: lib/action.php:923 #, php-format msgid "" "**%%site.name%%** is a microblogging service brought to you by [%%site." @@ -6349,7 +6426,7 @@ msgstr "" "%](%%site.broughtbyurl%%)." #. TRANS: First sentence of the StatusNet site license. Used if 'broughtby' is not set. -#: lib/action.php:876 +#: lib/action.php:926 #, php-format msgid "**%%site.name%%** is a microblogging service." msgstr "**%%site.name%%** es un servicio de microblog." @@ -6358,7 +6435,7 @@ msgstr "**%%site.name%%** es un servicio de microblog." #. TRANS: Make sure there is no whitespace between "]" and "(". #. TRANS: Text between [] is a link description, text between () is the link itself. #. TRANS: %s is the version of StatusNet that is being used. -#: lib/action.php:883 +#: lib/action.php:933 #, php-format msgid "" "It runs the [StatusNet](http://status.net/) microblogging software, version %" @@ -6370,51 +6447,51 @@ msgstr "" "(http://www.fsf.org/licensing/licenses/agpl-3.0.html)." #. TRANS: DT element for StatusNet site content license. -#: lib/action.php:899 +#: lib/action.php:949 msgid "Site content license" msgstr "Licentia del contento del sito" #. TRANS: Content license displayed when license is set to 'private'. #. TRANS: %1$s is the site name. -#: lib/action.php:906 +#: lib/action.php:956 #, 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." #. TRANS: Content license displayed when license is set to 'allrightsreserved'. #. TRANS: %1$s is the copyright owner. -#: lib/action.php:913 +#: lib/action.php:963 #, 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." #. TRANS: Content license displayed when license is set to 'allrightsreserved' and no owner is set. -#: lib/action.php:917 +#: lib/action.php:967 msgid "Content and data copyright by contributors. All rights reserved." msgstr "" "Contento e datos sub copyright del contributores. Tote le derectos reservate." #. TRANS: license message in footer. #. TRANS: %1$s is the site name, %2$s is a link to the license URL, with a licence name set in configuration. -#: lib/action.php:949 +#: lib/action.php:999 #, php-format msgid "All %1$s content and data are available under the %2$s license." msgstr "Tote le contento e datos de %1$s es disponibile sub le licentia %2$s." #. TRANS: DT element for pagination (previous/next, etc.). -#: lib/action.php:1285 +#: lib/action.php:1335 msgid "Pagination" msgstr "Pagination" #. TRANS: Pagination message to go to a page displaying information more in the #. TRANS: present than the currently displayed information. -#: lib/action.php:1296 +#: lib/action.php:1346 msgid "After" msgstr "Post" #. TRANS: Pagination message to go to a page displaying information more in the #. TRANS: past than the currently displayed information. -#: lib/action.php:1306 +#: lib/action.php:1356 msgid "Before" msgstr "Ante" @@ -6764,7 +6841,7 @@ msgid "AJAX error" msgstr "Error de Ajax" #. TRANS: E-mail subject when a command has completed. -#: lib/channel.php:233 lib/mailhandler.php:142 +#: lib/channel.php:233 lib/mailhandler.php:143 msgid "Command complete" msgstr "Commando complete" @@ -6780,7 +6857,7 @@ msgstr "Non existe un nota con iste ID." #. TRANS: Command exception text shown when a last user notice is requested and it does not exist. #. TRANS: Error text shown when a last user notice is requested and it does not exist. -#: lib/command.php:99 lib/command.php:626 +#: lib/command.php:99 lib/command.php:630 msgid "User has no last notice." msgstr "Le usator non ha un ultime nota." @@ -6849,6 +6926,14 @@ msgstr "%1$s se jungeva al gruppo %2$s." msgid "%1$s left group %2$s." msgstr "%1$s quitava le gruppo %2$s." +#. TRANS: Whois output. +#. TRANS: %1$s nickname of the queried user, %2$s is their profile URL. +#: lib/command.php:426 +#, fuzzy, php-format +msgctxt "WHOIS" +msgid "%1$s (%2$s)" +msgstr "%1$s (%2$s)" + #. TRANS: Whois output. %s is the full name of the queried user. #: lib/command.php:430 #, php-format @@ -6888,113 +6973,117 @@ msgstr "" "%s es un profilo remote; tu pote solmente inviar messages directe a usatores " "super le mesme servitor." -#. TRANS: Message given if content is too long. +#. TRANS: Message given if content is too long. %1$sd is used for plural. #. TRANS: %1$d is the maximum number of characters, %2$d is the number of submitted characters. #: lib/command.php:488 -#, php-format -msgid "Message too long - maximum is %1$d characters, you sent %2$d." -msgstr "Message troppo longe - maximo es %1$d characteres, tu inviava %2$d." +#, fuzzy, php-format +msgid "Message too long - maximum is %1$d character, you sent %2$d." +msgid_plural "Message too long - maximum is %1$d characters, you sent %2$d." +msgstr[0] "Message troppo longe - maximo es %1$d characteres, tu inviava %2$d." +msgstr[1] "Message troppo longe - maximo es %1$d characteres, tu inviava %2$d." #. TRANS: Error text shown sending a direct message fails with an unknown reason. -#: lib/command.php:514 +#: lib/command.php:516 msgid "Error sending direct message." msgstr "Error durante le invio del message directe." #. TRANS: Message given having repeated a notice from another user. #. TRANS: %s is the name of the user for which the notice was repeated. -#: lib/command.php:551 +#: lib/command.php:553 #, php-format msgid "Notice from %s repeated." msgstr "Nota de %s repetite." #. TRANS: Error text shown when repeating a notice fails with an unknown reason. -#: lib/command.php:554 +#: lib/command.php:556 msgid "Error repeating notice." msgstr "Error durante le repetition del nota." -#. TRANS: Message given if content of a notice for a reply is too long. +#. TRANS: Message given if content of a notice for a reply is too long. %1$d is used for plural. #. TRANS: %1$d is the maximum number of characters, %2$d is the number of submitted characters. -#: lib/command.php:589 -#, php-format -msgid "Notice too long - maximum is %1$d characters, you sent %2$d." -msgstr "Nota troppo longe - maximo es %d characteres, tu inviava %d." +#: lib/command.php:591 +#, fuzzy, php-format +msgid "Notice too long - maximum is %1$d character, you sent %2$d." +msgid_plural "Notice too long - maximum is %1$d characters, you sent %2$d." +msgstr[0] "Nota troppo longe - maximo es %d characteres, tu inviava %d." +msgstr[1] "Nota troppo longe - maximo es %d characteres, tu inviava %d." #. TRANS: Text shown having sent a reply to a notice successfully. #. TRANS: %s is the nickname of the user of the notice the reply was sent to. -#: lib/command.php:600 +#: lib/command.php:604 #, php-format msgid "Reply to %s sent." msgstr "Responsa a %s inviate." #. TRANS: Error text shown when a reply to a notice fails with an unknown reason. -#: lib/command.php:603 +#: lib/command.php:607 msgid "Error saving notice." msgstr "Errur durante le salveguarda del nota." #. TRANS: Error text shown when no username was provided when issuing a subscribe command. -#: lib/command.php:650 +#: lib/command.php:654 msgid "Specify the name of the user to subscribe to." msgstr "Specifica le nomine del usator al qual subscriber te." #. TRANS: Command exception text shown when trying to subscribe to an OMB profile using the subscribe command. -#: lib/command.php:659 +#: lib/command.php:663 msgid "Can't subscribe to OMB profiles by command." msgstr "Impossibile subscriber se a profilos OMB per medio de un commando." #. TRANS: Text shown after having subscribed to another user successfully. #. TRANS: %s is the name of the user the subscription was requested for. -#: lib/command.php:667 +#: lib/command.php:671 #, php-format msgid "Subscribed to %s." msgstr "Subscribite a %s." #. TRANS: Error text shown when no username was provided when issuing an unsubscribe command. #. TRANS: Error text shown when no username was provided when issuing the command. -#: lib/command.php:688 lib/command.php:799 +#: lib/command.php:692 lib/command.php:803 msgid "Specify the name of the user to unsubscribe from." msgstr "Specifica le nomine del usator al qual cancellar le subscription." #. TRANS: Text shown after having unsubscribed from another user successfully. #. TRANS: %s is the name of the user the unsubscription was requested for. -#: lib/command.php:699 +#: lib/command.php:703 #, php-format msgid "Unsubscribed from %s." msgstr "Subscription a %s cancellate." #. TRANS: Error text shown when issuing the command "off" with a setting which has not yet been implemented. #. TRANS: Error text shown when issuing the command "on" with a setting which has not yet been implemented. -#: lib/command.php:719 lib/command.php:745 +#: lib/command.php:723 lib/command.php:749 msgid "Command not yet implemented." msgstr "Commando non ancora implementate." #. TRANS: Text shown when issuing the command "off" successfully. -#: lib/command.php:723 +#: lib/command.php:727 msgid "Notification off." msgstr "Notification disactivate." #. TRANS: Error text shown when the command "off" fails for an unknown reason. -#: lib/command.php:726 +#: lib/command.php:730 msgid "Can't turn off notification." msgstr "Non pote disactivar notification." #. TRANS: Text shown when issuing the command "on" successfully. -#: lib/command.php:749 +#: lib/command.php:753 msgid "Notification on." msgstr "Notification activate." #. TRANS: Error text shown when the command "on" fails for an unknown reason. -#: lib/command.php:752 +#: lib/command.php:756 msgid "Can't turn on notification." msgstr "Non pote activar notification." #. TRANS: Error text shown when issuing the login command while login is disabled. -#: lib/command.php:766 +#: lib/command.php:770 msgid "Login command is disabled." msgstr "Le commando de apertura de session es disactivate." #. TRANS: Text shown after issuing the login command successfully. #. TRANS: %s is a logon link.. -#: lib/command.php:779 +#: lib/command.php:783 #, php-format msgid "This link is useable only once and is valid for only 2 minutes: %s." msgstr "" @@ -7003,20 +7092,20 @@ msgstr "" #. TRANS: Text shown after issuing the lose command successfully (stop another user from following the current user). #. TRANS: %s is the name of the user the unsubscription was requested for. -#: lib/command.php:808 +#: lib/command.php:812 #, php-format msgid "Unsubscribed %s." msgstr "Subscription de %s cancellate." #. TRANS: Text shown after requesting other users a user is subscribed to without having any subscriptions. -#: lib/command.php:826 +#: lib/command.php:830 msgid "You are not subscribed to anyone." msgstr "Tu non es subscribite a alcuno." #. TRANS: Text shown after requesting other users a user is subscribed to. #. TRANS: This message supports plural forms. This message is followed by a #. TRANS: hard coded space and a comma separated list of subscribed users. -#: lib/command.php:831 +#: lib/command.php:835 msgid "You are subscribed to this person:" msgid_plural "You are subscribed to these people:" msgstr[0] "Tu es subscribite a iste persona:" @@ -7024,14 +7113,14 @@ msgstr[1] "Tu es subscribite a iste personas:" #. TRANS: Text shown after requesting other users that are subscribed to a user #. TRANS: (followers) without having any subscribers. -#: lib/command.php:853 +#: lib/command.php:857 msgid "No one is subscribed to you." msgstr "Necuno es subscribite a te." #. TRANS: Text shown after requesting other users that are subscribed to a user (followers). #. TRANS: This message supports plural forms. This message is followed by a #. TRANS: hard coded space and a comma separated list of subscribing users. -#: lib/command.php:858 +#: lib/command.php:862 msgid "This person is subscribed to you:" msgid_plural "These people are subscribed to you:" msgstr[0] "Iste persona es subscribite a te:" @@ -7039,21 +7128,21 @@ msgstr[1] "Iste personas es subscribite a te:" #. TRANS: Text shown after requesting groups a user is subscribed to without having #. TRANS: any group subscriptions. -#: lib/command.php:880 +#: lib/command.php:884 msgid "You are not a member of any groups." msgstr "Tu non es membro de alcun gruppo." #. TRANS: Text shown after requesting groups a user is subscribed to. #. TRANS: This message supports plural forms. This message is followed by a #. TRANS: hard coded space and a comma separated list of subscribed groups. -#: lib/command.php:885 +#: lib/command.php:889 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:" #. TRANS: Help text for commands. Do not translate the command names themselves; they are fixed strings. -#: lib/command.php:900 +#: lib/command.php:904 msgid "" "Commands:\n" "on - turn on notifications\n" @@ -7282,7 +7371,8 @@ msgid "1-64 lowercase letters or numbers, no punctuation or spaces" msgstr "1-64 minusculas o numeros, sin punctuation o spatios" #: lib/groupeditform.php:163 -msgid "URL of the homepage or blog of the group or topic" +#, fuzzy +msgid "URL of the homepage or blog of the group or topic." msgstr "URL del pagina initial o blog del gruppo o topico" #: lib/groupeditform.php:168 @@ -7290,20 +7380,30 @@ msgid "Describe the group or topic" msgstr "Describe le gruppo o topico" #: lib/groupeditform.php:170 -#, php-format -msgid "Describe the group or topic in %d characters" -msgstr "Describe le gruppo o topico in %d characteres" +#, fuzzy, php-format +msgid "Describe the group or topic in %d character or less" +msgid_plural "Describe the group or topic in %d characters or less" +msgstr[0] "Describe le gruppo o topico in %d characteres" +msgstr[1] "Describe le gruppo o topico in %d characteres" -#: lib/groupeditform.php:179 +#: lib/groupeditform.php:182 +#, fuzzy msgid "" -"Location for the group, if any, like \"City, State (or Region), Country\"" +"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 "" +#: lib/groupeditform.php:190 +#, fuzzy, php-format +msgid "" +"Extra nicknames for the group, separated with commas or spaces. Maximum %d " +"alias allowed." +msgid_plural "" +"Extra nicknames for the group, separated with commas or spaces. Maximum %d " +"aliases allowed." +msgstr[0] "" +"Pseudonymos additional pro le gruppo, separate per commas o spatios, max %d" +msgstr[1] "" "Pseudonymos additional pro le gruppo, separate per commas o spatios, max %d" #. TRANS: Menu item in the group navigation page. @@ -7434,27 +7534,27 @@ msgstr "Typo de file incognite" #. TRANS: Number of megabytes. %d is the number. #: lib/imagefile.php:248 -#, fuzzy, php-format +#, php-format msgid "%dMB" msgid_plural "%dMB" -msgstr[0] "MB" -msgstr[1] "MB" +msgstr[0] "%dMB" +msgstr[1] "%dMB" #. TRANS: Number of kilobytes. %d is the number. #: lib/imagefile.php:252 -#, fuzzy, php-format +#, php-format msgid "%dkB" msgid_plural "%dkB" -msgstr[0] "KB" -msgstr[1] "KB" +msgstr[0] "%dKB" +msgstr[1] "%dKB" #. TRANS: Number of bytes. %d is the number. #: lib/imagefile.php:255 #, php-format msgid "%dB" msgid_plural "%dB" -msgstr[0] "" -msgstr[1] "" +msgstr[0] "%dB" +msgstr[1] "%dB" #: lib/jabber.php:387 #, php-format @@ -7859,7 +7959,7 @@ msgstr "Pardono, isto non es tu adresse de e-mail entrante." msgid "Sorry, no incoming email allowed." msgstr "Pardono, le reception de e-mail non es permittite." -#: lib/mailhandler.php:228 +#: lib/mailhandler.php:229 #, php-format msgid "Unsupported message type: %s" msgstr "Typo de message non supportate: %s" @@ -8207,16 +8307,17 @@ msgid "Sandbox this user" msgstr "Mitter iste usator in le cassa de sablo" #. TRANS: Fieldset legend for the search form. -#: lib/searchaction.php:121 +#: lib/searchaction.php:120 msgid "Search site" msgstr "Cercar in sito" #. TRANS: Used as a field label for the field where one or more keywords #. TRANS: for searching can be entered. -#: lib/searchaction.php:129 +#: lib/searchaction.php:128 msgid "Keyword(s)" msgstr "Parola(s)-clave" +#. TRANS: Button text for searching site. #: lib/searchaction.php:130 msgctxt "BUTTON" msgid "Search" @@ -8308,8 +8409,8 @@ msgid "The theme file is missing or the upload failed." msgstr "Le file del apparentia manca o le incargamento ha fallite." #: lib/themeuploader.php:91 lib/themeuploader.php:102 -#: lib/themeuploader.php:278 lib/themeuploader.php:282 -#: lib/themeuploader.php:290 lib/themeuploader.php:297 +#: lib/themeuploader.php:279 lib/themeuploader.php:283 +#: lib/themeuploader.php:291 lib/themeuploader.php:298 msgid "Failed saving theme." msgstr "Salveguarda del apparentia fallite." @@ -8318,17 +8419,22 @@ msgid "Invalid theme: bad directory structure." msgstr "Apparentia invalide: mal structura de directorios." #: lib/themeuploader.php:166 -#, php-format -msgid "Uploaded theme is too large; must be less than %d bytes uncompressed." -msgstr "" +#, fuzzy, php-format +msgid "Uploaded theme is too large; must be less than %d byte uncompressed." +msgid_plural "" +"Uploaded theme is too large; must be less than %d bytes uncompressed." +msgstr[0] "" +"Le apparentia incargate es troppo voluminose; debe occupar minus de %d bytes " +"in forma non comprimite." +msgstr[1] "" "Le apparentia incargate es troppo voluminose; debe occupar minus de %d bytes " "in forma non comprimite." -#: lib/themeuploader.php:178 +#: lib/themeuploader.php:179 msgid "Invalid theme archive: missing file css/display.css" msgstr "Archivo de apparentia invalide: manca le file css/display.css" -#: lib/themeuploader.php:218 +#: lib/themeuploader.php:219 msgid "" "Theme contains invalid file or folder name. Stick with ASCII letters, " "digits, underscore, and minus sign." @@ -8336,18 +8442,18 @@ msgstr "" "Le apparentia contine un nomine de file o dossier invalide. Limita te a " "litteras ASCII, digitos, sublineamento, e signo minus." -#: lib/themeuploader.php:224 +#: lib/themeuploader.php:225 msgid "Theme contains unsafe file extension names; may be unsafe." msgstr "" "Le thema contine nomines de extension de file insecur; pote esser insecur." -#: lib/themeuploader.php:241 +#: lib/themeuploader.php:242 #, php-format msgid "Theme contains file of type '.%s', which is not allowed." msgstr "" "Le apparentia contine un file del typo '.%s', le qual non es permittite." -#: lib/themeuploader.php:259 +#: lib/themeuploader.php:260 msgid "Error opening theme archive." msgstr "Error durante le apertura del archivo del apparentia." @@ -8357,7 +8463,6 @@ msgstr "Qui scribe le plus" #. TRANS: Title for the form to unblock a user. #: lib/unblockform.php:67 -#, fuzzy msgctxt "TITLE" msgid "Unblock" msgstr "Disblocar" @@ -8528,22 +8633,42 @@ msgid_plural "Message too long. Maximum is %1$d characters, you sent %2$d." msgstr[0] "Message troppo longe. Maximo es %1$d character, tu inviava %2$d." msgstr[1] "Message troppo longe. Maximo es %1$d characteres, tu inviava %2$d." -#: scripts/restoreuser.php:82 +#. TRANS: Commandline script output. %s is the filename that contains a backup for a user. +#: scripts/restoreuser.php:61 #, php-format -msgid "Backup file for user %s (%s)" -msgstr "File de copia de reserva pro le usator %s (%s)" +msgid "Getting backup from file '%s'." +msgstr "" -#: scripts/restoreuser.php:88 +#. TRANS: Commandline script output. +#: scripts/restoreuser.php:91 msgid "No user specified; using backup user." msgstr "Nulle usator specificate; le usator de reserva es usate." -#: scripts/restoreuser.php:94 -#, php-format -msgid "%d entries in backup." -msgstr "%d entratas in copia de reserva." +#. TRANS: Commandline script output. %d is the number of entries in the activity stream in backup; used for plural. +#: scripts/restoreuser.php:98 +#, fuzzy, php-format +msgid "%d entry in backup." +msgid_plural "%d entries in backup." +msgstr[0] "%d entratas in copia de reserva." +msgstr[1] "%d entratas in copia de reserva." -#~ msgid "Description is too long (max %d chars)." -#~ msgstr "Description es troppo longe (max %d charachteres)." +#~ msgid "Name is too long (maximum 255 chars)." +#~ msgstr "Le nomine es troppo longe (maximo 255 characteres)." -#~ msgid "Too many aliases! Maximum %d." -#~ msgstr "Troppo de aliases! Maximo: %d." +#~ msgid "Organization is too long (maximum 255 chars)." +#~ msgstr "Le organisation es troppo longe (maximo 255 characteres)." + +#~ msgid "That's too long. Max notice size is %d chars." +#~ msgstr "" +#~ "Isto es troppo longe. Le longitude maximal del notas es %d characteres." + +#~ msgid "Max notice size is %d chars, including attachment URL." +#~ msgstr "" +#~ "Le longitude maximal del notas es %d characteres, includente le URL " +#~ "adjungite." + +#~ msgid " tagged %s" +#~ msgstr " con etiquetta %s" + +#~ msgid "Backup file for user %s (%s)" +#~ msgstr "File de copia de reserva pro le usator %s (%s)" diff --git a/locale/is/LC_MESSAGES/statusnet.po b/locale/is/LC_MESSAGES/statusnet.po index d2255523dc..d147593940 100644 --- a/locale/is/LC_MESSAGES/statusnet.po +++ b/locale/is/LC_MESSAGES/statusnet.po @@ -9,17 +9,17 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet - Core\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-10-30 23:18+0000\n" -"PO-Revision-Date: 2010-10-30 23:20:24+0000\n" +"POT-Creation-Date: 2010-11-02 22:51+0000\n" +"PO-Revision-Date: 2010-11-02 22:53:25+0000\n" "Language-Team: Icelandic \n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r75708); Translate extension (2010-09-17)\n" +"X-Generator: MediaWiki 1.17alpha (r75875); Translate extension (2010-09-17)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: is\n" "X-Message-Group: #out-statusnet-core\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-POT-Import-Date: 2010-10-30 09:48:40+0000\n" +"X-POT-Import-Date: 2010-10-30 23:42:01+0000\n" #. TRANS: Page title for Access admin panel that allows configuring site access. #. TRANS: Menu item for site administration @@ -82,15 +82,20 @@ msgstr "Stillingar fyrir mynd" #. TRANS: Tooltip for button to save access settings in site admin panel. #. TRANS: Button label to save e-mail preferences. #. TRANS: Button label to save IM preferences. +#. TRANS: Button text for saving "Other settings" in profile. #. TRANS: Button text to store form data in the Paths admin panel. #. TRANS: Button to save input in profile settings. +#. TRANS: Button text for saving site notice in admin panel. #. TRANS: Button label to save SMS preferences. #. TRANS: Save button for settings for a profile in a subscriptions list. +#. TRANS: Button text to save user settings in user admin panel. #. TRANS: Button label in the "Edit application" form. #: actions/accessadminpanel.php:193 actions/emailsettings.php:228 -#: actions/imsettings.php:187 actions/pathsadminpanel.php:512 -#: actions/profilesettings.php:201 actions/smssettings.php:209 -#: actions/subscriptions.php:246 lib/applicationeditform.php:355 +#: actions/imsettings.php:187 actions/othersettings.php:134 +#: actions/pathsadminpanel.php:512 actions/profilesettings.php:201 +#: actions/sitenoticeadminpanel.php:197 actions/smssettings.php:209 +#: actions/subscriptions.php:246 actions/useradminpanel.php:298 +#: lib/applicationeditform.php:355 lib/groupeditform.php:207 #, fuzzy msgctxt "BUTTON" msgid "Save" @@ -143,7 +148,7 @@ msgstr "Ekkert þannig merki." #: 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:93 actions/userrss.php:40 -#: actions/xrds.php:71 lib/command.php:495 lib/galleryaction.php:59 +#: actions/xrds.php:71 lib/command.php:497 lib/galleryaction.php:59 #: lib/mailbox.php:82 lib/profileaction.php:77 msgid "No such user." msgstr "Enginn svoleiðis notandi." @@ -210,7 +215,9 @@ msgstr "" #. TRANS: Encoutagement displayed on empty timeline user pages for anonymous users. #. TRANS: %s is a user nickname. This message contains Markdown links. Keep "](" together. -#: actions/all.php:155 actions/replies.php:210 actions/showstream.php:208 +#. TRANS: Second sentence of empty message for anonymous users. %s is a user nickname. +#. TRANS: This message contains a Markdown link. Keep "](" together. +#: actions/all.php:155 actions/replies.php:210 actions/showstream.php:227 #, php-format msgid "" "Why not [register an account](%%%%action.register%%%%) and then nudge %s or " @@ -573,8 +580,11 @@ msgstr "Fullt nafn er of langt (í mesta lagi 255 stafir)." #. TRANS: Group edit form validation error. #. TRANS: Form validation error in New application form. #. TRANS: %d is the maximum number of characters for the description. +#. TRANS: Group create form validation error. +#. TRANS: %d is the maximum number of allowed characters. #: actions/apigroupcreate.php:220 actions/editapplication.php:201 #: actions/editgroup.php:216 actions/newapplication.php:178 +#: actions/newgroup.php:152 #, fuzzy, php-format msgid "Description is too long (maximum %d character)." msgid_plural "Description is too long (maximum %d characters)." @@ -737,14 +747,14 @@ msgstr "Þú ert ekki áskrifandi." #. TRANS: Form validation error in API OAuth authorisation because of an invalid session token. #: actions/apioauthauthorize.php:147 actions/avatarsettings.php:280 -#: actions/deletenotice.php:172 actions/disfavor.php:74 +#: actions/deletenotice.php:177 actions/disfavor.php:74 #: actions/emailsettings.php:271 actions/favor.php:75 actions/geocode.php:55 #: actions/groupblock.php:66 actions/grouplogo.php:312 #: actions/groupunblock.php:65 actions/imsettings.php:230 #: actions/invite.php:59 actions/login.php:137 actions/makeadmin.php:66 #: actions/newmessage.php:135 actions/newnotice.php:105 actions/nudge.php:80 #: actions/oauthappssettings.php:165 actions/oauthconnectionssettings.php:138 -#: actions/othersettings.php:145 actions/passwordsettings.php:138 +#: actions/othersettings.php:153 actions/passwordsettings.php:138 #: actions/profilesettings.php:221 actions/recoverpassword.php:350 #: actions/register.php:172 actions/remotesubscribe.php:77 #: actions/repeat.php:83 actions/smssettings.php:256 actions/subedit.php:40 @@ -919,21 +929,22 @@ msgstr "Þú getur ekki eytt stöðu annars notanda." #. TRANS: Client error displayed trying to repeat a non-existing notice through the API. #. TRANS: Client error displayed trying to display redents of a non-exiting notice. +#. TRANS: Error message displayed trying to delete a non-existing notice. #: actions/apistatusesretweet.php:74 actions/apistatusesretweets.php:70 -#: actions/deletenotice.php:58 actions/shownotice.php:92 +#: actions/deletenotice.php:61 actions/shownotice.php:92 msgid "No such notice." msgstr "Ekkert svoleiðis babl." #. TRANS: Client error displayed trying to repeat an own notice through the API. #. TRANS: Error text shown when trying to repeat an own notice. -#: actions/apistatusesretweet.php:83 lib/command.php:535 +#: actions/apistatusesretweet.php:83 lib/command.php:537 #, fuzzy msgid "Cannot repeat your own notice." msgstr "Get ekki kveikt á tilkynningum." #. TRANS: Client error displayed trying to re-repeat a notice through the API. #. TRANS: Error text shown when trying to repeat an notice that was already repeated by the user. -#: actions/apistatusesretweet.php:92 lib/command.php:541 +#: actions/apistatusesretweet.php:92 lib/command.php:543 msgid "Already repeated that notice." msgstr "Get ekki eytt þessu babli." @@ -954,7 +965,8 @@ msgstr "" #. TRANS: Client error displayed when the parameter "status" is missing. #. TRANS: %d is the maximum number of character for a notice. -#: actions/apistatusesupdate.php:244 +#: actions/apistatusesupdate.php:244 actions/newnotice.php:161 +#: lib/mailhandler.php:60 #, fuzzy, php-format msgid "That's too long. Maximum notice size is %d character." msgid_plural "That's too long. Maximum notice size is %d characters." @@ -969,7 +981,7 @@ msgstr "Aðferð í forritsskilum fannst ekki!" #. TRANS: Client error displayed exceeding the maximum notice length. #. TRANS: %d is the maximum lenth for a notice. -#: actions/apistatusesupdate.php:308 +#: actions/apistatusesupdate.php:308 actions/newnotice.php:184 #, php-format msgid "Maximum notice size is %d character, including attachment URL." msgid_plural "Maximum notice size is %d characters, including attachment URL." @@ -1183,17 +1195,18 @@ msgstr "" msgid "Lost our file data." msgstr "Týndum skráargögnunum okkar" -#: actions/avatarsettings.php:384 +#. TRANS: Success message for having updated a user avatar. +#: actions/avatarsettings.php:385 msgid "Avatar updated." msgstr "Mynd hefur verið uppfærð." #. TRANS: Error displayed on the avatar upload page if the avatar could not be updated for an unknown reason. -#: actions/avatarsettings.php:388 +#: actions/avatarsettings.php:389 msgid "Failed updating avatar." msgstr "Mistókst að uppfæra mynd" #. TRANS: Success message for deleting a user avatar. -#: actions/avatarsettings.php:412 +#: actions/avatarsettings.php:413 #, fuzzy msgid "Avatar deleted." msgstr "Mynd hefur verið uppfærð." @@ -1223,8 +1236,8 @@ msgstr "" #. TRANS: Button label on the delete notice form. #. TRANS: Button label on the delete user form. #. TRANS: Button label on the form to block a user from a group. -#: actions/block.php:154 actions/deleteapplication.php:154 -#: actions/deletegroup.php:220 actions/deletenotice.php:150 +#: actions/block.php:154 actions/deleteapplication.php:157 +#: actions/deletegroup.php:220 actions/deletenotice.php:155 #: actions/deleteuser.php:152 actions/groupblock.php:178 msgctxt "BUTTON" msgid "No" @@ -1243,8 +1256,8 @@ msgstr "Opna á þennan notanda" #. TRANS: Button label on the delete notice form. #. TRANS: Button label on the delete user form. #. TRANS: Button label on the form to block a user from a group. -#: actions/block.php:161 actions/deleteapplication.php:161 -#: actions/deletegroup.php:227 actions/deletenotice.php:157 +#: actions/block.php:161 actions/deleteapplication.php:164 +#: actions/deletegroup.php:227 actions/deletenotice.php:162 #: actions/deleteuser.php:159 actions/groupblock.php:185 #, fuzzy msgctxt "BUTTON" @@ -1364,12 +1377,13 @@ msgstr "Þetta tölvupóstfang hefur nú þegar verið staðfest." #. TRANS: Server error thrown on database error removing a registered e-mail address. #. TRANS: Server error thrown on database error updating IM preferences. #. TRANS: Server error thrown on database error removing a registered IM address. +#. TRANS: Server error displayed when "Other" settings in user profile could not be updated on the server. #. TRANS: Server error thrown when user profile settings could not be updated. #. TRANS: Server error thrown on database error updating SMS preferences. #. TRANS: Server error thrown on database error removing a registered SMS phone number. #: actions/confirmaddress.php:118 actions/emailsettings.php:331 #: actions/emailsettings.php:477 actions/imsettings.php:283 -#: actions/imsettings.php:442 actions/othersettings.php:174 +#: actions/imsettings.php:442 actions/othersettings.php:184 #: actions/profilesettings.php:326 actions/smssettings.php:308 #: actions/smssettings.php:464 msgid "Couldn't update user." @@ -1407,16 +1421,19 @@ msgstr "Staðfestingarlykill" msgid "Notices" msgstr "Babl" -#: actions/deleteapplication.php:63 +#. TRANS: Client error displayed trying to delete an application while not logged in. +#: actions/deleteapplication.php:62 msgid "You must be logged in to delete an application." msgstr "Þú verður aða hafa skráð þig inn til að ganga úr hóp." +#. TRANS: Client error displayed trying to delete an application that does not exist. #: actions/deleteapplication.php:71 msgid "Application not found." msgstr "Staðfestingarlykill fannst ekki." +#. TRANS: Client error displayed trying to delete an application the current user does not own. #. TRANS: Client error displayed trying to edit an application while not being its owner. -#: actions/deleteapplication.php:78 actions/editapplication.php:78 +#: actions/deleteapplication.php:79 actions/editapplication.php:78 #: actions/showapplication.php:94 #, fuzzy msgid "You are not the owner of this application." @@ -1425,16 +1442,19 @@ msgstr "Þú ert ekki meðlimur í þessum hópi." #. TRANS: Client error text when there is a problem with the session token. #: actions/deleteapplication.php:102 actions/editapplication.php:131 #: actions/newapplication.php:114 actions/showapplication.php:118 -#: lib/action.php:1354 +#: lib/action.php:1404 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 +#. TRANS: Title for delete application page. +#. TRANS: Fieldset legend on delete application page. +#: actions/deleteapplication.php:124 actions/deleteapplication.php:149 #, fuzzy msgid "Delete application" msgstr "Ekkert svoleiðis babl." -#: actions/deleteapplication.php:149 +#. TRANS: Confirmation text on delete application page. +#: actions/deleteapplication.php:152 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 " @@ -1442,12 +1462,12 @@ msgid "" msgstr "" #. TRANS: Submit button title for 'No' when deleting an application. -#: actions/deleteapplication.php:158 +#: actions/deleteapplication.php:161 msgid "Do not delete this application" msgstr "Get ekki eytt þessu babli." #. TRANS: Submit button title for 'Yes' when deleting an application. -#: actions/deleteapplication.php:164 +#: actions/deleteapplication.php:167 #, fuzzy msgid "Delete this application" msgstr "Eyða þessu babli" @@ -1485,13 +1505,14 @@ msgstr "Gat ekki uppfært hóp." msgid "Deleted group %s" msgstr "Staða %1$s á %2$s" -#. TRANS: Title. +#. TRANS: Title of delete group page. #. TRANS: Form legend for deleting a group. #: actions/deletegroup.php:176 actions/deletegroup.php:202 #, fuzzy msgid "Delete group" msgstr "Eyða" +#. TRANS: Warning in form for deleleting a group. #: actions/deletegroup.php:206 msgid "" "Are you sure you want to delete this group? This will clear all data about " @@ -1511,10 +1532,11 @@ msgstr "Get ekki eytt þessu babli." msgid "Delete this group" msgstr "Eyða þessu babli" +#. TRANS: Error message displayed trying to delete a notice while not logged in. #. TRANS: Client error displayed when trying to unblock a user from a group while not logged in. #. TRANS: Client error displayed trying a change a subscription while not logged in. #. TRANS: Client error message thrown when trying to access the admin panel while not logged in. -#: actions/deletenotice.php:50 actions/disfavor.php:61 actions/favor.php:62 +#: actions/deletenotice.php:52 actions/disfavor.php:61 actions/favor.php:62 #: actions/groupblock.php:61 actions/groupunblock.php:60 actions/logout.php:69 #: actions/makeadmin.php:61 actions/newmessage.php:87 actions/newnotice.php:88 #: actions/nudge.php:63 actions/subedit.php:33 actions/subscribe.php:96 @@ -1524,32 +1546,37 @@ msgstr "Eyða þessu babli" msgid "Not logged in." msgstr "Ekki innskráð(ur)." -#: actions/deletenotice.php:74 +#. TRANS: Error message displayed trying to delete a notice that was not made by the current user. +#: actions/deletenotice.php:78 msgid "Can't delete this notice." msgstr "Get ekki eytt þessu babli." -#: actions/deletenotice.php:106 +#. TRANS: Instructions for deleting a notice. +#: actions/deletenotice.php:110 msgid "" "You are about to permanently delete a notice. Once this is done, it cannot " "be undone." msgstr "" -#: actions/deletenotice.php:112 actions/deletenotice.php:144 +#. TRANS: Page title when deleting a notice. +#. TRANS: Fieldset legend for the delete notice form. +#: actions/deletenotice.php:117 actions/deletenotice.php:148 msgid "Delete notice" msgstr "Eyða babli" -#: actions/deletenotice.php:147 +#. TRANS: Message for the delete notice form. +#: actions/deletenotice.php:152 msgid "Are you sure you want to delete this notice?" msgstr "Ertu viss um að þú viljir eyða þessu babli?" #. TRANS: Submit button title for 'No' when deleting a notice. -#: actions/deletenotice.php:154 +#: actions/deletenotice.php:159 #, fuzzy msgid "Do not delete this notice" msgstr "Get ekki eytt þessu babli." #. TRANS: Submit button title for 'Yes' when deleting a notice. -#: actions/deletenotice.php:161 lib/noticelist.php:667 +#: actions/deletenotice.php:166 lib/noticelist.php:667 msgid "Delete this notice" msgstr "Eyða þessu babli" @@ -1723,11 +1750,9 @@ msgstr "" #. TRANS: Submit button title. #: actions/designadminpanel.php:711 actions/licenseadminpanel.php:319 -#: actions/othersettings.php:126 actions/sessionsadminpanel.php:199 -#: actions/siteadminpanel.php:292 actions/sitenoticeadminpanel.php:195 +#: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:292 #: actions/snapshotadminpanel.php:245 actions/tagother.php:154 -#: actions/useradminpanel.php:295 lib/applicationeditform.php:357 -#: lib/designsettings.php:256 lib/groupeditform.php:202 +#: lib/applicationeditform.php:357 lib/designsettings.php:256 msgid "Save" msgstr "Vista" @@ -1779,9 +1804,9 @@ msgid "Name is required." msgstr "Sama og lykilorðið hér fyrir ofan. Nauðsynlegt." #. TRANS: Validation error shown when providing too long a name in the "Edit application" form. -#: actions/editapplication.php:188 +#: actions/editapplication.php:188 actions/newapplication.php:169 #, fuzzy -msgid "Name is too long (max 255 characters)." +msgid "Name is too long (maximum 255 characters)." msgstr "Fullt nafn er of langt (í mesta lagi 255 stafir)." #. TRANS: Validation error shown when providing a name for an application that already exists in the "Edit application" form. @@ -1813,7 +1838,7 @@ msgid "Organization is required." msgstr "" #. TRANS: Validation error shown when providing too long an arganisation name in the "Edit application" form. -#: actions/editapplication.php:223 +#: actions/editapplication.php:223 actions/newapplication.php:199 #, fuzzy msgid "Organization is too long (maximum 255 characters)." msgstr "Staðsetning er of löng (í mesta lagi 255 stafir)." @@ -2624,7 +2649,7 @@ msgid "Publish a MicroID for my Jabber/GTalk address." msgstr "Birta MicroID fyrir Jabber/GTalk netfangið mitt." #. TRANS: Confirmation message for successful IM preferences save. -#: actions/imsettings.php:290 actions/othersettings.php:180 +#: actions/imsettings.php:290 actions/othersettings.php:190 msgid "Preferences saved." msgstr "Stillingar vistaðar." @@ -2749,10 +2774,9 @@ msgstr[1] "Þú ert nú þegar í áskrift að þessum notendum:" #. TRANS: Used as list item for already subscribed users (%1$s is nickname, %2$s is e-mail address). #. TRANS: Used as list item for already registered people (%1$s is nickname, %2$s is e-mail address). -#. TRANS: Whois output. -#. TRANS: %1$s nickname of the queried user, %2$s is their profile URL. -#: actions/invite.php:145 actions/invite.php:159 lib/command.php:426 -#, php-format +#: actions/invite.php:145 actions/invite.php:159 +#, fuzzy, php-format +msgctxt "INVITE" msgid "%1$s (%2$s)" msgstr "%1$s (%2$s)" @@ -2938,8 +2962,9 @@ msgid "" msgstr "" #: actions/licenseadminpanel.php:156 -msgid "Invalid license title. Max length is 255 characters." -msgstr "" +#, fuzzy +msgid "Invalid license title. Maximum length is 255 characters." +msgstr "Staðsetning er of löng (í mesta lagi 255 stafir)." #: actions/licenseadminpanel.php:168 msgid "Invalid license URL." @@ -3120,20 +3145,10 @@ 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:169 -#, fuzzy -msgid "Name is too long (maximum 255 chars)." -msgstr "Fullt nafn er of langt (í mesta lagi 255 stafir)." - #: actions/newapplication.php:184 msgid "Source URL is required." msgstr "" -#: actions/newapplication.php:199 -#, fuzzy -msgid "Organization is too long (maximum 255 chars)." -msgstr "Staðsetning er of löng (í mesta lagi 255 stafir)." - #: actions/newapplication.php:266 actions/newapplication.php:275 #, fuzzy msgid "Could not create application." @@ -3154,14 +3169,14 @@ msgid "New message" msgstr "Ný skilaboð" #. TRANS: Error text shown when trying to send a direct message to a user without a mutual subscription (each user must be subscribed to the other). -#: actions/newmessage.php:121 actions/newmessage.php:164 lib/command.php:499 +#: actions/newmessage.php:121 actions/newmessage.php:164 lib/command.php:501 msgid "You can't send a message to this user." msgstr "Þú getur ekki sent þessum notanda skilaboð." #. TRANS: Command exception text shown when trying to send a direct message to another user without content. #. TRANS: Command exception text shown when trying to reply to a notice without providing content for the reply. #: actions/newmessage.php:144 actions/newnotice.php:140 lib/command.php:478 -#: lib/command.php:579 +#: lib/command.php:581 msgid "No content!" msgstr "Ekkert innihald!" @@ -3170,7 +3185,7 @@ msgid "No recipient specified." msgstr "Enginn móttökuaðili tilgreindur." #. TRANS: Error text shown when trying to send a direct message to self. -#: actions/newmessage.php:167 lib/command.php:503 +#: actions/newmessage.php:167 lib/command.php:505 msgid "" "Don't send a message to yourself; just say it to yourself quietly instead." msgstr "" @@ -3184,12 +3199,12 @@ msgstr "Skilaboð" #. TRANS: Message given have sent a direct message to another user. #. TRANS: %s is the name of the other user. -#: actions/newmessage.php:188 lib/command.php:511 +#: actions/newmessage.php:188 lib/command.php:513 #, fuzzy, php-format msgid "Direct message to %s sent." msgstr "Bein skilaboð send til %s" -#: actions/newmessage.php:213 actions/newnotice.php:263 +#: actions/newmessage.php:213 actions/newnotice.php:264 msgid "Ajax Error" msgstr "Ajax villa" @@ -3197,17 +3212,7 @@ msgstr "Ajax villa" msgid "New notice" msgstr "Nýtt babl" -#: actions/newnotice.php:159 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/newnotice.php:183 -#, php-format -msgid "Max notice size is %d chars, including attachment URL." -msgstr "" - -#: actions/newnotice.php:229 +#: actions/newnotice.php:230 msgid "Notice posted" msgstr "Babl sent inn" @@ -3375,37 +3380,47 @@ msgstr "Leit að fólki" msgid "Notice Search" msgstr "Leit í babli" -#: actions/othersettings.php:60 +#: actions/othersettings.php:59 msgid "Other settings" msgstr "Stillingar fyrir mynd" +#. TRANS: Instructions for tab "Other" in user profile settings. #: actions/othersettings.php:71 msgid "Manage various other options." msgstr "Sjá um ýmsar aðrar stillingar." -#: actions/othersettings.php:108 +#. TRANS: Used as a suffix for free URL shorteners in a dropdown list in the tab "Other" of a +#. TRANS: user's profile settings. This message has one space at the beginning. Use your +#. TRANS: language's word separator here if it has one (most likely a single space). +#: actions/othersettings.php:111 msgid " (free service)" msgstr "" -#: actions/othersettings.php:116 +#. TRANS: Label for dropdown with URL shortener services. +#: actions/othersettings.php:120 msgid "Shorten URLs with" msgstr "" -#: actions/othersettings.php:117 +#. TRANS: Tooltip for for dropdown with URL shortener services. +#: actions/othersettings.php:122 msgid "Automatic shortening service to use." msgstr "Þjónusta sem sér um sjálfkrafa styttingu." -#: actions/othersettings.php:122 +#. TRANS: Label for checkbox. +#: actions/othersettings.php:128 #, fuzzy msgid "View profile designs" msgstr "Stillingar persónulegrar síðu" -#: actions/othersettings.php:123 +#. TRANS: Tooltip for checkbox. +#: actions/othersettings.php:130 msgid "Show or hide profile designs." msgstr "" -#: actions/othersettings.php:153 -msgid "URL shortening service is too long (max 50 chars)." +#. TRANS: Form validation error for form "Other settings" in user profile. +#: actions/othersettings.php:162 +#, fuzzy +msgid "URL shortening service is too long (maximum 50 characters)." msgstr "" "Þjónusta sjálfvirkrar vefslóðastyttingar er of löng (í mesta lagi 50 stafir)." @@ -3904,7 +3919,7 @@ msgstr "Lýsing" #. TRANS: Label for group location (dt). Text hidden by default. #: actions/profilesettings.php:149 actions/register.php:485 #: actions/showgroup.php:267 actions/tagother.php:112 -#: actions/userauthorization.php:166 lib/groupeditform.php:177 +#: actions/userauthorization.php:166 lib/groupeditform.php:180 #: lib/userprofile.php:165 msgid "Location" msgstr "Staðsetning" @@ -4238,7 +4253,8 @@ msgid "Unexpected password reset." msgstr "Bjóst ekki við endurstillingu lykilorðs." #: actions/recoverpassword.php:365 -msgid "Password must be 6 chars or more." +#, fuzzy +msgid "Password must be 6 characters or more." msgstr "Lykilorð verður að vera 6 tákn eða fleiri." #: actions/recoverpassword.php:369 @@ -4624,7 +4640,7 @@ msgstr "Uppröðun" #. TRANS: Form input field label. #: actions/showapplication.php:187 actions/version.php:200 -#: lib/applicationeditform.php:208 lib/groupeditform.php:172 +#: lib/applicationeditform.php:208 lib/groupeditform.php:175 msgid "Description" msgstr "Lýsing" @@ -4767,7 +4783,7 @@ msgid "Note" msgstr "Athugasemd" #. TRANS: Label for group aliases (dt). Text hidden by default. -#: actions/showgroup.php:298 lib/groupeditform.php:184 +#: actions/showgroup.php:298 lib/groupeditform.php:187 msgid "Aliases" msgstr "" @@ -4892,60 +4908,84 @@ msgstr "Skilaboð frá %1$s á %2$s" msgid "Notice deleted." msgstr "Babl sent inn" -#: actions/showstream.php:72 +#. TRANS: Page title showing tagged notices in one user's stream. %1$s is the username, %2$s is the hash tag. +#: actions/showstream.php:70 #, fuzzy, php-format -msgid " tagged %s" +msgid "%1$s tagged %2$s" +msgstr "Hópar, síða %d" + +#. TRANS: Page title showing tagged notices in one user's stream. +#. TRANS: %1$s is the username, %2$s is the hash tag, %1$d is the page number. +#: actions/showstream.php:74 +#, fuzzy, php-format +msgid "%1$s tagged %2$s, page %3$d" msgstr "Babl merkt með %s" -#: actions/showstream.php:78 +#. TRANS: Extended page title showing tagged notices in one user's stream. +#. TRANS: %1$s is the username, %2$d is the page number. +#: actions/showstream.php:82 #, php-format msgid "%1$s, page %2$d" msgstr "Hópar, síða %d" -#: actions/showstream.php:120 +#. TRANS: Title for link to notice feed. +#. TRANS: %1$s is a user nickname, %2$s is a hashtag. +#: actions/showstream.php:127 #, fuzzy, php-format msgid "Notice feed for %1$s tagged %2$s (RSS 1.0)" msgstr "Bablveita fyrir %s" -#: actions/showstream.php:127 +#. TRANS: Title for link to notice feed. +#. TRANS: %s is a user nickname. +#: actions/showstream.php:136 #, php-format msgid "Notice feed for %s (RSS 1.0)" msgstr "" -#: actions/showstream.php:134 +#. TRANS: Title for link to notice feed. +#. TRANS: %s is a user nickname. +#: actions/showstream.php:145 #, php-format msgid "Notice feed for %s (RSS 2.0)" msgstr "" -#: actions/showstream.php:141 +#: actions/showstream.php:152 #, php-format msgid "Notice feed for %s (Atom)" msgstr "" -#: actions/showstream.php:146 +#. TRANS: Title for link to notice feed. FOAF stands for Friend of a Friend. +#. TRANS: More information at http://www.foaf-project.org. %s is a user nickname. +#: actions/showstream.php:159 #, fuzzy, php-format msgid "FOAF for %s" msgstr "Úthólf %s" -#: actions/showstream.php:197 +#. TRANS: First sentence of empty list message for a stream. $1%s is a user nickname. +#: actions/showstream.php:211 #, php-format -msgid "This is the timeline for %1$s but %2$s hasn't posted anything yet." +msgid "This is the timeline for %1$s, but %1$s hasn't posted anything yet." msgstr "" -#: actions/showstream.php:202 +#. TRANS: Second sentence of empty list message for a stream for the user themselves. +#: actions/showstream.php:217 msgid "" "Seen anything interesting recently? You haven't posted any notices yet, now " "would be a good time to start :)" msgstr "" -#: actions/showstream.php:204 +#. TRANS: Second sentence of empty list message for a non-self stream. %1$s is a user nickname, %2$s is a part of a URL. +#. TRANS: This message contains a Markdown link. Keep "](" together. +#: actions/showstream.php:221 #, php-format msgid "" "You can try to nudge %1$s or [post something to them](%%%%action.newnotice%%%" "%?status_textarea=%2$s)." msgstr "" -#: actions/showstream.php:243 +#. TRANS: Announcement for anonymous users showing a stream if site registrations are open. +#. TRANS: This message contains a Markdown link. Keep "](" together. +#: actions/showstream.php:264 #, php-format msgid "" "**%s** has an account on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -4954,7 +4994,9 @@ msgid "" "follow **%s**'s notices and many more! ([Read more](%%%%doc.help%%%%))" msgstr "" -#: actions/showstream.php:248 +#. TRANS: Announcement for anonymous users showing a stream if site registrations are closed or invite only. +#. TRANS: This message contains a Markdown link. Keep "](" together. +#: actions/showstream.php:271 #, php-format msgid "" "**%s** has an account on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -4962,7 +5004,8 @@ msgid "" "[StatusNet](http://status.net/) tool. " msgstr "" -#: actions/showstream.php:305 +#. TRANS: Link to the author of a repeated notice. %s is a linked nickname. +#: actions/showstream.php:328 #, fuzzy, php-format msgid "Repeat of %s" msgstr "Svör við %s" @@ -5077,35 +5120,42 @@ msgstr "" msgid "How long users must wait (in seconds) to post the same thing again." msgstr "" -#: actions/sitenoticeadminpanel.php:56 +#. TRANS: Page title for site-wide notice tab in admin panel. +#: actions/sitenoticeadminpanel.php:55 #, fuzzy msgid "Site Notice" msgstr "Babl vefsíðunnar" -#: actions/sitenoticeadminpanel.php:67 +#. TRANS: Instructions for site-wide notice tab in admin panel. +#: actions/sitenoticeadminpanel.php:66 #, fuzzy msgid "Edit site-wide message" msgstr "Ný skilaboð" -#: actions/sitenoticeadminpanel.php:103 +#. TRANS: Server error displayed when saving a site-wide notice was impossible. +#: actions/sitenoticeadminpanel.php:101 #, fuzzy msgid "Unable to save site notice." msgstr "Vandamál komu upp við að vista babl." -#: actions/sitenoticeadminpanel.php:113 -msgid "Max length for the site-wide notice is 255 chars." +#. TRANS: Client error displayed when a site-wide notice was longer than allowed. +#: actions/sitenoticeadminpanel.php:112 +msgid "Maximum length for the site-wide notice is 255 characters." msgstr "" +#. TRANS: Label for site-wide notice text field in admin panel. #: actions/sitenoticeadminpanel.php:176 #, fuzzy msgid "Site notice text" msgstr "Babl vefsíðunnar" -#: actions/sitenoticeadminpanel.php:178 -msgid "Site-wide notice text (255 chars max; HTML okay)" +#. TRANS: Tooltip for site-wide notice text field in admin panel. +#: actions/sitenoticeadminpanel.php:179 +msgid "Site-wide notice text (255 characters maximum; HTML allowed)" msgstr "" -#: actions/sitenoticeadminpanel.php:198 +#. TRANS: Title for button to save site notice in admin panel. +#: actions/sitenoticeadminpanel.php:201 #, fuzzy msgid "Save site notice" msgstr "Babl vefsíðunnar" @@ -5572,83 +5622,100 @@ msgid "" msgstr "" #. TRANS: User admin panel title -#: actions/useradminpanel.php:60 +#: actions/useradminpanel.php:58 #, fuzzy msgctxt "TITLE" msgid "User" msgstr "Notandi" -#: actions/useradminpanel.php:71 +#. TRANS: Instruction for user admin panel. +#: actions/useradminpanel.php:69 msgid "User settings for this StatusNet site" msgstr "" -#: actions/useradminpanel.php:150 +#. TRANS: Form validation error in user admin panel when a non-numeric character limit was set. +#: actions/useradminpanel.php:147 msgid "Invalid bio limit. Must be numeric." msgstr "" -#: actions/useradminpanel.php:156 -msgid "Invalid welcome text. Max length is 255 characters." +#. TRANS: Form validation error in user admin panel when welcome text is too long. +#: actions/useradminpanel.php:154 +msgid "Invalid welcome text. Maximum length is 255 characters." msgstr "" +#. TRANS: Client error displayed when trying to set a non-existing user as default subscription for new +#. TRANS: users in user admin panel. %1$s is the invalid nickname. #: actions/useradminpanel.php:166 #, php-format -msgid "Invalid default subscripton: '%1$s' is not user." +msgid "Invalid default subscripton: '%1$s' is not a user." msgstr "" #. TRANS: Link description in user account settings menu. -#: actions/useradminpanel.php:219 lib/accountsettingsaction.php:106 +#: actions/useradminpanel.php:215 lib/accountsettingsaction.php:106 #: lib/personalgroupnav.php:109 msgid "Profile" msgstr "Persónuleg síða" -#: actions/useradminpanel.php:223 +#. TRANS: Field label in user admin panel for setting the character limit for the bio field. +#: actions/useradminpanel.php:220 msgid "Bio Limit" msgstr "" -#: actions/useradminpanel.php:224 +#. TRANS: Tooltip in user admin panel for setting the character limit for the bio field. +#: actions/useradminpanel.php:222 msgid "Maximum length of a profile bio in characters." msgstr "" -#: actions/useradminpanel.php:232 +#. TRANS: Form legend in user admin panel. +#: actions/useradminpanel.php:231 #, fuzzy msgid "New users" msgstr "Bjóða nýjum notendum að vera með" +#. TRANS: Field label in user admin panel for setting new user welcome text. #: actions/useradminpanel.php:236 msgid "New user welcome" msgstr "" -#: actions/useradminpanel.php:237 -msgid "Welcome text for new users (Max 255 chars)." -msgstr "" +#. TRANS: Tooltip in user admin panel for setting new user welcome text. +#: actions/useradminpanel.php:238 +#, fuzzy +msgid "Welcome text for new users (maximum 255 characters)." +msgstr "Fullt nafn er of langt (í mesta lagi 255 stafir)." -#: actions/useradminpanel.php:242 +#. TRANS: Field label in user admin panel for setting default subscription for new users. +#: actions/useradminpanel.php:244 #, fuzzy msgid "Default subscription" msgstr "Allar áskriftir" -#: actions/useradminpanel.php:243 +#. TRANS: Tooltip in user admin panel for setting default subscription for new users. +#: actions/useradminpanel.php:246 #, 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:252 +#. TRANS: Form legend in user admin panel. +#: actions/useradminpanel.php:256 #, fuzzy msgid "Invitations" msgstr "Boðskort hefur verið sent út" -#: actions/useradminpanel.php:257 +#. TRANS: Field label for checkbox in user admin panel for allowing users to invite friend using site e-mail. +#: actions/useradminpanel.php:262 #, fuzzy msgid "Invitations enabled" msgstr "Boðskort hefur verið sent út" -#: actions/useradminpanel.php:259 +#. TRANS: Tooltip for checkbox in user admin panel for allowing users to invite friend using site e-mail. +#: actions/useradminpanel.php:265 msgid "Whether to allow users to invite new users." msgstr "" -#: actions/useradminpanel.php:295 +#. TRANS: Title for button to save user settings in user admin panel. +#: actions/useradminpanel.php:302 msgid "Save user settings" msgstr "" @@ -5849,7 +5916,7 @@ msgid "Plugins" msgstr "" #. TRANS: Secondary navigation menu option leading to version information on the StatusNet site. -#: actions/version.php:198 lib/action.php:831 +#: actions/version.php:198 lib/action.php:880 #, fuzzy msgid "Version" msgstr "Persónulegt" @@ -6066,16 +6133,23 @@ msgstr "Gat ekki vistað áskrift." msgid "RT @%1$s %2$s" msgstr "RT @%1$s %2$s" +#. TRANS: Full name of a profile or group followed by nickname in parens +#: classes/Profile.php:164 +#, fuzzy, php-format +msgctxt "FANCYNAME" +msgid "%1$s (%2$s)" +msgstr "%1$s (%2$s)" + #. TRANS: Exception thrown when trying to revoke an existing role for a user that does not exist. #. TRANS: %1$s is the role name, %2$s is the user ID (number). -#: classes/Profile.php:791 +#: classes/Profile.php:812 #, php-format msgid "Cannot revoke role \"%1$s\" for user #%2$d; does not exist." msgstr "" #. TRANS: Exception thrown when trying to revoke a role for a user with a failing database query. #. TRANS: %1$s is the role name, %2$s is the user ID (number). -#: classes/Profile.php:800 +#: classes/Profile.php:821 #, php-format msgid "Cannot revoke role \"%1$s\" for user #%2$d; database error." msgstr "" @@ -6226,50 +6300,56 @@ msgstr "%1$s (%2$s)" msgid "Untitled page" msgstr "Ónafngreind síða" +#. TRANS: Localized tooltip for '...' expansion button on overlong remote messages. +#: lib/action.php:310 +msgctxt "TOOLTIP" +msgid "Show more" +msgstr "" + #. TRANS: DT element for primary navigation menu. String is hidden in default CSS. -#: lib/action.php:477 +#: lib/action.php:526 msgid "Primary site navigation" msgstr "Stikl aðalsíðu" #. TRANS: Tooltip for main menu option "Personal" -#: lib/action.php:483 +#: lib/action.php:532 #, fuzzy msgctxt "TOOLTIP" msgid "Personal profile and friends timeline" msgstr "Persónuleg síða og vinarás" #. TRANS: Main menu option when logged in for access to personal profile and friends timeline -#: lib/action.php:486 +#: lib/action.php:535 #, fuzzy msgctxt "MENU" msgid "Personal" msgstr "Persónulegt" #. TRANS: Tooltip for main menu option "Account" -#: lib/action.php:488 +#: lib/action.php:537 msgctxt "TOOLTIP" msgid "Change your email, avatar, password, profile" msgstr "Breyta lykilorðinu þínu" #. TRANS: Main menu option when logged in for access to user settings -#: lib/action.php:491 +#: lib/action.php:540 msgid "Account" msgstr "Aðgangur" #. TRANS: Tooltip for main menu option "Services" -#: lib/action.php:493 +#: lib/action.php:542 #, fuzzy msgctxt "TOOLTIP" msgid "Connect to services" msgstr "Gat ekki framsent til vefþjóns: %s" #. TRANS: Main menu option when logged in and connection are possible for access to options to connect to other services -#: lib/action.php:496 +#: lib/action.php:545 msgid "Connect" msgstr "Tengjast" #. TRANS: Tooltip for menu option "Admin" -#: lib/action.php:499 +#: lib/action.php:548 #, fuzzy msgctxt "TOOLTIP" msgid "Change site configuration" @@ -6277,87 +6357,87 @@ msgstr "Stikl aðalsíðu" #. TRANS: Main menu option when logged in and site admin for access to site configuration #. TRANS: Menu item in the group navigation page. Only shown for group administrators. -#: lib/action.php:502 lib/groupnav.php:117 +#: lib/action.php:551 lib/groupnav.php:117 #, fuzzy msgctxt "MENU" msgid "Admin" msgstr "Stjórnandi" #. TRANS: Tooltip for main menu option "Invite" -#: lib/action.php:506 +#: lib/action.php:555 #, 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" #. TRANS: Main menu option when logged in and invitations are allowed for inviting new users -#: lib/action.php:509 +#: lib/action.php:558 #, fuzzy msgctxt "MENU" msgid "Invite" msgstr "Bjóða" #. TRANS: Tooltip for main menu option "Logout" -#: lib/action.php:515 +#: lib/action.php:564 msgctxt "TOOLTIP" msgid "Logout from the site" msgstr "Skrá þig inn á síðuna" #. TRANS: Main menu option when logged in to log out the current user -#: lib/action.php:518 +#: lib/action.php:567 msgctxt "MENU" msgid "Logout" msgstr "Einkennismerki" #. TRANS: Tooltip for main menu option "Register" -#: lib/action.php:523 +#: lib/action.php:572 msgctxt "TOOLTIP" msgid "Create an account" msgstr "Búa til nýjan hóp" #. TRANS: Main menu option when not logged in to register a new account -#: lib/action.php:526 +#: lib/action.php:575 #, fuzzy msgctxt "MENU" msgid "Register" msgstr "Nýskrá" #. TRANS: Tooltip for main menu option "Login" -#: lib/action.php:529 +#: lib/action.php:578 #, fuzzy msgctxt "TOOLTIP" msgid "Login to the site" msgstr "Skrá þig inn á síðuna" #. TRANS: Main menu option when not logged in to log in -#: lib/action.php:532 +#: lib/action.php:581 #, fuzzy msgctxt "MENU" msgid "Login" msgstr "Innskráning" #. TRANS: Tooltip for main menu option "Help" -#: lib/action.php:535 +#: lib/action.php:584 msgctxt "TOOLTIP" msgid "Help me!" msgstr "Hjálp" #. TRANS: Main menu option for help on the StatusNet site -#: lib/action.php:538 +#: lib/action.php:587 #, fuzzy msgctxt "MENU" msgid "Help" msgstr "Hjálp" #. TRANS: Tooltip for main menu option "Search" -#: lib/action.php:541 +#: lib/action.php:590 #, fuzzy msgctxt "TOOLTIP" msgid "Search for people or text" msgstr "Leita að fólki eða texta" #. TRANS: Main menu option when logged in or when the StatusNet instance is not private -#: lib/action.php:544 +#: lib/action.php:593 #, fuzzy msgctxt "MENU" msgid "Search" @@ -6365,68 +6445,69 @@ msgstr "Leita" #. TRANS: DT element for site notice. String is hidden in default CSS. #. TRANS: Menu item for site administration -#: lib/action.php:566 lib/adminpanelaction.php:387 +#: lib/action.php:615 lib/adminpanelaction.php:387 msgid "Site notice" msgstr "Babl vefsíðunnar" #. TRANS: DT element for local views block. String is hidden in default CSS. -#: lib/action.php:633 +#: lib/action.php:682 msgid "Local views" msgstr "Staðbundin sýn" #. TRANS: DT element for page notice. String is hidden in default CSS. -#: lib/action.php:703 +#: lib/action.php:752 msgid "Page notice" msgstr "Babl síðunnar" #. TRANS: DT element for secondary navigation menu. String is hidden in default CSS. -#: lib/action.php:804 +#: lib/action.php:853 msgid "Secondary site navigation" msgstr "Stikl undirsíðu" #. TRANS: Secondary navigation menu option leading to help on StatusNet. -#: lib/action.php:810 +#: lib/action.php:859 msgid "Help" msgstr "Hjálp" #. TRANS: Secondary navigation menu option leading to text about StatusNet site. -#: lib/action.php:813 +#: lib/action.php:862 msgid "About" msgstr "Um" #. TRANS: Secondary navigation menu option leading to Frequently Asked Questions. -#: lib/action.php:816 +#: lib/action.php:865 msgid "FAQ" msgstr "Spurt og svarað" #. TRANS: Secondary navigation menu option leading to Terms of Service. -#: lib/action.php:821 +#: lib/action.php:870 msgid "TOS" msgstr "" #. TRANS: Secondary navigation menu option leading to privacy policy. -#: lib/action.php:825 +#: lib/action.php:874 msgid "Privacy" msgstr "Friðhelgi" -#. TRANS: Secondary navigation menu option. -#: lib/action.php:828 +#. TRANS: Secondary navigation menu option. Leads to information about StatusNet and its license. +#: lib/action.php:877 msgid "Source" msgstr "Frumþula" -#. TRANS: Secondary navigation menu option leading to contact information on the StatusNet site. -#: lib/action.php:834 +#. TRANS: Secondary navigation menu option leading to e-mail contact information on the +#. TRANS: StatusNet site, where to report bugs, ... +#: lib/action.php:884 msgid "Contact" msgstr "Tengiliður" -#. TRANS: Secondary navigation menu option. -#: lib/action.php:837 +#. TRANS: Secondary navigation menu option. Leads to information about embedding a timeline widget. +#: lib/action.php:887 #, fuzzy msgid "Badge" msgstr "Pot" #. TRANS: DT element for StatusNet software license. -#: lib/action.php:866 +#: lib/action.php:916 msgid "StatusNet software license" msgstr "Hugbúnaðarleyfi StatusNet" @@ -6434,7 +6515,7 @@ msgstr "Hugbúnaðarleyfi StatusNet" #. TRANS: Text between [] is a link description, text between () is the link itself. #. TRANS: Make sure there is no whitespace between "]" and "(". #. TRANS: "%%site.broughtby%%" is the value of the variable site.broughtby -#: lib/action.php:873 +#: lib/action.php:923 #, fuzzy, php-format msgid "" "**%%site.name%%** is a microblogging service brought to you by [%%site." @@ -6444,7 +6525,7 @@ msgstr "" "broughtbyurl%%). " #. TRANS: First sentence of the StatusNet site license. Used if 'broughtby' is not set. -#: lib/action.php:876 +#: lib/action.php:926 #, php-format msgid "**%%site.name%%** is a microblogging service." msgstr "**%%site.name%%** er örbloggsþjónusta." @@ -6453,7 +6534,7 @@ msgstr "**%%site.name%%** er örbloggsþjónusta." #. TRANS: Make sure there is no whitespace between "]" and "(". #. TRANS: Text between [] is a link description, text between () is the link itself. #. TRANS: %s is the version of StatusNet that is being used. -#: lib/action.php:883 +#: lib/action.php:933 #, php-format msgid "" "It runs the [StatusNet](http://status.net/) microblogging software, version %" @@ -6465,51 +6546,51 @@ msgstr "" "licensing/licenses/agpl-3.0.html)." #. TRANS: DT element for StatusNet site content license. -#: lib/action.php:899 +#: lib/action.php:949 #, fuzzy msgid "Site content license" msgstr "Hugbúnaðarleyfi StatusNet" #. TRANS: Content license displayed when license is set to 'private'. #. TRANS: %1$s is the site name. -#: lib/action.php:906 +#: lib/action.php:956 #, php-format msgid "Content and data of %1$s are private and confidential." msgstr "" #. TRANS: Content license displayed when license is set to 'allrightsreserved'. #. TRANS: %1$s is the copyright owner. -#: lib/action.php:913 +#: lib/action.php:963 #, php-format msgid "Content and data copyright by %1$s. All rights reserved." msgstr "" #. TRANS: Content license displayed when license is set to 'allrightsreserved' and no owner is set. -#: lib/action.php:917 +#: lib/action.php:967 msgid "Content and data copyright by contributors. All rights reserved." msgstr "" #. TRANS: license message in footer. #. TRANS: %1$s is the site name, %2$s is a link to the license URL, with a licence name set in configuration. -#: lib/action.php:949 +#: lib/action.php:999 #, php-format msgid "All %1$s content and data are available under the %2$s license." msgstr "" #. TRANS: DT element for pagination (previous/next, etc.). -#: lib/action.php:1285 +#: lib/action.php:1335 msgid "Pagination" msgstr "Uppröðun" #. TRANS: Pagination message to go to a page displaying information more in the #. TRANS: present than the currently displayed information. -#: lib/action.php:1296 +#: lib/action.php:1346 msgid "After" msgstr "Eftir" #. TRANS: Pagination message to go to a page displaying information more in the #. TRANS: past than the currently displayed information. -#: lib/action.php:1306 +#: lib/action.php:1356 msgid "Before" msgstr "Áður" @@ -6871,7 +6952,7 @@ msgid "AJAX error" msgstr "Ajax villa" #. TRANS: E-mail subject when a command has completed. -#: lib/channel.php:233 lib/mailhandler.php:142 +#: lib/channel.php:233 lib/mailhandler.php:143 msgid "Command complete" msgstr "Fullkláruð skipun" @@ -6888,7 +6969,7 @@ msgstr "Enginn persónuleg síða með þessu einkenni." #. TRANS: Command exception text shown when a last user notice is requested and it does not exist. #. TRANS: Error text shown when a last user notice is requested and it does not exist. -#: lib/command.php:99 lib/command.php:626 +#: lib/command.php:99 lib/command.php:630 #, fuzzy msgid "User has no last notice." msgstr "Notandi hefur ekkert nýtt babl" @@ -6955,6 +7036,14 @@ msgstr "" msgid "%1$s left group %2$s." msgstr "" +#. TRANS: Whois output. +#. TRANS: %1$s nickname of the queried user, %2$s is their profile URL. +#: lib/command.php:426 +#, fuzzy, php-format +msgctxt "WHOIS" +msgid "%1$s (%2$s)" +msgstr "%1$s (%2$s)" + #. TRANS: Whois output. %s is the full name of the queried user. #: lib/command.php:430 #, php-format @@ -6992,130 +7081,138 @@ msgid "" "same server." msgstr "" -#. TRANS: Message given if content is too long. +#. TRANS: Message given if content is too long. %1$sd is used for plural. #. TRANS: %1$d is the maximum number of characters, %2$d is the number of submitted characters. #: lib/command.php:488 #, 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" +msgid "Message too long - maximum is %1$d character, you sent %2$d." +msgid_plural "Message too long - maximum is %1$d characters, you sent %2$d." +msgstr[0] "" +"Skilaboð eru of löng - 140 tákn eru í mesta lagi leyfð en þú sendir %d" +msgstr[1] "" +"Skilaboð eru of löng - 140 tákn eru í mesta lagi leyfð en þú sendir %d" #. TRANS: Error text shown sending a direct message fails with an unknown reason. -#: lib/command.php:514 +#: lib/command.php:516 msgid "Error sending direct message." msgstr "Villa kom upp við að senda bein skilaboð" #. TRANS: Message given having repeated a notice from another user. #. TRANS: %s is the name of the user for which the notice was repeated. -#: lib/command.php:551 +#: lib/command.php:553 #, fuzzy, php-format msgid "Notice from %s repeated." msgstr "Babl sent inn" #. TRANS: Error text shown when repeating a notice fails with an unknown reason. -#: lib/command.php:554 +#: lib/command.php:556 msgid "Error repeating notice." msgstr "Villa kom upp í stillingu notanda." -#. TRANS: Message given if content of a notice for a reply is too long. +#. TRANS: Message given if content of a notice for a reply is too long. %1$d is used for plural. #. TRANS: %1$d is the maximum number of characters, %2$d is the number of submitted characters. -#: lib/command.php:589 +#: lib/command.php:591 #, fuzzy, php-format -msgid "Notice 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" +msgid "Notice too long - maximum is %1$d character, you sent %2$d." +msgid_plural "Notice too long - maximum is %1$d characters, you sent %2$d." +msgstr[0] "" +"Skilaboð eru of löng - 140 tákn eru í mesta lagi leyfð en þú sendir %d" +msgstr[1] "" +"Skilaboð eru of löng - 140 tákn eru í mesta lagi leyfð en þú sendir %d" #. TRANS: Text shown having sent a reply to a notice successfully. #. TRANS: %s is the nickname of the user of the notice the reply was sent to. -#: lib/command.php:600 +#: lib/command.php:604 #, fuzzy, php-format msgid "Reply to %s sent." msgstr "Svara þessu babli" #. TRANS: Error text shown when a reply to a notice fails with an unknown reason. -#: lib/command.php:603 +#: lib/command.php:607 #, fuzzy msgid "Error saving notice." msgstr "Vandamál komu upp við að vista babl." #. TRANS: Error text shown when no username was provided when issuing a subscribe command. -#: lib/command.php:650 +#: lib/command.php:654 #, fuzzy msgid "Specify the name of the user to subscribe to." msgstr "Tilgreindu nafn notandans sem þú vilt gerast áskrifandi að" #. TRANS: Command exception text shown when trying to subscribe to an OMB profile using the subscribe command. -#: lib/command.php:659 +#: lib/command.php:663 #, fuzzy msgid "Can't subscribe to OMB profiles by command." msgstr "Þú ert ekki áskrifandi." #. TRANS: Text shown after having subscribed to another user successfully. #. TRANS: %s is the name of the user the subscription was requested for. -#: lib/command.php:667 +#: lib/command.php:671 #, php-format msgid "Subscribed to %s." msgstr "" #. TRANS: Error text shown when no username was provided when issuing an unsubscribe command. #. TRANS: Error text shown when no username was provided when issuing the command. -#: lib/command.php:688 lib/command.php:799 +#: lib/command.php:692 lib/command.php:803 #, fuzzy msgid "Specify the name of the user to unsubscribe from." msgstr "Tilgreindu nafn notandans sem þú vilt hætta sem áskrifandi að" #. TRANS: Text shown after having unsubscribed from another user successfully. #. TRANS: %s is the name of the user the unsubscription was requested for. -#: lib/command.php:699 +#: lib/command.php:703 #, php-format msgid "Unsubscribed from %s." msgstr "" #. TRANS: Error text shown when issuing the command "off" with a setting which has not yet been implemented. #. TRANS: Error text shown when issuing the command "on" with a setting which has not yet been implemented. -#: lib/command.php:719 lib/command.php:745 +#: lib/command.php:723 lib/command.php:749 msgid "Command not yet implemented." msgstr "Skipun hefur ekki verið fullbúin" #. TRANS: Text shown when issuing the command "off" successfully. -#: lib/command.php:723 +#: lib/command.php:727 msgid "Notification off." msgstr "Tilkynningar af." #. TRANS: Error text shown when the command "off" fails for an unknown reason. -#: lib/command.php:726 +#: lib/command.php:730 msgid "Can't turn off notification." msgstr "Get ekki slökkt á tilkynningum." #. TRANS: Text shown when issuing the command "on" successfully. -#: lib/command.php:749 +#: lib/command.php:753 msgid "Notification on." msgstr "Tilkynningar á." #. TRANS: Error text shown when the command "on" fails for an unknown reason. -#: lib/command.php:752 +#: lib/command.php:756 msgid "Can't turn on notification." msgstr "Get ekki kveikt á tilkynningum." #. TRANS: Error text shown when issuing the login command while login is disabled. -#: lib/command.php:766 +#: lib/command.php:770 msgid "Login command is disabled." msgstr "" #. TRANS: Text shown after issuing the login command successfully. #. TRANS: %s is a logon link.. -#: lib/command.php:779 +#: lib/command.php:783 #, php-format msgid "This link is useable only once and is valid for only 2 minutes: %s." msgstr "" #. TRANS: Text shown after issuing the lose command successfully (stop another user from following the current user). #. TRANS: %s is the name of the user the unsubscription was requested for. -#: lib/command.php:808 +#: lib/command.php:812 #, php-format msgid "Unsubscribed %s." msgstr "" #. TRANS: Text shown after requesting other users a user is subscribed to without having any subscriptions. -#: lib/command.php:826 +#: lib/command.php:830 #, fuzzy msgid "You are not subscribed to anyone." msgstr "Þú ert ekki áskrifandi." @@ -7123,7 +7220,7 @@ msgstr "Þú ert ekki áskrifandi." #. TRANS: Text shown after requesting other users a user is subscribed to. #. TRANS: This message supports plural forms. This message is followed by a #. TRANS: hard coded space and a comma separated list of subscribed users. -#: lib/command.php:831 +#: lib/command.php:835 msgid "You are subscribed to this person:" msgid_plural "You are subscribed to these people:" msgstr[0] "Þú ert nú þegar í áskrift að þessum notendum:" @@ -7131,7 +7228,7 @@ msgstr[1] "Þú ert nú þegar í áskrift að þessum notendum:" #. TRANS: Text shown after requesting other users that are subscribed to a user #. TRANS: (followers) without having any subscribers. -#: lib/command.php:853 +#: lib/command.php:857 #, fuzzy msgid "No one is subscribed to you." msgstr "Gat ekki leyft öðrum að gerast áskrifandi að þér." @@ -7139,7 +7236,7 @@ msgstr "Gat ekki leyft öðrum að gerast áskrifandi að þér." #. TRANS: Text shown after requesting other users that are subscribed to a user (followers). #. TRANS: This message supports plural forms. This message is followed by a #. TRANS: hard coded space and a comma separated list of subscribing users. -#: lib/command.php:858 +#: lib/command.php:862 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." @@ -7147,7 +7244,7 @@ msgstr[1] "Gat ekki leyft öðrum að gerast áskrifandi að þér." #. TRANS: Text shown after requesting groups a user is subscribed to without having #. TRANS: any group subscriptions. -#: lib/command.php:880 +#: lib/command.php:884 #, fuzzy msgid "You are not a member of any groups." msgstr "Þú ert ekki meðlimur í þessum hópi." @@ -7155,14 +7252,14 @@ msgstr "Þú ert ekki meðlimur í þessum hópi." #. TRANS: Text shown after requesting groups a user is subscribed to. #. TRANS: This message supports plural forms. This message is followed by a #. TRANS: hard coded space and a comma separated list of subscribed groups. -#: lib/command.php:885 +#: lib/command.php:889 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." #. TRANS: Help text for commands. Do not translate the command names themselves; they are fixed strings. -#: lib/command.php:900 +#: lib/command.php:904 msgid "" "Commands:\n" "on - turn on notifications\n" @@ -7355,7 +7452,8 @@ 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" #: lib/groupeditform.php:163 -msgid "URL of the homepage or blog of the group or topic" +#, fuzzy +msgid "URL of the homepage or blog of the group or topic." msgstr "Vefslóð vefsíðu hópsins eða umfjöllunarefnisins" #: lib/groupeditform.php:168 @@ -7365,18 +7463,27 @@ msgstr "Lýstu hópnum eða umfjöllunarefninu með 140 táknum" #: lib/groupeditform.php:170 #, fuzzy, php-format -msgid "Describe the group or topic in %d characters" -msgstr "Lýstu hópnum eða umfjöllunarefninu með 140 táknum" +msgid "Describe the group or topic in %d character or less" +msgid_plural "Describe the group or topic in %d characters or less" +msgstr[0] "Lýstu hópnum eða umfjöllunarefninu með 140 táknum" +msgstr[1] "Lýstu hópnum eða umfjöllunarefninu með 140 táknum" -#: lib/groupeditform.php:179 +#: lib/groupeditform.php:182 +#, fuzzy msgid "" -"Location for the group, if any, like \"City, State (or Region), Country\"" +"Location for the group, if any, like \"City, State (or Region), Country\"." msgstr "Staðsetning hópsins, ef einhver, eins og \"Borg, landshluti, land\"" -#: lib/groupeditform.php:187 +#: lib/groupeditform.php:190 #, php-format -msgid "Extra nicknames for the group, comma- or space- separated, max %d" -msgstr "" +msgid "" +"Extra nicknames for the group, separated with commas or spaces. Maximum %d " +"alias allowed." +msgid_plural "" +"Extra nicknames for the group, separated with commas or spaces. Maximum %d " +"aliases allowed." +msgstr[0] "" +msgstr[1] "" #. TRANS: Menu item in the group navigation page. #: lib/groupnav.php:86 @@ -7838,7 +7945,7 @@ msgstr "Afsakið en þetta er ekki móttökutölvupóstfangið þitt." msgid "Sorry, no incoming email allowed." msgstr "Því miður er móttökutölvupóstur ekki leyfður." -#: lib/mailhandler.php:228 +#: lib/mailhandler.php:229 #, fuzzy, php-format msgid "Unsupported message type: %s" msgstr "Skráarsnið myndar ekki stutt." @@ -8194,17 +8301,18 @@ msgid "Sandbox this user" msgstr "Opna á þennan notanda" #. TRANS: Fieldset legend for the search form. -#: lib/searchaction.php:121 +#: lib/searchaction.php:120 #, fuzzy msgid "Search site" msgstr "Leita" #. TRANS: Used as a field label for the field where one or more keywords #. TRANS: for searching can be entered. -#: lib/searchaction.php:129 +#: lib/searchaction.php:128 msgid "Keyword(s)" msgstr "" +#. TRANS: Button text for searching site. #: lib/searchaction.php:130 msgctxt "BUTTON" msgid "Search" @@ -8297,8 +8405,8 @@ msgid "The theme file is missing or the upload failed." msgstr "" #: lib/themeuploader.php:91 lib/themeuploader.php:102 -#: lib/themeuploader.php:278 lib/themeuploader.php:282 -#: lib/themeuploader.php:290 lib/themeuploader.php:297 +#: lib/themeuploader.php:279 lib/themeuploader.php:283 +#: lib/themeuploader.php:291 lib/themeuploader.php:298 #, fuzzy msgid "Failed saving theme." msgstr "Mistókst að uppfæra mynd" @@ -8309,29 +8417,32 @@ msgstr "" #: lib/themeuploader.php:166 #, php-format -msgid "Uploaded theme is too large; must be less than %d bytes uncompressed." -msgstr "" +msgid "Uploaded theme is too large; must be less than %d byte uncompressed." +msgid_plural "" +"Uploaded theme is too large; must be less than %d bytes uncompressed." +msgstr[0] "" +msgstr[1] "" -#: lib/themeuploader.php:178 +#: lib/themeuploader.php:179 msgid "Invalid theme archive: missing file css/display.css" msgstr "" -#: lib/themeuploader.php:218 +#: lib/themeuploader.php:219 msgid "" "Theme contains invalid file or folder name. Stick with ASCII letters, " "digits, underscore, and minus sign." msgstr "" -#: lib/themeuploader.php:224 +#: lib/themeuploader.php:225 msgid "Theme contains unsafe file extension names; may be unsafe." msgstr "" -#: lib/themeuploader.php:241 +#: lib/themeuploader.php:242 #, php-format msgid "Theme contains file of type '.%s', which is not allowed." msgstr "" -#: lib/themeuploader.php:259 +#: lib/themeuploader.php:260 msgid "Error opening theme archive." msgstr "Vill kom upp við að aflétta notendalokun." @@ -8519,20 +8630,38 @@ msgstr[0] "" msgstr[1] "" "Skilaboð eru of löng - 140 tákn eru í mesta lagi leyfð en þú sendir %d" -#: scripts/restoreuser.php:82 +#. TRANS: Commandline script output. %s is the filename that contains a backup for a user. +#: scripts/restoreuser.php:61 #, php-format -msgid "Backup file for user %s (%s)" +msgid "Getting backup from file '%s'." msgstr "" -#: scripts/restoreuser.php:88 +#. TRANS: Commandline script output. +#: scripts/restoreuser.php:91 #, fuzzy msgid "No user specified; using backup user." msgstr "Engin persónuleg síða tilgreind" -#: scripts/restoreuser.php:94 +#. TRANS: Commandline script output. %d is the number of entries in the activity stream in backup; used for plural. +#: scripts/restoreuser.php:98 #, php-format -msgid "%d entries in backup." -msgstr "" +msgid "%d entry in backup." +msgid_plural "%d entries in backup." +msgstr[0] "" +msgstr[1] "" -#~ msgid "Description is too long (max %d chars)." -#~ msgstr "Staðsetning er of löng (í mesta lagi %d stafir)." +#, fuzzy +#~ msgid "Name is too long (maximum 255 chars)." +#~ msgstr "Fullt nafn er of langt (í mesta lagi 255 stafir)." + +#, fuzzy +#~ msgid "Organization is too long (maximum 255 chars)." +#~ msgstr "Staðsetning er of löng (í mesta lagi 255 stafir)." + +#, fuzzy +#~ msgid "That's too long. Max notice size is %d chars." +#~ msgstr "Þetta er of langt. Hámarkslengd babls er 140 tákn." + +#, fuzzy +#~ msgid " tagged %s" +#~ msgstr "Babl merkt með %s" diff --git a/locale/it/LC_MESSAGES/statusnet.po b/locale/it/LC_MESSAGES/statusnet.po index 8242d3244a..0835612290 100644 --- a/locale/it/LC_MESSAGES/statusnet.po +++ b/locale/it/LC_MESSAGES/statusnet.po @@ -11,17 +11,17 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet - Core\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-10-30 23:18+0000\n" -"PO-Revision-Date: 2010-10-30 23:20:28+0000\n" +"POT-Creation-Date: 2010-11-02 22:51+0000\n" +"PO-Revision-Date: 2010-11-02 22:53:26+0000\n" "Language-Team: Italian \n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r75708); Translate extension (2010-09-17)\n" +"X-Generator: MediaWiki 1.17alpha (r75875); Translate extension (2010-09-17)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: it\n" "X-Message-Group: #out-statusnet-core\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-POT-Import-Date: 2010-10-30 09:48:40+0000\n" +"X-POT-Import-Date: 2010-10-30 23:42:01+0000\n" #. TRANS: Page title for Access admin panel that allows configuring site access. #. TRANS: Menu item for site administration @@ -80,15 +80,20 @@ msgstr "Salva impostazioni di accesso" #. TRANS: Tooltip for button to save access settings in site admin panel. #. TRANS: Button label to save e-mail preferences. #. TRANS: Button label to save IM preferences. +#. TRANS: Button text for saving "Other settings" in profile. #. TRANS: Button text to store form data in the Paths admin panel. #. TRANS: Button to save input in profile settings. +#. TRANS: Button text for saving site notice in admin panel. #. TRANS: Button label to save SMS preferences. #. TRANS: Save button for settings for a profile in a subscriptions list. +#. TRANS: Button text to save user settings in user admin panel. #. TRANS: Button label in the "Edit application" form. #: actions/accessadminpanel.php:193 actions/emailsettings.php:228 -#: actions/imsettings.php:187 actions/pathsadminpanel.php:512 -#: actions/profilesettings.php:201 actions/smssettings.php:209 -#: actions/subscriptions.php:246 lib/applicationeditform.php:355 +#: actions/imsettings.php:187 actions/othersettings.php:134 +#: actions/pathsadminpanel.php:512 actions/profilesettings.php:201 +#: actions/sitenoticeadminpanel.php:197 actions/smssettings.php:209 +#: actions/subscriptions.php:246 actions/useradminpanel.php:298 +#: lib/applicationeditform.php:355 lib/groupeditform.php:207 msgctxt "BUTTON" msgid "Save" msgstr "Salva" @@ -139,7 +144,7 @@ msgstr "Pagina inesistente." #: 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:93 actions/userrss.php:40 -#: actions/xrds.php:71 lib/command.php:495 lib/galleryaction.php:59 +#: actions/xrds.php:71 lib/command.php:497 lib/galleryaction.php:59 #: lib/mailbox.php:82 lib/profileaction.php:77 msgid "No such user." msgstr "Utente inesistente." @@ -212,7 +217,9 @@ msgstr "" #. TRANS: Encoutagement displayed on empty timeline user pages for anonymous users. #. TRANS: %s is a user nickname. This message contains Markdown links. Keep "](" together. -#: actions/all.php:155 actions/replies.php:210 actions/showstream.php:208 +#. TRANS: Second sentence of empty message for anonymous users. %s is a user nickname. +#. TRANS: This message contains a Markdown link. Keep "](" together. +#: actions/all.php:155 actions/replies.php:210 actions/showstream.php:227 #, php-format msgid "" "Why not [register an account](%%%%action.register%%%%) and then nudge %s or " @@ -568,8 +575,11 @@ msgstr "Nome troppo lungo (max 255 caratteri)." #. TRANS: Group edit form validation error. #. TRANS: Form validation error in New application form. #. TRANS: %d is the maximum number of characters for the description. +#. TRANS: Group create form validation error. +#. TRANS: %d is the maximum number of allowed characters. #: actions/apigroupcreate.php:220 actions/editapplication.php:201 #: actions/editgroup.php:216 actions/newapplication.php:178 +#: actions/newgroup.php:152 #, fuzzy, php-format msgid "Description is too long (maximum %d character)." msgid_plural "Description is too long (maximum %d characters)." @@ -729,14 +739,14 @@ msgstr "Autorizzazione non presente." #. TRANS: Form validation error in API OAuth authorisation because of an invalid session token. #: actions/apioauthauthorize.php:147 actions/avatarsettings.php:280 -#: actions/deletenotice.php:172 actions/disfavor.php:74 +#: actions/deletenotice.php:177 actions/disfavor.php:74 #: actions/emailsettings.php:271 actions/favor.php:75 actions/geocode.php:55 #: actions/groupblock.php:66 actions/grouplogo.php:312 #: actions/groupunblock.php:65 actions/imsettings.php:230 #: actions/invite.php:59 actions/login.php:137 actions/makeadmin.php:66 #: actions/newmessage.php:135 actions/newnotice.php:105 actions/nudge.php:80 #: actions/oauthappssettings.php:165 actions/oauthconnectionssettings.php:138 -#: actions/othersettings.php:145 actions/passwordsettings.php:138 +#: actions/othersettings.php:153 actions/passwordsettings.php:138 #: actions/profilesettings.php:221 actions/recoverpassword.php:350 #: actions/register.php:172 actions/remotesubscribe.php:77 #: actions/repeat.php:83 actions/smssettings.php:256 actions/subedit.php:40 @@ -917,20 +927,21 @@ msgstr "Non puoi eliminare il messaggio di un altro utente." #. TRANS: Client error displayed trying to repeat a non-existing notice through the API. #. TRANS: Client error displayed trying to display redents of a non-exiting notice. +#. TRANS: Error message displayed trying to delete a non-existing notice. #: actions/apistatusesretweet.php:74 actions/apistatusesretweets.php:70 -#: actions/deletenotice.php:58 actions/shownotice.php:92 +#: actions/deletenotice.php:61 actions/shownotice.php:92 msgid "No such notice." msgstr "Nessun messaggio." #. TRANS: Client error displayed trying to repeat an own notice through the API. #. TRANS: Error text shown when trying to repeat an own notice. -#: actions/apistatusesretweet.php:83 lib/command.php:535 +#: actions/apistatusesretweet.php:83 lib/command.php:537 msgid "Cannot repeat your own notice." msgstr "Non puoi ripetere un tuo messaggio." #. TRANS: Client error displayed trying to re-repeat a notice through the API. #. TRANS: Error text shown when trying to repeat an notice that was already repeated by the user. -#: actions/apistatusesretweet.php:92 lib/command.php:541 +#: actions/apistatusesretweet.php:92 lib/command.php:543 msgid "Already repeated that notice." msgstr "Hai già ripetuto quel messaggio." @@ -951,7 +962,8 @@ msgstr "Il client deve fornire un parametro \"status\" con un valore." #. TRANS: Client error displayed when the parameter "status" is missing. #. TRANS: %d is the maximum number of character for a notice. -#: actions/apistatusesupdate.php:244 +#: actions/apistatusesupdate.php:244 actions/newnotice.php:161 +#: lib/mailhandler.php:60 #, fuzzy, php-format msgid "That's too long. Maximum notice size is %d character." msgid_plural "That's too long. Maximum notice size is %d characters." @@ -966,7 +978,7 @@ msgstr "Metodo delle API non trovato." #. TRANS: Client error displayed exceeding the maximum notice length. #. TRANS: %d is the maximum lenth for a notice. -#: actions/apistatusesupdate.php:308 +#: actions/apistatusesupdate.php:308 actions/newnotice.php:184 #, fuzzy, php-format msgid "Maximum notice size is %d character, including attachment URL." msgid_plural "Maximum notice size is %d characters, including attachment URL." @@ -1179,17 +1191,18 @@ msgstr "Scegli un'area quadrata per la tua immagine personale" msgid "Lost our file data." msgstr "Perso il nostro file di dati." -#: actions/avatarsettings.php:384 +#. TRANS: Success message for having updated a user avatar. +#: actions/avatarsettings.php:385 msgid "Avatar updated." msgstr "Immagine aggiornata." #. TRANS: Error displayed on the avatar upload page if the avatar could not be updated for an unknown reason. -#: actions/avatarsettings.php:388 +#: actions/avatarsettings.php:389 msgid "Failed updating avatar." msgstr "Aggiornamento dell'immagine non riuscito." #. TRANS: Success message for deleting a user avatar. -#: actions/avatarsettings.php:412 +#: actions/avatarsettings.php:413 msgid "Avatar deleted." msgstr "Immagine eliminata." @@ -1221,8 +1234,8 @@ msgstr "" #. TRANS: Button label on the delete notice form. #. TRANS: Button label on the delete user form. #. TRANS: Button label on the form to block a user from a group. -#: actions/block.php:154 actions/deleteapplication.php:154 -#: actions/deletegroup.php:220 actions/deletenotice.php:150 +#: actions/block.php:154 actions/deleteapplication.php:157 +#: actions/deletegroup.php:220 actions/deletenotice.php:155 #: actions/deleteuser.php:152 actions/groupblock.php:178 msgctxt "BUTTON" msgid "No" @@ -1240,8 +1253,8 @@ msgstr "Non bloccare questo utente" #. TRANS: Button label on the delete notice form. #. TRANS: Button label on the delete user form. #. TRANS: Button label on the form to block a user from a group. -#: actions/block.php:161 actions/deleteapplication.php:161 -#: actions/deletegroup.php:227 actions/deletenotice.php:157 +#: actions/block.php:161 actions/deleteapplication.php:164 +#: actions/deletegroup.php:227 actions/deletenotice.php:162 #: actions/deleteuser.php:159 actions/groupblock.php:185 msgctxt "BUTTON" msgid "Yes" @@ -1358,12 +1371,13 @@ msgstr "Quell'indirizzo è già stato confermato." #. TRANS: Server error thrown on database error removing a registered e-mail address. #. TRANS: Server error thrown on database error updating IM preferences. #. TRANS: Server error thrown on database error removing a registered IM address. +#. TRANS: Server error displayed when "Other" settings in user profile could not be updated on the server. #. TRANS: Server error thrown when user profile settings could not be updated. #. TRANS: Server error thrown on database error updating SMS preferences. #. TRANS: Server error thrown on database error removing a registered SMS phone number. #: actions/confirmaddress.php:118 actions/emailsettings.php:331 #: actions/emailsettings.php:477 actions/imsettings.php:283 -#: actions/imsettings.php:442 actions/othersettings.php:174 +#: actions/imsettings.php:442 actions/othersettings.php:184 #: actions/profilesettings.php:326 actions/smssettings.php:308 #: actions/smssettings.php:464 msgid "Couldn't update user." @@ -1399,16 +1413,19 @@ msgstr "Conversazione" msgid "Notices" msgstr "Messaggi" -#: actions/deleteapplication.php:63 +#. TRANS: Client error displayed trying to delete an application while not logged in. +#: actions/deleteapplication.php:62 msgid "You must be logged in to delete an application." msgstr "Devi eseguire l'accesso per eliminare un'applicazione." +#. TRANS: Client error displayed trying to delete an application that does not exist. #: actions/deleteapplication.php:71 msgid "Application not found." msgstr "Applicazione non trovata." +#. TRANS: Client error displayed trying to delete an application the current user does not own. #. TRANS: Client error displayed trying to edit an application while not being its owner. -#: actions/deleteapplication.php:78 actions/editapplication.php:78 +#: actions/deleteapplication.php:79 actions/editapplication.php:78 #: actions/showapplication.php:94 msgid "You are not the owner of this application." msgstr "Questa applicazione non è di tua proprietà." @@ -1416,15 +1433,18 @@ msgstr "Questa applicazione non è di tua proprietà." #. TRANS: Client error text when there is a problem with the session token. #: actions/deleteapplication.php:102 actions/editapplication.php:131 #: actions/newapplication.php:114 actions/showapplication.php:118 -#: lib/action.php:1354 +#: lib/action.php:1404 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 +#. TRANS: Title for delete application page. +#. TRANS: Fieldset legend on delete application page. +#: actions/deleteapplication.php:124 actions/deleteapplication.php:149 msgid "Delete application" msgstr "Elimina applicazione" -#: actions/deleteapplication.php:149 +#. TRANS: Confirmation text on delete application page. +#: actions/deleteapplication.php:152 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 " @@ -1434,12 +1454,12 @@ msgstr "" "riguardo all'applicazione dal database, comprese tutte le connessioni utente." #. TRANS: Submit button title for 'No' when deleting an application. -#: actions/deleteapplication.php:158 +#: actions/deleteapplication.php:161 msgid "Do not delete this application" msgstr "Non eliminare l'applicazione" #. TRANS: Submit button title for 'Yes' when deleting an application. -#: actions/deleteapplication.php:164 +#: actions/deleteapplication.php:167 msgid "Delete this application" msgstr "Elimina l'applicazione" @@ -1475,13 +1495,14 @@ msgstr "Impossibile aggiornare il gruppo." msgid "Deleted group %s" msgstr "%1$s ha lasciato il gruppo %2$s" -#. TRANS: Title. +#. TRANS: Title of delete group page. #. TRANS: Form legend for deleting a group. #: actions/deletegroup.php:176 actions/deletegroup.php:202 #, fuzzy msgid "Delete group" msgstr "Elimina utente" +#. TRANS: Warning in form for deleleting a group. #: actions/deletegroup.php:206 #, fuzzy msgid "" @@ -1504,10 +1525,11 @@ msgstr "Non eliminare il messaggio" msgid "Delete this group" msgstr "Elimina questo utente" +#. TRANS: Error message displayed trying to delete a notice while not logged in. #. TRANS: Client error displayed when trying to unblock a user from a group while not logged in. #. TRANS: Client error displayed trying a change a subscription while not logged in. #. TRANS: Client error message thrown when trying to access the admin panel while not logged in. -#: actions/deletenotice.php:50 actions/disfavor.php:61 actions/favor.php:62 +#: actions/deletenotice.php:52 actions/disfavor.php:61 actions/favor.php:62 #: actions/groupblock.php:61 actions/groupunblock.php:60 actions/logout.php:69 #: actions/makeadmin.php:61 actions/newmessage.php:87 actions/newnotice.php:88 #: actions/nudge.php:63 actions/subedit.php:33 actions/subscribe.php:96 @@ -1517,11 +1539,13 @@ msgstr "Elimina questo utente" msgid "Not logged in." msgstr "Accesso non effettuato." -#: actions/deletenotice.php:74 +#. TRANS: Error message displayed trying to delete a notice that was not made by the current user. +#: actions/deletenotice.php:78 msgid "Can't delete this notice." msgstr "Impossibile eliminare questo messaggio." -#: actions/deletenotice.php:106 +#. TRANS: Instructions for deleting a notice. +#: actions/deletenotice.php:110 msgid "" "You are about to permanently delete a notice. Once this is done, it cannot " "be undone." @@ -1529,21 +1553,24 @@ msgstr "" "Stai per eliminare definitivamente un messaggio. Una volta fatto non sarà " "possibile recuperarlo." -#: actions/deletenotice.php:112 actions/deletenotice.php:144 +#. TRANS: Page title when deleting a notice. +#. TRANS: Fieldset legend for the delete notice form. +#: actions/deletenotice.php:117 actions/deletenotice.php:148 msgid "Delete notice" msgstr "Elimina messaggio" -#: actions/deletenotice.php:147 +#. TRANS: Message for the delete notice form. +#: actions/deletenotice.php:152 msgid "Are you sure you want to delete this notice?" msgstr "Vuoi eliminare questo messaggio?" #. TRANS: Submit button title for 'No' when deleting a notice. -#: actions/deletenotice.php:154 +#: actions/deletenotice.php:159 msgid "Do not delete this notice" msgstr "Non eliminare il messaggio" #. TRANS: Submit button title for 'Yes' when deleting a notice. -#: actions/deletenotice.php:161 lib/noticelist.php:667 +#: actions/deletenotice.php:166 lib/noticelist.php:667 msgid "Delete this notice" msgstr "Elimina questo messaggio" @@ -1707,11 +1734,9 @@ msgstr "Reimposta i valori predefiniti" #. TRANS: Submit button title. #: actions/designadminpanel.php:711 actions/licenseadminpanel.php:319 -#: actions/othersettings.php:126 actions/sessionsadminpanel.php:199 -#: actions/siteadminpanel.php:292 actions/sitenoticeadminpanel.php:195 +#: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:292 #: actions/snapshotadminpanel.php:245 actions/tagother.php:154 -#: actions/useradminpanel.php:295 lib/applicationeditform.php:357 -#: lib/designsettings.php:256 lib/groupeditform.php:202 +#: lib/applicationeditform.php:357 lib/designsettings.php:256 msgid "Save" msgstr "Salva" @@ -1759,9 +1784,9 @@ msgid "Name is required." msgstr "Il nome è richiesto." #. TRANS: Validation error shown when providing too long a name in the "Edit application" form. -#: actions/editapplication.php:188 +#: actions/editapplication.php:188 actions/newapplication.php:169 #, fuzzy -msgid "Name is too long (max 255 characters)." +msgid "Name is too long (maximum 255 characters)." msgstr "Il nome è troppo lungo (max 255 caratteri)." #. TRANS: Validation error shown when providing a name for an application that already exists in the "Edit application" form. @@ -1790,7 +1815,7 @@ msgid "Organization is required." msgstr "L'organizzazione è richiesta." #. TRANS: Validation error shown when providing too long an arganisation name in the "Edit application" form. -#: actions/editapplication.php:223 +#: actions/editapplication.php:223 actions/newapplication.php:199 #, fuzzy msgid "Organization is too long (maximum 255 characters)." msgstr "L'organizzazione è troppo lunga (max 255 caratteri)." @@ -2592,7 +2617,7 @@ msgid "Publish a MicroID for my Jabber/GTalk address." msgstr "Pubblica un MicroID per il mio indirizzo Jabber/GTalk" #. TRANS: Confirmation message for successful IM preferences save. -#: actions/imsettings.php:290 actions/othersettings.php:180 +#: actions/imsettings.php:290 actions/othersettings.php:190 msgid "Preferences saved." msgstr "Preferenze salvate." @@ -2717,10 +2742,9 @@ msgstr[1] "Hai già un abbonamento a questi utenti:" #. TRANS: Used as list item for already subscribed users (%1$s is nickname, %2$s is e-mail address). #. TRANS: Used as list item for already registered people (%1$s is nickname, %2$s is e-mail address). -#. TRANS: Whois output. -#. TRANS: %1$s nickname of the queried user, %2$s is their profile URL. -#: actions/invite.php:145 actions/invite.php:159 lib/command.php:426 -#, php-format +#: actions/invite.php:145 actions/invite.php:159 +#, fuzzy, php-format +msgctxt "INVITE" msgid "%1$s (%2$s)" msgstr "%1$s (%2$s)" @@ -2907,7 +2931,8 @@ msgstr "" "licenza \"Tutti i diritti riservati\"." #: actions/licenseadminpanel.php:156 -msgid "Invalid license title. Max length is 255 characters." +#, fuzzy +msgid "Invalid license title. Maximum length is 255 characters." msgstr "Titolo della licenza non valido. Lunghezza massima 255 caratteri." #: actions/licenseadminpanel.php:168 @@ -3080,20 +3105,10 @@ msgstr "Devi eseguire l'accesso per registrare un'applicazione." msgid "Use this form to register a new application." msgstr "Usa questo modulo per registrare un'applicazione." -#: actions/newapplication.php:169 -#, fuzzy -msgid "Name is too long (maximum 255 chars)." -msgstr "Il nome è troppo lungo (max 255 caratteri)." - #: actions/newapplication.php:184 msgid "Source URL is required." msgstr "L'URL sorgente è richiesto." -#: actions/newapplication.php:199 -#, fuzzy -msgid "Organization is too long (maximum 255 chars)." -msgstr "L'organizzazione è troppo lunga (max 255 caratteri)." - #: actions/newapplication.php:266 actions/newapplication.php:275 msgid "Could not create application." msgstr "Impossibile creare l'applicazione." @@ -3113,14 +3128,14 @@ msgid "New message" msgstr "Nuovo messaggio" #. TRANS: Error text shown when trying to send a direct message to a user without a mutual subscription (each user must be subscribed to the other). -#: actions/newmessage.php:121 actions/newmessage.php:164 lib/command.php:499 +#: actions/newmessage.php:121 actions/newmessage.php:164 lib/command.php:501 msgid "You can't send a message to this user." msgstr "Non puoi inviare un messaggio a questo utente." #. TRANS: Command exception text shown when trying to send a direct message to another user without content. #. TRANS: Command exception text shown when trying to reply to a notice without providing content for the reply. #: actions/newmessage.php:144 actions/newnotice.php:140 lib/command.php:478 -#: lib/command.php:579 +#: lib/command.php:581 msgid "No content!" msgstr "Nessun contenuto!" @@ -3129,7 +3144,7 @@ msgid "No recipient specified." msgstr "Nessun destinatario specificato." #. TRANS: Error text shown when trying to send a direct message to self. -#: actions/newmessage.php:167 lib/command.php:503 +#: actions/newmessage.php:167 lib/command.php:505 msgid "" "Don't send a message to yourself; just say it to yourself quietly instead." msgstr "Non inviarti un messaggio, piuttosto ripetilo a voce dolcemente." @@ -3140,12 +3155,12 @@ msgstr "Messaggio inviato" #. TRANS: Message given have sent a direct message to another user. #. TRANS: %s is the name of the other user. -#: actions/newmessage.php:188 lib/command.php:511 +#: actions/newmessage.php:188 lib/command.php:513 #, php-format msgid "Direct message to %s sent." msgstr "Messaggio diretto a %s inviato." -#: actions/newmessage.php:213 actions/newnotice.php:263 +#: actions/newmessage.php:213 actions/newnotice.php:264 msgid "Ajax Error" msgstr "Errore di Ajax" @@ -3153,18 +3168,7 @@ msgstr "Errore di Ajax" msgid "New notice" msgstr "Nuovo messaggio" -#: actions/newnotice.php:159 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/newnotice.php:183 -#, php-format -msgid "Max notice size is %d chars, including attachment URL." -msgstr "" -"La dimensione massima di un messaggio è di %d caratteri, compreso l'URL." - -#: actions/newnotice.php:229 +#: actions/newnotice.php:230 msgid "Notice posted" msgstr "Messaggio inviato" @@ -3334,36 +3338,46 @@ msgstr "Cerca persone" msgid "Notice Search" msgstr "Cerca messaggi" -#: actions/othersettings.php:60 +#: actions/othersettings.php:59 msgid "Other settings" msgstr "Altre impostazioni" +#. TRANS: Instructions for tab "Other" in user profile settings. #: actions/othersettings.php:71 msgid "Manage various other options." msgstr "Gestisci altre opzioni." -#: actions/othersettings.php:108 +#. TRANS: Used as a suffix for free URL shorteners in a dropdown list in the tab "Other" of a +#. TRANS: user's profile settings. This message has one space at the beginning. Use your +#. TRANS: language's word separator here if it has one (most likely a single space). +#: actions/othersettings.php:111 msgid " (free service)" msgstr " (servizio libero)" -#: actions/othersettings.php:116 +#. TRANS: Label for dropdown with URL shortener services. +#: actions/othersettings.php:120 msgid "Shorten URLs with" msgstr "Accorcia gli URL con" -#: actions/othersettings.php:117 +#. TRANS: Tooltip for for dropdown with URL shortener services. +#: actions/othersettings.php:122 msgid "Automatic shortening service to use." msgstr "Servizio di autoriduzione da usare" -#: actions/othersettings.php:122 +#. TRANS: Label for checkbox. +#: actions/othersettings.php:128 msgid "View profile designs" msgstr "Visualizza aspetto" -#: actions/othersettings.php:123 +#. TRANS: Tooltip for checkbox. +#: actions/othersettings.php:130 msgid "Show or hide profile designs." msgstr "Mostra o nasconde gli aspetti del profilo" -#: actions/othersettings.php:153 -msgid "URL shortening service is too long (max 50 chars)." +#. TRANS: Form validation error for form "Other settings" in user profile. +#: actions/othersettings.php:162 +#, fuzzy +msgid "URL shortening service is too long (maximum 50 characters)." msgstr "Il servizio di riduzione degli URL è troppo lungo (max 50 caratteri)." #: actions/otp.php:69 @@ -3856,7 +3870,7 @@ msgstr "Biografia" #. TRANS: Label for group location (dt). Text hidden by default. #: actions/profilesettings.php:149 actions/register.php:485 #: actions/showgroup.php:267 actions/tagother.php:112 -#: actions/userauthorization.php:166 lib/groupeditform.php:177 +#: actions/userauthorization.php:166 lib/groupeditform.php:180 #: lib/userprofile.php:165 msgid "Location" msgstr "Ubicazione" @@ -4194,7 +4208,8 @@ msgid "Unexpected password reset." msgstr "Ripristino della password inaspettato." #: actions/recoverpassword.php:365 -msgid "Password must be 6 chars or more." +#, fuzzy +msgid "Password must be 6 characters or more." msgstr "La password deve essere lunga almeno 6 caratteri." #: actions/recoverpassword.php:369 @@ -4571,7 +4586,7 @@ msgstr "Organizzazione" #. TRANS: Form input field label. #: actions/showapplication.php:187 actions/version.php:200 -#: lib/applicationeditform.php:208 lib/groupeditform.php:172 +#: lib/applicationeditform.php:208 lib/groupeditform.php:175 msgid "Description" msgstr "Descrizione" @@ -4721,7 +4736,7 @@ msgid "Note" msgstr "Nota" #. TRANS: Label for group aliases (dt). Text hidden by default. -#: actions/showgroup.php:298 lib/groupeditform.php:184 +#: actions/showgroup.php:298 lib/groupeditform.php:187 msgid "Aliases" msgstr "Alias" @@ -4853,47 +4868,67 @@ msgstr "Messaggio da %1$s su %2$s" msgid "Notice deleted." msgstr "Messaggio eliminato." -#: actions/showstream.php:72 -#, php-format -msgid " tagged %s" -msgstr " etichettati con %s" +#. TRANS: Page title showing tagged notices in one user's stream. %1$s is the username, %2$s is the hash tag. +#: actions/showstream.php:70 +#, fuzzy, php-format +msgid "%1$s tagged %2$s" +msgstr "%1$s, pagina %2$d" -#: actions/showstream.php:78 +#. TRANS: Page title showing tagged notices in one user's stream. +#. TRANS: %1$s is the username, %2$s is the hash tag, %1$d is the page number. +#: actions/showstream.php:74 +#, fuzzy, php-format +msgid "%1$s tagged %2$s, page %3$d" +msgstr "Messaggi etichettati con %1$s, pagina %2$d" + +#. TRANS: Extended page title showing tagged notices in one user's stream. +#. TRANS: %1$s is the username, %2$d is the page number. +#: actions/showstream.php:82 #, php-format msgid "%1$s, page %2$d" msgstr "%1$s, pagina %2$d" -#: actions/showstream.php:120 +#. TRANS: Title for link to notice feed. +#. TRANS: %1$s is a user nickname, %2$s is a hashtag. +#: actions/showstream.php:127 #, php-format msgid "Notice feed for %1$s tagged %2$s (RSS 1.0)" msgstr "Feed dei messaggi per %1$s etichettati con %2$s (RSS 1.0)" -#: actions/showstream.php:127 +#. TRANS: Title for link to notice feed. +#. TRANS: %s is a user nickname. +#: actions/showstream.php:136 #, php-format msgid "Notice feed for %s (RSS 1.0)" msgstr "Feed dei messaggi per %s (RSS 1.0)" -#: actions/showstream.php:134 +#. TRANS: Title for link to notice feed. +#. TRANS: %s is a user nickname. +#: actions/showstream.php:145 #, php-format msgid "Notice feed for %s (RSS 2.0)" msgstr "Feed dei messaggi per %s (RSS 2.0)" -#: actions/showstream.php:141 +#: actions/showstream.php:152 #, php-format msgid "Notice feed for %s (Atom)" msgstr "Feed dei messaggi per %s (Atom)" -#: actions/showstream.php:146 +#. TRANS: Title for link to notice feed. FOAF stands for Friend of a Friend. +#. TRANS: More information at http://www.foaf-project.org. %s is a user nickname. +#: actions/showstream.php:159 #, php-format msgid "FOAF for %s" msgstr "FOAF per %s" -#: actions/showstream.php:197 -#, php-format -msgid "This is the timeline for %1$s but %2$s hasn't posted anything yet." +#. TRANS: First sentence of empty list message for a stream. $1%s is a user nickname. +#: actions/showstream.php:211 +#, fuzzy, php-format +msgid "This is the timeline for %1$s, but %1$s hasn't posted anything yet." msgstr "Questa è l'attività di %1$s, ma %2$s non ha ancora scritto nulla." -#: actions/showstream.php:202 +#. TRANS: Second sentence of empty list message for a stream for the user themselves. +#: actions/showstream.php:217 msgid "" "Seen anything interesting recently? You haven't posted any notices yet, now " "would be a good time to start :)" @@ -4901,7 +4936,9 @@ msgstr "" "Visto niente di interessante? Non hai scritto ancora alcun messaggio, questo " "potrebbe essere un buon momento per iniziare! :)" -#: actions/showstream.php:204 +#. TRANS: Second sentence of empty list message for a non-self stream. %1$s is a user nickname, %2$s is a part of a URL. +#. TRANS: This message contains a Markdown link. Keep "](" together. +#: actions/showstream.php:221 #, php-format msgid "" "You can try to nudge %1$s or [post something to them](%%%%action.newnotice%%%" @@ -4910,7 +4947,9 @@ msgstr "" "[Scrivi qualche cosa](%%%%action.newnotice%%%%?status_textarea=%s) su questo " "argomento!" -#: actions/showstream.php:243 +#. TRANS: Announcement for anonymous users showing a stream if site registrations are open. +#. TRANS: This message contains a Markdown link. Keep "](" together. +#: actions/showstream.php:264 #, php-format msgid "" "**%s** has an account on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -4924,7 +4963,9 @@ msgstr "" "i messaggi di **%s** e di molti altri! ([Maggiori informazioni](%%%%doc.help%" "%%%))" -#: actions/showstream.php:248 +#. TRANS: Announcement for anonymous users showing a stream if site registrations are closed or invite only. +#. TRANS: This message contains a Markdown link. Keep "](" together. +#: actions/showstream.php:271 #, php-format msgid "" "**%s** has an account on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -4935,7 +4976,8 @@ msgstr "" "it.wikipedia.org/wiki/Microblogging) basato sul software libero [StatusNet]" "(http://status.net/). " -#: actions/showstream.php:305 +#. TRANS: Link to the author of a repeated notice. %s is a linked nickname. +#: actions/showstream.php:328 #, php-format msgid "Repeat of %s" msgstr "Ripetizione di %s" @@ -5049,31 +5091,40 @@ msgstr "" "Quanto tempo gli utenti devono attendere (in secondi) prima di inviare " "nuovamente lo stesso messaggio" -#: actions/sitenoticeadminpanel.php:56 +#. TRANS: Page title for site-wide notice tab in admin panel. +#: actions/sitenoticeadminpanel.php:55 msgid "Site Notice" msgstr "Messaggio del sito" -#: actions/sitenoticeadminpanel.php:67 +#. TRANS: Instructions for site-wide notice tab in admin panel. +#: actions/sitenoticeadminpanel.php:66 msgid "Edit site-wide message" msgstr "Modifica il messaggio del sito" -#: actions/sitenoticeadminpanel.php:103 +#. TRANS: Server error displayed when saving a site-wide notice was impossible. +#: actions/sitenoticeadminpanel.php:101 msgid "Unable to save site notice." msgstr "Impossibile salvare il messaggio del sito." -#: actions/sitenoticeadminpanel.php:113 -msgid "Max length for the site-wide notice is 255 chars." +#. TRANS: Client error displayed when a site-wide notice was longer than allowed. +#: actions/sitenoticeadminpanel.php:112 +#, fuzzy +msgid "Maximum length for the site-wide notice is 255 characters." msgstr "La dimensione massima del messaggio del sito è di 255 caratteri." +#. TRANS: Label for site-wide notice text field in admin panel. #: actions/sitenoticeadminpanel.php:176 msgid "Site notice text" msgstr "Testo messaggio del sito" -#: actions/sitenoticeadminpanel.php:178 -msgid "Site-wide notice text (255 chars max; HTML okay)" +#. TRANS: Tooltip for site-wide notice text field in admin panel. +#: actions/sitenoticeadminpanel.php:179 +#, fuzzy +msgid "Site-wide notice text (255 characters maximum; HTML allowed)" msgstr "Testo messaggio del sito (massimo 255 caratteri, HTML consentito)" -#: actions/sitenoticeadminpanel.php:198 +#. TRANS: Title for button to save site notice in admin panel. +#: actions/sitenoticeadminpanel.php:201 msgid "Save site notice" msgstr "Salva messaggio" @@ -5540,76 +5591,94 @@ msgstr "" "licenza \"%2$s\" di questo sito." #. TRANS: User admin panel title -#: actions/useradminpanel.php:60 +#: actions/useradminpanel.php:58 msgctxt "TITLE" msgid "User" msgstr "Utente" -#: actions/useradminpanel.php:71 +#. TRANS: Instruction for user admin panel. +#: actions/useradminpanel.php:69 msgid "User settings for this StatusNet site" msgstr "Impostazioni utente per questo sito StatusNet" -#: actions/useradminpanel.php:150 +#. TRANS: Form validation error in user admin panel when a non-numeric character limit was set. +#: actions/useradminpanel.php:147 msgid "Invalid bio limit. Must be numeric." msgstr "Limite per la biografia non valido. Deve essere numerico." -#: actions/useradminpanel.php:156 -msgid "Invalid welcome text. Max length is 255 characters." +#. TRANS: Form validation error in user admin panel when welcome text is too long. +#: actions/useradminpanel.php:154 +#, fuzzy +msgid "Invalid welcome text. Maximum length is 255 characters." msgstr "" "Testo di benvenuto non valido. La lunghezza massima è di 255 caratteri." +#. TRANS: Client error displayed when trying to set a non-existing user as default subscription for new +#. TRANS: users in user admin panel. %1$s is the invalid nickname. #: actions/useradminpanel.php:166 -#, php-format -msgid "Invalid default subscripton: '%1$s' is not user." +#, fuzzy, php-format +msgid "Invalid default subscripton: '%1$s' is not a user." msgstr "Abbonamento predefinito non valido: \"%1$s\" non è un utente." #. TRANS: Link description in user account settings menu. -#: actions/useradminpanel.php:219 lib/accountsettingsaction.php:106 +#: actions/useradminpanel.php:215 lib/accountsettingsaction.php:106 #: lib/personalgroupnav.php:109 msgid "Profile" msgstr "Profilo" -#: actions/useradminpanel.php:223 +#. TRANS: Field label in user admin panel for setting the character limit for the bio field. +#: actions/useradminpanel.php:220 msgid "Bio Limit" msgstr "Limite biografia" -#: actions/useradminpanel.php:224 +#. TRANS: Tooltip in user admin panel for setting the character limit for the bio field. +#: actions/useradminpanel.php:222 msgid "Maximum length of a profile bio in characters." msgstr "Lunghezza massima in caratteri della biografia" -#: actions/useradminpanel.php:232 +#. TRANS: Form legend in user admin panel. +#: actions/useradminpanel.php:231 msgid "New users" msgstr "Nuovi utenti" +#. TRANS: Field label in user admin panel for setting new user welcome text. #: actions/useradminpanel.php:236 msgid "New user welcome" msgstr "Messaggio per nuovi utenti" -#: actions/useradminpanel.php:237 -msgid "Welcome text for new users (Max 255 chars)." +#. TRANS: Tooltip in user admin panel for setting new user welcome text. +#: actions/useradminpanel.php:238 +#, fuzzy +msgid "Welcome text for new users (maximum 255 characters)." msgstr "Messaggio di benvenuto per nuovi utenti (max 255 caratteri)" -#: actions/useradminpanel.php:242 +#. TRANS: Field label in user admin panel for setting default subscription for new users. +#: actions/useradminpanel.php:244 msgid "Default subscription" msgstr "Abbonamento predefinito" -#: actions/useradminpanel.php:243 +#. TRANS: Tooltip in user admin panel for setting default subscription for new users. +#: actions/useradminpanel.php:246 msgid "Automatically subscribe new users to this user." msgstr "Abbonare automaticamente i nuovi utenti a questo utente" -#: actions/useradminpanel.php:252 +#. TRANS: Form legend in user admin panel. +#: actions/useradminpanel.php:256 msgid "Invitations" msgstr "Inviti" -#: actions/useradminpanel.php:257 +#. TRANS: Field label for checkbox in user admin panel for allowing users to invite friend using site e-mail. +#: actions/useradminpanel.php:262 msgid "Invitations enabled" msgstr "Inviti abilitati" -#: actions/useradminpanel.php:259 +#. TRANS: Tooltip for checkbox in user admin panel for allowing users to invite friend using site e-mail. +#: actions/useradminpanel.php:265 msgid "Whether to allow users to invite new users." msgstr "Indica se consentire agli utenti di invitarne di nuovi" -#: actions/useradminpanel.php:295 +#. TRANS: Title for button to save user settings in user admin panel. +#: actions/useradminpanel.php:302 msgid "Save user settings" msgstr "Salva impostazioni utente" @@ -5819,7 +5888,7 @@ msgid "Plugins" msgstr "Plugin" #. TRANS: Secondary navigation menu option leading to version information on the StatusNet site. -#: actions/version.php:198 lib/action.php:831 +#: actions/version.php:198 lib/action.php:880 msgid "Version" msgstr "Versione" @@ -6030,9 +6099,16 @@ msgstr "Impossibile salvare le informazioni del gruppo locale." msgid "RT @%1$s %2$s" msgstr "RT @%1$s %2$s" +#. TRANS: Full name of a profile or group followed by nickname in parens +#: classes/Profile.php:164 +#, fuzzy, php-format +msgctxt "FANCYNAME" +msgid "%1$s (%2$s)" +msgstr "%1$s (%2$s)" + #. TRANS: Exception thrown when trying to revoke an existing role for a user that does not exist. #. TRANS: %1$s is the role name, %2$s is the user ID (number). -#: classes/Profile.php:791 +#: classes/Profile.php:812 #, php-format msgid "Cannot revoke role \"%1$s\" for user #%2$d; does not exist." msgstr "" @@ -6040,7 +6116,7 @@ msgstr "" #. TRANS: Exception thrown when trying to revoke a role for a user with a failing database query. #. TRANS: %1$s is the role name, %2$s is the user ID (number). -#: classes/Profile.php:800 +#: classes/Profile.php:821 #, php-format msgid "Cannot revoke role \"%1$s\" for user #%2$d; database error." msgstr "" @@ -6187,194 +6263,201 @@ msgstr "%1$s - %2$s" msgid "Untitled page" msgstr "Pagina senza nome" +#. TRANS: Localized tooltip for '...' expansion button on overlong remote messages. +#: lib/action.php:310 +msgctxt "TOOLTIP" +msgid "Show more" +msgstr "" + #. TRANS: DT element for primary navigation menu. String is hidden in default CSS. -#: lib/action.php:477 +#: lib/action.php:526 msgid "Primary site navigation" msgstr "Esplorazione sito primaria" #. TRANS: Tooltip for main menu option "Personal" -#: lib/action.php:483 +#: lib/action.php:532 msgctxt "TOOLTIP" msgid "Personal profile and friends timeline" msgstr "Profilo personale e attività degli amici" #. TRANS: Main menu option when logged in for access to personal profile and friends timeline -#: lib/action.php:486 +#: lib/action.php:535 msgctxt "MENU" msgid "Personal" msgstr "Personale" #. TRANS: Tooltip for main menu option "Account" -#: lib/action.php:488 +#: lib/action.php:537 msgctxt "TOOLTIP" msgid "Change your email, avatar, password, profile" msgstr "Modifica la tua email, immagine, password o il tuo profilo" #. TRANS: Main menu option when logged in for access to user settings -#: lib/action.php:491 +#: lib/action.php:540 msgid "Account" msgstr "Account" #. TRANS: Tooltip for main menu option "Services" -#: lib/action.php:493 +#: lib/action.php:542 msgctxt "TOOLTIP" msgid "Connect to services" msgstr "Connettiti con altri servizi" #. TRANS: Main menu option when logged in and connection are possible for access to options to connect to other services -#: lib/action.php:496 +#: lib/action.php:545 msgid "Connect" msgstr "Connetti" #. TRANS: Tooltip for menu option "Admin" -#: lib/action.php:499 +#: lib/action.php:548 msgctxt "TOOLTIP" msgid "Change site configuration" msgstr "Modifica la configurazione del sito" #. TRANS: Main menu option when logged in and site admin for access to site configuration #. TRANS: Menu item in the group navigation page. Only shown for group administrators. -#: lib/action.php:502 lib/groupnav.php:117 +#: lib/action.php:551 lib/groupnav.php:117 msgctxt "MENU" msgid "Admin" msgstr "Amministra" #. TRANS: Tooltip for main menu option "Invite" -#: lib/action.php:506 +#: lib/action.php:555 #, php-format msgctxt "TOOLTIP" msgid "Invite friends and colleagues to join you on %s" msgstr "Invita amici e colleghi a seguirti su %s" #. TRANS: Main menu option when logged in and invitations are allowed for inviting new users -#: lib/action.php:509 +#: lib/action.php:558 msgctxt "MENU" msgid "Invite" msgstr "Invita" #. TRANS: Tooltip for main menu option "Logout" -#: lib/action.php:515 +#: lib/action.php:564 msgctxt "TOOLTIP" msgid "Logout from the site" msgstr "Termina la tua sessione sul sito" #. TRANS: Main menu option when logged in to log out the current user -#: lib/action.php:518 +#: lib/action.php:567 msgctxt "MENU" msgid "Logout" msgstr "Esci" #. TRANS: Tooltip for main menu option "Register" -#: lib/action.php:523 +#: lib/action.php:572 msgctxt "TOOLTIP" msgid "Create an account" msgstr "Crea un account" #. TRANS: Main menu option when not logged in to register a new account -#: lib/action.php:526 +#: lib/action.php:575 msgctxt "MENU" msgid "Register" msgstr "Registrati" #. TRANS: Tooltip for main menu option "Login" -#: lib/action.php:529 +#: lib/action.php:578 msgctxt "TOOLTIP" msgid "Login to the site" msgstr "Accedi al sito" #. TRANS: Main menu option when not logged in to log in -#: lib/action.php:532 +#: lib/action.php:581 msgctxt "MENU" msgid "Login" msgstr "Accedi" #. TRANS: Tooltip for main menu option "Help" -#: lib/action.php:535 +#: lib/action.php:584 msgctxt "TOOLTIP" msgid "Help me!" msgstr "Aiutami!" #. TRANS: Main menu option for help on the StatusNet site -#: lib/action.php:538 +#: lib/action.php:587 msgctxt "MENU" msgid "Help" msgstr "Aiuto" #. TRANS: Tooltip for main menu option "Search" -#: lib/action.php:541 +#: lib/action.php:590 msgctxt "TOOLTIP" msgid "Search for people or text" msgstr "Cerca persone o del testo" #. TRANS: Main menu option when logged in or when the StatusNet instance is not private -#: lib/action.php:544 +#: lib/action.php:593 msgctxt "MENU" msgid "Search" msgstr "Cerca" #. TRANS: DT element for site notice. String is hidden in default CSS. #. TRANS: Menu item for site administration -#: lib/action.php:566 lib/adminpanelaction.php:387 +#: lib/action.php:615 lib/adminpanelaction.php:387 msgid "Site notice" msgstr "Messaggio del sito" #. TRANS: DT element for local views block. String is hidden in default CSS. -#: lib/action.php:633 +#: lib/action.php:682 msgid "Local views" msgstr "Viste locali" #. TRANS: DT element for page notice. String is hidden in default CSS. -#: lib/action.php:703 +#: lib/action.php:752 msgid "Page notice" msgstr "Pagina messaggio" #. TRANS: DT element for secondary navigation menu. String is hidden in default CSS. -#: lib/action.php:804 +#: lib/action.php:853 msgid "Secondary site navigation" msgstr "Esplorazione secondaria del sito" #. TRANS: Secondary navigation menu option leading to help on StatusNet. -#: lib/action.php:810 +#: lib/action.php:859 msgid "Help" msgstr "Aiuto" #. TRANS: Secondary navigation menu option leading to text about StatusNet site. -#: lib/action.php:813 +#: lib/action.php:862 msgid "About" msgstr "Informazioni" #. TRANS: Secondary navigation menu option leading to Frequently Asked Questions. -#: lib/action.php:816 +#: lib/action.php:865 msgid "FAQ" msgstr "FAQ" #. TRANS: Secondary navigation menu option leading to Terms of Service. -#: lib/action.php:821 +#: lib/action.php:870 msgid "TOS" msgstr "TOS" #. TRANS: Secondary navigation menu option leading to privacy policy. -#: lib/action.php:825 +#: lib/action.php:874 msgid "Privacy" msgstr "Privacy" -#. TRANS: Secondary navigation menu option. -#: lib/action.php:828 +#. TRANS: Secondary navigation menu option. Leads to information about StatusNet and its license. +#: lib/action.php:877 msgid "Source" msgstr "Sorgenti" -#. TRANS: Secondary navigation menu option leading to contact information on the StatusNet site. -#: lib/action.php:834 +#. TRANS: Secondary navigation menu option leading to e-mail contact information on the +#. TRANS: StatusNet site, where to report bugs, ... +#: lib/action.php:884 msgid "Contact" msgstr "Contatti" -#. TRANS: Secondary navigation menu option. -#: lib/action.php:837 +#. TRANS: Secondary navigation menu option. Leads to information about embedding a timeline widget. +#: lib/action.php:887 msgid "Badge" msgstr "Badge" #. TRANS: DT element for StatusNet software license. -#: lib/action.php:866 +#: lib/action.php:916 msgid "StatusNet software license" msgstr "Licenza del software StatusNet" @@ -6382,7 +6465,7 @@ msgstr "Licenza del software StatusNet" #. TRANS: Text between [] is a link description, text between () is the link itself. #. TRANS: Make sure there is no whitespace between "]" and "(". #. TRANS: "%%site.broughtby%%" is the value of the variable site.broughtby -#: lib/action.php:873 +#: lib/action.php:923 #, php-format msgid "" "**%%site.name%%** is a microblogging service brought to you by [%%site." @@ -6392,7 +6475,7 @@ msgstr "" "(%%site.broughtbyurl%%)." #. TRANS: First sentence of the StatusNet site license. Used if 'broughtby' is not set. -#: lib/action.php:876 +#: lib/action.php:926 #, php-format msgid "**%%site.name%%** is a microblogging service." msgstr "**%%site.name%%** è un servizio di microblog." @@ -6401,7 +6484,7 @@ msgstr "**%%site.name%%** è un servizio di microblog." #. TRANS: Make sure there is no whitespace between "]" and "(". #. TRANS: Text between [] is a link description, text between () is the link itself. #. TRANS: %s is the version of StatusNet that is being used. -#: lib/action.php:883 +#: lib/action.php:933 #, php-format msgid "" "It runs the [StatusNet](http://status.net/) microblogging software, version %" @@ -6413,27 +6496,27 @@ msgstr "" "(http://www.fsf.org/licensing/licenses/agpl-3.0.html)." #. TRANS: DT element for StatusNet site content license. -#: lib/action.php:899 +#: lib/action.php:949 msgid "Site content license" msgstr "Licenza del contenuto del sito" #. TRANS: Content license displayed when license is set to 'private'. #. TRANS: %1$s is the site name. -#: lib/action.php:906 +#: lib/action.php:956 #, 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." #. TRANS: Content license displayed when license is set to 'allrightsreserved'. #. TRANS: %1$s is the copyright owner. -#: lib/action.php:913 +#: lib/action.php:963 #, 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." #. TRANS: Content license displayed when license is set to 'allrightsreserved' and no owner is set. -#: lib/action.php:917 +#: lib/action.php:967 msgid "Content and data copyright by contributors. All rights reserved." msgstr "" "I contenuti e i dati sono forniti dai collaboratori. Tutti i diritti " @@ -6441,7 +6524,7 @@ msgstr "" #. TRANS: license message in footer. #. TRANS: %1$s is the site name, %2$s is a link to the license URL, with a licence name set in configuration. -#: lib/action.php:949 +#: lib/action.php:999 #, php-format msgid "All %1$s content and data are available under the %2$s license." msgstr "" @@ -6449,19 +6532,19 @@ msgstr "" "licenza %2$s." #. TRANS: DT element for pagination (previous/next, etc.). -#: lib/action.php:1285 +#: lib/action.php:1335 msgid "Pagination" msgstr "Paginazione" #. TRANS: Pagination message to go to a page displaying information more in the #. TRANS: present than the currently displayed information. -#: lib/action.php:1296 +#: lib/action.php:1346 msgid "After" msgstr "Successivi" #. TRANS: Pagination message to go to a page displaying information more in the #. TRANS: past than the currently displayed information. -#: lib/action.php:1306 +#: lib/action.php:1356 msgid "Before" msgstr "Precedenti" @@ -6807,7 +6890,7 @@ msgid "AJAX error" msgstr "Errore di Ajax" #. TRANS: E-mail subject when a command has completed. -#: lib/channel.php:233 lib/mailhandler.php:142 +#: lib/channel.php:233 lib/mailhandler.php:143 msgid "Command complete" msgstr "Comando completato" @@ -6823,7 +6906,7 @@ msgstr "Un messaggio con quel ID non esiste." #. TRANS: Command exception text shown when a last user notice is requested and it does not exist. #. TRANS: Error text shown when a last user notice is requested and it does not exist. -#: lib/command.php:99 lib/command.php:626 +#: lib/command.php:99 lib/command.php:630 msgid "User has no last notice." msgstr "L'utente non ha un ultimo messaggio." @@ -6892,6 +6975,14 @@ msgstr "L'utente %1$s è entrato nel gruppo %2$s." msgid "%1$s left group %2$s." msgstr "%1$s ha lasciato il gruppo %2$s." +#. TRANS: Whois output. +#. TRANS: %1$s nickname of the queried user, %2$s is their profile URL. +#: lib/command.php:426 +#, fuzzy, php-format +msgctxt "WHOIS" +msgid "%1$s (%2$s)" +msgstr "%1$s (%2$s)" + #. TRANS: Whois output. %s is the full name of the queried user. #: lib/command.php:430 #, php-format @@ -6931,113 +7022,117 @@ msgstr "" "%s è un profilo remoto. È possibile inviare messaggi privati solo agli " "utenti sullo stesso server." -#. TRANS: Message given if content is too long. +#. TRANS: Message given if content is too long. %1$sd is used for plural. #. TRANS: %1$d is the maximum number of characters, %2$d is the number of submitted characters. #: lib/command.php:488 -#, 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." +#, fuzzy, php-format +msgid "Message too long - maximum is %1$d character, you sent %2$d." +msgid_plural "Message too long - maximum is %1$d characters, you sent %2$d." +msgstr[0] "Messaggio troppo lungo: massimo %1$d caratteri, inviati %2$d." +msgstr[1] "Messaggio troppo lungo: massimo %1$d caratteri, inviati %2$d." #. TRANS: Error text shown sending a direct message fails with an unknown reason. -#: lib/command.php:514 +#: lib/command.php:516 msgid "Error sending direct message." msgstr "Errore nell'inviare il messaggio diretto." #. TRANS: Message given having repeated a notice from another user. #. TRANS: %s is the name of the user for which the notice was repeated. -#: lib/command.php:551 +#: lib/command.php:553 #, php-format msgid "Notice from %s repeated." msgstr "Messaggio da %s ripetuto." #. TRANS: Error text shown when repeating a notice fails with an unknown reason. -#: lib/command.php:554 +#: lib/command.php:556 msgid "Error repeating notice." msgstr "Errore nel ripetere il messaggio." -#. TRANS: Message given if content of a notice for a reply is too long. +#. TRANS: Message given if content of a notice for a reply is too long. %1$d is used for plural. #. TRANS: %1$d is the maximum number of characters, %2$d is the number of submitted characters. -#: lib/command.php:589 -#, php-format -msgid "Notice too long - maximum is %1$d characters, you sent %2$d." -msgstr "Messaggio troppo lungo: massimo %1$d caratteri, inviati %2$d." +#: lib/command.php:591 +#, fuzzy, php-format +msgid "Notice too long - maximum is %1$d character, you sent %2$d." +msgid_plural "Notice too long - maximum is %1$d characters, you sent %2$d." +msgstr[0] "Messaggio troppo lungo: massimo %1$d caratteri, inviati %2$d." +msgstr[1] "Messaggio troppo lungo: massimo %1$d caratteri, inviati %2$d." #. TRANS: Text shown having sent a reply to a notice successfully. #. TRANS: %s is the nickname of the user of the notice the reply was sent to. -#: lib/command.php:600 +#: lib/command.php:604 #, php-format msgid "Reply to %s sent." msgstr "Risposta a %s inviata." #. TRANS: Error text shown when a reply to a notice fails with an unknown reason. -#: lib/command.php:603 +#: lib/command.php:607 msgid "Error saving notice." msgstr "Errore nel salvare il messaggio." #. TRANS: Error text shown when no username was provided when issuing a subscribe command. -#: lib/command.php:650 +#: lib/command.php:654 msgid "Specify the name of the user to subscribe to." msgstr "Specifica il nome dell'utente a cui abbonarti." #. TRANS: Command exception text shown when trying to subscribe to an OMB profile using the subscribe command. -#: lib/command.php:659 +#: lib/command.php:663 msgid "Can't subscribe to OMB profiles by command." msgstr "Impossibile abbonarsi ai profili OMB attraverso un comando." #. TRANS: Text shown after having subscribed to another user successfully. #. TRANS: %s is the name of the user the subscription was requested for. -#: lib/command.php:667 +#: lib/command.php:671 #, php-format msgid "Subscribed to %s." msgstr "Abbonati a %s." #. TRANS: Error text shown when no username was provided when issuing an unsubscribe command. #. TRANS: Error text shown when no username was provided when issuing the command. -#: lib/command.php:688 lib/command.php:799 +#: lib/command.php:692 lib/command.php:803 msgid "Specify the name of the user to unsubscribe from." msgstr "Specifica il nome dell'utente da cui annullare l'abbonamento." #. TRANS: Text shown after having unsubscribed from another user successfully. #. TRANS: %s is the name of the user the unsubscription was requested for. -#: lib/command.php:699 +#: lib/command.php:703 #, php-format msgid "Unsubscribed from %s." msgstr "Abbonamento a %s annullato." #. TRANS: Error text shown when issuing the command "off" with a setting which has not yet been implemented. #. TRANS: Error text shown when issuing the command "on" with a setting which has not yet been implemented. -#: lib/command.php:719 lib/command.php:745 +#: lib/command.php:723 lib/command.php:749 msgid "Command not yet implemented." msgstr "Comando non ancora implementato." #. TRANS: Text shown when issuing the command "off" successfully. -#: lib/command.php:723 +#: lib/command.php:727 msgid "Notification off." msgstr "Notifiche disattivate." #. TRANS: Error text shown when the command "off" fails for an unknown reason. -#: lib/command.php:726 +#: lib/command.php:730 msgid "Can't turn off notification." msgstr "Impossibile disattivare le notifiche." #. TRANS: Text shown when issuing the command "on" successfully. -#: lib/command.php:749 +#: lib/command.php:753 msgid "Notification on." msgstr "Notifiche attivate." #. TRANS: Error text shown when the command "on" fails for an unknown reason. -#: lib/command.php:752 +#: lib/command.php:756 msgid "Can't turn on notification." msgstr "Impossibile attivare le notifiche." #. TRANS: Error text shown when issuing the login command while login is disabled. -#: lib/command.php:766 +#: lib/command.php:770 msgid "Login command is disabled." msgstr "Il comando di accesso è disabilitato." #. TRANS: Text shown after issuing the login command successfully. #. TRANS: %s is a logon link.. -#: lib/command.php:779 +#: lib/command.php:783 #, php-format msgid "This link is useable only once and is valid for only 2 minutes: %s." msgstr "" @@ -7046,20 +7141,20 @@ msgstr "" #. TRANS: Text shown after issuing the lose command successfully (stop another user from following the current user). #. TRANS: %s is the name of the user the unsubscription was requested for. -#: lib/command.php:808 +#: lib/command.php:812 #, php-format msgid "Unsubscribed %s." msgstr "Abbonamento di %s annullato." #. TRANS: Text shown after requesting other users a user is subscribed to without having any subscriptions. -#: lib/command.php:826 +#: lib/command.php:830 msgid "You are not subscribed to anyone." msgstr "Il tuo abbonamento è stato annullato." #. TRANS: Text shown after requesting other users a user is subscribed to. #. TRANS: This message supports plural forms. This message is followed by a #. TRANS: hard coded space and a comma separated list of subscribed users. -#: lib/command.php:831 +#: lib/command.php:835 msgid "You are subscribed to this person:" msgid_plural "You are subscribed to these people:" msgstr[0] "Persona di cui hai già un abbonamento:" @@ -7067,14 +7162,14 @@ msgstr[1] "Persone di cui hai già un abbonamento:" #. TRANS: Text shown after requesting other users that are subscribed to a user #. TRANS: (followers) without having any subscribers. -#: lib/command.php:853 +#: lib/command.php:857 msgid "No one is subscribed to you." msgstr "Nessuno è abbonato ai tuoi messaggi." #. TRANS: Text shown after requesting other users that are subscribed to a user (followers). #. TRANS: This message supports plural forms. This message is followed by a #. TRANS: hard coded space and a comma separated list of subscribing users. -#: lib/command.php:858 +#: lib/command.php:862 msgid "This person is subscribed to you:" msgid_plural "These people are subscribed to you:" msgstr[0] "Questa persona è abbonata ai tuoi messaggi:" @@ -7082,21 +7177,21 @@ msgstr[1] "Queste persone sono abbonate ai tuoi messaggi:" #. TRANS: Text shown after requesting groups a user is subscribed to without having #. TRANS: any group subscriptions. -#: lib/command.php:880 +#: lib/command.php:884 msgid "You are not a member of any groups." msgstr "Non fai parte di alcun gruppo." #. TRANS: Text shown after requesting groups a user is subscribed to. #. TRANS: This message supports plural forms. This message is followed by a #. TRANS: hard coded space and a comma separated list of subscribed groups. -#: lib/command.php:885 +#: lib/command.php:889 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:" #. TRANS: Help text for commands. Do not translate the command names themselves; they are fixed strings. -#: lib/command.php:900 +#: lib/command.php:904 msgid "" "Commands:\n" "on - turn on notifications\n" @@ -7332,7 +7427,8 @@ msgstr "" "1-64 lettere minuscole o numeri, senza spazi o simboli di punteggiatura" #: lib/groupeditform.php:163 -msgid "URL of the homepage or blog of the group or topic" +#, fuzzy +msgid "URL of the homepage or blog of the group or topic." msgstr "URL della pagina web, blog del gruppo o l'argomento" #: lib/groupeditform.php:168 @@ -7340,19 +7436,29 @@ msgid "Describe the group or topic" msgstr "Descrivi il gruppo o l'argomento" #: lib/groupeditform.php:170 -#, php-format -msgid "Describe the group or topic in %d characters" -msgstr "Descrivi il gruppo o l'argomento in %d caratteri" +#, fuzzy, php-format +msgid "Describe the group or topic in %d character or less" +msgid_plural "Describe the group or topic in %d characters or less" +msgstr[0] "Descrivi il gruppo o l'argomento in %d caratteri" +msgstr[1] "Descrivi il gruppo o l'argomento in %d caratteri" -#: lib/groupeditform.php:179 +#: lib/groupeditform.php:182 +#, fuzzy msgid "" -"Location for the group, if any, like \"City, State (or Region), Country\"" +"Location for the group, if any, like \"City, State (or Region), Country\"." msgstr "Dove è situato il gruppo, tipo \"città, regione, stato\"" -#: lib/groupeditform.php:187 -#, php-format -msgid "Extra nicknames for the group, comma- or space- separated, max %d" -msgstr "" +#: lib/groupeditform.php:190 +#, fuzzy, php-format +msgid "" +"Extra nicknames for the group, separated with commas or spaces. Maximum %d " +"alias allowed." +msgid_plural "" +"Extra nicknames for the group, separated with commas or spaces. Maximum %d " +"aliases allowed." +msgstr[0] "" +"Soprannomi aggiuntivi per il gruppo, separati da virgole o spazi, max %d" +msgstr[1] "" "Soprannomi aggiuntivi per il gruppo, separati da virgole o spazi, max %d" #. TRANS: Menu item in the group navigation page. @@ -7911,7 +8017,7 @@ msgstr "Quella non è la tua email di ricezione." msgid "Sorry, no incoming email allowed." msgstr "Email di ricezione non consentita." -#: lib/mailhandler.php:228 +#: lib/mailhandler.php:229 #, php-format msgid "Unsupported message type: %s" msgstr "Tipo di messaggio non supportato: %s" @@ -8259,16 +8365,17 @@ msgid "Sandbox this user" msgstr "Metti questo utente nella \"sandbox\"" #. TRANS: Fieldset legend for the search form. -#: lib/searchaction.php:121 +#: lib/searchaction.php:120 msgid "Search site" msgstr "Cerca nel sito" #. TRANS: Used as a field label for the field where one or more keywords #. TRANS: for searching can be entered. -#: lib/searchaction.php:129 +#: lib/searchaction.php:128 msgid "Keyword(s)" msgstr "Parole" +#. TRANS: Button text for searching site. #: lib/searchaction.php:130 msgctxt "BUTTON" msgid "Search" @@ -8359,8 +8466,8 @@ msgid "The theme file is missing or the upload failed." msgstr "Manca il file del tema o il caricamento non è riuscito." #: lib/themeuploader.php:91 lib/themeuploader.php:102 -#: lib/themeuploader.php:278 lib/themeuploader.php:282 -#: lib/themeuploader.php:290 lib/themeuploader.php:297 +#: lib/themeuploader.php:279 lib/themeuploader.php:283 +#: lib/themeuploader.php:291 lib/themeuploader.php:298 msgid "Failed saving theme." msgstr "Salvataggio del tema non riuscito." @@ -8369,16 +8476,20 @@ msgid "Invalid theme: bad directory structure." msgstr "Tema non valido: struttura directory non corretta." #: lib/themeuploader.php:166 -#, php-format -msgid "Uploaded theme is too large; must be less than %d bytes uncompressed." -msgstr "" +#, fuzzy, php-format +msgid "Uploaded theme is too large; must be less than %d byte uncompressed." +msgid_plural "" +"Uploaded theme is too large; must be less than %d bytes uncompressed." +msgstr[0] "" +"Il tema caricato è troppo grande, deve essere meno di %d byte non compresso." +msgstr[1] "" "Il tema caricato è troppo grande, deve essere meno di %d byte non compresso." -#: lib/themeuploader.php:178 +#: lib/themeuploader.php:179 msgid "Invalid theme archive: missing file css/display.css" msgstr "File di tema non valido: manca il file css/display.css" -#: lib/themeuploader.php:218 +#: lib/themeuploader.php:219 msgid "" "Theme contains invalid file or folder name. Stick with ASCII letters, " "digits, underscore, and minus sign." @@ -8386,17 +8497,17 @@ msgstr "" "Il tema contiene file non o nomi di cartelle non validi. Utilizzare " "solamente caratteri ASCII, numeri, il trattino basso e il segno meno." -#: lib/themeuploader.php:224 +#: lib/themeuploader.php:225 msgid "Theme contains unsafe file extension names; may be unsafe." msgstr "" "Il tema contiene file con estensioni non sicure: potrebbe non essere sicuro." -#: lib/themeuploader.php:241 +#: lib/themeuploader.php:242 #, php-format msgid "Theme contains file of type '.%s', which is not allowed." msgstr "Il tema contiene file di tipo \".%s\" che non sono supportati." -#: lib/themeuploader.php:259 +#: lib/themeuploader.php:260 msgid "Error opening theme archive." msgstr "Errore nell'aprire il file del tema." @@ -8577,22 +8688,42 @@ msgid_plural "Message too long. Maximum is %1$d characters, you sent %2$d." msgstr[0] "Messaggio troppo lungo: massimo %1$d caratteri, inviati %2$d." msgstr[1] "Messaggio troppo lungo: massimo %1$d caratteri, inviati %2$d." -#: scripts/restoreuser.php:82 +#. TRANS: Commandline script output. %s is the filename that contains a backup for a user. +#: scripts/restoreuser.php:61 #, php-format -msgid "Backup file for user %s (%s)" -msgstr "File di backup per l'utente %s (%s)" +msgid "Getting backup from file '%s'." +msgstr "" -#: scripts/restoreuser.php:88 +#. TRANS: Commandline script output. +#: scripts/restoreuser.php:91 msgid "No user specified; using backup user." msgstr "Nessun utente specificato: viene usato l'utente di backup." -#: scripts/restoreuser.php:94 -#, php-format -msgid "%d entries in backup." -msgstr "%d voci nel backup." +#. TRANS: Commandline script output. %d is the number of entries in the activity stream in backup; used for plural. +#: scripts/restoreuser.php:98 +#, fuzzy, php-format +msgid "%d entry in backup." +msgid_plural "%d entries in backup." +msgstr[0] "%d voci nel backup." +msgstr[1] "%d voci nel backup." -#~ msgid "Description is too long (max %d chars)." -#~ msgstr "La descrizione è troppo lunga (max %d caratteri)." +#, fuzzy +#~ msgid "Name is too long (maximum 255 chars)." +#~ msgstr "Il nome è troppo lungo (max 255 caratteri)." -#~ msgid "Too many aliases! Maximum %d." -#~ msgstr "Troppi alias! Massimo %d." +#, fuzzy +#~ msgid "Organization is too long (maximum 255 chars)." +#~ msgstr "L'organizzazione è troppo lunga (max 255 caratteri)." + +#~ msgid "That's too long. Max notice size is %d chars." +#~ msgstr "Troppo lungo. Lunghezza massima %d caratteri." + +#~ msgid "Max notice size is %d chars, including attachment URL." +#~ msgstr "" +#~ "La dimensione massima di un messaggio è di %d caratteri, compreso l'URL." + +#~ msgid " tagged %s" +#~ msgstr " etichettati con %s" + +#~ msgid "Backup file for user %s (%s)" +#~ msgstr "File di backup per l'utente %s (%s)" diff --git a/locale/ja/LC_MESSAGES/statusnet.po b/locale/ja/LC_MESSAGES/statusnet.po index e6b3fb238b..1001c14061 100644 --- a/locale/ja/LC_MESSAGES/statusnet.po +++ b/locale/ja/LC_MESSAGES/statusnet.po @@ -12,17 +12,17 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet - Core\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-10-30 23:18+0000\n" -"PO-Revision-Date: 2010-10-30 23:20:30+0000\n" +"POT-Creation-Date: 2010-11-02 22:51+0000\n" +"PO-Revision-Date: 2010-11-02 22:53:27+0000\n" "Language-Team: Japanese \n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r75708); Translate extension (2010-09-17)\n" +"X-Generator: MediaWiki 1.17alpha (r75875); Translate extension (2010-09-17)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: ja\n" "X-Message-Group: #out-statusnet-core\n" "Plural-Forms: nplurals=1; plural=0;\n" -"X-POT-Import-Date: 2010-10-30 09:48:40+0000\n" +"X-POT-Import-Date: 2010-10-30 23:42:01+0000\n" #. TRANS: Page title for Access admin panel that allows configuring site access. #. TRANS: Menu item for site administration @@ -79,15 +79,20 @@ msgstr "アクセス設定の保存" #. TRANS: Tooltip for button to save access settings in site admin panel. #. TRANS: Button label to save e-mail preferences. #. TRANS: Button label to save IM preferences. +#. TRANS: Button text for saving "Other settings" in profile. #. TRANS: Button text to store form data in the Paths admin panel. #. TRANS: Button to save input in profile settings. +#. TRANS: Button text for saving site notice in admin panel. #. TRANS: Button label to save SMS preferences. #. TRANS: Save button for settings for a profile in a subscriptions list. +#. TRANS: Button text to save user settings in user admin panel. #. TRANS: Button label in the "Edit application" form. #: actions/accessadminpanel.php:193 actions/emailsettings.php:228 -#: actions/imsettings.php:187 actions/pathsadminpanel.php:512 -#: actions/profilesettings.php:201 actions/smssettings.php:209 -#: actions/subscriptions.php:246 lib/applicationeditform.php:355 +#: actions/imsettings.php:187 actions/othersettings.php:134 +#: actions/pathsadminpanel.php:512 actions/profilesettings.php:201 +#: actions/sitenoticeadminpanel.php:197 actions/smssettings.php:209 +#: actions/subscriptions.php:246 actions/useradminpanel.php:298 +#: lib/applicationeditform.php:355 lib/groupeditform.php:207 #, fuzzy msgctxt "BUTTON" msgid "Save" @@ -139,7 +144,7 @@ msgstr "そのようなタグはありません。" #: 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:93 actions/userrss.php:40 -#: actions/xrds.php:71 lib/command.php:495 lib/galleryaction.php:59 +#: actions/xrds.php:71 lib/command.php:497 lib/galleryaction.php:59 #: lib/mailbox.php:82 lib/profileaction.php:77 msgid "No such user." msgstr "そのようなユーザはいません。" @@ -210,7 +215,9 @@ msgstr "" #. TRANS: Encoutagement displayed on empty timeline user pages for anonymous users. #. TRANS: %s is a user nickname. This message contains Markdown links. Keep "](" together. -#: actions/all.php:155 actions/replies.php:210 actions/showstream.php:208 +#. TRANS: Second sentence of empty message for anonymous users. %s is a user nickname. +#. TRANS: This message contains a Markdown link. Keep "](" together. +#: actions/all.php:155 actions/replies.php:210 actions/showstream.php:227 #, php-format msgid "" "Why not [register an account](%%%%action.register%%%%) and then nudge %s or " @@ -566,8 +573,11 @@ msgstr "フルネームが長すぎます。(255字まで)" #. TRANS: Group edit form validation error. #. TRANS: Form validation error in New application form. #. TRANS: %d is the maximum number of characters for the description. +#. TRANS: Group create form validation error. +#. TRANS: %d is the maximum number of allowed characters. #: actions/apigroupcreate.php:220 actions/editapplication.php:201 #: actions/editgroup.php:216 actions/newapplication.php:178 +#: actions/newgroup.php:152 #, fuzzy, php-format msgid "Description is too long (maximum %d character)." msgid_plural "Description is too long (maximum %d characters)." @@ -726,14 +736,14 @@ msgstr "認証されていません。" #. TRANS: Form validation error in API OAuth authorisation because of an invalid session token. #: actions/apioauthauthorize.php:147 actions/avatarsettings.php:280 -#: actions/deletenotice.php:172 actions/disfavor.php:74 +#: actions/deletenotice.php:177 actions/disfavor.php:74 #: actions/emailsettings.php:271 actions/favor.php:75 actions/geocode.php:55 #: actions/groupblock.php:66 actions/grouplogo.php:312 #: actions/groupunblock.php:65 actions/imsettings.php:230 #: actions/invite.php:59 actions/login.php:137 actions/makeadmin.php:66 #: actions/newmessage.php:135 actions/newnotice.php:105 actions/nudge.php:80 #: actions/oauthappssettings.php:165 actions/oauthconnectionssettings.php:138 -#: actions/othersettings.php:145 actions/passwordsettings.php:138 +#: actions/othersettings.php:153 actions/passwordsettings.php:138 #: actions/profilesettings.php:221 actions/recoverpassword.php:350 #: actions/register.php:172 actions/remotesubscribe.php:77 #: actions/repeat.php:83 actions/smssettings.php:256 actions/subedit.php:40 @@ -908,20 +918,21 @@ msgstr "他のユーザのステータスを消すことはできません。" #. TRANS: Client error displayed trying to repeat a non-existing notice through the API. #. TRANS: Client error displayed trying to display redents of a non-exiting notice. +#. TRANS: Error message displayed trying to delete a non-existing notice. #: actions/apistatusesretweet.php:74 actions/apistatusesretweets.php:70 -#: actions/deletenotice.php:58 actions/shownotice.php:92 +#: actions/deletenotice.php:61 actions/shownotice.php:92 msgid "No such notice." msgstr "そのようなつぶやきはありません。" #. TRANS: Client error displayed trying to repeat an own notice through the API. #. TRANS: Error text shown when trying to repeat an own notice. -#: actions/apistatusesretweet.php:83 lib/command.php:535 +#: actions/apistatusesretweet.php:83 lib/command.php:537 msgid "Cannot repeat your own notice." msgstr "あなたのつぶやきを繰り返せません。" #. TRANS: Client error displayed trying to re-repeat a notice through the API. #. TRANS: Error text shown when trying to repeat an notice that was already repeated by the user. -#: actions/apistatusesretweet.php:92 lib/command.php:541 +#: actions/apistatusesretweet.php:92 lib/command.php:543 msgid "Already repeated that notice." msgstr "すでにつぶやきを繰り返しています。" @@ -942,7 +953,8 @@ msgstr "" #. TRANS: Client error displayed when the parameter "status" is missing. #. TRANS: %d is the maximum number of character for a notice. -#: actions/apistatusesupdate.php:244 +#: actions/apistatusesupdate.php:244 actions/newnotice.php:161 +#: lib/mailhandler.php:60 #, fuzzy, php-format msgid "That's too long. Maximum notice size is %d character." msgid_plural "That's too long. Maximum notice size is %d characters." @@ -956,7 +968,7 @@ msgstr "API メソッドが見つかりません。" #. TRANS: Client error displayed exceeding the maximum notice length. #. TRANS: %d is the maximum lenth for a notice. -#: actions/apistatusesupdate.php:308 +#: actions/apistatusesupdate.php:308 actions/newnotice.php:184 #, fuzzy, php-format msgid "Maximum notice size is %d character, including attachment URL." msgid_plural "Maximum notice size is %d characters, including attachment URL." @@ -1167,17 +1179,18 @@ msgstr "あなたのアバターとなるイメージを正方形で指定" msgid "Lost our file data." msgstr "ファイルデータを紛失しました。" -#: actions/avatarsettings.php:384 +#. TRANS: Success message for having updated a user avatar. +#: actions/avatarsettings.php:385 msgid "Avatar updated." msgstr "アバターが更新されました。" #. TRANS: Error displayed on the avatar upload page if the avatar could not be updated for an unknown reason. -#: actions/avatarsettings.php:388 +#: actions/avatarsettings.php:389 msgid "Failed updating avatar." msgstr "アバターの更新に失敗しました。" #. TRANS: Success message for deleting a user avatar. -#: actions/avatarsettings.php:412 +#: actions/avatarsettings.php:413 msgid "Avatar deleted." msgstr "アバターが削除されました。" @@ -1210,8 +1223,8 @@ msgstr "" #. TRANS: Button label on the delete notice form. #. TRANS: Button label on the delete user form. #. TRANS: Button label on the form to block a user from a group. -#: actions/block.php:154 actions/deleteapplication.php:154 -#: actions/deletegroup.php:220 actions/deletenotice.php:150 +#: actions/block.php:154 actions/deleteapplication.php:157 +#: actions/deletegroup.php:220 actions/deletenotice.php:155 #: actions/deleteuser.php:152 actions/groupblock.php:178 msgctxt "BUTTON" msgid "No" @@ -1229,8 +1242,8 @@ msgstr "このユーザをアンブロックする" #. TRANS: Button label on the delete notice form. #. TRANS: Button label on the delete user form. #. TRANS: Button label on the form to block a user from a group. -#: actions/block.php:161 actions/deleteapplication.php:161 -#: actions/deletegroup.php:227 actions/deletenotice.php:157 +#: actions/block.php:161 actions/deleteapplication.php:164 +#: actions/deletegroup.php:227 actions/deletenotice.php:162 #: actions/deleteuser.php:159 actions/groupblock.php:185 #, fuzzy msgctxt "BUTTON" @@ -1348,12 +1361,13 @@ msgstr "そのアドレスは既に承認されています。" #. TRANS: Server error thrown on database error removing a registered e-mail address. #. TRANS: Server error thrown on database error updating IM preferences. #. TRANS: Server error thrown on database error removing a registered IM address. +#. TRANS: Server error displayed when "Other" settings in user profile could not be updated on the server. #. TRANS: Server error thrown when user profile settings could not be updated. #. TRANS: Server error thrown on database error updating SMS preferences. #. TRANS: Server error thrown on database error removing a registered SMS phone number. #: actions/confirmaddress.php:118 actions/emailsettings.php:331 #: actions/emailsettings.php:477 actions/imsettings.php:283 -#: actions/imsettings.php:442 actions/othersettings.php:174 +#: actions/imsettings.php:442 actions/othersettings.php:184 #: actions/profilesettings.php:326 actions/smssettings.php:308 #: actions/smssettings.php:464 msgid "Couldn't update user." @@ -1389,16 +1403,19 @@ msgstr "会話" msgid "Notices" msgstr "つぶやき" -#: actions/deleteapplication.php:63 +#. TRANS: Client error displayed trying to delete an application while not logged in. +#: actions/deleteapplication.php:62 msgid "You must be logged in to delete an application." msgstr "アプリケーションを削除するにはログインしていなければなりません。" +#. TRANS: Client error displayed trying to delete an application that does not exist. #: actions/deleteapplication.php:71 msgid "Application not found." msgstr "アプリケーションが見つかりません。" +#. TRANS: Client error displayed trying to delete an application the current user does not own. #. TRANS: Client error displayed trying to edit an application while not being its owner. -#: actions/deleteapplication.php:78 actions/editapplication.php:78 +#: actions/deleteapplication.php:79 actions/editapplication.php:78 #: actions/showapplication.php:94 msgid "You are not the owner of this application." msgstr "このアプリケーションのオーナーではありません。" @@ -1406,15 +1423,18 @@ msgstr "このアプリケーションのオーナーではありません。" #. TRANS: Client error text when there is a problem with the session token. #: actions/deleteapplication.php:102 actions/editapplication.php:131 #: actions/newapplication.php:114 actions/showapplication.php:118 -#: lib/action.php:1354 +#: lib/action.php:1404 msgid "There was a problem with your session token." msgstr "あなたのセッショントークンに関する問題がありました。" -#: actions/deleteapplication.php:123 actions/deleteapplication.php:147 +#. TRANS: Title for delete application page. +#. TRANS: Fieldset legend on delete application page. +#: actions/deleteapplication.php:124 actions/deleteapplication.php:149 msgid "Delete application" msgstr "アプリケーション削除" -#: actions/deleteapplication.php:149 +#. TRANS: Confirmation text on delete application page. +#: actions/deleteapplication.php:152 #, fuzzy msgid "" "Are you sure you want to delete this application? This will clear all data " @@ -1425,12 +1445,12 @@ msgstr "" "ベースからユーザに関するすべてのデータをクリアします。" #. TRANS: Submit button title for 'No' when deleting an application. -#: actions/deleteapplication.php:158 +#: actions/deleteapplication.php:161 msgid "Do not delete this application" msgstr "このアプリケーションを削除しないでください" #. TRANS: Submit button title for 'Yes' when deleting an application. -#: actions/deleteapplication.php:164 +#: actions/deleteapplication.php:167 msgid "Delete this application" msgstr "このアプリケーションを削除" @@ -1467,13 +1487,14 @@ msgstr "グループを更新できません。" msgid "Deleted group %s" msgstr "%1$s はグループ %2$s に残りました。" -#. TRANS: Title. +#. TRANS: Title of delete group page. #. TRANS: Form legend for deleting a group. #: actions/deletegroup.php:176 actions/deletegroup.php:202 #, fuzzy msgid "Delete group" msgstr "ユーザ削除" +#. TRANS: Warning in form for deleleting a group. #: actions/deletegroup.php:206 #, fuzzy msgid "" @@ -1496,10 +1517,11 @@ msgstr "このつぶやきを削除できません。" msgid "Delete this group" msgstr "このユーザを削除" +#. TRANS: Error message displayed trying to delete a notice while not logged in. #. TRANS: Client error displayed when trying to unblock a user from a group while not logged in. #. TRANS: Client error displayed trying a change a subscription while not logged in. #. TRANS: Client error message thrown when trying to access the admin panel while not logged in. -#: actions/deletenotice.php:50 actions/disfavor.php:61 actions/favor.php:62 +#: actions/deletenotice.php:52 actions/disfavor.php:61 actions/favor.php:62 #: actions/groupblock.php:61 actions/groupunblock.php:60 actions/logout.php:69 #: actions/makeadmin.php:61 actions/newmessage.php:87 actions/newnotice.php:88 #: actions/nudge.php:63 actions/subedit.php:33 actions/subscribe.php:96 @@ -1509,11 +1531,13 @@ msgstr "このユーザを削除" msgid "Not logged in." msgstr "ログインしていません。" -#: actions/deletenotice.php:74 +#. TRANS: Error message displayed trying to delete a notice that was not made by the current user. +#: actions/deletenotice.php:78 msgid "Can't delete this notice." msgstr "このつぶやきを削除できません。" -#: actions/deletenotice.php:106 +#. TRANS: Instructions for deleting a notice. +#: actions/deletenotice.php:110 msgid "" "You are about to permanently delete a notice. Once this is done, it cannot " "be undone." @@ -1521,21 +1545,24 @@ msgstr "" "あなたはつぶやきを永久に削除しようとしています。 これが完了するとそれを元に戻" "すことはできません。" -#: actions/deletenotice.php:112 actions/deletenotice.php:144 +#. TRANS: Page title when deleting a notice. +#. TRANS: Fieldset legend for the delete notice form. +#: actions/deletenotice.php:117 actions/deletenotice.php:148 msgid "Delete notice" msgstr "つぶやき削除" -#: actions/deletenotice.php:147 +#. TRANS: Message for the delete notice form. +#: actions/deletenotice.php:152 msgid "Are you sure you want to delete this notice?" msgstr "本当にこのつぶやきを削除しますか?" #. TRANS: Submit button title for 'No' when deleting a notice. -#: actions/deletenotice.php:154 +#: actions/deletenotice.php:159 msgid "Do not delete this notice" msgstr "このつぶやきを削除できません。" #. TRANS: Submit button title for 'Yes' when deleting a notice. -#: actions/deletenotice.php:161 lib/noticelist.php:667 +#: actions/deletenotice.php:166 lib/noticelist.php:667 msgid "Delete this notice" msgstr "このつぶやきを削除" @@ -1700,11 +1727,9 @@ msgstr "デフォルトへリセットする" #. TRANS: Submit button title. #: actions/designadminpanel.php:711 actions/licenseadminpanel.php:319 -#: actions/othersettings.php:126 actions/sessionsadminpanel.php:199 -#: actions/siteadminpanel.php:292 actions/sitenoticeadminpanel.php:195 +#: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:292 #: actions/snapshotadminpanel.php:245 actions/tagother.php:154 -#: actions/useradminpanel.php:295 lib/applicationeditform.php:357 -#: lib/designsettings.php:256 lib/groupeditform.php:202 +#: lib/applicationeditform.php:357 lib/designsettings.php:256 msgid "Save" msgstr "保存" @@ -1752,9 +1777,9 @@ msgid "Name is required." msgstr "名前は必須です。" #. TRANS: Validation error shown when providing too long a name in the "Edit application" form. -#: actions/editapplication.php:188 +#: actions/editapplication.php:188 actions/newapplication.php:169 #, fuzzy -msgid "Name is too long (max 255 characters)." +msgid "Name is too long (maximum 255 characters)." msgstr "名前が長すぎます。(最大255字まで)" #. TRANS: Validation error shown when providing a name for an application that already exists in the "Edit application" form. @@ -1783,7 +1808,7 @@ msgid "Organization is required." msgstr "組織が必要です。" #. TRANS: Validation error shown when providing too long an arganisation name in the "Edit application" form. -#: actions/editapplication.php:223 +#: actions/editapplication.php:223 actions/newapplication.php:199 #, fuzzy msgid "Organization is too long (maximum 255 characters)." msgstr "組織が長すぎます。(最大255字)" @@ -2591,7 +2616,7 @@ msgid "Publish a MicroID for my Jabber/GTalk address." msgstr "私のJabber/GTalkアドレスのためにMicroIDを発行してください。" #. TRANS: Confirmation message for successful IM preferences save. -#: actions/imsettings.php:290 actions/othersettings.php:180 +#: actions/imsettings.php:290 actions/othersettings.php:190 msgid "Preferences saved." msgstr "設定が保存されました。" @@ -2715,10 +2740,9 @@ msgstr[0] "すでにこれらのユーザをフォローしています:" #. TRANS: Used as list item for already subscribed users (%1$s is nickname, %2$s is e-mail address). #. TRANS: Used as list item for already registered people (%1$s is nickname, %2$s is e-mail address). -#. TRANS: Whois output. -#. TRANS: %1$s nickname of the queried user, %2$s is their profile URL. -#: actions/invite.php:145 actions/invite.php:159 lib/command.php:426 -#, php-format +#: actions/invite.php:145 actions/invite.php:159 +#, fuzzy, php-format +msgctxt "INVITE" msgid "%1$s (%2$s)" msgstr "%1$s (%2$s)" @@ -2901,8 +2925,9 @@ msgid "" msgstr "" #: actions/licenseadminpanel.php:156 -msgid "Invalid license title. Max length is 255 characters." -msgstr "" +#, fuzzy +msgid "Invalid license title. Maximum length is 255 characters." +msgstr "不正なウェルカムテキスト。最大長は255字です。" #: actions/licenseadminpanel.php:168 msgid "Invalid license URL." @@ -3074,20 +3099,10 @@ msgstr "アプリケーションを登録するにはログインしていなけ msgid "Use this form to register a new application." msgstr "このフォームを使って新しいアプリケーションを登録します。" -#: actions/newapplication.php:169 -#, fuzzy -msgid "Name is too long (maximum 255 chars)." -msgstr "名前が長すぎます。(最大255字まで)" - #: actions/newapplication.php:184 msgid "Source URL is required." msgstr "ソースURLが必要です。" -#: actions/newapplication.php:199 -#, fuzzy -msgid "Organization is too long (maximum 255 chars)." -msgstr "組織が長すぎます。(最大255字)" - #: actions/newapplication.php:266 actions/newapplication.php:275 msgid "Could not create application." msgstr "アプリケーションを作成できません。" @@ -3107,14 +3122,14 @@ msgid "New message" msgstr "新しいメッセージ" #. TRANS: Error text shown when trying to send a direct message to a user without a mutual subscription (each user must be subscribed to the other). -#: actions/newmessage.php:121 actions/newmessage.php:164 lib/command.php:499 +#: actions/newmessage.php:121 actions/newmessage.php:164 lib/command.php:501 msgid "You can't send a message to this user." msgstr "このユーザにメッセージを送ることはできません。" #. TRANS: Command exception text shown when trying to send a direct message to another user without content. #. TRANS: Command exception text shown when trying to reply to a notice without providing content for the reply. #: actions/newmessage.php:144 actions/newnotice.php:140 lib/command.php:478 -#: lib/command.php:579 +#: lib/command.php:581 msgid "No content!" msgstr "コンテンツがありません!" @@ -3123,7 +3138,7 @@ msgid "No recipient specified." msgstr "受取人が書かれていません。" #. TRANS: Error text shown when trying to send a direct message to self. -#: actions/newmessage.php:167 lib/command.php:503 +#: actions/newmessage.php:167 lib/command.php:505 msgid "" "Don't send a message to yourself; just say it to yourself quietly instead." msgstr "" @@ -3135,12 +3150,12 @@ msgstr "メッセージを送りました" #. TRANS: Message given have sent a direct message to another user. #. TRANS: %s is the name of the other user. -#: actions/newmessage.php:188 lib/command.php:511 +#: actions/newmessage.php:188 lib/command.php:513 #, php-format msgid "Direct message to %s sent." msgstr "ダイレクトメッセージを %s に送りました" -#: actions/newmessage.php:213 actions/newnotice.php:263 +#: actions/newmessage.php:213 actions/newnotice.php:264 msgid "Ajax Error" msgstr "Ajax エラー" @@ -3148,17 +3163,7 @@ msgstr "Ajax エラー" msgid "New notice" msgstr "新しいつぶやき" -#: actions/newnotice.php:159 lib/mailhandler.php:60 -#, php-format -msgid "That's too long. Max notice size is %d chars." -msgstr "長すぎます。つぶやきは最大 %d 字までです。" - -#: actions/newnotice.php:183 -#, php-format -msgid "Max notice size is %d chars, including attachment URL." -msgstr "つぶやきは URL を含めて最大 %d 字までです。" - -#: actions/newnotice.php:229 +#: actions/newnotice.php:230 msgid "Notice posted" msgstr "つぶやきを投稿しました" @@ -3328,36 +3333,46 @@ msgstr "ピープル検索" msgid "Notice Search" msgstr "つぶやき検索" -#: actions/othersettings.php:60 +#: actions/othersettings.php:59 msgid "Other settings" msgstr "その他の設定" +#. TRANS: Instructions for tab "Other" in user profile settings. #: actions/othersettings.php:71 msgid "Manage various other options." msgstr "他のオプションを管理。" -#: actions/othersettings.php:108 +#. TRANS: Used as a suffix for free URL shorteners in a dropdown list in the tab "Other" of a +#. TRANS: user's profile settings. This message has one space at the beginning. Use your +#. TRANS: language's word separator here if it has one (most likely a single space). +#: actions/othersettings.php:111 msgid " (free service)" msgstr "(フリーサービス)" -#: actions/othersettings.php:116 +#. TRANS: Label for dropdown with URL shortener services. +#: actions/othersettings.php:120 msgid "Shorten URLs with" msgstr "URLを短くします" -#: actions/othersettings.php:117 +#. TRANS: Tooltip for for dropdown with URL shortener services. +#: actions/othersettings.php:122 msgid "Automatic shortening service to use." msgstr "使用する自動短縮サービス。" -#: actions/othersettings.php:122 +#. TRANS: Label for checkbox. +#: actions/othersettings.php:128 msgid "View profile designs" msgstr "プロファイルデザインを表示" -#: actions/othersettings.php:123 +#. TRANS: Tooltip for checkbox. +#: actions/othersettings.php:130 msgid "Show or hide profile designs." msgstr "プロファイルデザインの表示または非表示" -#: actions/othersettings.php:153 -msgid "URL shortening service is too long (max 50 chars)." +#. TRANS: Form validation error for form "Other settings" in user profile. +#: actions/othersettings.php:162 +#, fuzzy +msgid "URL shortening service is too long (maximum 50 characters)." msgstr "URL 短縮サービスが長すぎます。(最大50字)" #: actions/otp.php:69 @@ -3847,7 +3862,7 @@ msgstr "自己紹介" #. TRANS: Label for group location (dt). Text hidden by default. #: actions/profilesettings.php:149 actions/register.php:485 #: actions/showgroup.php:267 actions/tagother.php:112 -#: actions/userauthorization.php:166 lib/groupeditform.php:177 +#: actions/userauthorization.php:166 lib/groupeditform.php:180 #: lib/userprofile.php:165 msgid "Location" msgstr "場所" @@ -4185,7 +4200,8 @@ msgid "Unexpected password reset." msgstr "予期せぬパスワードのリセットです。" #: actions/recoverpassword.php:365 -msgid "Password must be 6 chars or more." +#, fuzzy +msgid "Password must be 6 characters or more." msgstr "パスワードは6字以上でなければいけません。" #: actions/recoverpassword.php:369 @@ -4560,7 +4576,7 @@ msgstr "組織" #. TRANS: Form input field label. #: actions/showapplication.php:187 actions/version.php:200 -#: lib/applicationeditform.php:208 lib/groupeditform.php:172 +#: lib/applicationeditform.php:208 lib/groupeditform.php:175 msgid "Description" msgstr "概要" @@ -4712,7 +4728,7 @@ msgid "Note" msgstr "ノート" #. TRANS: Label for group aliases (dt). Text hidden by default. -#: actions/showgroup.php:298 lib/groupeditform.php:184 +#: actions/showgroup.php:298 lib/groupeditform.php:187 msgid "Aliases" msgstr "別名" @@ -4844,47 +4860,67 @@ msgstr "%2$s 上の %1$s からのメッセージ" msgid "Notice deleted." msgstr "つぶやきを削除しました。" -#: actions/showstream.php:72 -#, php-format -msgid " tagged %s" -msgstr "タグ付けされた %s" +#. TRANS: Page title showing tagged notices in one user's stream. %1$s is the username, %2$s is the hash tag. +#: actions/showstream.php:70 +#, fuzzy, php-format +msgid "%1$s tagged %2$s" +msgstr "%1$s、ページ %2$d" -#: actions/showstream.php:78 +#. TRANS: Page title showing tagged notices in one user's stream. +#. TRANS: %1$s is the username, %2$s is the hash tag, %1$d is the page number. +#: actions/showstream.php:74 +#, fuzzy, php-format +msgid "%1$s tagged %2$s, page %3$d" +msgstr "%1$s とタグ付けされたつぶやき、ページ %2$d" + +#. TRANS: Extended page title showing tagged notices in one user's stream. +#. TRANS: %1$s is the username, %2$d is the page number. +#: actions/showstream.php:82 #, php-format msgid "%1$s, page %2$d" msgstr "%1$s、ページ %2$d" -#: actions/showstream.php:120 +#. TRANS: Title for link to notice feed. +#. TRANS: %1$s is a user nickname, %2$s is a hashtag. +#: actions/showstream.php:127 #, php-format msgid "Notice feed for %1$s tagged %2$s (RSS 1.0)" msgstr "%1$sの%2$sとタグ付けされたつぶやきフィード (RSS 1.0)" -#: actions/showstream.php:127 +#. TRANS: Title for link to notice feed. +#. TRANS: %s is a user nickname. +#: actions/showstream.php:136 #, php-format msgid "Notice feed for %s (RSS 1.0)" msgstr "%sのつぶやきフィード (RSS 1.0)" -#: actions/showstream.php:134 +#. TRANS: Title for link to notice feed. +#. TRANS: %s is a user nickname. +#: actions/showstream.php:145 #, php-format msgid "Notice feed for %s (RSS 2.0)" msgstr "%sのつぶやきフィード (RSS 2.0)" -#: actions/showstream.php:141 +#: actions/showstream.php:152 #, php-format msgid "Notice feed for %s (Atom)" msgstr "%sのつぶやきフィード (Atom)" -#: actions/showstream.php:146 +#. TRANS: Title for link to notice feed. FOAF stands for Friend of a Friend. +#. TRANS: More information at http://www.foaf-project.org. %s is a user nickname. +#: actions/showstream.php:159 #, php-format msgid "FOAF for %s" msgstr "%s の FOAF" -#: actions/showstream.php:197 -#, php-format -msgid "This is the timeline for %1$s but %2$s hasn't posted anything yet." +#. TRANS: First sentence of empty list message for a stream. $1%s is a user nickname. +#: actions/showstream.php:211 +#, fuzzy, php-format +msgid "This is the timeline for %1$s, but %1$s hasn't posted anything yet." msgstr "これは %1$s のタイムラインですが、%2$s はまだなにも投稿していません。" -#: actions/showstream.php:202 +#. TRANS: Second sentence of empty list message for a stream for the user themselves. +#: actions/showstream.php:217 msgid "" "Seen anything interesting recently? You haven't posted any notices yet, now " "would be a good time to start :)" @@ -4892,7 +4928,9 @@ msgstr "" "最近おもしろいものは何でしょう? あなたは少しのつぶやきも投稿していませんが、" "いまは始める良い時でしょう:)" -#: actions/showstream.php:204 +#. TRANS: Second sentence of empty list message for a non-self stream. %1$s is a user nickname, %2$s is a part of a URL. +#. TRANS: This message contains a Markdown link. Keep "](" together. +#: actions/showstream.php:221 #, php-format msgid "" "You can try to nudge %1$s or [post something to them](%%%%action.newnotice%%%" @@ -4901,7 +4939,9 @@ msgstr "" "最初の [このトピック投稿](%%%%action.newnotice%%%%?status_textarea=%s) をして" "ください!" -#: actions/showstream.php:243 +#. TRANS: Announcement for anonymous users showing a stream if site registrations are open. +#. TRANS: This message contains a Markdown link. Keep "](" together. +#: actions/showstream.php:264 #, php-format msgid "" "**%s** has an account on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -4915,7 +4955,9 @@ msgstr "" "%%%%)して、**%s** のつぶやきなどをフォローしましょう! ([もっと読む](%%%%doc." "help%%%%))" -#: actions/showstream.php:248 +#. TRANS: Announcement for anonymous users showing a stream if site registrations are closed or invite only. +#. TRANS: This message contains a Markdown link. Keep "](" together. +#: actions/showstream.php:271 #, php-format msgid "" "**%s** has an account on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -4926,7 +4968,8 @@ msgstr "" "[StatusNet](http://status.net/)を基にした[マイクロブロギング](http://en." "wikipedia.org/wiki/Micro-blogging) サービス。" -#: actions/showstream.php:305 +#. TRANS: Link to the author of a repeated notice. %s is a linked nickname. +#: actions/showstream.php:328 #, php-format msgid "Repeat of %s" msgstr "%s の繰り返し" @@ -5043,35 +5086,43 @@ msgstr "" "どれくらい長い間(秒)、ユーザは、再び同じものを投稿するのを待たなければならな" "いか。" -#: actions/sitenoticeadminpanel.php:56 +#. TRANS: Page title for site-wide notice tab in admin panel. +#: actions/sitenoticeadminpanel.php:55 #, fuzzy msgid "Site Notice" msgstr "サイトつぶやき" -#: actions/sitenoticeadminpanel.php:67 +#. TRANS: Instructions for site-wide notice tab in admin panel. +#: actions/sitenoticeadminpanel.php:66 #, fuzzy msgid "Edit site-wide message" msgstr "新しいメッセージ" -#: actions/sitenoticeadminpanel.php:103 +#. TRANS: Server error displayed when saving a site-wide notice was impossible. +#: actions/sitenoticeadminpanel.php:101 #, fuzzy msgid "Unable to save site notice." msgstr "あなたのデザイン設定を保存できません。" -#: actions/sitenoticeadminpanel.php:113 -msgid "Max length for the site-wide notice is 255 chars." -msgstr "" +#. TRANS: Client error displayed when a site-wide notice was longer than allowed. +#: actions/sitenoticeadminpanel.php:112 +#, fuzzy +msgid "Maximum length for the site-wide notice is 255 characters." +msgstr "プロファイル自己紹介の最大文字長。" +#. TRANS: Label for site-wide notice text field in admin panel. #: actions/sitenoticeadminpanel.php:176 #, fuzzy msgid "Site notice text" msgstr "サイトつぶやき" -#: actions/sitenoticeadminpanel.php:178 -msgid "Site-wide notice text (255 chars max; HTML okay)" +#. TRANS: Tooltip for site-wide notice text field in admin panel. +#: actions/sitenoticeadminpanel.php:179 +msgid "Site-wide notice text (255 characters maximum; HTML allowed)" msgstr "" -#: actions/sitenoticeadminpanel.php:198 +#. TRANS: Title for button to save site notice in admin panel. +#: actions/sitenoticeadminpanel.php:201 #, fuzzy msgid "Save site notice" msgstr "サイトつぶやき" @@ -5544,76 +5595,94 @@ msgstr "" "りません。" #. TRANS: User admin panel title -#: actions/useradminpanel.php:60 +#: actions/useradminpanel.php:58 #, fuzzy msgctxt "TITLE" msgid "User" msgstr "ユーザ" -#: actions/useradminpanel.php:71 +#. TRANS: Instruction for user admin panel. +#: actions/useradminpanel.php:69 msgid "User settings for this StatusNet site" msgstr "" -#: actions/useradminpanel.php:150 +#. TRANS: Form validation error in user admin panel when a non-numeric character limit was set. +#: actions/useradminpanel.php:147 msgid "Invalid bio limit. Must be numeric." msgstr "不正な自己紹介制限。数字である必要があります。" -#: actions/useradminpanel.php:156 -msgid "Invalid welcome text. Max length is 255 characters." +#. TRANS: Form validation error in user admin panel when welcome text is too long. +#: actions/useradminpanel.php:154 +#, fuzzy +msgid "Invalid welcome text. Maximum length is 255 characters." msgstr "不正なウェルカムテキスト。最大長は255字です。" +#. TRANS: Client error displayed when trying to set a non-existing user as default subscription for new +#. TRANS: users in user admin panel. %1$s is the invalid nickname. #: actions/useradminpanel.php:166 -#, php-format -msgid "Invalid default subscripton: '%1$s' is not user." +#, fuzzy, php-format +msgid "Invalid default subscripton: '%1$s' is not a user." msgstr "不正なデフォルトフォローです: '%1$s' はユーザではありません。" #. TRANS: Link description in user account settings menu. -#: actions/useradminpanel.php:219 lib/accountsettingsaction.php:106 +#: actions/useradminpanel.php:215 lib/accountsettingsaction.php:106 #: lib/personalgroupnav.php:109 msgid "Profile" msgstr "プロファイル" -#: actions/useradminpanel.php:223 +#. TRANS: Field label in user admin panel for setting the character limit for the bio field. +#: actions/useradminpanel.php:220 msgid "Bio Limit" msgstr "自己紹介制限" -#: actions/useradminpanel.php:224 +#. TRANS: Tooltip in user admin panel for setting the character limit for the bio field. +#: actions/useradminpanel.php:222 msgid "Maximum length of a profile bio in characters." msgstr "プロファイル自己紹介の最大文字長。" -#: actions/useradminpanel.php:232 +#. TRANS: Form legend in user admin panel. +#: actions/useradminpanel.php:231 msgid "New users" msgstr "新しいユーザ" +#. TRANS: Field label in user admin panel for setting new user welcome text. #: actions/useradminpanel.php:236 msgid "New user welcome" msgstr "新しいユーザを歓迎" -#: actions/useradminpanel.php:237 -msgid "Welcome text for new users (Max 255 chars)." +#. TRANS: Tooltip in user admin panel for setting new user welcome text. +#: actions/useradminpanel.php:238 +#, fuzzy +msgid "Welcome text for new users (maximum 255 characters)." msgstr "新しいユーザへのウェルカムテキスト (最大255字)。" -#: actions/useradminpanel.php:242 +#. TRANS: Field label in user admin panel for setting default subscription for new users. +#: actions/useradminpanel.php:244 msgid "Default subscription" msgstr "デフォルトフォロー" -#: actions/useradminpanel.php:243 +#. TRANS: Tooltip in user admin panel for setting default subscription for new users. +#: actions/useradminpanel.php:246 msgid "Automatically subscribe new users to this user." msgstr "自動的にこのユーザに新しいユーザをフォローしてください。" -#: actions/useradminpanel.php:252 +#. TRANS: Form legend in user admin panel. +#: actions/useradminpanel.php:256 msgid "Invitations" msgstr "招待" -#: actions/useradminpanel.php:257 +#. TRANS: Field label for checkbox in user admin panel for allowing users to invite friend using site e-mail. +#: actions/useradminpanel.php:262 msgid "Invitations enabled" msgstr "招待が可能" -#: actions/useradminpanel.php:259 +#. TRANS: Tooltip for checkbox in user admin panel for allowing users to invite friend using site e-mail. +#: actions/useradminpanel.php:265 msgid "Whether to allow users to invite new users." msgstr "ユーザが新しいユーザを招待するのを許容するかどうか。" -#: actions/useradminpanel.php:295 +#. TRANS: Title for button to save user settings in user admin panel. +#: actions/useradminpanel.php:302 msgid "Save user settings" msgstr "" @@ -5814,7 +5883,7 @@ msgid "Plugins" msgstr "プラグイン" #. TRANS: Secondary navigation menu option leading to version information on the StatusNet site. -#: actions/version.php:198 lib/action.php:831 +#: actions/version.php:198 lib/action.php:880 msgid "Version" msgstr "バージョン" @@ -6027,16 +6096,23 @@ msgstr "フォローを保存できません。" msgid "RT @%1$s %2$s" msgstr "" +#. TRANS: Full name of a profile or group followed by nickname in parens +#: classes/Profile.php:164 +#, fuzzy, php-format +msgctxt "FANCYNAME" +msgid "%1$s (%2$s)" +msgstr "%1$s (%2$s)" + #. TRANS: Exception thrown when trying to revoke an existing role for a user that does not exist. #. TRANS: %1$s is the role name, %2$s is the user ID (number). -#: classes/Profile.php:791 +#: classes/Profile.php:812 #, php-format msgid "Cannot revoke role \"%1$s\" for user #%2$d; does not exist." msgstr "" #. TRANS: Exception thrown when trying to revoke a role for a user with a failing database query. #. TRANS: %1$s is the role name, %2$s is the user ID (number). -#: classes/Profile.php:800 +#: classes/Profile.php:821 #, php-format msgid "Cannot revoke role \"%1$s\" for user #%2$d; database error." msgstr "" @@ -6183,135 +6259,141 @@ msgstr "" msgid "Untitled page" msgstr "名称未設定ページ" +#. TRANS: Localized tooltip for '...' expansion button on overlong remote messages. +#: lib/action.php:310 +msgctxt "TOOLTIP" +msgid "Show more" +msgstr "" + #. TRANS: DT element for primary navigation menu. String is hidden in default CSS. -#: lib/action.php:477 +#: lib/action.php:526 msgid "Primary site navigation" msgstr "プライマリサイトナビゲーション" #. TRANS: Tooltip for main menu option "Personal" -#: lib/action.php:483 +#: lib/action.php:532 #, fuzzy msgctxt "TOOLTIP" msgid "Personal profile and friends timeline" msgstr "パーソナルプロファイルと友人のタイムライン" #. TRANS: Main menu option when logged in for access to personal profile and friends timeline -#: lib/action.php:486 +#: lib/action.php:535 #, fuzzy msgctxt "MENU" msgid "Personal" msgstr "パーソナル" #. TRANS: Tooltip for main menu option "Account" -#: lib/action.php:488 +#: lib/action.php:537 msgctxt "TOOLTIP" msgid "Change your email, avatar, password, profile" msgstr "パスワードの変更" #. TRANS: Main menu option when logged in for access to user settings -#: lib/action.php:491 +#: lib/action.php:540 msgid "Account" msgstr "アカウント" #. TRANS: Tooltip for main menu option "Services" -#: lib/action.php:493 +#: lib/action.php:542 msgctxt "TOOLTIP" msgid "Connect to services" msgstr "接続" #. TRANS: Main menu option when logged in and connection are possible for access to options to connect to other services -#: lib/action.php:496 +#: lib/action.php:545 msgid "Connect" msgstr "接続" #. TRANS: Tooltip for menu option "Admin" -#: lib/action.php:499 +#: lib/action.php:548 msgctxt "TOOLTIP" msgid "Change site configuration" msgstr "基本サイト設定" #. TRANS: Main menu option when logged in and site admin for access to site configuration #. TRANS: Menu item in the group navigation page. Only shown for group administrators. -#: lib/action.php:502 lib/groupnav.php:117 +#: lib/action.php:551 lib/groupnav.php:117 #, fuzzy msgctxt "MENU" msgid "Admin" msgstr "管理者" #. TRANS: Tooltip for main menu option "Invite" -#: lib/action.php:506 +#: lib/action.php:555 #, fuzzy, php-format msgctxt "TOOLTIP" msgid "Invite friends and colleagues to join you on %s" msgstr "友人や同僚が %s で加わるよう誘ってください。" #. TRANS: Main menu option when logged in and invitations are allowed for inviting new users -#: lib/action.php:509 +#: lib/action.php:558 #, fuzzy msgctxt "MENU" msgid "Invite" msgstr "招待" #. TRANS: Tooltip for main menu option "Logout" -#: lib/action.php:515 +#: lib/action.php:564 msgctxt "TOOLTIP" msgid "Logout from the site" msgstr "サイトのテーマ" #. TRANS: Main menu option when logged in to log out the current user -#: lib/action.php:518 +#: lib/action.php:567 msgctxt "MENU" msgid "Logout" msgstr "ロゴ" #. TRANS: Tooltip for main menu option "Register" -#: lib/action.php:523 +#: lib/action.php:572 msgctxt "TOOLTIP" msgid "Create an account" msgstr "新しいグループを作成" #. TRANS: Main menu option when not logged in to register a new account -#: lib/action.php:526 +#: lib/action.php:575 #, fuzzy msgctxt "MENU" msgid "Register" msgstr "登録" #. TRANS: Tooltip for main menu option "Login" -#: lib/action.php:529 +#: lib/action.php:578 #, fuzzy msgctxt "TOOLTIP" msgid "Login to the site" msgstr "サイトへログイン" #. TRANS: Main menu option when not logged in to log in -#: lib/action.php:532 +#: lib/action.php:581 #, fuzzy msgctxt "MENU" msgid "Login" msgstr "ログイン" #. TRANS: Tooltip for main menu option "Help" -#: lib/action.php:535 +#: lib/action.php:584 msgctxt "TOOLTIP" msgid "Help me!" msgstr "ヘルプ" #. TRANS: Main menu option for help on the StatusNet site -#: lib/action.php:538 +#: lib/action.php:587 #, fuzzy msgctxt "MENU" msgid "Help" msgstr "ヘルプ" #. TRANS: Tooltip for main menu option "Search" -#: lib/action.php:541 +#: lib/action.php:590 msgctxt "TOOLTIP" msgid "Search for people or text" msgstr "もっとグループを検索" #. TRANS: Main menu option when logged in or when the StatusNet instance is not private -#: lib/action.php:544 +#: lib/action.php:593 #, fuzzy msgctxt "MENU" msgid "Search" @@ -6319,67 +6401,68 @@ msgstr "検索" #. TRANS: DT element for site notice. String is hidden in default CSS. #. TRANS: Menu item for site administration -#: lib/action.php:566 lib/adminpanelaction.php:387 +#: lib/action.php:615 lib/adminpanelaction.php:387 msgid "Site notice" msgstr "サイトつぶやき" #. TRANS: DT element for local views block. String is hidden in default CSS. -#: lib/action.php:633 +#: lib/action.php:682 msgid "Local views" msgstr "ローカルビュー" #. TRANS: DT element for page notice. String is hidden in default CSS. -#: lib/action.php:703 +#: lib/action.php:752 msgid "Page notice" msgstr "ページつぶやき" #. TRANS: DT element for secondary navigation menu. String is hidden in default CSS. -#: lib/action.php:804 +#: lib/action.php:853 msgid "Secondary site navigation" msgstr "セカンダリサイトナビゲーション" #. TRANS: Secondary navigation menu option leading to help on StatusNet. -#: lib/action.php:810 +#: lib/action.php:859 msgid "Help" msgstr "ヘルプ" #. TRANS: Secondary navigation menu option leading to text about StatusNet site. -#: lib/action.php:813 +#: lib/action.php:862 msgid "About" msgstr "About" #. TRANS: Secondary navigation menu option leading to Frequently Asked Questions. -#: lib/action.php:816 +#: lib/action.php:865 msgid "FAQ" msgstr "よくある質問" #. TRANS: Secondary navigation menu option leading to Terms of Service. -#: lib/action.php:821 +#: lib/action.php:870 msgid "TOS" msgstr "" #. TRANS: Secondary navigation menu option leading to privacy policy. -#: lib/action.php:825 +#: lib/action.php:874 msgid "Privacy" msgstr "プライバシー" -#. TRANS: Secondary navigation menu option. -#: lib/action.php:828 +#. TRANS: Secondary navigation menu option. Leads to information about StatusNet and its license. +#: lib/action.php:877 msgid "Source" msgstr "ソース" -#. TRANS: Secondary navigation menu option leading to contact information on the StatusNet site. -#: lib/action.php:834 +#. TRANS: Secondary navigation menu option leading to e-mail contact information on the +#. TRANS: StatusNet site, where to report bugs, ... +#: lib/action.php:884 msgid "Contact" msgstr "連絡先" -#. TRANS: Secondary navigation menu option. -#: lib/action.php:837 +#. TRANS: Secondary navigation menu option. Leads to information about embedding a timeline widget. +#: lib/action.php:887 msgid "Badge" msgstr "バッジ" #. TRANS: DT element for StatusNet software license. -#: lib/action.php:866 +#: lib/action.php:916 msgid "StatusNet software license" msgstr "StatusNet ソフトウェアライセンス" @@ -6387,7 +6470,7 @@ msgstr "StatusNet ソフトウェアライセンス" #. TRANS: Text between [] is a link description, text between () is the link itself. #. TRANS: Make sure there is no whitespace between "]" and "(". #. TRANS: "%%site.broughtby%%" is the value of the variable site.broughtby -#: lib/action.php:873 +#: lib/action.php:923 #, fuzzy, php-format msgid "" "**%%site.name%%** is a microblogging service brought to you by [%%site." @@ -6397,7 +6480,7 @@ msgstr "" "イクロブログサービスです。 " #. TRANS: First sentence of the StatusNet site license. Used if 'broughtby' is not set. -#: lib/action.php:876 +#: lib/action.php:926 #, php-format msgid "**%%site.name%%** is a microblogging service." msgstr "**%%site.name%%** はマイクロブログサービスです。" @@ -6406,7 +6489,7 @@ msgstr "**%%site.name%%** はマイクロブログサービスです。" #. TRANS: Make sure there is no whitespace between "]" and "(". #. TRANS: Text between [] is a link description, text between () is the link itself. #. TRANS: %s is the version of StatusNet that is being used. -#: lib/action.php:883 +#: lib/action.php:933 #, php-format msgid "" "It runs the [StatusNet](http://status.net/) microblogging software, version %" @@ -6418,50 +6501,50 @@ msgstr "" "org/licensing/licenses/agpl-3.0.html)。" #. TRANS: DT element for StatusNet site content license. -#: lib/action.php:899 +#: lib/action.php:949 msgid "Site content license" msgstr "サイト内容ライセンス" #. TRANS: Content license displayed when license is set to 'private'. #. TRANS: %1$s is the site name. -#: lib/action.php:906 +#: lib/action.php:956 #, php-format msgid "Content and data of %1$s are private and confidential." msgstr "" #. TRANS: Content license displayed when license is set to 'allrightsreserved'. #. TRANS: %1$s is the copyright owner. -#: lib/action.php:913 +#: lib/action.php:963 #, php-format msgid "Content and data copyright by %1$s. All rights reserved." msgstr "" #. TRANS: Content license displayed when license is set to 'allrightsreserved' and no owner is set. -#: lib/action.php:917 +#: lib/action.php:967 msgid "Content and data copyright by contributors. All rights reserved." msgstr "" #. TRANS: license message in footer. #. TRANS: %1$s is the site name, %2$s is a link to the license URL, with a licence name set in configuration. -#: lib/action.php:949 +#: lib/action.php:999 #, php-format msgid "All %1$s content and data are available under the %2$s license." msgstr "" #. TRANS: DT element for pagination (previous/next, etc.). -#: lib/action.php:1285 +#: lib/action.php:1335 msgid "Pagination" msgstr "ページ化" #. TRANS: Pagination message to go to a page displaying information more in the #. TRANS: present than the currently displayed information. -#: lib/action.php:1296 +#: lib/action.php:1346 msgid "After" msgstr "<<後" #. TRANS: Pagination message to go to a page displaying information more in the #. TRANS: past than the currently displayed information. -#: lib/action.php:1306 +#: lib/action.php:1356 msgid "Before" msgstr "前>>" @@ -6813,7 +6896,7 @@ msgid "AJAX error" msgstr "Ajax エラー" #. TRANS: E-mail subject when a command has completed. -#: lib/channel.php:233 lib/mailhandler.php:142 +#: lib/channel.php:233 lib/mailhandler.php:143 msgid "Command complete" msgstr "コマンド完了" @@ -6830,7 +6913,7 @@ msgstr "その ID によるつぶやきは存在していません" #. TRANS: Command exception text shown when a last user notice is requested and it does not exist. #. TRANS: Error text shown when a last user notice is requested and it does not exist. -#: lib/command.php:99 lib/command.php:626 +#: lib/command.php:99 lib/command.php:630 #, fuzzy msgid "User has no last notice." msgstr "利用者はまだつぶやいていません" @@ -6900,6 +6983,14 @@ msgstr "" msgid "%1$s left group %2$s." msgstr "" +#. TRANS: Whois output. +#. TRANS: %1$s nickname of the queried user, %2$s is their profile URL. +#: lib/command.php:426 +#, fuzzy, php-format +msgctxt "WHOIS" +msgid "%1$s (%2$s)" +msgstr "%1$s (%2$s)" + #. TRANS: Whois output. %s is the full name of the queried user. #: lib/command.php:430 #, php-format @@ -6937,171 +7028,173 @@ msgid "" "same server." msgstr "" -#. TRANS: Message given if content is too long. +#. TRANS: Message given if content is too long. %1$sd is used for plural. #. TRANS: %1$d is the maximum number of characters, %2$d is the number of submitted characters. #: lib/command.php:488 -#, php-format -msgid "Message too long - maximum is %1$d characters, you sent %2$d." -msgstr "メッセージが長すぎます - 最大 %1$d 字、あなたが送ったのは %2$d。" +#, fuzzy, php-format +msgid "Message too long - maximum is %1$d character, you sent %2$d." +msgid_plural "Message too long - maximum is %1$d characters, you sent %2$d." +msgstr[0] "メッセージが長すぎます - 最大 %1$d 字、あなたが送ったのは %2$d。" #. TRANS: Error text shown sending a direct message fails with an unknown reason. -#: lib/command.php:514 +#: lib/command.php:516 msgid "Error sending direct message." msgstr "ダイレクトメッセージ送信エラー。" #. TRANS: Message given having repeated a notice from another user. #. TRANS: %s is the name of the user for which the notice was repeated. -#: lib/command.php:551 +#: lib/command.php:553 #, fuzzy, php-format msgid "Notice from %s repeated." msgstr "%s からつぶやきが繰り返されています" #. TRANS: Error text shown when repeating a notice fails with an unknown reason. -#: lib/command.php:554 +#: lib/command.php:556 msgid "Error repeating notice." msgstr "つぶやき繰り返しエラー" -#. TRANS: Message given if content of a notice for a reply is too long. +#. TRANS: Message given if content of a notice for a reply is too long. %1$d is used for plural. #. TRANS: %1$d is the maximum number of characters, %2$d is the number of submitted characters. -#: lib/command.php:589 +#: lib/command.php:591 #, fuzzy, php-format -msgid "Notice too long - maximum is %1$d characters, you sent %2$d." -msgstr "つぶやきが長すぎます - 最大 %d 字、あなたが送ったのは %d" +msgid "Notice too long - maximum is %1$d character, you sent %2$d." +msgid_plural "Notice too long - maximum is %1$d characters, you sent %2$d." +msgstr[0] "つぶやきが長すぎます - 最大 %d 字、あなたが送ったのは %d" #. TRANS: Text shown having sent a reply to a notice successfully. #. TRANS: %s is the nickname of the user of the notice the reply was sent to. -#: lib/command.php:600 +#: lib/command.php:604 #, fuzzy, php-format msgid "Reply to %s sent." msgstr "%s へ返信を送りました" #. TRANS: Error text shown when a reply to a notice fails with an unknown reason. -#: lib/command.php:603 +#: lib/command.php:607 msgid "Error saving notice." msgstr "つぶやき保存エラー。" #. TRANS: Error text shown when no username was provided when issuing a subscribe command. -#: lib/command.php:650 +#: lib/command.php:654 #, fuzzy msgid "Specify the name of the user to subscribe to." msgstr "フォローする利用者の名前を指定してください" #. TRANS: Command exception text shown when trying to subscribe to an OMB profile using the subscribe command. -#: lib/command.php:659 +#: lib/command.php:663 #, fuzzy msgid "Can't subscribe to OMB profiles by command." msgstr "あなたはそのプロファイルにフォローされていません。" #. TRANS: Text shown after having subscribed to another user successfully. #. TRANS: %s is the name of the user the subscription was requested for. -#: lib/command.php:667 +#: lib/command.php:671 #, php-format msgid "Subscribed to %s." msgstr "" #. TRANS: Error text shown when no username was provided when issuing an unsubscribe command. #. TRANS: Error text shown when no username was provided when issuing the command. -#: lib/command.php:688 lib/command.php:799 +#: lib/command.php:692 lib/command.php:803 #, fuzzy msgid "Specify the name of the user to unsubscribe from." msgstr "フォローをやめるユーザの名前を指定してください" #. TRANS: Text shown after having unsubscribed from another user successfully. #. TRANS: %s is the name of the user the unsubscription was requested for. -#: lib/command.php:699 +#: lib/command.php:703 #, php-format msgid "Unsubscribed from %s." msgstr "" #. TRANS: Error text shown when issuing the command "off" with a setting which has not yet been implemented. #. TRANS: Error text shown when issuing the command "on" with a setting which has not yet been implemented. -#: lib/command.php:719 lib/command.php:745 +#: lib/command.php:723 lib/command.php:749 msgid "Command not yet implemented." msgstr "コマンドはまだ実装されていません。" #. TRANS: Text shown when issuing the command "off" successfully. -#: lib/command.php:723 +#: lib/command.php:727 msgid "Notification off." msgstr "通知オフ。" #. TRANS: Error text shown when the command "off" fails for an unknown reason. -#: lib/command.php:726 +#: lib/command.php:730 msgid "Can't turn off notification." msgstr "通知をオフできません。" #. TRANS: Text shown when issuing the command "on" successfully. -#: lib/command.php:749 +#: lib/command.php:753 msgid "Notification on." msgstr "通知オン。" #. TRANS: Error text shown when the command "on" fails for an unknown reason. -#: lib/command.php:752 +#: lib/command.php:756 msgid "Can't turn on notification." msgstr "通知をオンできません。" #. TRANS: Error text shown when issuing the login command while login is disabled. -#: lib/command.php:766 +#: lib/command.php:770 #, fuzzy msgid "Login command is disabled." msgstr "ログインコマンドが無効になっています。" #. TRANS: Text shown after issuing the login command successfully. #. TRANS: %s is a logon link.. -#: lib/command.php:779 +#: lib/command.php:783 #, php-format msgid "This link is useable only once and is valid for only 2 minutes: %s." msgstr "" #. TRANS: Text shown after issuing the lose command successfully (stop another user from following the current user). #. TRANS: %s is the name of the user the unsubscription was requested for. -#: lib/command.php:808 +#: lib/command.php:812 #, php-format msgid "Unsubscribed %s." msgstr "" #. TRANS: Text shown after requesting other users a user is subscribed to without having any subscriptions. -#: lib/command.php:826 +#: lib/command.php:830 msgid "You are not subscribed to anyone." msgstr "あなたはだれにもフォローされていません。" #. TRANS: Text shown after requesting other users a user is subscribed to. #. TRANS: This message supports plural forms. This message is followed by a #. TRANS: hard coded space and a comma separated list of subscribed users. -#: lib/command.php:831 +#: lib/command.php:835 msgid "You are subscribed to this person:" msgid_plural "You are subscribed to these people:" msgstr[0] "あなたはこの人にフォローされています:" #. TRANS: Text shown after requesting other users that are subscribed to a user #. TRANS: (followers) without having any subscribers. -#: lib/command.php:853 +#: lib/command.php:857 msgid "No one is subscribed to you." msgstr "誰もフォローしていません。" #. TRANS: Text shown after requesting other users that are subscribed to a user (followers). #. TRANS: This message supports plural forms. This message is followed by a #. TRANS: hard coded space and a comma separated list of subscribing users. -#: lib/command.php:858 +#: lib/command.php:862 msgid "This person is subscribed to you:" msgid_plural "These people are subscribed to you:" msgstr[0] "この人はあなたにフォローされている:" #. TRANS: Text shown after requesting groups a user is subscribed to without having #. TRANS: any group subscriptions. -#: lib/command.php:880 +#: lib/command.php:884 msgid "You are not a member of any groups." msgstr "あなたはどのグループのメンバーでもありません。" #. TRANS: Text shown after requesting groups a user is subscribed to. #. TRANS: This message supports plural forms. This message is followed by a #. TRANS: hard coded space and a comma separated list of subscribed groups. -#: lib/command.php:885 +#: lib/command.php:889 msgid "You are a member of this group:" msgid_plural "You are a member of these groups:" msgstr[0] "あなたはこのグループのメンバーではありません:" #. TRANS: Help text for commands. Do not translate the command names themselves; they are fixed strings. -#: lib/command.php:900 +#: lib/command.php:904 msgid "" "Commands:\n" "on - turn on notifications\n" @@ -7296,7 +7389,8 @@ msgid "1-64 lowercase letters or numbers, no punctuation or spaces" msgstr "1-64文字の、小文字アルファベットか数字で、スペースや句読点は除く" #: lib/groupeditform.php:163 -msgid "URL of the homepage or blog of the group or topic" +#, fuzzy +msgid "URL of the homepage or blog of the group or topic." msgstr "グループやトピックのホームページやブログの URL" #: lib/groupeditform.php:168 @@ -7304,19 +7398,27 @@ msgid "Describe the group or topic" msgstr "グループやトピックを記述" #: lib/groupeditform.php:170 -#, php-format -msgid "Describe the group or topic in %d characters" -msgstr "グループやトピックを %d 字以内記述" +#, fuzzy, php-format +msgid "Describe the group or topic in %d character or less" +msgid_plural "Describe the group or topic in %d characters or less" +msgstr[0] "グループやトピックを %d 字以内記述" -#: lib/groupeditform.php:179 +#: lib/groupeditform.php:182 +#, fuzzy msgid "" -"Location for the group, if any, like \"City, State (or Region), Country\"" +"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 "グループのエクストラニックネーム、カンマまたはスペース区切り、最大 %d" +#: lib/groupeditform.php:190 +#, fuzzy, php-format +msgid "" +"Extra nicknames for the group, separated with commas or spaces. Maximum %d " +"alias allowed." +msgid_plural "" +"Extra nicknames for the group, separated with commas or spaces. Maximum %d " +"aliases allowed." +msgstr[0] "" +"グループのエクストラニックネーム、カンマまたはスペース区切り、最大 %d" #. TRANS: Menu item in the group navigation page. #: lib/groupnav.php:86 @@ -7840,7 +7942,7 @@ msgstr "すみません、それはあなたの入って来るメールアドレ msgid "Sorry, no incoming email allowed." msgstr "すみません、入ってくるメールは許可されていません。" -#: lib/mailhandler.php:228 +#: lib/mailhandler.php:229 #, php-format msgid "Unsupported message type: %s" msgstr "サポート外のメッセージタイプ: %s" @@ -8194,16 +8296,17 @@ msgid "Sandbox this user" msgstr "このユーザをサンドボックス" #. TRANS: Fieldset legend for the search form. -#: lib/searchaction.php:121 +#: lib/searchaction.php:120 msgid "Search site" msgstr "サイト検索" #. TRANS: Used as a field label for the field where one or more keywords #. TRANS: for searching can be entered. -#: lib/searchaction.php:129 +#: lib/searchaction.php:128 msgid "Keyword(s)" msgstr "キーワード" +#. TRANS: Button text for searching site. #: lib/searchaction.php:130 msgctxt "BUTTON" msgid "Search" @@ -8293,8 +8396,8 @@ msgid "The theme file is missing or the upload failed." msgstr "" #: lib/themeuploader.php:91 lib/themeuploader.php:102 -#: lib/themeuploader.php:278 lib/themeuploader.php:282 -#: lib/themeuploader.php:290 lib/themeuploader.php:297 +#: lib/themeuploader.php:279 lib/themeuploader.php:283 +#: lib/themeuploader.php:291 lib/themeuploader.php:298 #, fuzzy msgid "Failed saving theme." msgstr "アバターの更新に失敗しました。" @@ -8305,29 +8408,31 @@ msgstr "" #: lib/themeuploader.php:166 #, php-format -msgid "Uploaded theme is too large; must be less than %d bytes uncompressed." -msgstr "" +msgid "Uploaded theme is too large; must be less than %d byte uncompressed." +msgid_plural "" +"Uploaded theme is too large; must be less than %d bytes uncompressed." +msgstr[0] "" -#: lib/themeuploader.php:178 +#: lib/themeuploader.php:179 msgid "Invalid theme archive: missing file css/display.css" msgstr "" -#: lib/themeuploader.php:218 +#: lib/themeuploader.php:219 msgid "" "Theme contains invalid file or folder name. Stick with ASCII letters, " "digits, underscore, and minus sign." msgstr "" -#: lib/themeuploader.php:224 +#: lib/themeuploader.php:225 msgid "Theme contains unsafe file extension names; may be unsafe." msgstr "" -#: lib/themeuploader.php:241 +#: lib/themeuploader.php:242 #, php-format msgid "Theme contains file of type '.%s', which is not allowed." msgstr "" -#: lib/themeuploader.php:259 +#: lib/themeuploader.php:260 msgid "Error opening theme archive." msgstr "ブロックの削除エラー" @@ -8507,23 +8612,38 @@ msgid "Message too long. Maximum is %1$d character, you sent %2$d." msgid_plural "Message too long. Maximum is %1$d characters, you sent %2$d." msgstr[0] "メッセージが長すぎます - 最大 %1$d 字、あなたが送ったのは %2$d。" -#: scripts/restoreuser.php:82 +#. TRANS: Commandline script output. %s is the filename that contains a backup for a user. +#: scripts/restoreuser.php:61 #, php-format -msgid "Backup file for user %s (%s)" +msgid "Getting backup from file '%s'." msgstr "" -#: scripts/restoreuser.php:88 +#. TRANS: Commandline script output. +#: scripts/restoreuser.php:91 #, fuzzy msgid "No user specified; using backup user." msgstr "ユーザIDの記述がありません。" -#: scripts/restoreuser.php:94 +#. TRANS: Commandline script output. %d is the number of entries in the activity stream in backup; used for plural. +#: scripts/restoreuser.php:98 #, php-format -msgid "%d entries in backup." -msgstr "" +msgid "%d entry in backup." +msgid_plural "%d entries in backup." +msgstr[0] "" -#~ msgid "Description is too long (max %d chars)." -#~ msgstr "記述が長すぎます。(最長%d字)" +#, fuzzy +#~ msgid "Name is too long (maximum 255 chars)." +#~ msgstr "名前が長すぎます。(最大255字まで)" -#~ msgid "Too many aliases! Maximum %d." -#~ msgstr "別名が多すぎます! 最大 %d。" +#, fuzzy +#~ msgid "Organization is too long (maximum 255 chars)." +#~ msgstr "組織が長すぎます。(最大255字)" + +#~ msgid "That's too long. Max notice size is %d chars." +#~ msgstr "長すぎます。つぶやきは最大 %d 字までです。" + +#~ msgid "Max notice size is %d chars, including attachment URL." +#~ msgstr "つぶやきは URL を含めて最大 %d 字までです。" + +#~ msgid " tagged %s" +#~ msgstr "タグ付けされた %s" diff --git a/locale/ka/LC_MESSAGES/statusnet.po b/locale/ka/LC_MESSAGES/statusnet.po index 5035cb8ba2..233e1e874d 100644 --- a/locale/ka/LC_MESSAGES/statusnet.po +++ b/locale/ka/LC_MESSAGES/statusnet.po @@ -9,17 +9,17 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet - Core\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-10-30 23:18+0000\n" -"PO-Revision-Date: 2010-10-30 23:20:31+0000\n" +"POT-Creation-Date: 2010-11-02 22:51+0000\n" +"PO-Revision-Date: 2010-11-02 22:53:28+0000\n" "Language-Team: Georgian \n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r75708); Translate extension (2010-09-17)\n" +"X-Generator: MediaWiki 1.17alpha (r75875); Translate extension (2010-09-17)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: ka\n" "X-Message-Group: #out-statusnet-core\n" "Plural-Forms: nplurals=1; plural=0;\n" -"X-POT-Import-Date: 2010-10-30 09:48:40+0000\n" +"X-POT-Import-Date: 2010-10-30 23:42:01+0000\n" #. TRANS: Page title for Access admin panel that allows configuring site access. #. TRANS: Menu item for site administration @@ -76,15 +76,20 @@ msgstr "შეინახე შესვლის პარამეტრე #. TRANS: Tooltip for button to save access settings in site admin panel. #. TRANS: Button label to save e-mail preferences. #. TRANS: Button label to save IM preferences. +#. TRANS: Button text for saving "Other settings" in profile. #. TRANS: Button text to store form data in the Paths admin panel. #. TRANS: Button to save input in profile settings. +#. TRANS: Button text for saving site notice in admin panel. #. TRANS: Button label to save SMS preferences. #. TRANS: Save button for settings for a profile in a subscriptions list. +#. TRANS: Button text to save user settings in user admin panel. #. TRANS: Button label in the "Edit application" form. #: actions/accessadminpanel.php:193 actions/emailsettings.php:228 -#: actions/imsettings.php:187 actions/pathsadminpanel.php:512 -#: actions/profilesettings.php:201 actions/smssettings.php:209 -#: actions/subscriptions.php:246 lib/applicationeditform.php:355 +#: actions/imsettings.php:187 actions/othersettings.php:134 +#: actions/pathsadminpanel.php:512 actions/profilesettings.php:201 +#: actions/sitenoticeadminpanel.php:197 actions/smssettings.php:209 +#: actions/subscriptions.php:246 actions/useradminpanel.php:298 +#: lib/applicationeditform.php:355 lib/groupeditform.php:207 msgctxt "BUTTON" msgid "Save" msgstr "შეინახე" @@ -135,7 +140,7 @@ msgstr "ასეთი გვერდი არ არსებობს." #: 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:93 actions/userrss.php:40 -#: actions/xrds.php:71 lib/command.php:495 lib/galleryaction.php:59 +#: actions/xrds.php:71 lib/command.php:497 lib/galleryaction.php:59 #: lib/mailbox.php:82 lib/profileaction.php:77 msgid "No such user." msgstr "ასეთი მომხმარებელი არ არსებობს." @@ -206,7 +211,9 @@ msgstr "" #. TRANS: Encoutagement displayed on empty timeline user pages for anonymous users. #. TRANS: %s is a user nickname. This message contains Markdown links. Keep "](" together. -#: actions/all.php:155 actions/replies.php:210 actions/showstream.php:208 +#. TRANS: Second sentence of empty message for anonymous users. %s is a user nickname. +#. TRANS: This message contains a Markdown link. Keep "](" together. +#: actions/all.php:155 actions/replies.php:210 actions/showstream.php:227 #, php-format msgid "" "Why not [register an account](%%%%action.register%%%%) and then nudge %s or " @@ -556,8 +563,11 @@ msgstr "სრული სახელი ძალიან გრძელი #. TRANS: Group edit form validation error. #. TRANS: Form validation error in New application form. #. TRANS: %d is the maximum number of characters for the description. +#. TRANS: Group create form validation error. +#. TRANS: %d is the maximum number of allowed characters. #: actions/apigroupcreate.php:220 actions/editapplication.php:201 #: actions/editgroup.php:216 actions/newapplication.php:178 +#: actions/newgroup.php:152 #, fuzzy, php-format msgid "Description is too long (maximum %d character)." msgid_plural "Description is too long (maximum %d characters)." @@ -714,14 +724,14 @@ msgstr "თქვენ არ ხართ ავტორიზირებუ #. TRANS: Form validation error in API OAuth authorisation because of an invalid session token. #: actions/apioauthauthorize.php:147 actions/avatarsettings.php:280 -#: actions/deletenotice.php:172 actions/disfavor.php:74 +#: actions/deletenotice.php:177 actions/disfavor.php:74 #: actions/emailsettings.php:271 actions/favor.php:75 actions/geocode.php:55 #: actions/groupblock.php:66 actions/grouplogo.php:312 #: actions/groupunblock.php:65 actions/imsettings.php:230 #: actions/invite.php:59 actions/login.php:137 actions/makeadmin.php:66 #: actions/newmessage.php:135 actions/newnotice.php:105 actions/nudge.php:80 #: actions/oauthappssettings.php:165 actions/oauthconnectionssettings.php:138 -#: actions/othersettings.php:145 actions/passwordsettings.php:138 +#: actions/othersettings.php:153 actions/passwordsettings.php:138 #: actions/profilesettings.php:221 actions/recoverpassword.php:350 #: actions/register.php:172 actions/remotesubscribe.php:77 #: actions/repeat.php:83 actions/smssettings.php:256 actions/subedit.php:40 @@ -895,20 +905,21 @@ msgstr "სხვა მომხმარებლის სტატუსი #. TRANS: Client error displayed trying to repeat a non-existing notice through the API. #. TRANS: Client error displayed trying to display redents of a non-exiting notice. +#. TRANS: Error message displayed trying to delete a non-existing notice. #: actions/apistatusesretweet.php:74 actions/apistatusesretweets.php:70 -#: actions/deletenotice.php:58 actions/shownotice.php:92 +#: actions/deletenotice.php:61 actions/shownotice.php:92 msgid "No such notice." msgstr "ასეთი შეტყობინება არ არსებობს." #. TRANS: Client error displayed trying to repeat an own notice through the API. #. TRANS: Error text shown when trying to repeat an own notice. -#: actions/apistatusesretweet.php:83 lib/command.php:535 +#: actions/apistatusesretweet.php:83 lib/command.php:537 msgid "Cannot repeat your own notice." msgstr "საკუთარი შეტყობინების გამეორება არ შეიძლება." #. TRANS: Client error displayed trying to re-repeat a notice through the API. #. TRANS: Error text shown when trying to repeat an notice that was already repeated by the user. -#: actions/apistatusesretweet.php:92 lib/command.php:541 +#: actions/apistatusesretweet.php:92 lib/command.php:543 msgid "Already repeated that notice." msgstr "ეს შეტყობინება უკვე გამეორებულია." @@ -929,7 +940,8 @@ msgstr "" #. TRANS: Client error displayed when the parameter "status" is missing. #. TRANS: %d is the maximum number of character for a notice. -#: actions/apistatusesupdate.php:244 +#: actions/apistatusesupdate.php:244 actions/newnotice.php:161 +#: lib/mailhandler.php:60 #, fuzzy, php-format msgid "That's too long. Maximum notice size is %d character." msgid_plural "That's too long. Maximum notice size is %d characters." @@ -943,7 +955,7 @@ msgstr "API მეთოდი ვერ მოიძებნა." #. TRANS: Client error displayed exceeding the maximum notice length. #. TRANS: %d is the maximum lenth for a notice. -#: actions/apistatusesupdate.php:308 +#: actions/apistatusesupdate.php:308 actions/newnotice.php:184 #, fuzzy, php-format msgid "Maximum notice size is %d character, including attachment URL." msgid_plural "Maximum notice size is %d characters, including attachment URL." @@ -1154,17 +1166,18 @@ msgstr "აირჩიეთ სურათის კვადრატულ msgid "Lost our file data." msgstr "" -#: actions/avatarsettings.php:384 +#. TRANS: Success message for having updated a user avatar. +#: actions/avatarsettings.php:385 msgid "Avatar updated." msgstr "ავატარი განახლდა." #. TRANS: Error displayed on the avatar upload page if the avatar could not be updated for an unknown reason. -#: actions/avatarsettings.php:388 +#: actions/avatarsettings.php:389 msgid "Failed updating avatar." msgstr "ავატარის განახლება ვერ მოხერხდა." #. TRANS: Success message for deleting a user avatar. -#: actions/avatarsettings.php:412 +#: actions/avatarsettings.php:413 msgid "Avatar deleted." msgstr "ავატარი წაიშალა." @@ -1193,8 +1206,8 @@ msgstr "" #. TRANS: Button label on the delete notice form. #. TRANS: Button label on the delete user form. #. TRANS: Button label on the form to block a user from a group. -#: actions/block.php:154 actions/deleteapplication.php:154 -#: actions/deletegroup.php:220 actions/deletenotice.php:150 +#: actions/block.php:154 actions/deleteapplication.php:157 +#: actions/deletegroup.php:220 actions/deletenotice.php:155 #: actions/deleteuser.php:152 actions/groupblock.php:178 msgctxt "BUTTON" msgid "No" @@ -1212,8 +1225,8 @@ msgstr "არ დაბლოკო ეს მომხმარებელი #. TRANS: Button label on the delete notice form. #. TRANS: Button label on the delete user form. #. TRANS: Button label on the form to block a user from a group. -#: actions/block.php:161 actions/deleteapplication.php:161 -#: actions/deletegroup.php:227 actions/deletenotice.php:157 +#: actions/block.php:161 actions/deleteapplication.php:164 +#: actions/deletegroup.php:227 actions/deletenotice.php:162 #: actions/deleteuser.php:159 actions/groupblock.php:185 msgctxt "BUTTON" msgid "Yes" @@ -1330,12 +1343,13 @@ msgstr "ეს მისამართი უკვე დადასტურ #. TRANS: Server error thrown on database error removing a registered e-mail address. #. TRANS: Server error thrown on database error updating IM preferences. #. TRANS: Server error thrown on database error removing a registered IM address. +#. TRANS: Server error displayed when "Other" settings in user profile could not be updated on the server. #. TRANS: Server error thrown when user profile settings could not be updated. #. TRANS: Server error thrown on database error updating SMS preferences. #. TRANS: Server error thrown on database error removing a registered SMS phone number. #: actions/confirmaddress.php:118 actions/emailsettings.php:331 #: actions/emailsettings.php:477 actions/imsettings.php:283 -#: actions/imsettings.php:442 actions/othersettings.php:174 +#: actions/imsettings.php:442 actions/othersettings.php:184 #: actions/profilesettings.php:326 actions/smssettings.php:308 #: actions/smssettings.php:464 msgid "Couldn't update user." @@ -1371,16 +1385,19 @@ msgstr "საუბარი" msgid "Notices" msgstr "შეტყობინებები" -#: actions/deleteapplication.php:63 +#. TRANS: Client error displayed trying to delete an application while not logged in. +#: actions/deleteapplication.php:62 msgid "You must be logged in to delete an application." msgstr "აპლიკაციის წასაშლელად საჭიროა ავროტიზაცია." +#. TRANS: Client error displayed trying to delete an application that does not exist. #: actions/deleteapplication.php:71 msgid "Application not found." msgstr "აპლიკაცია ვერ მოიძებნა." +#. TRANS: Client error displayed trying to delete an application the current user does not own. #. TRANS: Client error displayed trying to edit an application while not being its owner. -#: actions/deleteapplication.php:78 actions/editapplication.php:78 +#: actions/deleteapplication.php:79 actions/editapplication.php:78 #: actions/showapplication.php:94 msgid "You are not the owner of this application." msgstr "თქვენ არ ხართ ამ აპლიკაციის მფლობელი." @@ -1388,15 +1405,18 @@ msgstr "თქვენ არ ხართ ამ აპლიკაციი #. TRANS: Client error text when there is a problem with the session token. #: actions/deleteapplication.php:102 actions/editapplication.php:131 #: actions/newapplication.php:114 actions/showapplication.php:118 -#: lib/action.php:1354 +#: lib/action.php:1404 msgid "There was a problem with your session token." msgstr "" -#: actions/deleteapplication.php:123 actions/deleteapplication.php:147 +#. TRANS: Title for delete application page. +#. TRANS: Fieldset legend on delete application page. +#: actions/deleteapplication.php:124 actions/deleteapplication.php:149 msgid "Delete application" msgstr "აპლიკაციის წაშლა" -#: actions/deleteapplication.php:149 +#. TRANS: Confirmation text on delete application page. +#: actions/deleteapplication.php:152 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 " @@ -1406,12 +1426,12 @@ msgstr "" "მონაცემებს ამ აპლიკაციის შესახებ, ყველა შეერთებული მომხმარებლის ჩათვლით." #. TRANS: Submit button title for 'No' when deleting an application. -#: actions/deleteapplication.php:158 +#: actions/deleteapplication.php:161 msgid "Do not delete this application" msgstr "არ წაშალო ეს აპლიკაცია" #. TRANS: Submit button title for 'Yes' when deleting an application. -#: actions/deleteapplication.php:164 +#: actions/deleteapplication.php:167 msgid "Delete this application" msgstr "აპლიკაციის წაშლა" @@ -1447,13 +1467,14 @@ msgstr "ჯგუფის განახლება ვერ მოხერ msgid "Deleted group %s" msgstr "%1$s-მა დატოვა ჯგუფი %2$s" -#. TRANS: Title. +#. TRANS: Title of delete group page. #. TRANS: Form legend for deleting a group. #: actions/deletegroup.php:176 actions/deletegroup.php:202 #, fuzzy msgid "Delete group" msgstr "მომხმარებლის წაშლა" +#. TRANS: Warning in form for deleleting a group. #: actions/deletegroup.php:206 #, fuzzy msgid "" @@ -1476,10 +1497,11 @@ msgstr "არ წაშალო ეს შეტყობინება" msgid "Delete this group" msgstr "ამ მომხმარებლის წაშლა" +#. TRANS: Error message displayed trying to delete a notice while not logged in. #. TRANS: Client error displayed when trying to unblock a user from a group while not logged in. #. TRANS: Client error displayed trying a change a subscription while not logged in. #. TRANS: Client error message thrown when trying to access the admin panel while not logged in. -#: actions/deletenotice.php:50 actions/disfavor.php:61 actions/favor.php:62 +#: actions/deletenotice.php:52 actions/disfavor.php:61 actions/favor.php:62 #: actions/groupblock.php:61 actions/groupunblock.php:60 actions/logout.php:69 #: actions/makeadmin.php:61 actions/newmessage.php:87 actions/newnotice.php:88 #: actions/nudge.php:63 actions/subedit.php:33 actions/subscribe.php:96 @@ -1489,31 +1511,36 @@ msgstr "ამ მომხმარებლის წაშლა" msgid "Not logged in." msgstr "ავტორიზებული არ ხართ." -#: actions/deletenotice.php:74 +#. TRANS: Error message displayed trying to delete a notice that was not made by the current user. +#: actions/deletenotice.php:78 msgid "Can't delete this notice." msgstr "ამ შეტყობინების წაშლა შეუძლებელია." -#: actions/deletenotice.php:106 +#. TRANS: Instructions for deleting a notice. +#: actions/deletenotice.php:110 msgid "" "You are about to permanently delete a notice. Once this is done, it cannot " "be undone." msgstr "თქვენ შეტყობინების სამუდამოდ წაშლას აპირებთ. ეს მოქმედება შეუქცევადია." -#: actions/deletenotice.php:112 actions/deletenotice.php:144 +#. TRANS: Page title when deleting a notice. +#. TRANS: Fieldset legend for the delete notice form. +#: actions/deletenotice.php:117 actions/deletenotice.php:148 msgid "Delete notice" msgstr "შეტყობინების წაშლა" -#: actions/deletenotice.php:147 +#. TRANS: Message for the delete notice form. +#: actions/deletenotice.php:152 msgid "Are you sure you want to delete this notice?" msgstr "ნამდვილად გსურთ ამ შეტყობინების წაშლა?" #. TRANS: Submit button title for 'No' when deleting a notice. -#: actions/deletenotice.php:154 +#: actions/deletenotice.php:159 msgid "Do not delete this notice" msgstr "არ წაშალო ეს შეტყობინება" #. TRANS: Submit button title for 'Yes' when deleting a notice. -#: actions/deletenotice.php:161 lib/noticelist.php:667 +#: actions/deletenotice.php:166 lib/noticelist.php:667 msgid "Delete this notice" msgstr "შეტყობინების წაშლა" @@ -1678,11 +1705,9 @@ msgstr "პირვანდელის პარამეტრების #. TRANS: Submit button title. #: actions/designadminpanel.php:711 actions/licenseadminpanel.php:319 -#: actions/othersettings.php:126 actions/sessionsadminpanel.php:199 -#: actions/siteadminpanel.php:292 actions/sitenoticeadminpanel.php:195 +#: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:292 #: actions/snapshotadminpanel.php:245 actions/tagother.php:154 -#: actions/useradminpanel.php:295 lib/applicationeditform.php:357 -#: lib/designsettings.php:256 lib/groupeditform.php:202 +#: lib/applicationeditform.php:357 lib/designsettings.php:256 msgid "Save" msgstr "შენახვა" @@ -1730,9 +1755,9 @@ msgid "Name is required." msgstr "სახელი სავალდებულოა." #. TRANS: Validation error shown when providing too long a name in the "Edit application" form. -#: actions/editapplication.php:188 +#: actions/editapplication.php:188 actions/newapplication.php:169 #, fuzzy -msgid "Name is too long (max 255 characters)." +msgid "Name is too long (maximum 255 characters)." msgstr "სახელი ძალიან გრძელია (არაუმეტეს 255 სიმბოლო)." #. TRANS: Validation error shown when providing a name for an application that already exists in the "Edit application" form. @@ -1761,7 +1786,7 @@ msgid "Organization is required." msgstr "ორგანიზაცია სავალდებულოა." #. TRANS: Validation error shown when providing too long an arganisation name in the "Edit application" form. -#: actions/editapplication.php:223 +#: actions/editapplication.php:223 actions/newapplication.php:199 #, fuzzy msgid "Organization is too long (maximum 255 characters)." msgstr "ორგანიზაცია ძალიან გრძელია (არაუმეტეს 255 სიმბოლო)." @@ -2558,7 +2583,7 @@ msgid "Publish a MicroID for my Jabber/GTalk address." msgstr "გამოაქვეყნე MicroID ჩემი Jabber/GTalk მისამართისთვის." #. TRANS: Confirmation message for successful IM preferences save. -#: actions/imsettings.php:290 actions/othersettings.php:180 +#: actions/imsettings.php:290 actions/othersettings.php:190 msgid "Preferences saved." msgstr "პარამეტრები შენახულია." @@ -2681,10 +2706,9 @@ msgstr[0] "თქვენ უკვე გამოწერილი გაქ #. TRANS: Used as list item for already subscribed users (%1$s is nickname, %2$s is e-mail address). #. TRANS: Used as list item for already registered people (%1$s is nickname, %2$s is e-mail address). -#. TRANS: Whois output. -#. TRANS: %1$s nickname of the queried user, %2$s is their profile URL. -#: actions/invite.php:145 actions/invite.php:159 lib/command.php:426 -#, php-format +#: actions/invite.php:145 actions/invite.php:159 +#, fuzzy, php-format +msgctxt "INVITE" msgid "%1$s (%2$s)" msgstr "%1$s (%2$s)" @@ -2868,8 +2892,9 @@ msgid "" msgstr "" #: actions/licenseadminpanel.php:156 -msgid "Invalid license title. Max length is 255 characters." -msgstr "" +#, fuzzy +msgid "Invalid license title. Maximum length is 255 characters." +msgstr "არასწორი მისასალმებელი ტექსტი. სიმბოლოების მაქს. რაოდენობაა 255." #: actions/licenseadminpanel.php:168 msgid "Invalid license URL." @@ -3041,20 +3066,10 @@ msgstr "აპლიკაციის დასარეგისტრირ msgid "Use this form to register a new application." msgstr "აპლიკაციაში დასარეგისტრირებლად გამოიყენეთ ეს ფორმა." -#: actions/newapplication.php:169 -#, fuzzy -msgid "Name is too long (maximum 255 chars)." -msgstr "სახელი ძალიან გრძელია (არაუმეტეს 255 სიმბოლო)." - #: actions/newapplication.php:184 msgid "Source URL is required." msgstr "წყაროს URL სავალდებულოა." -#: actions/newapplication.php:199 -#, fuzzy -msgid "Organization is too long (maximum 255 chars)." -msgstr "ორგანიზაცია ძალიან გრძელია (არაუმეტეს 255 სიმბოლო)." - #: actions/newapplication.php:266 actions/newapplication.php:275 msgid "Could not create application." msgstr "აპლიკაციის შექმნა ვერ მოხერხდა." @@ -3074,14 +3089,14 @@ msgid "New message" msgstr "ახალი შეტყობინება" #. TRANS: Error text shown when trying to send a direct message to a user without a mutual subscription (each user must be subscribed to the other). -#: actions/newmessage.php:121 actions/newmessage.php:164 lib/command.php:499 +#: actions/newmessage.php:121 actions/newmessage.php:164 lib/command.php:501 msgid "You can't send a message to this user." msgstr "ამ მომხმარებელს შეტყობინებას ვერ გაუგზავნი." #. TRANS: Command exception text shown when trying to send a direct message to another user without content. #. TRANS: Command exception text shown when trying to reply to a notice without providing content for the reply. #: actions/newmessage.php:144 actions/newnotice.php:140 lib/command.php:478 -#: lib/command.php:579 +#: lib/command.php:581 msgid "No content!" msgstr "შიგთავსი არ არის!" @@ -3090,7 +3105,7 @@ msgid "No recipient specified." msgstr "მიმღები მითითებული არ არის." #. TRANS: Error text shown when trying to send a direct message to self. -#: actions/newmessage.php:167 lib/command.php:503 +#: actions/newmessage.php:167 lib/command.php:505 msgid "" "Don't send a message to yourself; just say it to yourself quietly instead." msgstr "ნუ გაუგზავნი შეტყობინებას საკუთარ თავს; უბრალოდ ჩუმად ჩაუჩურჩულე." @@ -3101,12 +3116,12 @@ msgstr "შეტყობინება გაგზავნილია" #. TRANS: Message given have sent a direct message to another user. #. TRANS: %s is the name of the other user. -#: actions/newmessage.php:188 lib/command.php:511 +#: actions/newmessage.php:188 lib/command.php:513 #, php-format msgid "Direct message to %s sent." msgstr "პირდაპირი შეტყობინება გაეგზავნა %s–ს." -#: actions/newmessage.php:213 actions/newnotice.php:263 +#: actions/newmessage.php:213 actions/newnotice.php:264 msgid "Ajax Error" msgstr "Ajax შეცდომა" @@ -3114,17 +3129,7 @@ msgstr "Ajax შეცდომა" msgid "New notice" msgstr "ახალი შეტყობინება" -#: actions/newnotice.php:159 lib/mailhandler.php:60 -#, php-format -msgid "That's too long. Max notice size is %d chars." -msgstr "შეტყობინების დასაძვები ზომაა %d სიმბოლო." - -#: actions/newnotice.php:183 -#, php-format -msgid "Max notice size is %d chars, including attachment URL." -msgstr "შეყობინების დასაშვები ზომაა %d სიმბოლო მიმაგრებული URL-ის ჩათვლით." - -#: actions/newnotice.php:229 +#: actions/newnotice.php:230 msgid "Notice posted" msgstr "შეტყობინება დაიპოსტა" @@ -3290,36 +3295,46 @@ msgstr "პიროვნებების ძიება" msgid "Notice Search" msgstr "შეტყობინებების ძიება" -#: actions/othersettings.php:60 +#: actions/othersettings.php:59 msgid "Other settings" msgstr "სხვა პარამეტრები" +#. TRANS: Instructions for tab "Other" in user profile settings. #: actions/othersettings.php:71 msgid "Manage various other options." msgstr "სხა მრავალნაირი პარამეტრების მართვა." -#: actions/othersettings.php:108 +#. TRANS: Used as a suffix for free URL shorteners in a dropdown list in the tab "Other" of a +#. TRANS: user's profile settings. This message has one space at the beginning. Use your +#. TRANS: language's word separator here if it has one (most likely a single space). +#: actions/othersettings.php:111 msgid " (free service)" msgstr " (უფასო სერვისი)" -#: actions/othersettings.php:116 +#. TRANS: Label for dropdown with URL shortener services. +#: actions/othersettings.php:120 msgid "Shorten URLs with" msgstr "შეამოკლე URL–ები შემდეგით" -#: actions/othersettings.php:117 +#. TRANS: Tooltip for for dropdown with URL shortener services. +#: actions/othersettings.php:122 msgid "Automatic shortening service to use." msgstr "გამოსაყენებელი შემოკლების ავტომატური სერვისი." -#: actions/othersettings.php:122 +#. TRANS: Label for checkbox. +#: actions/othersettings.php:128 msgid "View profile designs" msgstr "პროფილის დიზაინების ნახვა" -#: actions/othersettings.php:123 +#. TRANS: Tooltip for checkbox. +#: actions/othersettings.php:130 msgid "Show or hide profile designs." msgstr "აჩვენე ან დამალე პროფილის დიზაინები." -#: actions/othersettings.php:153 -msgid "URL shortening service is too long (max 50 chars)." +#. TRANS: Form validation error for form "Other settings" in user profile. +#: actions/othersettings.php:162 +#, fuzzy +msgid "URL shortening service is too long (maximum 50 characters)." msgstr "URL–ს შემოკლების სერვისი ძალიან გრძელია (მაქს. 50 სიმბოლო)." #: actions/otp.php:69 @@ -3805,7 +3820,7 @@ msgstr "ბიოგრაფია" #. TRANS: Label for group location (dt). Text hidden by default. #: actions/profilesettings.php:149 actions/register.php:485 #: actions/showgroup.php:267 actions/tagother.php:112 -#: actions/userauthorization.php:166 lib/groupeditform.php:177 +#: actions/userauthorization.php:166 lib/groupeditform.php:180 #: lib/userprofile.php:165 msgid "Location" msgstr "მდებარეობა" @@ -4139,7 +4154,8 @@ msgid "Unexpected password reset." msgstr "პაროლის მოულოდნელი გადაყენება." #: actions/recoverpassword.php:365 -msgid "Password must be 6 chars or more." +#, fuzzy +msgid "Password must be 6 characters or more." msgstr "პაროლი უნდა შედგებოდეს 6 ან მეტი სიმბოლოსგან." #: actions/recoverpassword.php:369 @@ -4516,7 +4532,7 @@ msgstr "ორგანიზაცია" #. TRANS: Form input field label. #: actions/showapplication.php:187 actions/version.php:200 -#: lib/applicationeditform.php:208 lib/groupeditform.php:172 +#: lib/applicationeditform.php:208 lib/groupeditform.php:175 msgid "Description" msgstr "აღწერა" @@ -4664,7 +4680,7 @@ msgid "Note" msgstr "შენიშვნა" #. TRANS: Label for group aliases (dt). Text hidden by default. -#: actions/showgroup.php:298 lib/groupeditform.php:184 +#: actions/showgroup.php:298 lib/groupeditform.php:187 msgid "Aliases" msgstr "" @@ -4787,60 +4803,86 @@ msgstr "" msgid "Notice deleted." msgstr "" -#: actions/showstream.php:72 -#, php-format -msgid " tagged %s" -msgstr "" +#. TRANS: Page title showing tagged notices in one user's stream. %1$s is the username, %2$s is the hash tag. +#: actions/showstream.php:70 +#, fuzzy, php-format +msgid "%1$s tagged %2$s" +msgstr "%1$s - %2$s" -#: actions/showstream.php:78 +#. TRANS: Page title showing tagged notices in one user's stream. +#. TRANS: %1$s is the username, %2$s is the hash tag, %1$d is the page number. +#: actions/showstream.php:74 +#, fuzzy, php-format +msgid "%1$s tagged %2$s, page %3$d" +msgstr "შეტყობინებები მონიშნული %1$s-ით, გვერდი %2$d" + +#. TRANS: Extended page title showing tagged notices in one user's stream. +#. TRANS: %1$s is the username, %2$d is the page number. +#: actions/showstream.php:82 #, php-format msgid "%1$s, page %2$d" msgstr "" -#: actions/showstream.php:120 +#. TRANS: Title for link to notice feed. +#. TRANS: %1$s is a user nickname, %2$s is a hashtag. +#: actions/showstream.php:127 #, php-format msgid "Notice feed for %1$s tagged %2$s (RSS 1.0)" msgstr "" -#: actions/showstream.php:127 +#. TRANS: Title for link to notice feed. +#. TRANS: %s is a user nickname. +#: actions/showstream.php:136 #, php-format msgid "Notice feed for %s (RSS 1.0)" msgstr "" -#: actions/showstream.php:134 +#. TRANS: Title for link to notice feed. +#. TRANS: %s is a user nickname. +#: actions/showstream.php:145 #, php-format msgid "Notice feed for %s (RSS 2.0)" msgstr "" -#: actions/showstream.php:141 +#: actions/showstream.php:152 #, php-format msgid "Notice feed for %s (Atom)" msgstr "" -#: actions/showstream.php:146 +#. TRANS: Title for link to notice feed. FOAF stands for Friend of a Friend. +#. TRANS: More information at http://www.foaf-project.org. %s is a user nickname. +#: actions/showstream.php:159 #, php-format msgid "FOAF for %s" msgstr "" -#: actions/showstream.php:197 -#, php-format -msgid "This is the timeline for %1$s but %2$s hasn't posted anything yet." +#. TRANS: First sentence of empty list message for a stream. $1%s is a user nickname. +#: actions/showstream.php:211 +#, fuzzy, php-format +msgid "This is the timeline for %1$s, but %1$s hasn't posted anything yet." msgstr "" +"ეს არის $s-ს და მეგობრების განახლებების ნაკადი, მაგრამ ჯერჯერობით არავის " +"დაუპოსტავს." -#: actions/showstream.php:202 +#. TRANS: Second sentence of empty list message for a stream for the user themselves. +#: actions/showstream.php:217 msgid "" "Seen anything interesting recently? You haven't posted any notices yet, now " "would be a good time to start :)" msgstr "" -#: actions/showstream.php:204 +#. TRANS: Second sentence of empty list message for a non-self stream. %1$s is a user nickname, %2$s is a part of a URL. +#. TRANS: This message contains a Markdown link. Keep "](" together. +#: actions/showstream.php:221 #, php-format msgid "" "You can try to nudge %1$s or [post something to them](%%%%action.newnotice%%%" "%?status_textarea=%2$s)." msgstr "" -#: actions/showstream.php:243 +#. TRANS: Announcement for anonymous users showing a stream if site registrations are open. +#. TRANS: This message contains a Markdown link. Keep "](" together. +#: actions/showstream.php:264 #, php-format msgid "" "**%s** has an account on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -4849,7 +4891,9 @@ msgid "" "follow **%s**'s notices and many more! ([Read more](%%%%doc.help%%%%))" msgstr "" -#: actions/showstream.php:248 +#. TRANS: Announcement for anonymous users showing a stream if site registrations are closed or invite only. +#. TRANS: This message contains a Markdown link. Keep "](" together. +#: actions/showstream.php:271 #, php-format msgid "" "**%s** has an account on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -4857,7 +4901,8 @@ msgid "" "[StatusNet](http://status.net/) tool. " msgstr "" -#: actions/showstream.php:305 +#. TRANS: Link to the author of a repeated notice. %s is a linked nickname. +#: actions/showstream.php:328 #, php-format msgid "Repeat of %s" msgstr "" @@ -4968,31 +5013,40 @@ msgid "How long users must wait (in seconds) to post the same thing again." msgstr "" "რამდენი ხანი (წამებში) უნდა ელოდოს მომხმარებელი რომ დაპოსტოს ერთი და იგივე." -#: actions/sitenoticeadminpanel.php:56 +#. TRANS: Page title for site-wide notice tab in admin panel. +#: actions/sitenoticeadminpanel.php:55 msgid "Site Notice" msgstr "საიტის შეტყობინება" -#: actions/sitenoticeadminpanel.php:67 +#. TRANS: Instructions for site-wide notice tab in admin panel. +#: actions/sitenoticeadminpanel.php:66 msgid "Edit site-wide message" msgstr "ჩაასწორე საიტის მომცველი შეტყობინება" -#: actions/sitenoticeadminpanel.php:103 +#. TRANS: Server error displayed when saving a site-wide notice was impossible. +#: actions/sitenoticeadminpanel.php:101 msgid "Unable to save site notice." msgstr "საიტის შეტყობინების შენახვა ვერ მოხერხდა." -#: actions/sitenoticeadminpanel.php:113 -msgid "Max length for the site-wide notice is 255 chars." +#. TRANS: Client error displayed when a site-wide notice was longer than allowed. +#: actions/sitenoticeadminpanel.php:112 +#, fuzzy +msgid "Maximum length for the site-wide notice is 255 characters." msgstr "საიტის მომცველი შეტყობინების მაქს. ზომაა 255 სიმბოლო." +#. TRANS: Label for site-wide notice text field in admin panel. #: actions/sitenoticeadminpanel.php:176 msgid "Site notice text" msgstr "საიტის შეტყობინების ტექსტი" -#: actions/sitenoticeadminpanel.php:178 -msgid "Site-wide notice text (255 chars max; HTML okay)" +#. TRANS: Tooltip for site-wide notice text field in admin panel. +#: actions/sitenoticeadminpanel.php:179 +#, fuzzy +msgid "Site-wide notice text (255 characters maximum; HTML allowed)" msgstr "საერთო სასაიტო შეტყობინების ტექსტი (მაქს. 255 სიმბოლო; HTML შეიძლება)" -#: actions/sitenoticeadminpanel.php:198 +#. TRANS: Title for button to save site notice in admin panel. +#: actions/sitenoticeadminpanel.php:201 msgid "Save site notice" msgstr "შეინახე საერთოსასაიტო შეტყობინება" @@ -5463,75 +5517,93 @@ msgstr "" "ლიცენზიასთან ‘%2$s’." #. TRANS: User admin panel title -#: actions/useradminpanel.php:60 +#: actions/useradminpanel.php:58 msgctxt "TITLE" msgid "User" msgstr "მომხმარებელი" -#: actions/useradminpanel.php:71 +#. TRANS: Instruction for user admin panel. +#: actions/useradminpanel.php:69 msgid "User settings for this StatusNet site" msgstr "" -#: actions/useradminpanel.php:150 +#. TRANS: Form validation error in user admin panel when a non-numeric character limit was set. +#: actions/useradminpanel.php:147 msgid "Invalid bio limit. Must be numeric." msgstr "ბიოგრაფიის არასწორი ლიმიტი. უნდა იყოს ციფრი." -#: actions/useradminpanel.php:156 -msgid "Invalid welcome text. Max length is 255 characters." +#. TRANS: Form validation error in user admin panel when welcome text is too long. +#: actions/useradminpanel.php:154 +#, fuzzy +msgid "Invalid welcome text. Maximum length is 255 characters." msgstr "არასწორი მისასალმებელი ტექსტი. სიმბოლოების მაქს. რაოდენობაა 255." +#. TRANS: Client error displayed when trying to set a non-existing user as default subscription for new +#. TRANS: users in user admin panel. %1$s is the invalid nickname. #: actions/useradminpanel.php:166 #, php-format -msgid "Invalid default subscripton: '%1$s' is not user." +msgid "Invalid default subscripton: '%1$s' is not a user." msgstr "" #. TRANS: Link description in user account settings menu. -#: actions/useradminpanel.php:219 lib/accountsettingsaction.php:106 +#: actions/useradminpanel.php:215 lib/accountsettingsaction.php:106 #: lib/personalgroupnav.php:109 msgid "Profile" msgstr "პროფილი" -#: actions/useradminpanel.php:223 +#. TRANS: Field label in user admin panel for setting the character limit for the bio field. +#: actions/useradminpanel.php:220 msgid "Bio Limit" msgstr "ბიოგრაფიის ლიმიტი" -#: actions/useradminpanel.php:224 +#. TRANS: Tooltip in user admin panel for setting the character limit for the bio field. +#: actions/useradminpanel.php:222 msgid "Maximum length of a profile bio in characters." msgstr "პროფილის ბიოგრაფიის მაქსიმალური ზომა სიმბოლოებში." -#: actions/useradminpanel.php:232 +#. TRANS: Form legend in user admin panel. +#: actions/useradminpanel.php:231 msgid "New users" msgstr "ახალი მომხმარებლები" +#. TRANS: Field label in user admin panel for setting new user welcome text. #: actions/useradminpanel.php:236 msgid "New user welcome" msgstr "ახალი მომხმარებლის მისალმება" -#: actions/useradminpanel.php:237 -msgid "Welcome text for new users (Max 255 chars)." +#. TRANS: Tooltip in user admin panel for setting new user welcome text. +#: actions/useradminpanel.php:238 +#, fuzzy +msgid "Welcome text for new users (maximum 255 characters)." msgstr "მისალმების ტექსტი ახალი მომხმარებლებისთვის (მაქს. 255 სიმბოლო)." -#: actions/useradminpanel.php:242 +#. TRANS: Field label in user admin panel for setting default subscription for new users. +#: actions/useradminpanel.php:244 msgid "Default subscription" msgstr "" -#: actions/useradminpanel.php:243 +#. TRANS: Tooltip in user admin panel for setting default subscription for new users. +#: actions/useradminpanel.php:246 msgid "Automatically subscribe new users to this user." msgstr "ავტომატურად გამოაწერინე ამ მომხმარებელს ახალი მომხმარებლები." -#: actions/useradminpanel.php:252 +#. TRANS: Form legend in user admin panel. +#: actions/useradminpanel.php:256 msgid "Invitations" msgstr "მოსაწვევეი" -#: actions/useradminpanel.php:257 +#. TRANS: Field label for checkbox in user admin panel for allowing users to invite friend using site e-mail. +#: actions/useradminpanel.php:262 msgid "Invitations enabled" msgstr "მოსაწვევები გააქტიურებულია" -#: actions/useradminpanel.php:259 +#. TRANS: Tooltip for checkbox in user admin panel for allowing users to invite friend using site e-mail. +#: actions/useradminpanel.php:265 msgid "Whether to allow users to invite new users." msgstr "მიეცეთ თუ არა მომხმარებლებს სხვების მოწვევის უფლება." -#: actions/useradminpanel.php:295 +#. TRANS: Title for button to save user settings in user admin panel. +#: actions/useradminpanel.php:302 msgid "Save user settings" msgstr "" @@ -5742,7 +5814,7 @@ msgid "Plugins" msgstr "დამატებები" #. TRANS: Secondary navigation menu option leading to version information on the StatusNet site. -#: actions/version.php:198 lib/action.php:831 +#: actions/version.php:198 lib/action.php:880 msgid "Version" msgstr "ვერსია" @@ -5954,9 +6026,16 @@ msgstr "ჯგუფის ლოკალური ინფორმაცი msgid "RT @%1$s %2$s" msgstr "RT @%1$s %2$s" +#. TRANS: Full name of a profile or group followed by nickname in parens +#: classes/Profile.php:164 +#, fuzzy, php-format +msgctxt "FANCYNAME" +msgid "%1$s (%2$s)" +msgstr "%1$s (%2$s)" + #. TRANS: Exception thrown when trying to revoke an existing role for a user that does not exist. #. TRANS: %1$s is the role name, %2$s is the user ID (number). -#: classes/Profile.php:791 +#: classes/Profile.php:812 #, php-format msgid "Cannot revoke role \"%1$s\" for user #%2$d; does not exist." msgstr "" @@ -5964,7 +6043,7 @@ msgstr "" #. TRANS: Exception thrown when trying to revoke a role for a user with a failing database query. #. TRANS: %1$s is the role name, %2$s is the user ID (number). -#: classes/Profile.php:800 +#: classes/Profile.php:821 #, php-format msgid "Cannot revoke role \"%1$s\" for user #%2$d; database error." msgstr "" @@ -6111,194 +6190,201 @@ msgstr "%1$s - %2$s" msgid "Untitled page" msgstr "უსათაურო გვერდი" +#. TRANS: Localized tooltip for '...' expansion button on overlong remote messages. +#: lib/action.php:310 +msgctxt "TOOLTIP" +msgid "Show more" +msgstr "" + #. TRANS: DT element for primary navigation menu. String is hidden in default CSS. -#: lib/action.php:477 +#: lib/action.php:526 msgid "Primary site navigation" msgstr "საიტის ძირითადი ნავიგაცია" #. TRANS: Tooltip for main menu option "Personal" -#: lib/action.php:483 +#: lib/action.php:532 msgctxt "TOOLTIP" msgid "Personal profile and friends timeline" msgstr "პირადი პროფილი და მეგობრების ნაკადი" #. TRANS: Main menu option when logged in for access to personal profile and friends timeline -#: lib/action.php:486 +#: lib/action.php:535 msgctxt "MENU" msgid "Personal" msgstr "პირადი" #. TRANS: Tooltip for main menu option "Account" -#: lib/action.php:488 +#: lib/action.php:537 msgctxt "TOOLTIP" msgid "Change your email, avatar, password, profile" msgstr "შეცვალე ელ. ფოსტა, ავატარი, პაროლი, პროფილი" #. TRANS: Main menu option when logged in for access to user settings -#: lib/action.php:491 +#: lib/action.php:540 msgid "Account" msgstr "ანგარიში" #. TRANS: Tooltip for main menu option "Services" -#: lib/action.php:493 +#: lib/action.php:542 msgctxt "TOOLTIP" msgid "Connect to services" msgstr "სერვისებთან დაკავშირება" #. TRANS: Main menu option when logged in and connection are possible for access to options to connect to other services -#: lib/action.php:496 +#: lib/action.php:545 msgid "Connect" msgstr "კავშირი" #. TRANS: Tooltip for menu option "Admin" -#: lib/action.php:499 +#: lib/action.php:548 msgctxt "TOOLTIP" msgid "Change site configuration" msgstr "საიტის კონფიგურაცია" #. TRANS: Main menu option when logged in and site admin for access to site configuration #. TRANS: Menu item in the group navigation page. Only shown for group administrators. -#: lib/action.php:502 lib/groupnav.php:117 +#: lib/action.php:551 lib/groupnav.php:117 msgctxt "MENU" msgid "Admin" msgstr "ადმინი" #. TRANS: Tooltip for main menu option "Invite" -#: lib/action.php:506 +#: lib/action.php:555 #, php-format msgctxt "TOOLTIP" msgid "Invite friends and colleagues to join you on %s" msgstr "მოიწვიე მეგობრები და კოლეგები %s-ზე" #. TRANS: Main menu option when logged in and invitations are allowed for inviting new users -#: lib/action.php:509 +#: lib/action.php:558 msgctxt "MENU" msgid "Invite" msgstr "მოწვევა" #. TRANS: Tooltip for main menu option "Logout" -#: lib/action.php:515 +#: lib/action.php:564 msgctxt "TOOLTIP" msgid "Logout from the site" msgstr "გასვლა საიტიდან" #. TRANS: Main menu option when logged in to log out the current user -#: lib/action.php:518 +#: lib/action.php:567 msgctxt "MENU" msgid "Logout" msgstr "გასვლა" #. TRANS: Tooltip for main menu option "Register" -#: lib/action.php:523 +#: lib/action.php:572 msgctxt "TOOLTIP" msgid "Create an account" msgstr "გახსენი ანგარიში" #. TRANS: Main menu option when not logged in to register a new account -#: lib/action.php:526 +#: lib/action.php:575 msgctxt "MENU" msgid "Register" msgstr "რეგისტრაცია" #. TRANS: Tooltip for main menu option "Login" -#: lib/action.php:529 +#: lib/action.php:578 msgctxt "TOOLTIP" msgid "Login to the site" msgstr "საიტზე შესვლა" #. TRANS: Main menu option when not logged in to log in -#: lib/action.php:532 +#: lib/action.php:581 msgctxt "MENU" msgid "Login" msgstr "შესვლა" #. TRANS: Tooltip for main menu option "Help" -#: lib/action.php:535 +#: lib/action.php:584 msgctxt "TOOLTIP" msgid "Help me!" msgstr "დამეხმარეთ!" #. TRANS: Main menu option for help on the StatusNet site -#: lib/action.php:538 +#: lib/action.php:587 msgctxt "MENU" msgid "Help" msgstr "დახმარება" #. TRANS: Tooltip for main menu option "Search" -#: lib/action.php:541 +#: lib/action.php:590 msgctxt "TOOLTIP" msgid "Search for people or text" msgstr "მოძებნე ხალხი ან ტექსტი" #. TRANS: Main menu option when logged in or when the StatusNet instance is not private -#: lib/action.php:544 +#: lib/action.php:593 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:566 lib/adminpanelaction.php:387 +#: lib/action.php:615 lib/adminpanelaction.php:387 msgid "Site notice" msgstr "საიტის შეტყობინება" #. TRANS: DT element for local views block. String is hidden in default CSS. -#: lib/action.php:633 +#: lib/action.php:682 msgid "Local views" msgstr "ლოკალური ხედები" #. TRANS: DT element for page notice. String is hidden in default CSS. -#: lib/action.php:703 +#: lib/action.php:752 msgid "Page notice" msgstr "გვერდის შეტყობინება" #. TRANS: DT element for secondary navigation menu. String is hidden in default CSS. -#: lib/action.php:804 +#: lib/action.php:853 msgid "Secondary site navigation" msgstr "საიტის მეორადი ნავიგაცია" #. TRANS: Secondary navigation menu option leading to help on StatusNet. -#: lib/action.php:810 +#: lib/action.php:859 msgid "Help" msgstr "დახმარება" #. TRANS: Secondary navigation menu option leading to text about StatusNet site. -#: lib/action.php:813 +#: lib/action.php:862 msgid "About" msgstr "საიტის შესახებ" #. TRANS: Secondary navigation menu option leading to Frequently Asked Questions. -#: lib/action.php:816 +#: lib/action.php:865 msgid "FAQ" msgstr "ხდკ" #. TRANS: Secondary navigation menu option leading to Terms of Service. -#: lib/action.php:821 +#: lib/action.php:870 msgid "TOS" msgstr "მპ" #. TRANS: Secondary navigation menu option leading to privacy policy. -#: lib/action.php:825 +#: lib/action.php:874 msgid "Privacy" msgstr "პირადი" -#. TRANS: Secondary navigation menu option. -#: lib/action.php:828 +#. TRANS: Secondary navigation menu option. Leads to information about StatusNet and its license. +#: lib/action.php:877 msgid "Source" msgstr "წყარო" -#. TRANS: Secondary navigation menu option leading to contact information on the StatusNet site. -#: lib/action.php:834 +#. TRANS: Secondary navigation menu option leading to e-mail contact information on the +#. TRANS: StatusNet site, where to report bugs, ... +#: lib/action.php:884 msgid "Contact" msgstr "კონტაქტი" -#. TRANS: Secondary navigation menu option. -#: lib/action.php:837 +#. TRANS: Secondary navigation menu option. Leads to information about embedding a timeline widget. +#: lib/action.php:887 msgid "Badge" msgstr "იარლიყი" #. TRANS: DT element for StatusNet software license. -#: lib/action.php:866 +#: lib/action.php:916 msgid "StatusNet software license" msgstr "StatusNet კოდის ლიცენზია" @@ -6306,7 +6392,7 @@ msgstr "StatusNet კოდის ლიცენზია" #. TRANS: Text between [] is a link description, text between () is the link itself. #. TRANS: Make sure there is no whitespace between "]" and "(". #. TRANS: "%%site.broughtby%%" is the value of the variable site.broughtby -#: lib/action.php:873 +#: lib/action.php:923 #, php-format msgid "" "**%%site.name%%** is a microblogging service brought to you by [%%site." @@ -6316,7 +6402,7 @@ msgstr "" "(%%site.broughtbyurl%%)-ს მიერ." #. TRANS: First sentence of the StatusNet site license. Used if 'broughtby' is not set. -#: lib/action.php:876 +#: lib/action.php:926 #, php-format msgid "**%%site.name%%** is a microblogging service." msgstr "**%%site.name%%** არის მიკრობლოგინგის სერვისი." @@ -6325,7 +6411,7 @@ msgstr "**%%site.name%%** არის მიკრობლოგინგი #. TRANS: Make sure there is no whitespace between "]" and "(". #. TRANS: Text between [] is a link description, text between () is the link itself. #. TRANS: %s is the version of StatusNet that is being used. -#: lib/action.php:883 +#: lib/action.php:933 #, php-format msgid "" "It runs the [StatusNet](http://status.net/) microblogging software, version %" @@ -6337,51 +6423,51 @@ msgstr "" "org/licensing/licenses/agpl-3.0.html)." #. TRANS: DT element for StatusNet site content license. -#: lib/action.php:899 +#: lib/action.php:949 msgid "Site content license" msgstr "საიტის შიგთავსის ლიცენზია" #. TRANS: Content license displayed when license is set to 'private'. #. TRANS: %1$s is the site name. -#: lib/action.php:906 +#: lib/action.php:956 #, php-format msgid "Content and data of %1$s are private and confidential." msgstr "%1$s ის შიგთავსი და მონაცემები არის პირადული და კონფიდენციალური." #. TRANS: Content license displayed when license is set to 'allrightsreserved'. #. TRANS: %1$s is the copyright owner. -#: lib/action.php:913 +#: lib/action.php:963 #, php-format msgid "Content and data copyright by %1$s. All rights reserved." msgstr "შიგთავსი და მონაცემები %1$s-ის საკუთრებაა. ყველა უფლება დაცულია." #. TRANS: Content license displayed when license is set to 'allrightsreserved' and no owner is set. -#: lib/action.php:917 +#: lib/action.php:967 msgid "Content and data copyright by contributors. All rights reserved." msgstr "" "შიგთავსი და მონაცემები წვლილის შემტანების საკუთრებაა. ყველა უფლება დაცულია." #. TRANS: license message in footer. #. TRANS: %1$s is the site name, %2$s is a link to the license URL, with a licence name set in configuration. -#: lib/action.php:949 +#: lib/action.php:999 #, php-format msgid "All %1$s content and data are available under the %2$s license." msgstr "%1$s-ს მთლიანი შიგთავსი და მონაცემები ხელმისაწვდომია %2$s ლიცენზიით." #. TRANS: DT element for pagination (previous/next, etc.). -#: lib/action.php:1285 +#: lib/action.php:1335 msgid "Pagination" msgstr "გვერდებათ დაყოფა" #. TRANS: Pagination message to go to a page displaying information more in the #. TRANS: present than the currently displayed information. -#: lib/action.php:1296 +#: lib/action.php:1346 msgid "After" msgstr "შემდეგი" #. TRANS: Pagination message to go to a page displaying information more in the #. TRANS: past than the currently displayed information. -#: lib/action.php:1306 +#: lib/action.php:1356 msgid "Before" msgstr "წინა" @@ -6727,7 +6813,7 @@ msgid "AJAX error" msgstr "Ajax შეცდომა" #. TRANS: E-mail subject when a command has completed. -#: lib/channel.php:233 lib/mailhandler.php:142 +#: lib/channel.php:233 lib/mailhandler.php:143 msgid "Command complete" msgstr "ბრძანება დასრულდა" @@ -6743,7 +6829,7 @@ msgstr "შეტყობინებები ამ ID-თ არ არს #. TRANS: Command exception text shown when a last user notice is requested and it does not exist. #. TRANS: Error text shown when a last user notice is requested and it does not exist. -#: lib/command.php:99 lib/command.php:626 +#: lib/command.php:99 lib/command.php:630 msgid "User has no last notice." msgstr "მომხმარებელს არ გააჩნია ბოლო შეტყობინება." @@ -6812,6 +6898,14 @@ msgstr "%1$s გაწევრიანდა ჯგუფში %2$s." msgid "%1$s left group %2$s." msgstr "%1$s-მა დატოვა ჯგუფი %2$s." +#. TRANS: Whois output. +#. TRANS: %1$s nickname of the queried user, %2$s is their profile URL. +#: lib/command.php:426 +#, fuzzy, php-format +msgctxt "WHOIS" +msgid "%1$s (%2$s)" +msgstr "%1$s (%2$s)" + #. TRANS: Whois output. %s is the full name of the queried user. #: lib/command.php:430 #, php-format @@ -6851,171 +6945,173 @@ msgstr "" "%s დაშორებული პროფილია; პირდაპირი შეტყობინებების გაგზავნა მხოლოდ იგივე " "სერვერზე მყოფ მომხმარებელთანაა შესააძლებელი." -#. TRANS: Message given if content is too long. +#. TRANS: Message given if content is too long. %1$sd is used for plural. #. TRANS: %1$d is the maximum number of characters, %2$d is the number of submitted characters. #: lib/command.php:488 -#, php-format -msgid "Message too long - maximum is %1$d characters, you sent %2$d." -msgstr "" +#, fuzzy, php-format +msgid "Message too long - maximum is %1$d character, you sent %2$d." +msgid_plural "Message too long - maximum is %1$d characters, you sent %2$d." +msgstr[0] "" "შეტყობინება ძალიან გრძელია - დასაშვები რაოდენობაა %1$d სიმბოლომდე, თქვენ " "გააგზავნეთ %2$d." #. TRANS: Error text shown sending a direct message fails with an unknown reason. -#: lib/command.php:514 +#: lib/command.php:516 msgid "Error sending direct message." msgstr "შეცდომა პირდაპირი შეტყობინების გაგზავნისას." #. TRANS: Message given having repeated a notice from another user. #. TRANS: %s is the name of the user for which the notice was repeated. -#: lib/command.php:551 +#: lib/command.php:553 #, php-format msgid "Notice from %s repeated." msgstr "შეტყობინება %s-გან გამეორდა." #. TRANS: Error text shown when repeating a notice fails with an unknown reason. -#: lib/command.php:554 +#: lib/command.php:556 msgid "Error repeating notice." msgstr "შეცდომა შეტყობინების გამეორებისას." -#. TRANS: Message given if content of a notice for a reply is too long. +#. TRANS: Message given if content of a notice for a reply is too long. %1$d is used for plural. #. TRANS: %1$d is the maximum number of characters, %2$d is the number of submitted characters. -#: lib/command.php:589 -#, php-format -msgid "Notice too long - maximum is %1$d characters, you sent %2$d." -msgstr "" +#: lib/command.php:591 +#, fuzzy, php-format +msgid "Notice too long - maximum is %1$d character, you sent %2$d." +msgid_plural "Notice too long - maximum is %1$d characters, you sent %2$d." +msgstr[0] "" "შეტყობინება ძალიან გრძელია - დასაშვები რაოდენობაა %1$d სიმბოლომდე, თქვენ " "გააგზავნეთ %2$d." #. TRANS: Text shown having sent a reply to a notice successfully. #. TRANS: %s is the nickname of the user of the notice the reply was sent to. -#: lib/command.php:600 +#: lib/command.php:604 #, php-format msgid "Reply to %s sent." msgstr "პასუხი %s-ს გაეგზავნა." #. TRANS: Error text shown when a reply to a notice fails with an unknown reason. -#: lib/command.php:603 +#: lib/command.php:607 msgid "Error saving notice." msgstr "შეცდომა შეტყობინების შენახვისას." #. TRANS: Error text shown when no username was provided when issuing a subscribe command. -#: lib/command.php:650 +#: lib/command.php:654 msgid "Specify the name of the user to subscribe to." msgstr "მიუთითეთ მომხმარებლის სახელი, რომელსაც გინდათ ყური დაუგდოთ." #. TRANS: Command exception text shown when trying to subscribe to an OMB profile using the subscribe command. -#: lib/command.php:659 +#: lib/command.php:663 msgid "Can't subscribe to OMB profiles by command." msgstr "" #. TRANS: Text shown after having subscribed to another user successfully. #. TRANS: %s is the name of the user the subscription was requested for. -#: lib/command.php:667 +#: lib/command.php:671 #, php-format msgid "Subscribed to %s." msgstr "%s-ს გამოწერა დასრულდა წარმატებით." #. TRANS: Error text shown when no username was provided when issuing an unsubscribe command. #. TRANS: Error text shown when no username was provided when issuing the command. -#: lib/command.php:688 lib/command.php:799 +#: lib/command.php:692 lib/command.php:803 msgid "Specify the name of the user to unsubscribe from." msgstr "მიუთითეთ მომხმარებლის სახელი, რომ გამოწერა გააუქმოთ." #. TRANS: Text shown after having unsubscribed from another user successfully. #. TRANS: %s is the name of the user the unsubscription was requested for. -#: lib/command.php:699 +#: lib/command.php:703 #, php-format msgid "Unsubscribed from %s." msgstr "%s-ს გამოწერა გაუქმდა." #. TRANS: Error text shown when issuing the command "off" with a setting which has not yet been implemented. #. TRANS: Error text shown when issuing the command "on" with a setting which has not yet been implemented. -#: lib/command.php:719 lib/command.php:745 +#: lib/command.php:723 lib/command.php:749 msgid "Command not yet implemented." msgstr "ბრძანება ჯერ არ არის შემუშავებული." #. TRANS: Text shown when issuing the command "off" successfully. -#: lib/command.php:723 +#: lib/command.php:727 msgid "Notification off." msgstr "" #. TRANS: Error text shown when the command "off" fails for an unknown reason. -#: lib/command.php:726 +#: lib/command.php:730 msgid "Can't turn off notification." msgstr "" #. TRANS: Text shown when issuing the command "on" successfully. -#: lib/command.php:749 +#: lib/command.php:753 msgid "Notification on." msgstr "" #. TRANS: Error text shown when the command "on" fails for an unknown reason. -#: lib/command.php:752 +#: lib/command.php:756 msgid "Can't turn on notification." msgstr "" #. TRANS: Error text shown when issuing the login command while login is disabled. -#: lib/command.php:766 +#: lib/command.php:770 msgid "Login command is disabled." msgstr "" #. TRANS: Text shown after issuing the login command successfully. #. TRANS: %s is a logon link.. -#: lib/command.php:779 +#: lib/command.php:783 #, php-format msgid "This link is useable only once and is valid for only 2 minutes: %s." msgstr "" #. TRANS: Text shown after issuing the lose command successfully (stop another user from following the current user). #. TRANS: %s is the name of the user the unsubscription was requested for. -#: lib/command.php:808 +#: lib/command.php:812 #, php-format msgid "Unsubscribed %s." msgstr "" #. TRANS: Text shown after requesting other users a user is subscribed to without having any subscriptions. -#: lib/command.php:826 +#: lib/command.php:830 msgid "You are not subscribed to anyone." msgstr "" #. TRANS: Text shown after requesting other users a user is subscribed to. #. TRANS: This message supports plural forms. This message is followed by a #. TRANS: hard coded space and a comma separated list of subscribed users. -#: lib/command.php:831 +#: lib/command.php:835 msgid "You are subscribed to this person:" msgid_plural "You are subscribed to these people:" msgstr[0] "" #. TRANS: Text shown after requesting other users that are subscribed to a user #. TRANS: (followers) without having any subscribers. -#: lib/command.php:853 +#: lib/command.php:857 msgid "No one is subscribed to you." msgstr "" #. TRANS: Text shown after requesting other users that are subscribed to a user (followers). #. TRANS: This message supports plural forms. This message is followed by a #. TRANS: hard coded space and a comma separated list of subscribing users. -#: lib/command.php:858 +#: lib/command.php:862 msgid "This person is subscribed to you:" msgid_plural "These people are subscribed to you:" msgstr[0] "" #. TRANS: Text shown after requesting groups a user is subscribed to without having #. TRANS: any group subscriptions. -#: lib/command.php:880 +#: lib/command.php:884 msgid "You are not a member of any groups." msgstr "" #. TRANS: Text shown after requesting groups a user is subscribed to. #. TRANS: This message supports plural forms. This message is followed by a #. TRANS: hard coded space and a comma separated list of subscribed groups. -#: lib/command.php:885 +#: lib/command.php:889 msgid "You are a member of this group:" msgid_plural "You are a member of these groups:" msgstr[0] "" #. TRANS: Help text for commands. Do not translate the command names themselves; they are fixed strings. -#: lib/command.php:900 +#: lib/command.php:904 msgid "" "Commands:\n" "on - turn on notifications\n" @@ -7208,7 +7304,8 @@ msgid "1-64 lowercase letters or numbers, no punctuation or spaces" msgstr "1–64 პატარა ასოები ან ციფრები. პუნქტუაციები ან სივრცეები დაუშვებელია" #: lib/groupeditform.php:163 -msgid "URL of the homepage or blog of the group or topic" +#, fuzzy +msgid "URL of the homepage or blog of the group or topic." msgstr "საწყისი გვერდის URL, ან ჯგუფის/თემის ბლოგი" #: lib/groupeditform.php:168 @@ -7216,21 +7313,28 @@ msgid "Describe the group or topic" msgstr "აღწერე ჯგუფი ან თემა" #: lib/groupeditform.php:170 -#, php-format -msgid "Describe the group or topic in %d characters" -msgstr "არწერე ჯგუფი ან თემა %d სიმბოლოთი" +#, fuzzy, php-format +msgid "Describe the group or topic in %d character or less" +msgid_plural "Describe the group or topic in %d characters or less" +msgstr[0] "არწერე ჯგუფი ან თემა %d სიმბოლოთი" -#: lib/groupeditform.php:179 +#: lib/groupeditform.php:182 +#, fuzzy msgid "" -"Location for the group, if any, like \"City, State (or Region), Country\"" +"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/groupeditform.php:190 +#, fuzzy, php-format +msgid "" +"Extra nicknames for the group, separated with commas or spaces. Maximum %d " +"alias allowed." +msgid_plural "" +"Extra nicknames for the group, separated with commas or spaces. Maximum %d " +"aliases allowed." +msgstr[0] "" "ჯგუფის დამატებითი მეტსახელები. გამოყავით მძიმით ან სივრცით. მაქსიმუმ %d " "სიმბოლო" @@ -7765,7 +7869,7 @@ msgstr "" msgid "Sorry, no incoming email allowed." msgstr "ბოდიში, შემომავალი ელ. ფოსტის მისამართი არ არის დაშვებული." -#: lib/mailhandler.php:228 +#: lib/mailhandler.php:229 #, php-format msgid "Unsupported message type: %s" msgstr "შეტყობინების ტიპი არ არის მხარდაჭერილი: %s" @@ -8112,16 +8216,17 @@ msgid "Sandbox this user" msgstr "ამ მომხმარებლის იზოლირება" #. TRANS: Fieldset legend for the search form. -#: lib/searchaction.php:121 +#: lib/searchaction.php:120 msgid "Search site" msgstr "ძიება საიტზე" #. TRANS: Used as a field label for the field where one or more keywords #. TRANS: for searching can be entered. -#: lib/searchaction.php:129 +#: lib/searchaction.php:128 msgid "Keyword(s)" msgstr "საკვანძო სიტყვები" +#. TRANS: Button text for searching site. #: lib/searchaction.php:130 msgctxt "BUTTON" msgid "Search" @@ -8211,8 +8316,8 @@ msgid "The theme file is missing or the upload failed." msgstr "თემის ფაილი არ არის, ან ატვირთვა ვერ მოხერხდა." #: lib/themeuploader.php:91 lib/themeuploader.php:102 -#: lib/themeuploader.php:278 lib/themeuploader.php:282 -#: lib/themeuploader.php:290 lib/themeuploader.php:297 +#: lib/themeuploader.php:279 lib/themeuploader.php:283 +#: lib/themeuploader.php:291 lib/themeuploader.php:298 msgid "Failed saving theme." msgstr "თემის შენახვა ჩაიშალა." @@ -8221,15 +8326,18 @@ msgid "Invalid theme: bad directory structure." msgstr "არასწორი თემა: დირექტორიების არასწორი სტრუქტურა." #: lib/themeuploader.php:166 -#, php-format -msgid "Uploaded theme is too large; must be less than %d bytes uncompressed." -msgstr "ატვირთული თემა ძალიან დიდია; შეუკუმშავი უნდა იყოს %d ბაიტზე ნაკლები." +#, fuzzy, php-format +msgid "Uploaded theme is too large; must be less than %d byte uncompressed." +msgid_plural "" +"Uploaded theme is too large; must be less than %d bytes uncompressed." +msgstr[0] "" +"ატვირთული თემა ძალიან დიდია; შეუკუმშავი უნდა იყოს %d ბაიტზე ნაკლები." -#: lib/themeuploader.php:178 +#: lib/themeuploader.php:179 msgid "Invalid theme archive: missing file css/display.css" msgstr "თემის არასწორი არქივი: ფაილი css/display.css არ არის" -#: lib/themeuploader.php:218 +#: lib/themeuploader.php:219 msgid "" "Theme contains invalid file or folder name. Stick with ASCII letters, " "digits, underscore, and minus sign." @@ -8237,17 +8345,17 @@ msgstr "" "თემა შეიცავს ფაილის ან საქაღალდის არასწორ სახელს. გამოიყენეთ ASCII ასოები, " "ციფრები, ქვედა ტირე, და მინუსის ნიშანი." -#: lib/themeuploader.php:224 +#: lib/themeuploader.php:225 msgid "Theme contains unsafe file extension names; may be unsafe." msgstr "" "თემა ფაილის გაფართოებების საშიშ სახელებს შეიცავს; შეიძლება არ იყოს უსაფრთხო." -#: lib/themeuploader.php:241 +#: lib/themeuploader.php:242 #, php-format msgid "Theme contains file of type '.%s', which is not allowed." msgstr "თემა შეიცავს ფაილის ტიპს '.%s', რომელიც აკრძალულია." -#: lib/themeuploader.php:259 +#: lib/themeuploader.php:260 msgid "Error opening theme archive." msgstr "თემის არქივის გახსნისას მოხდა შეცდომა." @@ -8426,20 +8534,35 @@ msgstr[0] "" "შეტყობინება ძალიან გრძელია - დასაშვები რაოდენობაა %1$d სიმბოლომდე, თქვენ " "გააგზავნეთ %2$d." -#: scripts/restoreuser.php:82 +#. TRANS: Commandline script output. %s is the filename that contains a backup for a user. +#: scripts/restoreuser.php:61 #, php-format -msgid "Backup file for user %s (%s)" +msgid "Getting backup from file '%s'." msgstr "" -#: scripts/restoreuser.php:88 +#. TRANS: Commandline script output. +#: scripts/restoreuser.php:91 #, fuzzy msgid "No user specified; using backup user." msgstr "მომხმარებლის ID მითითებული არ არის." -#: scripts/restoreuser.php:94 +#. TRANS: Commandline script output. %d is the number of entries in the activity stream in backup; used for plural. +#: scripts/restoreuser.php:98 #, php-format -msgid "%d entries in backup." -msgstr "" +msgid "%d entry in backup." +msgid_plural "%d entries in backup." +msgstr[0] "" -#~ msgid "Description is too long (max %d chars)." -#~ msgstr "აღწერა ძალიან გრძელია (არაუმეტეს %d სიმბოლო)." +#, fuzzy +#~ msgid "Name is too long (maximum 255 chars)." +#~ msgstr "სახელი ძალიან გრძელია (არაუმეტეს 255 სიმბოლო)." + +#, fuzzy +#~ msgid "Organization is too long (maximum 255 chars)." +#~ msgstr "ორგანიზაცია ძალიან გრძელია (არაუმეტეს 255 სიმბოლო)." + +#~ msgid "That's too long. Max notice size is %d chars." +#~ msgstr "შეტყობინების დასაძვები ზომაა %d სიმბოლო." + +#~ msgid "Max notice size is %d chars, including attachment URL." +#~ msgstr "შეყობინების დასაშვები ზომაა %d სიმბოლო მიმაგრებული URL-ის ჩათვლით." diff --git a/locale/ko/LC_MESSAGES/statusnet.po b/locale/ko/LC_MESSAGES/statusnet.po index 10af95aaf1..76255a186d 100644 --- a/locale/ko/LC_MESSAGES/statusnet.po +++ b/locale/ko/LC_MESSAGES/statusnet.po @@ -11,17 +11,17 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet - Core\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-10-30 23:18+0000\n" -"PO-Revision-Date: 2010-10-30 23:20:32+0000\n" +"POT-Creation-Date: 2010-11-02 22:51+0000\n" +"PO-Revision-Date: 2010-11-02 22:53:29+0000\n" "Language-Team: Korean \n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r75708); Translate extension (2010-09-17)\n" +"X-Generator: MediaWiki 1.17alpha (r75875); Translate extension (2010-09-17)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: ko\n" "X-Message-Group: #out-statusnet-core\n" "Plural-Forms: nplurals=1; plural=0;\n" -"X-POT-Import-Date: 2010-10-30 09:48:40+0000\n" +"X-POT-Import-Date: 2010-10-30 23:42:01+0000\n" #. TRANS: Page title for Access admin panel that allows configuring site access. #. TRANS: Menu item for site administration @@ -78,15 +78,20 @@ msgstr "접근 설정을 저장" #. TRANS: Tooltip for button to save access settings in site admin panel. #. TRANS: Button label to save e-mail preferences. #. TRANS: Button label to save IM preferences. +#. TRANS: Button text for saving "Other settings" in profile. #. TRANS: Button text to store form data in the Paths admin panel. #. TRANS: Button to save input in profile settings. +#. TRANS: Button text for saving site notice in admin panel. #. TRANS: Button label to save SMS preferences. #. TRANS: Save button for settings for a profile in a subscriptions list. +#. TRANS: Button text to save user settings in user admin panel. #. TRANS: Button label in the "Edit application" form. #: actions/accessadminpanel.php:193 actions/emailsettings.php:228 -#: actions/imsettings.php:187 actions/pathsadminpanel.php:512 -#: actions/profilesettings.php:201 actions/smssettings.php:209 -#: actions/subscriptions.php:246 lib/applicationeditform.php:355 +#: actions/imsettings.php:187 actions/othersettings.php:134 +#: actions/pathsadminpanel.php:512 actions/profilesettings.php:201 +#: actions/sitenoticeadminpanel.php:197 actions/smssettings.php:209 +#: actions/subscriptions.php:246 actions/useradminpanel.php:298 +#: lib/applicationeditform.php:355 lib/groupeditform.php:207 msgctxt "BUTTON" msgid "Save" msgstr "저장" @@ -137,7 +142,7 @@ msgstr "해당하는 페이지 없음" #: 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:93 actions/userrss.php:40 -#: actions/xrds.php:71 lib/command.php:495 lib/galleryaction.php:59 +#: actions/xrds.php:71 lib/command.php:497 lib/galleryaction.php:59 #: lib/mailbox.php:82 lib/profileaction.php:77 msgid "No such user." msgstr "해당하는 이용자 없음" @@ -206,7 +211,9 @@ msgstr "" #. TRANS: Encoutagement displayed on empty timeline user pages for anonymous users. #. TRANS: %s is a user nickname. This message contains Markdown links. Keep "](" together. -#: actions/all.php:155 actions/replies.php:210 actions/showstream.php:208 +#. TRANS: Second sentence of empty message for anonymous users. %s is a user nickname. +#. TRANS: This message contains a Markdown link. Keep "](" together. +#: actions/all.php:155 actions/replies.php:210 actions/showstream.php:227 #, php-format msgid "" "Why not [register an account](%%%%action.register%%%%) and then nudge %s or " @@ -556,8 +563,11 @@ msgstr "실명이 너무 깁니다. (최대 255글자)" #. TRANS: Group edit form validation error. #. TRANS: Form validation error in New application form. #. TRANS: %d is the maximum number of characters for the description. +#. TRANS: Group create form validation error. +#. TRANS: %d is the maximum number of allowed characters. #: actions/apigroupcreate.php:220 actions/editapplication.php:201 #: actions/editgroup.php:216 actions/newapplication.php:178 +#: actions/newgroup.php:152 #, fuzzy, php-format msgid "Description is too long (maximum %d character)." msgid_plural "Description is too long (maximum %d characters)." @@ -715,14 +725,14 @@ msgstr "당신은 이 프로필에 구독되지 않고있습니다." #. TRANS: Form validation error in API OAuth authorisation because of an invalid session token. #: actions/apioauthauthorize.php:147 actions/avatarsettings.php:280 -#: actions/deletenotice.php:172 actions/disfavor.php:74 +#: actions/deletenotice.php:177 actions/disfavor.php:74 #: actions/emailsettings.php:271 actions/favor.php:75 actions/geocode.php:55 #: actions/groupblock.php:66 actions/grouplogo.php:312 #: actions/groupunblock.php:65 actions/imsettings.php:230 #: actions/invite.php:59 actions/login.php:137 actions/makeadmin.php:66 #: actions/newmessage.php:135 actions/newnotice.php:105 actions/nudge.php:80 #: actions/oauthappssettings.php:165 actions/oauthconnectionssettings.php:138 -#: actions/othersettings.php:145 actions/passwordsettings.php:138 +#: actions/othersettings.php:153 actions/passwordsettings.php:138 #: actions/profilesettings.php:221 actions/recoverpassword.php:350 #: actions/register.php:172 actions/remotesubscribe.php:77 #: actions/repeat.php:83 actions/smssettings.php:256 actions/subedit.php:40 @@ -902,20 +912,21 @@ msgstr "당신은 다른 사용자의 상태를 삭제하지 않아도 된다." #. TRANS: Client error displayed trying to repeat a non-existing notice through the API. #. TRANS: Client error displayed trying to display redents of a non-exiting notice. +#. TRANS: Error message displayed trying to delete a non-existing notice. #: actions/apistatusesretweet.php:74 actions/apistatusesretweets.php:70 -#: actions/deletenotice.php:58 actions/shownotice.php:92 +#: actions/deletenotice.php:61 actions/shownotice.php:92 msgid "No such notice." msgstr "그러한 통지는 없습니다." #. TRANS: Client error displayed trying to repeat an own notice through the API. #. TRANS: Error text shown when trying to repeat an own notice. -#: actions/apistatusesretweet.php:83 lib/command.php:535 +#: actions/apistatusesretweet.php:83 lib/command.php:537 msgid "Cannot repeat your own notice." msgstr "자기 자신의 소식은 재전송할 수 없습니다." #. TRANS: Client error displayed trying to re-repeat a notice through the API. #. TRANS: Error text shown when trying to repeat an notice that was already repeated by the user. -#: actions/apistatusesretweet.php:92 lib/command.php:541 +#: actions/apistatusesretweet.php:92 lib/command.php:543 msgid "Already repeated that notice." msgstr "이미 재전송된 소식입니다." @@ -936,7 +947,8 @@ msgstr "" #. TRANS: Client error displayed when the parameter "status" is missing. #. TRANS: %d is the maximum number of character for a notice. -#: actions/apistatusesupdate.php:244 +#: actions/apistatusesupdate.php:244 actions/newnotice.php:161 +#: lib/mailhandler.php:60 #, fuzzy, php-format msgid "That's too long. Maximum notice size is %d character." msgid_plural "That's too long. Maximum notice size is %d characters." @@ -950,7 +962,7 @@ msgstr "API 메서드 발견 안 됨." #. TRANS: Client error displayed exceeding the maximum notice length. #. TRANS: %d is the maximum lenth for a notice. -#: actions/apistatusesupdate.php:308 +#: actions/apistatusesupdate.php:308 actions/newnotice.php:184 #, fuzzy, php-format msgid "Maximum notice size is %d character, including attachment URL." msgid_plural "Maximum notice size is %d characters, including attachment URL." @@ -1159,17 +1171,18 @@ msgstr "그림에서 당신의 아바타로 사용할 영역을 지정하십시 msgid "Lost our file data." msgstr "파일 데이터를 잃어버렸습니다." -#: actions/avatarsettings.php:384 +#. TRANS: Success message for having updated a user avatar. +#: actions/avatarsettings.php:385 msgid "Avatar updated." msgstr "아바타가 업데이트 되었습니다." #. TRANS: Error displayed on the avatar upload page if the avatar could not be updated for an unknown reason. -#: actions/avatarsettings.php:388 +#: actions/avatarsettings.php:389 msgid "Failed updating avatar." msgstr "아바타 업데이트 실패" #. TRANS: Success message for deleting a user avatar. -#: actions/avatarsettings.php:412 +#: actions/avatarsettings.php:413 msgid "Avatar deleted." msgstr "아바타가 삭제되었습니다." @@ -1200,8 +1213,8 @@ msgstr "" #. TRANS: Button label on the delete notice form. #. TRANS: Button label on the delete user form. #. TRANS: Button label on the form to block a user from a group. -#: actions/block.php:154 actions/deleteapplication.php:154 -#: actions/deletegroup.php:220 actions/deletenotice.php:150 +#: actions/block.php:154 actions/deleteapplication.php:157 +#: actions/deletegroup.php:220 actions/deletenotice.php:155 #: actions/deleteuser.php:152 actions/groupblock.php:178 msgctxt "BUTTON" msgid "No" @@ -1219,8 +1232,8 @@ msgstr "이용자를 차단하지 않는다." #. TRANS: Button label on the delete notice form. #. TRANS: Button label on the delete user form. #. TRANS: Button label on the form to block a user from a group. -#: actions/block.php:161 actions/deleteapplication.php:161 -#: actions/deletegroup.php:227 actions/deletenotice.php:157 +#: actions/block.php:161 actions/deleteapplication.php:164 +#: actions/deletegroup.php:227 actions/deletenotice.php:162 #: actions/deleteuser.php:159 actions/groupblock.php:185 msgctxt "BUTTON" msgid "Yes" @@ -1338,12 +1351,13 @@ msgstr "그 주소는 이미 승인되었습니다." #. TRANS: Server error thrown on database error removing a registered e-mail address. #. TRANS: Server error thrown on database error updating IM preferences. #. TRANS: Server error thrown on database error removing a registered IM address. +#. TRANS: Server error displayed when "Other" settings in user profile could not be updated on the server. #. TRANS: Server error thrown when user profile settings could not be updated. #. TRANS: Server error thrown on database error updating SMS preferences. #. TRANS: Server error thrown on database error removing a registered SMS phone number. #: actions/confirmaddress.php:118 actions/emailsettings.php:331 #: actions/emailsettings.php:477 actions/imsettings.php:283 -#: actions/imsettings.php:442 actions/othersettings.php:174 +#: actions/imsettings.php:442 actions/othersettings.php:184 #: actions/profilesettings.php:326 actions/smssettings.php:308 #: actions/smssettings.php:464 msgid "Couldn't update user." @@ -1379,16 +1393,19 @@ msgstr "대화" msgid "Notices" msgstr "통지" -#: actions/deleteapplication.php:63 +#. TRANS: Client error displayed trying to delete an application while not logged in. +#: actions/deleteapplication.php:62 msgid "You must be logged in to delete an application." msgstr "응용 프로그램 수정을 위해서는 로그인해야 합니다." +#. TRANS: Client error displayed trying to delete an application that does not exist. #: actions/deleteapplication.php:71 msgid "Application not found." msgstr "인증 코드가 없습니다." +#. TRANS: Client error displayed trying to delete an application the current user does not own. #. TRANS: Client error displayed trying to edit an application while not being its owner. -#: actions/deleteapplication.php:78 actions/editapplication.php:78 +#: actions/deleteapplication.php:79 actions/editapplication.php:78 #: actions/showapplication.php:94 msgid "You are not the owner of this application." msgstr "이 응용프로그램 삭제 않기" @@ -1396,15 +1413,18 @@ msgstr "이 응용프로그램 삭제 않기" #. TRANS: Client error text when there is a problem with the session token. #: actions/deleteapplication.php:102 actions/editapplication.php:131 #: actions/newapplication.php:114 actions/showapplication.php:118 -#: lib/action.php:1354 +#: lib/action.php:1404 msgid "There was a problem with your session token." msgstr "당신의 세션토큰관련 문제가 있습니다." -#: actions/deleteapplication.php:123 actions/deleteapplication.php:147 +#. TRANS: Title for delete application page. +#. TRANS: Fieldset legend on delete application page. +#: actions/deleteapplication.php:124 actions/deleteapplication.php:149 msgid "Delete application" msgstr "응용프로그램 삭제" -#: actions/deleteapplication.php:149 +#. TRANS: Confirmation text on delete application page. +#: actions/deleteapplication.php:152 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 " @@ -1412,12 +1432,12 @@ msgid "" msgstr "" #. TRANS: Submit button title for 'No' when deleting an application. -#: actions/deleteapplication.php:158 +#: actions/deleteapplication.php:161 msgid "Do not delete this application" msgstr "이 응용프로그램 삭제 않기" #. TRANS: Submit button title for 'Yes' when deleting an application. -#: actions/deleteapplication.php:164 +#: actions/deleteapplication.php:167 msgid "Delete this application" msgstr "이 응용프로그램 삭제" @@ -1454,13 +1474,14 @@ msgstr "그룹을 업데이트 할 수 없습니다." msgid "Deleted group %s" msgstr "%1$s의 상태 (%2$s에서)" -#. TRANS: Title. +#. TRANS: Title of delete group page. #. TRANS: Form legend for deleting a group. #: actions/deletegroup.php:176 actions/deletegroup.php:202 #, fuzzy msgid "Delete group" msgstr "이용자 삭제" +#. TRANS: Warning in form for deleleting a group. #: actions/deletegroup.php:206 msgid "" "Are you sure you want to delete this group? This will clear all data about " @@ -1480,10 +1501,11 @@ msgstr "이 통지를 지울 수 없습니다." msgid "Delete this group" msgstr "이 사용자 삭제" +#. TRANS: Error message displayed trying to delete a notice while not logged in. #. TRANS: Client error displayed when trying to unblock a user from a group while not logged in. #. TRANS: Client error displayed trying a change a subscription while not logged in. #. TRANS: Client error message thrown when trying to access the admin panel while not logged in. -#: actions/deletenotice.php:50 actions/disfavor.php:61 actions/favor.php:62 +#: actions/deletenotice.php:52 actions/disfavor.php:61 actions/favor.php:62 #: actions/groupblock.php:61 actions/groupunblock.php:60 actions/logout.php:69 #: actions/makeadmin.php:61 actions/newmessage.php:87 actions/newnotice.php:88 #: actions/nudge.php:63 actions/subedit.php:33 actions/subscribe.php:96 @@ -1493,11 +1515,13 @@ msgstr "이 사용자 삭제" msgid "Not logged in." msgstr "로그인하고 있지 않습니다." -#: actions/deletenotice.php:74 +#. TRANS: Error message displayed trying to delete a notice that was not made by the current user. +#: actions/deletenotice.php:78 msgid "Can't delete this notice." msgstr "이 통지를 지울 수 없습니다." -#: actions/deletenotice.php:106 +#. TRANS: Instructions for deleting a notice. +#: actions/deletenotice.php:110 #, fuzzy msgid "" "You are about to permanently delete a notice. Once this is done, it cannot " @@ -1505,22 +1529,25 @@ msgid "" msgstr "" "영구적으로 게시글을 삭제하려고 합니다. 한번 삭제되면, 복구할 수 없습니다." -#: actions/deletenotice.php:112 actions/deletenotice.php:144 +#. TRANS: Page title when deleting a notice. +#. TRANS: Fieldset legend for the delete notice form. +#: actions/deletenotice.php:117 actions/deletenotice.php:148 msgid "Delete notice" msgstr "통지 삭제" -#: actions/deletenotice.php:147 +#. TRANS: Message for the delete notice form. +#: actions/deletenotice.php:152 msgid "Are you sure you want to delete this notice?" msgstr "정말로 통지를 삭제하시겠습니까?" #. TRANS: Submit button title for 'No' when deleting a notice. -#: actions/deletenotice.php:154 +#: actions/deletenotice.php:159 #, fuzzy msgid "Do not delete this notice" msgstr "이 통지를 지울 수 없습니다." #. TRANS: Submit button title for 'Yes' when deleting a notice. -#: actions/deletenotice.php:161 lib/noticelist.php:667 +#: actions/deletenotice.php:166 lib/noticelist.php:667 msgid "Delete this notice" msgstr "이 게시글 삭제하기" @@ -1681,11 +1708,9 @@ msgstr "" #. TRANS: Submit button title. #: actions/designadminpanel.php:711 actions/licenseadminpanel.php:319 -#: actions/othersettings.php:126 actions/sessionsadminpanel.php:199 -#: actions/siteadminpanel.php:292 actions/sitenoticeadminpanel.php:195 +#: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:292 #: actions/snapshotadminpanel.php:245 actions/tagother.php:154 -#: actions/useradminpanel.php:295 lib/applicationeditform.php:357 -#: lib/designsettings.php:256 lib/groupeditform.php:202 +#: lib/applicationeditform.php:357 lib/designsettings.php:256 msgid "Save" msgstr "저장" @@ -1734,9 +1759,9 @@ msgid "Name is required." msgstr "기관 이름이 필요합니다." #. TRANS: Validation error shown when providing too long a name in the "Edit application" form. -#: actions/editapplication.php:188 +#: actions/editapplication.php:188 actions/newapplication.php:169 #, fuzzy -msgid "Name is too long (max 255 characters)." +msgid "Name is too long (maximum 255 characters)." msgstr "실명이 너무 깁니다. (최대 255글자)" #. TRANS: Validation error shown when providing a name for an application that already exists in the "Edit application" form. @@ -1766,7 +1791,7 @@ msgid "Organization is required." msgstr "기관 이름이 필요합니다." #. TRANS: Validation error shown when providing too long an arganisation name in the "Edit application" form. -#: actions/editapplication.php:223 +#: actions/editapplication.php:223 actions/newapplication.php:199 #, fuzzy msgid "Organization is too long (maximum 255 characters)." msgstr "기관 이름이 너무 깁니다. (최대 255글자)" @@ -2551,7 +2576,7 @@ msgid "Publish a MicroID for my Jabber/GTalk address." msgstr "Jabber/GTalk 계정을 위한 MicroID의 생성" #. TRANS: Confirmation message for successful IM preferences save. -#: actions/imsettings.php:290 actions/othersettings.php:180 +#: actions/imsettings.php:290 actions/othersettings.php:190 msgid "Preferences saved." msgstr "설정이 저장되었습니다." @@ -2673,10 +2698,9 @@ msgstr[0] "당신은 다음 사용자를 이미 구독하고 있습니다." #. TRANS: Used as list item for already subscribed users (%1$s is nickname, %2$s is e-mail address). #. TRANS: Used as list item for already registered people (%1$s is nickname, %2$s is e-mail address). -#. TRANS: Whois output. -#. TRANS: %1$s nickname of the queried user, %2$s is their profile URL. -#: actions/invite.php:145 actions/invite.php:159 lib/command.php:426 -#, php-format +#: actions/invite.php:145 actions/invite.php:159 +#, fuzzy, php-format +msgctxt "INVITE" msgid "%1$s (%2$s)" msgstr "%1$s (%2$s)" @@ -2850,8 +2874,9 @@ msgid "" msgstr "" #: actions/licenseadminpanel.php:156 -msgid "Invalid license title. Max length is 255 characters." -msgstr "" +#, fuzzy +msgid "Invalid license title. Maximum length is 255 characters." +msgstr "위치가 너무 깁니다. (최대 255글자)" #: actions/licenseadminpanel.php:168 msgid "Invalid license URL." @@ -3026,20 +3051,10 @@ msgstr "응용 프로그램 수정을 위해서는 로그인해야 합니다." msgid "Use this form to register a new application." msgstr "새 그룹을 만들기 위해 이 양식을 사용하세요." -#: actions/newapplication.php:169 -#, fuzzy -msgid "Name is too long (maximum 255 chars)." -msgstr "실명이 너무 깁니다. (최대 255글자)" - #: actions/newapplication.php:184 msgid "Source URL is required." msgstr "소스 URL이 필요합니다." -#: actions/newapplication.php:199 -#, fuzzy -msgid "Organization is too long (maximum 255 chars)." -msgstr "기관 이름이 너무 깁니다. (최대 255글자)" - #: actions/newapplication.php:266 actions/newapplication.php:275 msgid "Could not create application." msgstr "관심소식을 생성할 수 없습니다." @@ -3059,14 +3074,14 @@ msgid "New message" msgstr "새로운 메시지입니다." #. TRANS: Error text shown when trying to send a direct message to a user without a mutual subscription (each user must be subscribed to the other). -#: actions/newmessage.php:121 actions/newmessage.php:164 lib/command.php:499 +#: actions/newmessage.php:121 actions/newmessage.php:164 lib/command.php:501 msgid "You can't send a message to this user." msgstr "당신은 이 사용자에게 메시지를 보낼 수 없습니다." #. TRANS: Command exception text shown when trying to send a direct message to another user without content. #. TRANS: Command exception text shown when trying to reply to a notice without providing content for the reply. #: actions/newmessage.php:144 actions/newnotice.php:140 lib/command.php:478 -#: lib/command.php:579 +#: lib/command.php:581 msgid "No content!" msgstr "내용이 없습니다!" @@ -3075,7 +3090,7 @@ msgid "No recipient specified." msgstr "수신자를 지정하지 않았습니다." #. TRANS: Error text shown when trying to send a direct message to self. -#: actions/newmessage.php:167 lib/command.php:503 +#: actions/newmessage.php:167 lib/command.php:505 msgid "" "Don't send a message to yourself; just say it to yourself quietly instead." msgstr "" @@ -3087,12 +3102,12 @@ msgstr "쪽지가 전송되었습니다." #. TRANS: Message given have sent a direct message to another user. #. TRANS: %s is the name of the other user. -#: actions/newmessage.php:188 lib/command.php:511 +#: actions/newmessage.php:188 lib/command.php:513 #, fuzzy, php-format msgid "Direct message to %s sent." msgstr "%s에게 보낸 직접 메시지" -#: actions/newmessage.php:213 actions/newnotice.php:263 +#: actions/newmessage.php:213 actions/newnotice.php:264 msgid "Ajax Error" msgstr "Ajax 에러입니다." @@ -3100,17 +3115,7 @@ msgstr "Ajax 에러입니다." msgid "New notice" msgstr "새로운 통지" -#: actions/newnotice.php:159 lib/mailhandler.php:60 -#, php-format -msgid "That's too long. Max notice size is %d chars." -msgstr "너무 깁니다. 통지의 최대 길이는 %d 글자 입니다." - -#: actions/newnotice.php:183 -#, php-format -msgid "Max notice size is %d chars, including attachment URL." -msgstr "소식의 최대 길이는 첨부 URL을 포함하여 %d 글자입니다." - -#: actions/newnotice.php:229 +#: actions/newnotice.php:230 msgid "Notice posted" msgstr "게시글이 등록되었습니다." @@ -3275,36 +3280,46 @@ msgstr "사람 찾기" msgid "Notice Search" msgstr "통지 검색" -#: actions/othersettings.php:60 +#: actions/othersettings.php:59 msgid "Other settings" msgstr "아바타 설정" +#. TRANS: Instructions for tab "Other" in user profile settings. #: actions/othersettings.php:71 msgid "Manage various other options." msgstr "여러가지 기타 옵션을 관리합니다." -#: actions/othersettings.php:108 +#. TRANS: Used as a suffix for free URL shorteners in a dropdown list in the tab "Other" of a +#. TRANS: user's profile settings. This message has one space at the beginning. Use your +#. TRANS: language's word separator here if it has one (most likely a single space). +#: actions/othersettings.php:111 msgid " (free service)" msgstr " (무료 서비스)" -#: actions/othersettings.php:116 +#. TRANS: Label for dropdown with URL shortener services. +#: actions/othersettings.php:120 msgid "Shorten URLs with" msgstr "URL 줄이기 기능" -#: actions/othersettings.php:117 +#. TRANS: Tooltip for for dropdown with URL shortener services. +#: actions/othersettings.php:122 msgid "Automatic shortening service to use." msgstr "사용할 URL 자동 줄이기 서비스." -#: actions/othersettings.php:122 +#. TRANS: Label for checkbox. +#: actions/othersettings.php:128 msgid "View profile designs" msgstr "프로필 디자인 보기" -#: actions/othersettings.php:123 +#. TRANS: Tooltip for checkbox. +#: actions/othersettings.php:130 msgid "Show or hide profile designs." msgstr "프로필 디자인 보이거나 감춥니다." -#: actions/othersettings.php:153 -msgid "URL shortening service is too long (max 50 chars)." +#. TRANS: Form validation error for form "Other settings" in user profile. +#: actions/othersettings.php:162 +#, fuzzy +msgid "URL shortening service is too long (maximum 50 characters)." msgstr "URL 줄이기 서비스 너무 깁니다. (최대 50글자)" #: actions/otp.php:69 @@ -3787,7 +3802,7 @@ msgstr "자기소개" #. TRANS: Label for group location (dt). Text hidden by default. #: actions/profilesettings.php:149 actions/register.php:485 #: actions/showgroup.php:267 actions/tagother.php:112 -#: actions/userauthorization.php:166 lib/groupeditform.php:177 +#: actions/userauthorization.php:166 lib/groupeditform.php:180 #: lib/userprofile.php:165 msgid "Location" msgstr "위치" @@ -4114,7 +4129,8 @@ msgid "Unexpected password reset." msgstr "잘못된 비밀 번호 지정" #: actions/recoverpassword.php:365 -msgid "Password must be 6 chars or more." +#, fuzzy +msgid "Password must be 6 characters or more." msgstr "비밀 번호는 6자 이상이어야 합니다." #: actions/recoverpassword.php:369 @@ -4484,7 +4500,7 @@ msgstr "기관 이름이 필요합니다." #. TRANS: Form input field label. #: actions/showapplication.php:187 actions/version.php:200 -#: lib/applicationeditform.php:208 lib/groupeditform.php:172 +#: lib/applicationeditform.php:208 lib/groupeditform.php:175 msgid "Description" msgstr "설명" @@ -4628,7 +4644,7 @@ msgid "Note" msgstr "설명" #. TRANS: Label for group aliases (dt). Text hidden by default. -#: actions/showgroup.php:298 lib/groupeditform.php:184 +#: actions/showgroup.php:298 lib/groupeditform.php:187 msgid "Aliases" msgstr "" @@ -4755,47 +4771,67 @@ msgstr "%1$s에서 %2$s까지 메시지" msgid "Notice deleted." msgstr "게시글이 등록되었습니다." -#: actions/showstream.php:72 +#. TRANS: Page title showing tagged notices in one user's stream. %1$s is the username, %2$s is the hash tag. +#: actions/showstream.php:70 #, fuzzy, php-format -msgid " tagged %s" +msgid "%1$s tagged %2$s" +msgstr "%s 및 친구들, %d 페이지" + +#. TRANS: Page title showing tagged notices in one user's stream. +#. TRANS: %1$s is the username, %2$s is the hash tag, %1$d is the page number. +#: actions/showstream.php:74 +#, fuzzy, php-format +msgid "%1$s tagged %2$s, page %3$d" msgstr "%s 태그된 통지" -#: actions/showstream.php:78 +#. TRANS: Extended page title showing tagged notices in one user's stream. +#. TRANS: %1$s is the username, %2$d is the page number. +#: actions/showstream.php:82 #, php-format msgid "%1$s, page %2$d" msgstr "%s 및 친구들, %d 페이지" -#: actions/showstream.php:120 +#. TRANS: Title for link to notice feed. +#. TRANS: %1$s is a user nickname, %2$s is a hashtag. +#: actions/showstream.php:127 #, php-format msgid "Notice feed for %1$s tagged %2$s (RSS 1.0)" msgstr "%s 그룹을 위한 공지피드 (RSS 1.0)" -#: actions/showstream.php:127 +#. TRANS: Title for link to notice feed. +#. TRANS: %s is a user nickname. +#: actions/showstream.php:136 #, php-format msgid "Notice feed for %s (RSS 1.0)" msgstr "%s 그룹을 위한 공지피드 (RSS 1.0)" -#: actions/showstream.php:134 +#. TRANS: Title for link to notice feed. +#. TRANS: %s is a user nickname. +#: actions/showstream.php:145 #, php-format msgid "Notice feed for %s (RSS 2.0)" msgstr "%s 그룹을 위한 공지피드 (RSS 2.0)" -#: actions/showstream.php:141 +#: actions/showstream.php:152 #, php-format msgid "Notice feed for %s (Atom)" msgstr "%s 그룹을 위한 공지피드 (Atom)" -#: actions/showstream.php:146 +#. TRANS: Title for link to notice feed. FOAF stands for Friend of a Friend. +#. TRANS: More information at http://www.foaf-project.org. %s is a user nickname. +#: actions/showstream.php:159 #, fuzzy, php-format msgid "FOAF for %s" msgstr "%s의 보낸쪽지함" -#: actions/showstream.php:197 +#. TRANS: First sentence of empty list message for a stream. $1%s is a user nickname. +#: actions/showstream.php:211 #, fuzzy, php-format -msgid "This is the timeline for %1$s but %2$s hasn't posted anything yet." +msgid "This is the timeline for %1$s, but %1$s hasn't posted anything yet." msgstr "%s 및 친구들의 타임라인이지만, 아직 아무도 글을 작성하지 않았습니다." -#: actions/showstream.php:202 +#. TRANS: Second sentence of empty list message for a stream for the user themselves. +#: actions/showstream.php:217 msgid "" "Seen anything interesting recently? You haven't posted any notices yet, now " "would be a good time to start :)" @@ -4803,14 +4839,18 @@ msgstr "" "최근에 재미있는 일들이 있었나요? 아직 올린 글이 없느데, 지금 시작해 보면 어떨" "까요. :)" -#: actions/showstream.php:204 +#. TRANS: Second sentence of empty list message for a non-self stream. %1$s is a user nickname, %2$s is a part of a URL. +#. TRANS: This message contains a Markdown link. Keep "](" together. +#: actions/showstream.php:221 #, php-format msgid "" "You can try to nudge %1$s or [post something to them](%%%%action.newnotice%%%" "%?status_textarea=%2$s)." msgstr "" -#: actions/showstream.php:243 +#. TRANS: Announcement for anonymous users showing a stream if site registrations are open. +#. TRANS: This message contains a Markdown link. Keep "](" together. +#: actions/showstream.php:264 #, php-format msgid "" "**%s** has an account on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -4819,7 +4859,9 @@ msgid "" "follow **%s**'s notices and many more! ([Read more](%%%%doc.help%%%%))" msgstr "" -#: actions/showstream.php:248 +#. TRANS: Announcement for anonymous users showing a stream if site registrations are closed or invite only. +#. TRANS: This message contains a Markdown link. Keep "](" together. +#: actions/showstream.php:271 #, fuzzy, php-format msgid "" "**%s** has an account on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -4829,7 +4871,8 @@ msgstr "" "**%s**는 %%%%site.name%%%% [마이크로블로깅](http://en.wikipedia.org/wiki/" "Micro-blogging) 서비스에 계정을 갖고 있습니다." -#: actions/showstream.php:305 +#. TRANS: Link to the author of a repeated notice. %s is a linked nickname. +#: actions/showstream.php:328 #, fuzzy, php-format msgid "Repeat of %s" msgstr "%s에 답신" @@ -4942,33 +4985,40 @@ msgstr "" msgid "How long users must wait (in seconds) to post the same thing again." msgstr "" -#: actions/sitenoticeadminpanel.php:56 +#. TRANS: Page title for site-wide notice tab in admin panel. +#: actions/sitenoticeadminpanel.php:55 msgid "Site Notice" msgstr "사이트 공지 사항" -#: actions/sitenoticeadminpanel.php:67 +#. TRANS: Instructions for site-wide notice tab in admin panel. +#: actions/sitenoticeadminpanel.php:66 #, fuzzy msgid "Edit site-wide message" msgstr "새로운 메시지입니다." -#: actions/sitenoticeadminpanel.php:103 +#. TRANS: Server error displayed when saving a site-wide notice was impossible. +#: actions/sitenoticeadminpanel.php:101 msgid "Unable to save site notice." msgstr "디자인 설정을 저장할 수 없습니다." -#: actions/sitenoticeadminpanel.php:113 -msgid "Max length for the site-wide notice is 255 chars." +#. TRANS: Client error displayed when a site-wide notice was longer than allowed. +#: actions/sitenoticeadminpanel.php:112 +msgid "Maximum length for the site-wide notice is 255 characters." msgstr "" +#. TRANS: Label for site-wide notice text field in admin panel. #: actions/sitenoticeadminpanel.php:176 #, fuzzy msgid "Site notice text" msgstr "사이트 공지" -#: actions/sitenoticeadminpanel.php:178 -msgid "Site-wide notice text (255 chars max; HTML okay)" +#. TRANS: Tooltip for site-wide notice text field in admin panel. +#: actions/sitenoticeadminpanel.php:179 +msgid "Site-wide notice text (255 characters maximum; HTML allowed)" msgstr "" -#: actions/sitenoticeadminpanel.php:198 +#. TRANS: Title for button to save site notice in admin panel. +#: actions/sitenoticeadminpanel.php:201 #, fuzzy msgid "Save site notice" msgstr "사이트 공지" @@ -5423,79 +5473,96 @@ msgid "" msgstr "" #. TRANS: User admin panel title -#: actions/useradminpanel.php:60 +#: actions/useradminpanel.php:58 msgctxt "TITLE" msgid "User" msgstr "사용자" -#: actions/useradminpanel.php:71 +#. TRANS: Instruction for user admin panel. +#: actions/useradminpanel.php:69 msgid "User settings for this StatusNet site" msgstr "" -#: actions/useradminpanel.php:150 +#. TRANS: Form validation error in user admin panel when a non-numeric character limit was set. +#: actions/useradminpanel.php:147 msgid "Invalid bio limit. Must be numeric." msgstr "" -#: actions/useradminpanel.php:156 -msgid "Invalid welcome text. Max length is 255 characters." +#. TRANS: Form validation error in user admin panel when welcome text is too long. +#: actions/useradminpanel.php:154 +msgid "Invalid welcome text. Maximum length is 255 characters." msgstr "" +#. TRANS: Client error displayed when trying to set a non-existing user as default subscription for new +#. TRANS: users in user admin panel. %1$s is the invalid nickname. #: actions/useradminpanel.php:166 #, php-format -msgid "Invalid default subscripton: '%1$s' is not user." +msgid "Invalid default subscripton: '%1$s' is not a user." msgstr "" #. TRANS: Link description in user account settings menu. -#: actions/useradminpanel.php:219 lib/accountsettingsaction.php:106 +#: actions/useradminpanel.php:215 lib/accountsettingsaction.php:106 #: lib/personalgroupnav.php:109 msgid "Profile" msgstr "프로필" -#: actions/useradminpanel.php:223 +#. TRANS: Field label in user admin panel for setting the character limit for the bio field. +#: actions/useradminpanel.php:220 msgid "Bio Limit" msgstr "" -#: actions/useradminpanel.php:224 +#. TRANS: Tooltip in user admin panel for setting the character limit for the bio field. +#: actions/useradminpanel.php:222 msgid "Maximum length of a profile bio in characters." msgstr "" -#: actions/useradminpanel.php:232 +#. TRANS: Form legend in user admin panel. +#: actions/useradminpanel.php:231 msgid "New users" msgstr "새 사용자" +#. TRANS: Field label in user admin panel for setting new user welcome text. #: actions/useradminpanel.php:236 msgid "New user welcome" msgstr "" -#: actions/useradminpanel.php:237 -msgid "Welcome text for new users (Max 255 chars)." -msgstr "" +#. TRANS: Tooltip in user admin panel for setting new user welcome text. +#: actions/useradminpanel.php:238 +#, fuzzy +msgid "Welcome text for new users (maximum 255 characters)." +msgstr "실명이 너무 깁니다. (최대 255글자)" -#: actions/useradminpanel.php:242 +#. TRANS: Field label in user admin panel for setting default subscription for new users. +#: actions/useradminpanel.php:244 #, fuzzy msgid "Default subscription" msgstr "모든 예약 구독" -#: actions/useradminpanel.php:243 +#. TRANS: Tooltip in user admin panel for setting default subscription for new users. +#: actions/useradminpanel.php:246 #, fuzzy msgid "Automatically subscribe new users to this user." msgstr "나에게 구독하는 사람에게 자동 구독 신청" -#: actions/useradminpanel.php:252 +#. TRANS: Form legend in user admin panel. +#: actions/useradminpanel.php:256 #, fuzzy msgid "Invitations" msgstr "초대권을 보냈습니다" -#: actions/useradminpanel.php:257 +#. TRANS: Field label for checkbox in user admin panel for allowing users to invite friend using site e-mail. +#: actions/useradminpanel.php:262 #, fuzzy msgid "Invitations enabled" msgstr "초대권을 보냈습니다" -#: actions/useradminpanel.php:259 +#. TRANS: Tooltip for checkbox in user admin panel for allowing users to invite friend using site e-mail. +#: actions/useradminpanel.php:265 msgid "Whether to allow users to invite new users." msgstr "" -#: actions/useradminpanel.php:295 +#. TRANS: Title for button to save user settings in user admin panel. +#: actions/useradminpanel.php:302 msgid "Save user settings" msgstr "" @@ -5705,7 +5772,7 @@ msgid "Plugins" msgstr "플러그인" #. TRANS: Secondary navigation menu option leading to version information on the StatusNet site. -#: actions/version.php:198 lib/action.php:831 +#: actions/version.php:198 lib/action.php:880 msgid "Version" msgstr "버전" @@ -5919,16 +5986,23 @@ msgstr "새 그룹을 만들 수 없습니다." msgid "RT @%1$s %2$s" msgstr "RT @%1$s %2$s" +#. TRANS: Full name of a profile or group followed by nickname in parens +#: classes/Profile.php:164 +#, fuzzy, php-format +msgctxt "FANCYNAME" +msgid "%1$s (%2$s)" +msgstr "%1$s (%2$s)" + #. TRANS: Exception thrown when trying to revoke an existing role for a user that does not exist. #. TRANS: %1$s is the role name, %2$s is the user ID (number). -#: classes/Profile.php:791 +#: classes/Profile.php:812 #, php-format msgid "Cannot revoke role \"%1$s\" for user #%2$d; does not exist." msgstr "" #. TRANS: Exception thrown when trying to revoke a role for a user with a failing database query. #. TRANS: %1$s is the role name, %2$s is the user ID (number). -#: classes/Profile.php:800 +#: classes/Profile.php:821 #, php-format msgid "Cannot revoke role \"%1$s\" for user #%2$d; database error." msgstr "" @@ -6076,195 +6150,202 @@ msgstr "%1$s - %2$s" msgid "Untitled page" msgstr "제목없는 페이지" +#. TRANS: Localized tooltip for '...' expansion button on overlong remote messages. +#: lib/action.php:310 +msgctxt "TOOLTIP" +msgid "Show more" +msgstr "" + #. TRANS: DT element for primary navigation menu. String is hidden in default CSS. -#: lib/action.php:477 +#: lib/action.php:526 msgid "Primary site navigation" msgstr "주 사이트 네비게이션" #. TRANS: Tooltip for main menu option "Personal" -#: lib/action.php:483 +#: lib/action.php:532 #, fuzzy msgctxt "TOOLTIP" msgid "Personal profile and friends timeline" msgstr "개인 프로필과 친구 타임라인" #. TRANS: Main menu option when logged in for access to personal profile and friends timeline -#: lib/action.php:486 +#: lib/action.php:535 msgctxt "MENU" msgid "Personal" msgstr "개인" #. TRANS: Tooltip for main menu option "Account" -#: lib/action.php:488 +#: lib/action.php:537 msgctxt "TOOLTIP" msgid "Change your email, avatar, password, profile" msgstr "당신의 메일, 아바타, 비밀 번호, 프로필을 변경하세요." #. TRANS: Main menu option when logged in for access to user settings -#: lib/action.php:491 +#: lib/action.php:540 msgid "Account" msgstr "계정" #. TRANS: Tooltip for main menu option "Services" -#: lib/action.php:493 +#: lib/action.php:542 msgctxt "TOOLTIP" msgid "Connect to services" msgstr "연결" #. TRANS: Main menu option when logged in and connection are possible for access to options to connect to other services -#: lib/action.php:496 +#: lib/action.php:545 msgid "Connect" msgstr "연결" #. TRANS: Tooltip for menu option "Admin" -#: lib/action.php:499 +#: lib/action.php:548 msgctxt "TOOLTIP" msgid "Change site configuration" msgstr "메일 주소 확인" #. TRANS: Main menu option when logged in and site admin for access to site configuration #. TRANS: Menu item in the group navigation page. Only shown for group administrators. -#: lib/action.php:502 lib/groupnav.php:117 +#: lib/action.php:551 lib/groupnav.php:117 msgctxt "MENU" msgid "Admin" msgstr "관리" #. TRANS: Tooltip for main menu option "Invite" -#: lib/action.php:506 +#: lib/action.php:555 #, fuzzy, php-format msgctxt "TOOLTIP" msgid "Invite friends and colleagues to join you on %s" msgstr "%s에 친구를 가입시키기 위해 친구와 동료를 초대합니다." #. TRANS: Main menu option when logged in and invitations are allowed for inviting new users -#: lib/action.php:509 +#: lib/action.php:558 msgctxt "MENU" msgid "Invite" msgstr "초대" #. TRANS: Tooltip for main menu option "Logout" -#: lib/action.php:515 +#: lib/action.php:564 msgctxt "TOOLTIP" msgid "Logout from the site" msgstr "이 사이트에서 로그아웃" #. TRANS: Main menu option when logged in to log out the current user -#: lib/action.php:518 +#: lib/action.php:567 msgctxt "MENU" msgid "Logout" msgstr "로그아웃" #. TRANS: Tooltip for main menu option "Register" -#: lib/action.php:523 +#: lib/action.php:572 msgctxt "TOOLTIP" msgid "Create an account" msgstr "새 계정 만들기" #. TRANS: Main menu option when not logged in to register a new account -#: lib/action.php:526 +#: lib/action.php:575 msgctxt "MENU" msgid "Register" msgstr "등록" #. TRANS: Tooltip for main menu option "Login" -#: lib/action.php:529 +#: lib/action.php:578 msgctxt "TOOLTIP" msgid "Login to the site" msgstr "이 사이트에 로그인" #. TRANS: Main menu option when not logged in to log in -#: lib/action.php:532 +#: lib/action.php:581 msgctxt "MENU" msgid "Login" msgstr "로그인" #. TRANS: Tooltip for main menu option "Help" -#: lib/action.php:535 +#: lib/action.php:584 msgctxt "TOOLTIP" msgid "Help me!" msgstr "도움말" #. TRANS: Main menu option for help on the StatusNet site -#: lib/action.php:538 +#: lib/action.php:587 msgctxt "MENU" msgid "Help" msgstr "도움말" #. TRANS: Tooltip for main menu option "Search" -#: lib/action.php:541 +#: lib/action.php:590 msgctxt "TOOLTIP" msgid "Search for people or text" msgstr "사람이나 단어 검색" #. TRANS: Main menu option when logged in or when the StatusNet instance is not private -#: lib/action.php:544 +#: lib/action.php:593 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:566 lib/adminpanelaction.php:387 +#: lib/action.php:615 lib/adminpanelaction.php:387 msgid "Site notice" msgstr "사이트 공지" #. TRANS: DT element for local views block. String is hidden in default CSS. -#: lib/action.php:633 +#: lib/action.php:682 msgid "Local views" msgstr "로컬 뷰" #. TRANS: DT element for page notice. String is hidden in default CSS. -#: lib/action.php:703 +#: lib/action.php:752 msgid "Page notice" msgstr "페이지 공지" #. TRANS: DT element for secondary navigation menu. String is hidden in default CSS. -#: lib/action.php:804 +#: lib/action.php:853 msgid "Secondary site navigation" msgstr "보조 사이트 네비게이션" #. TRANS: Secondary navigation menu option leading to help on StatusNet. -#: lib/action.php:810 +#: lib/action.php:859 msgid "Help" msgstr "도움말" #. TRANS: Secondary navigation menu option leading to text about StatusNet site. -#: lib/action.php:813 +#: lib/action.php:862 msgid "About" msgstr "정보" #. TRANS: Secondary navigation menu option leading to Frequently Asked Questions. -#: lib/action.php:816 +#: lib/action.php:865 msgid "FAQ" msgstr "자주 묻는 질문" #. TRANS: Secondary navigation menu option leading to Terms of Service. -#: lib/action.php:821 +#: lib/action.php:870 msgid "TOS" msgstr "서비스 약관" #. TRANS: Secondary navigation menu option leading to privacy policy. -#: lib/action.php:825 +#: lib/action.php:874 msgid "Privacy" msgstr "개인정보 취급방침" -#. TRANS: Secondary navigation menu option. -#: lib/action.php:828 +#. TRANS: Secondary navigation menu option. Leads to information about StatusNet and its license. +#: lib/action.php:877 msgid "Source" msgstr "소스 코드" -#. TRANS: Secondary navigation menu option leading to contact information on the StatusNet site. -#: lib/action.php:834 +#. TRANS: Secondary navigation menu option leading to e-mail contact information on the +#. TRANS: StatusNet site, where to report bugs, ... +#: lib/action.php:884 msgid "Contact" msgstr "연락하기" -#. TRANS: Secondary navigation menu option. -#: lib/action.php:837 +#. TRANS: Secondary navigation menu option. Leads to information about embedding a timeline widget. +#: lib/action.php:887 msgid "Badge" msgstr "배지" #. TRANS: DT element for StatusNet software license. -#: lib/action.php:866 +#: lib/action.php:916 msgid "StatusNet software license" msgstr "StatusNet 소프트웨어 라이선스" @@ -6272,7 +6353,7 @@ msgstr "StatusNet 소프트웨어 라이선스" #. TRANS: Text between [] is a link description, text between () is the link itself. #. TRANS: Make sure there is no whitespace between "]" and "(". #. TRANS: "%%site.broughtby%%" is the value of the variable site.broughtby -#: lib/action.php:873 +#: lib/action.php:923 #, php-format msgid "" "**%%site.name%%** is a microblogging service brought to you by [%%site." @@ -6282,7 +6363,7 @@ msgstr "" "공하는 마이크로블로깅서비스입니다." #. TRANS: First sentence of the StatusNet site license. Used if 'broughtby' is not set. -#: lib/action.php:876 +#: lib/action.php:926 #, php-format msgid "**%%site.name%%** is a microblogging service." msgstr "**%%site.name%%** 는 마이크로블로깅서비스입니다." @@ -6291,7 +6372,7 @@ msgstr "**%%site.name%%** 는 마이크로블로깅서비스입니다." #. TRANS: Make sure there is no whitespace between "]" and "(". #. TRANS: Text between [] is a link description, text between () is the link itself. #. TRANS: %s is the version of StatusNet that is being used. -#: lib/action.php:883 +#: lib/action.php:933 #, php-format msgid "" "It runs the [StatusNet](http://status.net/) microblogging software, version %" @@ -6303,51 +6384,51 @@ msgstr "" "fsf.org/licensing/licenses/agpl-3.0.html) 라이선스에 따라 사용할 수 있습니다." #. TRANS: DT element for StatusNet site content license. -#: lib/action.php:899 +#: lib/action.php:949 msgid "Site content license" msgstr "사이트 컨텐츠 라이선스" #. TRANS: Content license displayed when license is set to 'private'. #. TRANS: %1$s is the site name. -#: lib/action.php:906 +#: lib/action.php:956 #, php-format msgid "Content and data of %1$s are private and confidential." msgstr "%1$s의 컨텐츠와 데이터는 외부 유출을 금지합니다." #. TRANS: Content license displayed when license is set to 'allrightsreserved'. #. TRANS: %1$s is the copyright owner. -#: lib/action.php:913 +#: lib/action.php:963 #, php-format msgid "Content and data copyright by %1$s. All rights reserved." msgstr "컨텐츠와 데이터의 저작권은 %1$s의 소유입니다. All rights reserved." #. TRANS: Content license displayed when license is set to 'allrightsreserved' and no owner is set. -#: lib/action.php:917 +#: lib/action.php:967 msgid "Content and data copyright by contributors. All rights reserved." msgstr "" "컨텐츠와 데이터의 저작권은 각 이용자의 소유입니다. All rights reserved." #. TRANS: license message in footer. #. TRANS: %1$s is the site name, %2$s is a link to the license URL, with a licence name set in configuration. -#: lib/action.php:949 +#: lib/action.php:999 #, php-format msgid "All %1$s content and data are available under the %2$s license." msgstr "%1$s의 모든 컨텐츠와 데이터는 %2$s 라이선스에 따라 이용할 수 있습니다." #. TRANS: DT element for pagination (previous/next, etc.). -#: lib/action.php:1285 +#: lib/action.php:1335 msgid "Pagination" msgstr "페이지수" #. TRANS: Pagination message to go to a page displaying information more in the #. TRANS: present than the currently displayed information. -#: lib/action.php:1296 +#: lib/action.php:1346 msgid "After" msgstr "뒷 페이지" #. TRANS: Pagination message to go to a page displaying information more in the #. TRANS: past than the currently displayed information. -#: lib/action.php:1306 +#: lib/action.php:1356 msgid "Before" msgstr "앞 페이지" @@ -6696,7 +6777,7 @@ msgid "AJAX error" msgstr "Ajax 에러입니다." #. TRANS: E-mail subject when a command has completed. -#: lib/channel.php:233 lib/mailhandler.php:142 +#: lib/channel.php:233 lib/mailhandler.php:143 msgid "Command complete" msgstr "실행 완료" @@ -6713,7 +6794,7 @@ msgstr "해당 id의 프로필이 없습니다." #. TRANS: Command exception text shown when a last user notice is requested and it does not exist. #. TRANS: Error text shown when a last user notice is requested and it does not exist. -#: lib/command.php:99 lib/command.php:626 +#: lib/command.php:99 lib/command.php:630 #, fuzzy msgid "User has no last notice." msgstr "이용자의 지속적인 게시글이 없습니다." @@ -6780,6 +6861,14 @@ msgstr "" msgid "%1$s left group %2$s." msgstr "" +#. TRANS: Whois output. +#. TRANS: %1$s nickname of the queried user, %2$s is their profile URL. +#: lib/command.php:426 +#, fuzzy, php-format +msgctxt "WHOIS" +msgid "%1$s (%2$s)" +msgstr "%1$s (%2$s)" + #. TRANS: Whois output. %s is the full name of the queried user. #: lib/command.php:430 #, php-format @@ -6817,129 +6906,131 @@ msgid "" "same server." msgstr "" -#. TRANS: Message given if content is too long. +#. TRANS: Message given if content is too long. %1$sd is used for plural. #. TRANS: %1$d is the maximum number of characters, %2$d is the number of submitted characters. #: lib/command.php:488 #, fuzzy, php-format -msgid "Message too long - maximum is %1$d characters, you sent %2$d." -msgstr "당신이 보낸 메시지가 너무 길어요. 최대 140글자까지입니다." +msgid "Message too long - maximum is %1$d character, you sent %2$d." +msgid_plural "Message too long - maximum is %1$d characters, you sent %2$d." +msgstr[0] "당신이 보낸 메시지가 너무 길어요. 최대 140글자까지입니다." #. TRANS: Error text shown sending a direct message fails with an unknown reason. -#: lib/command.php:514 +#: lib/command.php:516 msgid "Error sending direct message." msgstr "직접 메시지 보내기 오류." #. TRANS: Message given having repeated a notice from another user. #. TRANS: %s is the name of the user for which the notice was repeated. -#: lib/command.php:551 +#: lib/command.php:553 #, fuzzy, php-format msgid "Notice from %s repeated." msgstr "게시글이 등록되었습니다." #. TRANS: Error text shown when repeating a notice fails with an unknown reason. -#: lib/command.php:554 +#: lib/command.php:556 msgid "Error repeating notice." msgstr "사용자 세팅 오류" -#. TRANS: Message given if content of a notice for a reply is too long. +#. TRANS: Message given if content of a notice for a reply is too long. %1$d is used for plural. #. TRANS: %1$d is the maximum number of characters, %2$d is the number of submitted characters. -#: lib/command.php:589 +#: lib/command.php:591 #, fuzzy, php-format -msgid "Notice too long - maximum is %1$d characters, you sent %2$d." -msgstr "당신이 보낸 메시지가 너무 길어요. 최대 140글자까지입니다." +msgid "Notice too long - maximum is %1$d character, you sent %2$d." +msgid_plural "Notice too long - maximum is %1$d characters, you sent %2$d." +msgstr[0] "당신이 보낸 메시지가 너무 길어요. 최대 140글자까지입니다." #. TRANS: Text shown having sent a reply to a notice successfully. #. TRANS: %s is the nickname of the user of the notice the reply was sent to. -#: lib/command.php:600 +#: lib/command.php:604 #, fuzzy, php-format msgid "Reply to %s sent." msgstr "이 게시글에 대해 답장하기" #. TRANS: Error text shown when a reply to a notice fails with an unknown reason. -#: lib/command.php:603 +#: lib/command.php:607 msgid "Error saving notice." msgstr "사용자 세팅 오류" #. TRANS: Error text shown when no username was provided when issuing a subscribe command. -#: lib/command.php:650 +#: lib/command.php:654 #, fuzzy msgid "Specify the name of the user to subscribe to." msgstr "구독하려는 사용자의 이름을 지정하십시오." #. TRANS: Command exception text shown when trying to subscribe to an OMB profile using the subscribe command. -#: lib/command.php:659 +#: lib/command.php:663 #, fuzzy msgid "Can't subscribe to OMB profiles by command." msgstr "당신은 이 프로필에 구독되지 않고있습니다." #. TRANS: Text shown after having subscribed to another user successfully. #. TRANS: %s is the name of the user the subscription was requested for. -#: lib/command.php:667 +#: lib/command.php:671 #, php-format msgid "Subscribed to %s." msgstr "" #. TRANS: Error text shown when no username was provided when issuing an unsubscribe command. #. TRANS: Error text shown when no username was provided when issuing the command. -#: lib/command.php:688 lib/command.php:799 +#: lib/command.php:692 lib/command.php:803 #, fuzzy msgid "Specify the name of the user to unsubscribe from." msgstr "구독을 해제하려는 사용자의 이름을 지정하십시오." #. TRANS: Text shown after having unsubscribed from another user successfully. #. TRANS: %s is the name of the user the unsubscription was requested for. -#: lib/command.php:699 +#: lib/command.php:703 #, php-format msgid "Unsubscribed from %s." msgstr "" #. TRANS: Error text shown when issuing the command "off" with a setting which has not yet been implemented. #. TRANS: Error text shown when issuing the command "on" with a setting which has not yet been implemented. -#: lib/command.php:719 lib/command.php:745 +#: lib/command.php:723 lib/command.php:749 msgid "Command not yet implemented." msgstr "명령이 아직 실행되지 않았습니다." #. TRANS: Text shown when issuing the command "off" successfully. -#: lib/command.php:723 +#: lib/command.php:727 msgid "Notification off." msgstr "알림끄기." #. TRANS: Error text shown when the command "off" fails for an unknown reason. -#: lib/command.php:726 +#: lib/command.php:730 msgid "Can't turn off notification." msgstr "알림을 끌 수 없습니다." #. TRANS: Text shown when issuing the command "on" successfully. -#: lib/command.php:749 +#: lib/command.php:753 msgid "Notification on." msgstr "알림이 켜졌습니다." #. TRANS: Error text shown when the command "on" fails for an unknown reason. -#: lib/command.php:752 +#: lib/command.php:756 msgid "Can't turn on notification." msgstr "알림을 켤 수 없습니다." #. TRANS: Error text shown when issuing the login command while login is disabled. -#: lib/command.php:766 +#: lib/command.php:770 msgid "Login command is disabled." msgstr "" #. TRANS: Text shown after issuing the login command successfully. #. TRANS: %s is a logon link.. -#: lib/command.php:779 +#: lib/command.php:783 #, php-format msgid "This link is useable only once and is valid for only 2 minutes: %s." msgstr "" #. TRANS: Text shown after issuing the lose command successfully (stop another user from following the current user). #. TRANS: %s is the name of the user the unsubscription was requested for. -#: lib/command.php:808 +#: lib/command.php:812 #, php-format msgid "Unsubscribed %s." msgstr "" #. TRANS: Text shown after requesting other users a user is subscribed to without having any subscriptions. -#: lib/command.php:826 +#: lib/command.php:830 #, fuzzy msgid "You are not subscribed to anyone." msgstr "당신은 이 프로필에 구독되지 않고있습니다." @@ -6947,14 +7038,14 @@ msgstr "당신은 이 프로필에 구독되지 않고있습니다." #. TRANS: Text shown after requesting other users a user is subscribed to. #. TRANS: This message supports plural forms. This message is followed by a #. TRANS: hard coded space and a comma separated list of subscribed users. -#: lib/command.php:831 +#: lib/command.php:835 msgid "You are subscribed to this person:" msgid_plural "You are subscribed to these people:" msgstr[0] "당신은 다음 사용자를 이미 구독하고 있습니다." #. TRANS: Text shown after requesting other users that are subscribed to a user #. TRANS: (followers) without having any subscribers. -#: lib/command.php:853 +#: lib/command.php:857 #, fuzzy msgid "No one is subscribed to you." msgstr "다른 사람을 구독 하실 수 없습니다." @@ -6962,14 +7053,14 @@ msgstr "다른 사람을 구독 하실 수 없습니다." #. TRANS: Text shown after requesting other users that are subscribed to a user (followers). #. TRANS: This message supports plural forms. This message is followed by a #. TRANS: hard coded space and a comma separated list of subscribing users. -#: lib/command.php:858 +#: lib/command.php:862 msgid "This person is subscribed to you:" msgid_plural "These people are subscribed to you:" msgstr[0] "다른 사람을 구독 하실 수 없습니다." #. TRANS: Text shown after requesting groups a user is subscribed to without having #. TRANS: any group subscriptions. -#: lib/command.php:880 +#: lib/command.php:884 #, fuzzy msgid "You are not a member of any groups." msgstr "당신은 해당 그룹의 멤버가 아닙니다." @@ -6977,13 +7068,13 @@ msgstr "당신은 해당 그룹의 멤버가 아닙니다." #. TRANS: Text shown after requesting groups a user is subscribed to. #. TRANS: This message supports plural forms. This message is followed by a #. TRANS: hard coded space and a comma separated list of subscribed groups. -#: lib/command.php:885 +#: lib/command.php:889 msgid "You are a member of this group:" msgid_plural "You are a member of these groups:" msgstr[0] "당신은 해당 그룹의 멤버가 아닙니다." #. TRANS: Help text for commands. Do not translate the command names themselves; they are fixed strings. -#: lib/command.php:900 +#: lib/command.php:904 msgid "" "Commands:\n" "on - turn on notifications\n" @@ -7176,7 +7267,8 @@ msgid "1-64 lowercase letters or numbers, no punctuation or spaces" msgstr "1-64자 사이에 영소문자, 숫자로만 씁니다. 기호나 공백을 쓰면 안 됩니다." #: lib/groupeditform.php:163 -msgid "URL of the homepage or blog of the group or topic" +#, fuzzy +msgid "URL of the homepage or blog of the group or topic." msgstr "그룹 혹은 토픽의 홈페이지나 블로그 URL" #: lib/groupeditform.php:168 @@ -7185,18 +7277,25 @@ msgstr "응용프로그램 삭제" #: lib/groupeditform.php:170 #, fuzzy, php-format -msgid "Describe the group or topic in %d characters" -msgstr "140글자로 그룹이나 토픽 설명하기" +msgid "Describe the group or topic in %d character or less" +msgid_plural "Describe the group or topic in %d characters or less" +msgstr[0] "140글자로 그룹이나 토픽 설명하기" -#: lib/groupeditform.php:179 +#: lib/groupeditform.php:182 +#, fuzzy msgid "" -"Location for the group, if any, like \"City, State (or Region), Country\"" +"Location for the group, if any, like \"City, State (or Region), Country\"." msgstr "그룹의 위치, \"시/군/구, 도, 국가\"" -#: lib/groupeditform.php:187 +#: lib/groupeditform.php:190 #, php-format -msgid "Extra nicknames for the group, comma- or space- separated, max %d" -msgstr "" +msgid "" +"Extra nicknames for the group, separated with commas or spaces. Maximum %d " +"alias allowed." +msgid_plural "" +"Extra nicknames for the group, separated with commas or spaces. Maximum %d " +"aliases allowed." +msgstr[0] "" #. TRANS: Menu item in the group navigation page. #: lib/groupnav.php:86 @@ -7651,7 +7750,7 @@ msgstr "죄송합니다. 귀하의 이메일이 아닙니다." msgid "Sorry, no incoming email allowed." msgstr "죄송합니다. 이메일이 허용되지 않습니다." -#: lib/mailhandler.php:228 +#: lib/mailhandler.php:229 #, fuzzy, php-format msgid "Unsupported message type: %s" msgstr "지원하지 않는 그림 파일 형식입니다." @@ -7999,16 +8098,17 @@ msgid "Sandbox this user" msgstr "이 사용자를 차단해제합니다." #. TRANS: Fieldset legend for the search form. -#: lib/searchaction.php:121 +#: lib/searchaction.php:120 msgid "Search site" msgstr "검색 도움말" #. TRANS: Used as a field label for the field where one or more keywords #. TRANS: for searching can be entered. -#: lib/searchaction.php:129 +#: lib/searchaction.php:128 msgid "Keyword(s)" msgstr "검색어" +#. TRANS: Button text for searching site. #: lib/searchaction.php:130 msgctxt "BUTTON" msgid "Search" @@ -8099,8 +8199,8 @@ msgid "The theme file is missing or the upload failed." msgstr "" #: lib/themeuploader.php:91 lib/themeuploader.php:102 -#: lib/themeuploader.php:278 lib/themeuploader.php:282 -#: lib/themeuploader.php:290 lib/themeuploader.php:297 +#: lib/themeuploader.php:279 lib/themeuploader.php:283 +#: lib/themeuploader.php:291 lib/themeuploader.php:298 #, fuzzy msgid "Failed saving theme." msgstr "아바타 업데이트 실패" @@ -8111,29 +8211,31 @@ msgstr "" #: lib/themeuploader.php:166 #, php-format -msgid "Uploaded theme is too large; must be less than %d bytes uncompressed." -msgstr "" +msgid "Uploaded theme is too large; must be less than %d byte uncompressed." +msgid_plural "" +"Uploaded theme is too large; must be less than %d bytes uncompressed." +msgstr[0] "" -#: lib/themeuploader.php:178 +#: lib/themeuploader.php:179 msgid "Invalid theme archive: missing file css/display.css" msgstr "" -#: lib/themeuploader.php:218 +#: lib/themeuploader.php:219 msgid "" "Theme contains invalid file or folder name. Stick with ASCII letters, " "digits, underscore, and minus sign." msgstr "" -#: lib/themeuploader.php:224 +#: lib/themeuploader.php:225 msgid "Theme contains unsafe file extension names; may be unsafe." msgstr "" -#: lib/themeuploader.php:241 +#: lib/themeuploader.php:242 #, php-format msgid "Theme contains file of type '.%s', which is not allowed." msgstr "" -#: lib/themeuploader.php:259 +#: lib/themeuploader.php:260 msgid "Error opening theme archive." msgstr "차단 제거 에러!" @@ -8311,23 +8413,39 @@ msgid "Message too long. Maximum is %1$d character, you sent %2$d." msgid_plural "Message too long. Maximum is %1$d characters, you sent %2$d." msgstr[0] "당신이 보낸 메시지가 너무 길어요. 최대 140글자까지입니다." -#: scripts/restoreuser.php:82 +#. TRANS: Commandline script output. %s is the filename that contains a backup for a user. +#: scripts/restoreuser.php:61 #, php-format -msgid "Backup file for user %s (%s)" +msgid "Getting backup from file '%s'." msgstr "" -#: scripts/restoreuser.php:88 +#. TRANS: Commandline script output. +#: scripts/restoreuser.php:91 #, fuzzy msgid "No user specified; using backup user." msgstr "프로필을 지정하지 않았습니다." -#: scripts/restoreuser.php:94 +#. TRANS: Commandline script output. %d is the number of entries in the activity stream in backup; used for plural. +#: scripts/restoreuser.php:98 #, php-format -msgid "%d entries in backup." -msgstr "" +msgid "%d entry in backup." +msgid_plural "%d entries in backup." +msgstr[0] "" -#~ msgid "Description is too long (max %d chars)." -#~ msgstr "설명이 너무 깁니다. (최대 %d 글자)" +#, fuzzy +#~ msgid "Name is too long (maximum 255 chars)." +#~ msgstr "실명이 너무 깁니다. (최대 255글자)" -#~ msgid "Too many aliases! Maximum %d." -#~ msgstr "별명이 너무 많습니다! 최대 %d개." +#, fuzzy +#~ msgid "Organization is too long (maximum 255 chars)." +#~ msgstr "기관 이름이 너무 깁니다. (최대 255글자)" + +#~ msgid "That's too long. Max notice size is %d chars." +#~ msgstr "너무 깁니다. 통지의 최대 길이는 %d 글자 입니다." + +#~ msgid "Max notice size is %d chars, including attachment URL." +#~ msgstr "소식의 최대 길이는 첨부 URL을 포함하여 %d 글자입니다." + +#, fuzzy +#~ msgid " tagged %s" +#~ msgstr "%s 태그된 통지" diff --git a/locale/mk/LC_MESSAGES/statusnet.po b/locale/mk/LC_MESSAGES/statusnet.po index dc06bfc241..1b5c5fa089 100644 --- a/locale/mk/LC_MESSAGES/statusnet.po +++ b/locale/mk/LC_MESSAGES/statusnet.po @@ -10,17 +10,17 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet - Core\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-10-30 23:18+0000\n" -"PO-Revision-Date: 2010-10-30 23:20:35+0000\n" +"POT-Creation-Date: 2010-11-02 22:51+0000\n" +"PO-Revision-Date: 2010-11-02 22:53:31+0000\n" "Language-Team: Macedonian \n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r75708); Translate extension (2010-09-17)\n" +"X-Generator: MediaWiki 1.17alpha (r75875); Translate extension (2010-09-17)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: mk\n" "X-Message-Group: #out-statusnet-core\n" "Plural-Forms: nplurals=2; plural=(n == 1 || n%10 == 1) ? 0 : 1;\n" -"X-POT-Import-Date: 2010-10-30 09:48:40+0000\n" +"X-POT-Import-Date: 2010-10-30 23:42:01+0000\n" #. TRANS: Page title for Access admin panel that allows configuring site access. #. TRANS: Menu item for site administration @@ -79,15 +79,20 @@ msgstr "Зачувај нагодувања на пристап" #. TRANS: Tooltip for button to save access settings in site admin panel. #. TRANS: Button label to save e-mail preferences. #. TRANS: Button label to save IM preferences. +#. TRANS: Button text for saving "Other settings" in profile. #. TRANS: Button text to store form data in the Paths admin panel. #. TRANS: Button to save input in profile settings. +#. TRANS: Button text for saving site notice in admin panel. #. TRANS: Button label to save SMS preferences. #. TRANS: Save button for settings for a profile in a subscriptions list. +#. TRANS: Button text to save user settings in user admin panel. #. TRANS: Button label in the "Edit application" form. #: actions/accessadminpanel.php:193 actions/emailsettings.php:228 -#: actions/imsettings.php:187 actions/pathsadminpanel.php:512 -#: actions/profilesettings.php:201 actions/smssettings.php:209 -#: actions/subscriptions.php:246 lib/applicationeditform.php:355 +#: actions/imsettings.php:187 actions/othersettings.php:134 +#: actions/pathsadminpanel.php:512 actions/profilesettings.php:201 +#: actions/sitenoticeadminpanel.php:197 actions/smssettings.php:209 +#: actions/subscriptions.php:246 actions/useradminpanel.php:298 +#: lib/applicationeditform.php:355 lib/groupeditform.php:207 msgctxt "BUTTON" msgid "Save" msgstr "Зачувај" @@ -138,7 +143,7 @@ msgstr "Нема таква страница." #: 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:93 actions/userrss.php:40 -#: actions/xrds.php:71 lib/command.php:495 lib/galleryaction.php:59 +#: actions/xrds.php:71 lib/command.php:497 lib/galleryaction.php:59 #: lib/mailbox.php:82 lib/profileaction.php:77 msgid "No such user." msgstr "Нема таков корисник." @@ -210,7 +215,9 @@ msgstr "" #. TRANS: Encoutagement displayed on empty timeline user pages for anonymous users. #. TRANS: %s is a user nickname. This message contains Markdown links. Keep "](" together. -#: actions/all.php:155 actions/replies.php:210 actions/showstream.php:208 +#. TRANS: Second sentence of empty message for anonymous users. %s is a user nickname. +#. TRANS: This message contains a Markdown link. Keep "](" together. +#: actions/all.php:155 actions/replies.php:210 actions/showstream.php:227 #, php-format msgid "" "Why not [register an account](%%%%action.register%%%%) and then nudge %s or " @@ -568,8 +575,11 @@ msgstr "Полното име е предолго (највеќе 255 знаци #. TRANS: Group edit form validation error. #. TRANS: Form validation error in New application form. #. TRANS: %d is the maximum number of characters for the description. +#. TRANS: Group create form validation error. +#. TRANS: %d is the maximum number of allowed characters. #: actions/apigroupcreate.php:220 actions/editapplication.php:201 #: actions/editgroup.php:216 actions/newapplication.php:178 +#: actions/newgroup.php:152 #, php-format msgid "Description is too long (maximum %d character)." msgid_plural "Description is too long (maximum %d characters)." @@ -725,14 +735,14 @@ msgstr "Жетонот за барање е веќе овластен." #. TRANS: Form validation error in API OAuth authorisation because of an invalid session token. #: actions/apioauthauthorize.php:147 actions/avatarsettings.php:280 -#: actions/deletenotice.php:172 actions/disfavor.php:74 +#: actions/deletenotice.php:177 actions/disfavor.php:74 #: actions/emailsettings.php:271 actions/favor.php:75 actions/geocode.php:55 #: actions/groupblock.php:66 actions/grouplogo.php:312 #: actions/groupunblock.php:65 actions/imsettings.php:230 #: actions/invite.php:59 actions/login.php:137 actions/makeadmin.php:66 #: actions/newmessage.php:135 actions/newnotice.php:105 actions/nudge.php:80 #: actions/oauthappssettings.php:165 actions/oauthconnectionssettings.php:138 -#: actions/othersettings.php:145 actions/passwordsettings.php:138 +#: actions/othersettings.php:153 actions/passwordsettings.php:138 #: actions/profilesettings.php:221 actions/recoverpassword.php:350 #: actions/register.php:172 actions/remotesubscribe.php:77 #: actions/repeat.php:83 actions/smssettings.php:256 actions/subedit.php:40 @@ -910,20 +920,21 @@ msgstr "Не можете да избришете статус на друг к #. TRANS: Client error displayed trying to repeat a non-existing notice through the API. #. TRANS: Client error displayed trying to display redents of a non-exiting notice. +#. TRANS: Error message displayed trying to delete a non-existing notice. #: actions/apistatusesretweet.php:74 actions/apistatusesretweets.php:70 -#: actions/deletenotice.php:58 actions/shownotice.php:92 +#: actions/deletenotice.php:61 actions/shownotice.php:92 msgid "No such notice." msgstr "Нема таква забелешка." #. TRANS: Client error displayed trying to repeat an own notice through the API. #. TRANS: Error text shown when trying to repeat an own notice. -#: actions/apistatusesretweet.php:83 lib/command.php:535 +#: actions/apistatusesretweet.php:83 lib/command.php:537 msgid "Cannot repeat your own notice." msgstr "Не можете да ја повторувате сопствената забелешка." #. TRANS: Client error displayed trying to re-repeat a notice through the API. #. TRANS: Error text shown when trying to repeat an notice that was already repeated by the user. -#: actions/apistatusesretweet.php:92 lib/command.php:541 +#: actions/apistatusesretweet.php:92 lib/command.php:543 msgid "Already repeated that notice." msgstr "Забелешката е веќе повторена." @@ -944,7 +955,8 @@ msgstr "Клиентот мора да укаже вредност за пара #. TRANS: Client error displayed when the parameter "status" is missing. #. TRANS: %d is the maximum number of character for a notice. -#: actions/apistatusesupdate.php:244 +#: actions/apistatusesupdate.php:244 actions/newnotice.php:161 +#: lib/mailhandler.php:60 #, php-format msgid "That's too long. Maximum notice size is %d character." msgid_plural "That's too long. Maximum notice size is %d characters." @@ -958,7 +970,7 @@ msgstr "Матичната забелешка не е пронајдена." #. TRANS: Client error displayed exceeding the maximum notice length. #. TRANS: %d is the maximum lenth for a notice. -#: actions/apistatusesupdate.php:308 +#: actions/apistatusesupdate.php:308 actions/newnotice.php:184 #, php-format msgid "Maximum notice size is %d character, including attachment URL." msgid_plural "Maximum notice size is %d characters, including attachment URL." @@ -1139,21 +1151,18 @@ msgstr "Преглед" #. TRANS: Button on avatar upload page to delete current avatar. #: actions/avatarsettings.php:155 -#, fuzzy msgctxt "BUTTON" msgid "Delete" -msgstr "Бриши" +msgstr "Избриши" #. TRANS: Button on avatar upload page to upload an avatar. #: actions/avatarsettings.php:173 -#, fuzzy msgctxt "BUTTON" msgid "Upload" msgstr "Подигни" #. TRANS: Button on avatar upload crop form to confirm a selected crop as avatar. #: actions/avatarsettings.php:243 -#, fuzzy msgctxt "BUTTON" msgid "Crop" msgstr "Отсечи" @@ -1173,17 +1182,18 @@ msgstr "Одберете квадратна површина од сликата msgid "Lost our file data." msgstr "Податоците за податотеката се изгубени." -#: actions/avatarsettings.php:384 +#. TRANS: Success message for having updated a user avatar. +#: actions/avatarsettings.php:385 msgid "Avatar updated." msgstr "Аватарот е подновен." #. TRANS: Error displayed on the avatar upload page if the avatar could not be updated for an unknown reason. -#: actions/avatarsettings.php:388 +#: actions/avatarsettings.php:389 msgid "Failed updating avatar." msgstr "Подновата на аватарот не успеа." #. TRANS: Success message for deleting a user avatar. -#: actions/avatarsettings.php:412 +#: actions/avatarsettings.php:413 msgid "Avatar deleted." msgstr "Аватарот е избришан." @@ -1216,8 +1226,8 @@ msgstr "" #. TRANS: Button label on the delete notice form. #. TRANS: Button label on the delete user form. #. TRANS: Button label on the form to block a user from a group. -#: actions/block.php:154 actions/deleteapplication.php:154 -#: actions/deletegroup.php:220 actions/deletenotice.php:150 +#: actions/block.php:154 actions/deleteapplication.php:157 +#: actions/deletegroup.php:220 actions/deletenotice.php:155 #: actions/deleteuser.php:152 actions/groupblock.php:178 msgctxt "BUTTON" msgid "No" @@ -1235,8 +1245,8 @@ msgstr "Не го блокирај корисников" #. TRANS: Button label on the delete notice form. #. TRANS: Button label on the delete user form. #. TRANS: Button label on the form to block a user from a group. -#: actions/block.php:161 actions/deleteapplication.php:161 -#: actions/deletegroup.php:227 actions/deletenotice.php:157 +#: actions/block.php:161 actions/deleteapplication.php:164 +#: actions/deletegroup.php:227 actions/deletenotice.php:162 #: actions/deleteuser.php:159 actions/groupblock.php:185 msgctxt "BUTTON" msgid "Yes" @@ -1304,7 +1314,6 @@ msgstr "Одблокирај корисник од група" #. TRANS: Button text for unblocking a user from a group. #: actions/blockedfromgroup.php:323 -#, fuzzy msgctxt "BUTTON" msgid "Unblock" msgstr "Одблокирај" @@ -1353,12 +1362,13 @@ msgstr "Оваа адреса веќе е потврдена." #. TRANS: Server error thrown on database error removing a registered e-mail address. #. TRANS: Server error thrown on database error updating IM preferences. #. TRANS: Server error thrown on database error removing a registered IM address. +#. TRANS: Server error displayed when "Other" settings in user profile could not be updated on the server. #. TRANS: Server error thrown when user profile settings could not be updated. #. TRANS: Server error thrown on database error updating SMS preferences. #. TRANS: Server error thrown on database error removing a registered SMS phone number. #: actions/confirmaddress.php:118 actions/emailsettings.php:331 #: actions/emailsettings.php:477 actions/imsettings.php:283 -#: actions/imsettings.php:442 actions/othersettings.php:174 +#: actions/imsettings.php:442 actions/othersettings.php:184 #: actions/profilesettings.php:326 actions/smssettings.php:308 #: actions/smssettings.php:464 msgid "Couldn't update user." @@ -1367,9 +1377,8 @@ msgstr "Не можев да го подновам корисникот." #. TRANS: Server error displayed when an address confirmation code deletion from the #. TRANS: database fails in the contact address confirmation action. #: actions/confirmaddress.php:132 -#, fuzzy msgid "Could not delete address confirmation." -msgstr "Не можев да ја избришам потврдата на IM." +msgstr "Не можев да ја избришам потврдата на адреса." #. TRANS: Title for the contact address confirmation action. #: actions/confirmaddress.php:150 @@ -1394,16 +1403,19 @@ msgstr "Разговор" msgid "Notices" msgstr "Забелешки" -#: actions/deleteapplication.php:63 +#. TRANS: Client error displayed trying to delete an application while not logged in. +#: actions/deleteapplication.php:62 msgid "You must be logged in to delete an application." msgstr "Мора да сте најавени за да можете да избришете програм." +#. TRANS: Client error displayed trying to delete an application that does not exist. #: actions/deleteapplication.php:71 msgid "Application not found." msgstr "Програмот не е пронајден." +#. TRANS: Client error displayed trying to delete an application the current user does not own. #. TRANS: Client error displayed trying to edit an application while not being its owner. -#: actions/deleteapplication.php:78 actions/editapplication.php:78 +#: actions/deleteapplication.php:79 actions/editapplication.php:78 #: actions/showapplication.php:94 msgid "You are not the owner of this application." msgstr "Не сте сопственик на овој програм." @@ -1411,15 +1423,18 @@ msgstr "Не сте сопственик на овој програм." #. TRANS: Client error text when there is a problem with the session token. #: actions/deleteapplication.php:102 actions/editapplication.php:131 #: actions/newapplication.php:114 actions/showapplication.php:118 -#: lib/action.php:1354 +#: lib/action.php:1404 msgid "There was a problem with your session token." msgstr "Се појави проблем со Вашиот сесиски жетон." -#: actions/deleteapplication.php:123 actions/deleteapplication.php:147 +#. TRANS: Title for delete application page. +#. TRANS: Fieldset legend on delete application page. +#: actions/deleteapplication.php:124 actions/deleteapplication.php:149 msgid "Delete application" msgstr "Избриши програм" -#: actions/deleteapplication.php:149 +#. TRANS: Confirmation text on delete application page. +#: actions/deleteapplication.php:152 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 " @@ -1430,12 +1445,12 @@ msgstr "" "поврзувања." #. TRANS: Submit button title for 'No' when deleting an application. -#: actions/deleteapplication.php:158 +#: actions/deleteapplication.php:161 msgid "Do not delete this application" msgstr "Не го бриши овој програм" #. TRANS: Submit button title for 'Yes' when deleting an application. -#: actions/deleteapplication.php:164 +#: actions/deleteapplication.php:167 msgid "Delete this application" msgstr "Избриши го програмов" @@ -1469,12 +1484,13 @@ msgstr "Не можев да ја избришам групата %s." msgid "Deleted group %s" msgstr "Групата %s е избришана" -#. TRANS: Title. +#. TRANS: Title of delete group page. #. TRANS: Form legend for deleting a group. #: actions/deletegroup.php:176 actions/deletegroup.php:202 msgid "Delete group" msgstr "Избриши група" +#. TRANS: Warning in form for deleleting a group. #: actions/deletegroup.php:206 msgid "" "Are you sure you want to delete this group? This will clear all data about " @@ -1495,10 +1511,11 @@ msgstr "Не ја бриши групава" msgid "Delete this group" msgstr "Избриши ја групава" +#. TRANS: Error message displayed trying to delete a notice while not logged in. #. TRANS: Client error displayed when trying to unblock a user from a group while not logged in. #. TRANS: Client error displayed trying a change a subscription while not logged in. #. TRANS: Client error message thrown when trying to access the admin panel while not logged in. -#: actions/deletenotice.php:50 actions/disfavor.php:61 actions/favor.php:62 +#: actions/deletenotice.php:52 actions/disfavor.php:61 actions/favor.php:62 #: actions/groupblock.php:61 actions/groupunblock.php:60 actions/logout.php:69 #: actions/makeadmin.php:61 actions/newmessage.php:87 actions/newnotice.php:88 #: actions/nudge.php:63 actions/subedit.php:33 actions/subscribe.php:96 @@ -1508,11 +1525,13 @@ msgstr "Избриши ја групава" msgid "Not logged in." msgstr "Не сте најавени." -#: actions/deletenotice.php:74 +#. TRANS: Error message displayed trying to delete a notice that was not made by the current user. +#: actions/deletenotice.php:78 msgid "Can't delete this notice." msgstr "Не може да се избрише оваа забелешка." -#: actions/deletenotice.php:106 +#. TRANS: Instructions for deleting a notice. +#: actions/deletenotice.php:110 msgid "" "You are about to permanently delete a notice. Once this is done, it cannot " "be undone." @@ -1520,21 +1539,24 @@ msgstr "" "На пат сте да избришете забелешка засекогаш. Откако ќе го направите тоа, " "постапката нема да може да се врати." -#: actions/deletenotice.php:112 actions/deletenotice.php:144 +#. TRANS: Page title when deleting a notice. +#. TRANS: Fieldset legend for the delete notice form. +#: actions/deletenotice.php:117 actions/deletenotice.php:148 msgid "Delete notice" msgstr "Бриши забелешка" -#: actions/deletenotice.php:147 +#. TRANS: Message for the delete notice form. +#: actions/deletenotice.php:152 msgid "Are you sure you want to delete this notice?" msgstr "Дали сте сигурни дека сакате да ја избришете оваа заблешка?" #. TRANS: Submit button title for 'No' when deleting a notice. -#: actions/deletenotice.php:154 +#: actions/deletenotice.php:159 msgid "Do not delete this notice" msgstr "Не ја бриши оваа забелешка" #. TRANS: Submit button title for 'Yes' when deleting a notice. -#: actions/deletenotice.php:161 lib/noticelist.php:667 +#: actions/deletenotice.php:166 lib/noticelist.php:667 msgid "Delete this notice" msgstr "Бриши ја оваа забелешка" @@ -1696,11 +1718,9 @@ msgstr "Врати по основно" #. TRANS: Submit button title. #: actions/designadminpanel.php:711 actions/licenseadminpanel.php:319 -#: actions/othersettings.php:126 actions/sessionsadminpanel.php:199 -#: actions/siteadminpanel.php:292 actions/sitenoticeadminpanel.php:195 +#: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:292 #: actions/snapshotadminpanel.php:245 actions/tagother.php:154 -#: actions/useradminpanel.php:295 lib/applicationeditform.php:357 -#: lib/designsettings.php:256 lib/groupeditform.php:202 +#: lib/applicationeditform.php:357 lib/designsettings.php:256 msgid "Save" msgstr "Зачувај" @@ -1748,8 +1768,9 @@ msgid "Name is required." msgstr "Треба име." #. TRANS: Validation error shown when providing too long a name in the "Edit application" form. -#: actions/editapplication.php:188 -msgid "Name is too long (max 255 characters)." +#: actions/editapplication.php:188 actions/newapplication.php:169 +#, fuzzy +msgid "Name is too long (maximum 255 characters)." msgstr "Името е предолго (највеќе 255 знаци)." #. TRANS: Validation error shown when providing a name for an application that already exists in the "Edit application" form. @@ -1778,7 +1799,7 @@ msgid "Organization is required." msgstr "Треба организација." #. TRANS: Validation error shown when providing too long an arganisation name in the "Edit application" form. -#: actions/editapplication.php:223 +#: actions/editapplication.php:223 actions/newapplication.php:199 msgid "Organization is too long (maximum 255 characters)." msgstr "Името на организацијата е предолго (највеќе 255 знаци)." @@ -2580,7 +2601,7 @@ msgid "Publish a MicroID for my Jabber/GTalk address." msgstr "Објави MicroID за мојата адреса на Jabber/GTalk." #. TRANS: Confirmation message for successful IM preferences save. -#: actions/imsettings.php:290 actions/othersettings.php:180 +#: actions/imsettings.php:290 actions/othersettings.php:190 msgid "Preferences saved." msgstr "Нагодувањата се зачувани." @@ -2704,10 +2725,9 @@ msgstr[1] "Веќе сте претплатени на овие корисниц #. TRANS: Used as list item for already subscribed users (%1$s is nickname, %2$s is e-mail address). #. TRANS: Used as list item for already registered people (%1$s is nickname, %2$s is e-mail address). -#. TRANS: Whois output. -#. TRANS: %1$s nickname of the queried user, %2$s is their profile URL. -#: actions/invite.php:145 actions/invite.php:159 lib/command.php:426 -#, php-format +#: actions/invite.php:145 actions/invite.php:159 +#, fuzzy, php-format +msgctxt "INVITE" msgid "%1$s (%2$s)" msgstr "%1$s (%2$s)" @@ -2891,7 +2911,8 @@ msgstr "" "Сите права задржани." #: actions/licenseadminpanel.php:156 -msgid "Invalid license title. Max length is 255 characters." +#, fuzzy +msgid "Invalid license title. Maximum length is 255 characters." msgstr "Неважечки наслов на лиценцата. Дозволени се највеќе 255 знаци." #: actions/licenseadminpanel.php:168 @@ -3067,18 +3088,10 @@ msgstr "Мора да сте најавени за да можете да рег msgid "Use this form to register a new application." msgstr "Овој образец служи за регистрирање на нов програм." -#: actions/newapplication.php:169 -msgid "Name is too long (maximum 255 chars)." -msgstr "Името е предолго (највеќе 255 знаци)." - #: actions/newapplication.php:184 msgid "Source URL is required." msgstr "Треба изворна URL-адреса." -#: actions/newapplication.php:199 -msgid "Organization is too long (maximum 255 chars)." -msgstr "Организацијата е предолга (дозволени се највеќе 255 знаци)." - #: actions/newapplication.php:266 actions/newapplication.php:275 msgid "Could not create application." msgstr "Не можеше да се создаде програмот." @@ -3098,14 +3111,14 @@ msgid "New message" msgstr "Нова порака" #. TRANS: Error text shown when trying to send a direct message to a user without a mutual subscription (each user must be subscribed to the other). -#: actions/newmessage.php:121 actions/newmessage.php:164 lib/command.php:499 +#: actions/newmessage.php:121 actions/newmessage.php:164 lib/command.php:501 msgid "You can't send a message to this user." msgstr "Не можете да испратите порака до овојо корисник." #. TRANS: Command exception text shown when trying to send a direct message to another user without content. #. TRANS: Command exception text shown when trying to reply to a notice without providing content for the reply. #: actions/newmessage.php:144 actions/newnotice.php:140 lib/command.php:478 -#: lib/command.php:579 +#: lib/command.php:581 msgid "No content!" msgstr "Нема содржина!" @@ -3114,7 +3127,7 @@ msgid "No recipient specified." msgstr "Нема назначено примач." #. TRANS: Error text shown when trying to send a direct message to self. -#: actions/newmessage.php:167 lib/command.php:503 +#: actions/newmessage.php:167 lib/command.php:505 msgid "" "Don't send a message to yourself; just say it to yourself quietly instead." msgstr "" @@ -3127,12 +3140,12 @@ msgstr "Пораката е испратена" #. TRANS: Message given have sent a direct message to another user. #. TRANS: %s is the name of the other user. -#: actions/newmessage.php:188 lib/command.php:511 +#: actions/newmessage.php:188 lib/command.php:513 #, php-format msgid "Direct message to %s sent." msgstr "Директната порака до %s е испратена." -#: actions/newmessage.php:213 actions/newnotice.php:263 +#: actions/newmessage.php:213 actions/newnotice.php:264 msgid "Ajax Error" msgstr "Ajax-грешка" @@ -3140,19 +3153,7 @@ msgstr "Ajax-грешка" msgid "New notice" msgstr "Ново забелешка" -#: actions/newnotice.php:159 lib/mailhandler.php:60 -#, php-format -msgid "That's too long. Max notice size is %d chars." -msgstr "Ова е предолго. Максималната дозволена должина изнесува %d знаци." - -#: actions/newnotice.php:183 -#, php-format -msgid "Max notice size is %d chars, including attachment URL." -msgstr "" -"Максималната големина на забелешката е %d знаци, вклучувајќи ја URL-адресата " -"на прилогот." - -#: actions/newnotice.php:229 +#: actions/newnotice.php:230 msgid "Notice posted" msgstr "Забелешката е објавена" @@ -3324,36 +3325,46 @@ msgstr "Пребарување на луѓе" msgid "Notice Search" msgstr "Пребарување на забелешки" -#: actions/othersettings.php:60 +#: actions/othersettings.php:59 msgid "Other settings" msgstr "Други нагодувања" +#. TRANS: Instructions for tab "Other" in user profile settings. #: actions/othersettings.php:71 msgid "Manage various other options." msgstr "Раководење со разни други можности." -#: actions/othersettings.php:108 +#. TRANS: Used as a suffix for free URL shorteners in a dropdown list in the tab "Other" of a +#. TRANS: user's profile settings. This message has one space at the beginning. Use your +#. TRANS: language's word separator here if it has one (most likely a single space). +#: actions/othersettings.php:111 msgid " (free service)" -msgstr "(бесплатна услуга)" +msgstr " (бесплатна услуга)" -#: actions/othersettings.php:116 +#. TRANS: Label for dropdown with URL shortener services. +#: actions/othersettings.php:120 msgid "Shorten URLs with" msgstr "Скратувај URL-адреси со" -#: actions/othersettings.php:117 +#. TRANS: Tooltip for for dropdown with URL shortener services. +#: actions/othersettings.php:122 msgid "Automatic shortening service to use." msgstr "Која автоматска служба за скратување да се користи." -#: actions/othersettings.php:122 +#. TRANS: Label for checkbox. +#: actions/othersettings.php:128 msgid "View profile designs" msgstr "Види изгледи на профилот" -#: actions/othersettings.php:123 +#. TRANS: Tooltip for checkbox. +#: actions/othersettings.php:130 msgid "Show or hide profile designs." msgstr "Прикажи или сокриј профилни изгледи." -#: actions/othersettings.php:153 -msgid "URL shortening service is too long (max 50 chars)." +#. TRANS: Form validation error for form "Other settings" in user profile. +#: actions/othersettings.php:162 +#, fuzzy +msgid "URL shortening service is too long (maximum 50 characters)." msgstr "Услугата за скратување на URL-адреси е предолга (највеќе до 50 знаци)." #: actions/otp.php:69 @@ -3827,7 +3838,7 @@ msgstr "Биографија" #. TRANS: Label for group location (dt). Text hidden by default. #: actions/profilesettings.php:149 actions/register.php:485 #: actions/showgroup.php:267 actions/tagother.php:112 -#: actions/userauthorization.php:166 lib/groupeditform.php:177 +#: actions/userauthorization.php:166 lib/groupeditform.php:180 #: lib/userprofile.php:165 msgid "Location" msgstr "Местоположба" @@ -4170,7 +4181,8 @@ msgid "Unexpected password reset." msgstr "Неочекувано подновување на лозинката." #: actions/recoverpassword.php:365 -msgid "Password must be 6 chars or more." +#, fuzzy +msgid "Password must be 6 characters or more." msgstr "Лозинката мора да биде од најмалку 6 знаци." #: actions/recoverpassword.php:369 @@ -4549,7 +4561,7 @@ msgstr "Организација" #. TRANS: Form input field label. #: actions/showapplication.php:187 actions/version.php:200 -#: lib/applicationeditform.php:208 lib/groupeditform.php:172 +#: lib/applicationeditform.php:208 lib/groupeditform.php:175 msgid "Description" msgstr "Опис" @@ -4702,7 +4714,7 @@ msgid "Note" msgstr "Забелешка" #. TRANS: Label for group aliases (dt). Text hidden by default. -#: actions/showgroup.php:298 lib/groupeditform.php:184 +#: actions/showgroup.php:298 lib/groupeditform.php:187 msgid "Aliases" msgstr "Алијаси" @@ -4754,14 +4766,12 @@ msgstr "Сите членови" #. TRANS: Label for creation date in statistics on group page. #: actions/showgroup.php:458 -#, fuzzy msgctxt "LABEL" msgid "Created" msgstr "Создадено" #. TRANS: Label for member count in statistics on group page. #: actions/showgroup.php:466 -#, fuzzy msgctxt "LABEL" msgid "Members" msgstr "Членови" @@ -4835,47 +4845,67 @@ msgstr "Порака од %1$s на %2$s" msgid "Notice deleted." msgstr "Избришана забелешка" -#: actions/showstream.php:72 -#, php-format -msgid " tagged %s" -msgstr " означено со %s" +#. TRANS: Page title showing tagged notices in one user's stream. %1$s is the username, %2$s is the hash tag. +#: actions/showstream.php:70 +#, fuzzy, php-format +msgid "%1$s tagged %2$s" +msgstr "%1$s, стр. %2$d" -#: actions/showstream.php:78 +#. TRANS: Page title showing tagged notices in one user's stream. +#. TRANS: %1$s is the username, %2$s is the hash tag, %1$d is the page number. +#: actions/showstream.php:74 +#, fuzzy, php-format +msgid "%1$s tagged %2$s, page %3$d" +msgstr "Забелешки означени со %1$s, стр. %2$d" + +#. TRANS: Extended page title showing tagged notices in one user's stream. +#. TRANS: %1$s is the username, %2$d is the page number. +#: actions/showstream.php:82 #, php-format msgid "%1$s, page %2$d" msgstr "%1$s, стр. %2$d" -#: actions/showstream.php:120 +#. TRANS: Title for link to notice feed. +#. TRANS: %1$s is a user nickname, %2$s is a hashtag. +#: actions/showstream.php:127 #, php-format msgid "Notice feed for %1$s tagged %2$s (RSS 1.0)" msgstr "Канал со забелешки за %1$s означен со %2$s (RSS 1.0)" -#: actions/showstream.php:127 +#. TRANS: Title for link to notice feed. +#. TRANS: %s is a user nickname. +#: actions/showstream.php:136 #, php-format msgid "Notice feed for %s (RSS 1.0)" msgstr "Канал со забелешки за %s (RSS 1.0)" -#: actions/showstream.php:134 +#. TRANS: Title for link to notice feed. +#. TRANS: %s is a user nickname. +#: actions/showstream.php:145 #, php-format msgid "Notice feed for %s (RSS 2.0)" msgstr "Канал со забелешки за %s (RSS 2.0)" -#: actions/showstream.php:141 +#: actions/showstream.php:152 #, php-format msgid "Notice feed for %s (Atom)" msgstr "Канал со забелешки за %s (Atom)" -#: actions/showstream.php:146 +#. TRANS: Title for link to notice feed. FOAF stands for Friend of a Friend. +#. TRANS: More information at http://www.foaf-project.org. %s is a user nickname. +#: actions/showstream.php:159 #, php-format msgid "FOAF for %s" msgstr "FOAF за %s" -#: actions/showstream.php:197 -#, php-format -msgid "This is the timeline for %1$s but %2$s hasn't posted anything yet." +#. TRANS: First sentence of empty list message for a stream. $1%s is a user nickname. +#: actions/showstream.php:211 +#, fuzzy, php-format +msgid "This is the timeline for %1$s, but %1$s hasn't posted anything yet." msgstr "Ова е историјата за %1$s, но %2$s сè уште нема објавено ништо." -#: actions/showstream.php:202 +#. TRANS: Second sentence of empty list message for a stream for the user themselves. +#: actions/showstream.php:217 msgid "" "Seen anything interesting recently? You haven't posted any notices yet, now " "would be a good time to start :)" @@ -4883,7 +4913,9 @@ msgstr "" "Имате видено нешто интересно во последно време? Сè уште немате објавено " "ниедна забелешка, но сега е добро време за да почнете :)" -#: actions/showstream.php:204 +#. TRANS: Second sentence of empty list message for a non-self stream. %1$s is a user nickname, %2$s is a part of a URL. +#. TRANS: This message contains a Markdown link. Keep "](" together. +#: actions/showstream.php:221 #, php-format msgid "" "You can try to nudge %1$s or [post something to them](%%%%action.newnotice%%%" @@ -4892,7 +4924,9 @@ msgstr "" "Можете да го подбуцнете корисникот %1$s или [му испратите нешто](%%%%action." "newnotice%%%%?status_textarea=%2$s)." -#: actions/showstream.php:243 +#. TRANS: Announcement for anonymous users showing a stream if site registrations are open. +#. TRANS: This message contains a Markdown link. Keep "](" together. +#: actions/showstream.php:264 #, php-format msgid "" "**%s** has an account on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -4906,7 +4940,9 @@ msgstr "" "register%%%%) за да можете да ги следите забелешките на **%s** и многу " "повеќе! ([Прочитајте повеќе](%%%%doc.help%%%%))" -#: actions/showstream.php:248 +#. TRANS: Announcement for anonymous users showing a stream if site registrations are closed or invite only. +#. TRANS: This message contains a Markdown link. Keep "](" together. +#: actions/showstream.php:271 #, php-format msgid "" "**%s** has an account on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -4917,7 +4953,8 @@ msgstr "" "(http://mk.wikipedia.org/wiki/Микроблогирање) заснована на слободната " "програмска алатка [StatusNet](http://status.net/). " -#: actions/showstream.php:305 +#. TRANS: Link to the author of a repeated notice. %s is a linked nickname. +#: actions/showstream.php:328 #, php-format msgid "Repeat of %s" msgstr "Повторувања на %s" @@ -5033,33 +5070,42 @@ msgstr "" "Колку долго треба да почекаат корисниците (во секунди) за да можат повторно " "да го објават истото." -#: actions/sitenoticeadminpanel.php:56 +#. TRANS: Page title for site-wide notice tab in admin panel. +#: actions/sitenoticeadminpanel.php:55 msgid "Site Notice" msgstr "Објава на страница" -#: actions/sitenoticeadminpanel.php:67 +#. TRANS: Instructions for site-wide notice tab in admin panel. +#: actions/sitenoticeadminpanel.php:66 msgid "Edit site-wide message" msgstr "Уреди објава за цело мрежно место" -#: actions/sitenoticeadminpanel.php:103 +#. TRANS: Server error displayed when saving a site-wide notice was impossible. +#: actions/sitenoticeadminpanel.php:101 msgid "Unable to save site notice." msgstr "Не можам да ја зачувам објавата за мрежното место." -#: actions/sitenoticeadminpanel.php:113 -msgid "Max length for the site-wide notice is 255 chars." +#. TRANS: Client error displayed when a site-wide notice was longer than allowed. +#: actions/sitenoticeadminpanel.php:112 +#, fuzzy +msgid "Maximum length for the site-wide notice is 255 characters." msgstr "Објавата за цело мрежно место не треба да содржи повеќе од 255 знаци." +#. TRANS: Label for site-wide notice text field in admin panel. #: actions/sitenoticeadminpanel.php:176 msgid "Site notice text" msgstr "Текст на објавата за мрежното место" -#: actions/sitenoticeadminpanel.php:178 -msgid "Site-wide notice text (255 chars max; HTML okay)" +#. TRANS: Tooltip for site-wide notice text field in admin panel. +#: actions/sitenoticeadminpanel.php:179 +#, fuzzy +msgid "Site-wide notice text (255 characters maximum; HTML allowed)" msgstr "" "Текст за главна објава по цело мрежно место (највеќе до 255 знаци; дозволено " "и HTML)" -#: actions/sitenoticeadminpanel.php:198 +#. TRANS: Title for button to save site notice in admin panel. +#: actions/sitenoticeadminpanel.php:201 msgid "Save site notice" msgstr "Зачувај ја објавава" @@ -5524,75 +5570,93 @@ msgstr "" "мрежното место „%2$s“." #. TRANS: User admin panel title -#: actions/useradminpanel.php:60 +#: actions/useradminpanel.php:58 msgctxt "TITLE" msgid "User" msgstr "Корисник" -#: actions/useradminpanel.php:71 +#. TRANS: Instruction for user admin panel. +#: actions/useradminpanel.php:69 msgid "User settings for this StatusNet site" msgstr "Кориснички нагодувања за ова StatusNet-мрежно место" -#: actions/useradminpanel.php:150 +#. TRANS: Form validation error in user admin panel when a non-numeric character limit was set. +#: actions/useradminpanel.php:147 msgid "Invalid bio limit. Must be numeric." msgstr "Неважечко ограничување за биографијата. Мора да е бројчено." -#: actions/useradminpanel.php:156 -msgid "Invalid welcome text. Max length is 255 characters." +#. TRANS: Form validation error in user admin panel when welcome text is too long. +#: actions/useradminpanel.php:154 +#, fuzzy +msgid "Invalid welcome text. Maximum length is 255 characters." msgstr "Неважечки текст за добредојде. Дозволени се највеќе 255 знаци." +#. TRANS: Client error displayed when trying to set a non-existing user as default subscription for new +#. TRANS: users in user admin panel. %1$s is the invalid nickname. #: actions/useradminpanel.php:166 -#, php-format -msgid "Invalid default subscripton: '%1$s' is not user." +#, fuzzy, php-format +msgid "Invalid default subscripton: '%1$s' is not a user." msgstr "Неважечки опис по основно: „%1$s“ не е корисник." #. TRANS: Link description in user account settings menu. -#: actions/useradminpanel.php:219 lib/accountsettingsaction.php:106 +#: actions/useradminpanel.php:215 lib/accountsettingsaction.php:106 #: lib/personalgroupnav.php:109 msgid "Profile" msgstr "Профил" -#: actions/useradminpanel.php:223 +#. TRANS: Field label in user admin panel for setting the character limit for the bio field. +#: actions/useradminpanel.php:220 msgid "Bio Limit" msgstr "Ограничување за биографијата" -#: actions/useradminpanel.php:224 +#. TRANS: Tooltip in user admin panel for setting the character limit for the bio field. +#: actions/useradminpanel.php:222 msgid "Maximum length of a profile bio in characters." msgstr "Максимална големина на профилната биографија во знаци." -#: actions/useradminpanel.php:232 +#. TRANS: Form legend in user admin panel. +#: actions/useradminpanel.php:231 msgid "New users" msgstr "Нови корисници" +#. TRANS: Field label in user admin panel for setting new user welcome text. #: actions/useradminpanel.php:236 msgid "New user welcome" msgstr "Добредојде за нов корисник" -#: actions/useradminpanel.php:237 -msgid "Welcome text for new users (Max 255 chars)." +#. TRANS: Tooltip in user admin panel for setting new user welcome text. +#: actions/useradminpanel.php:238 +#, fuzzy +msgid "Welcome text for new users (maximum 255 characters)." msgstr "Текст за добредојде на нови корисници (највеќе до 255 знаци)." -#: actions/useradminpanel.php:242 +#. TRANS: Field label in user admin panel for setting default subscription for new users. +#: actions/useradminpanel.php:244 msgid "Default subscription" msgstr "Основно-зададена претплата" -#: actions/useradminpanel.php:243 +#. TRANS: Tooltip in user admin panel for setting default subscription for new users. +#: actions/useradminpanel.php:246 msgid "Automatically subscribe new users to this user." msgstr "Автоматски претплатувај нови корисници на овој корисник." -#: actions/useradminpanel.php:252 +#. TRANS: Form legend in user admin panel. +#: actions/useradminpanel.php:256 msgid "Invitations" msgstr "Покани" -#: actions/useradminpanel.php:257 +#. TRANS: Field label for checkbox in user admin panel for allowing users to invite friend using site e-mail. +#: actions/useradminpanel.php:262 msgid "Invitations enabled" msgstr "Поканите се овозможени" -#: actions/useradminpanel.php:259 +#. TRANS: Tooltip for checkbox in user admin panel for allowing users to invite friend using site e-mail. +#: actions/useradminpanel.php:265 msgid "Whether to allow users to invite new users." msgstr "Дали да им е дозволено на корисниците да канат други корисници." -#: actions/useradminpanel.php:295 +#. TRANS: Title for button to save user settings in user admin panel. +#: actions/useradminpanel.php:302 msgid "Save user settings" msgstr "Зачувај кориснички нагодувања" @@ -5804,7 +5868,7 @@ msgid "Plugins" msgstr "Приклучоци" #. TRANS: Secondary navigation menu option leading to version information on the StatusNet site. -#: actions/version.php:198 lib/action.php:831 +#: actions/version.php:198 lib/action.php:880 msgid "Version" msgstr "Верзија" @@ -6014,9 +6078,16 @@ msgstr "Не можев да го зачувам одговорот за %1$d, % msgid "RT @%1$s %2$s" msgstr "RT @%1$s %2$s" +#. TRANS: Full name of a profile or group followed by nickname in parens +#: classes/Profile.php:164 +#, fuzzy, php-format +msgctxt "FANCYNAME" +msgid "%1$s (%2$s)" +msgstr "%1$s (%2$s)" + #. TRANS: Exception thrown when trying to revoke an existing role for a user that does not exist. #. TRANS: %1$s is the role name, %2$s is the user ID (number). -#: classes/Profile.php:791 +#: classes/Profile.php:812 #, php-format msgid "Cannot revoke role \"%1$s\" for user #%2$d; does not exist." msgstr "" @@ -6025,7 +6096,7 @@ msgstr "" #. TRANS: Exception thrown when trying to revoke a role for a user with a failing database query. #. TRANS: %1$s is the role name, %2$s is the user ID (number). -#: classes/Profile.php:800 +#: classes/Profile.php:821 #, php-format msgid "Cannot revoke role \"%1$s\" for user #%2$d; database error." msgstr "" @@ -6173,194 +6244,201 @@ msgstr "%1$s - %2$s" msgid "Untitled page" msgstr "Страница без наслов" +#. TRANS: Localized tooltip for '...' expansion button on overlong remote messages. +#: lib/action.php:310 +msgctxt "TOOLTIP" +msgid "Show more" +msgstr "" + #. TRANS: DT element for primary navigation menu. String is hidden in default CSS. -#: lib/action.php:477 +#: lib/action.php:526 msgid "Primary site navigation" msgstr "Главна навигација" #. TRANS: Tooltip for main menu option "Personal" -#: lib/action.php:483 +#: lib/action.php:532 msgctxt "TOOLTIP" msgid "Personal profile and friends timeline" msgstr "Личен профил и хронологија на пријатели" #. TRANS: Main menu option when logged in for access to personal profile and friends timeline -#: lib/action.php:486 +#: lib/action.php:535 msgctxt "MENU" msgid "Personal" msgstr "Лично" #. TRANS: Tooltip for main menu option "Account" -#: lib/action.php:488 +#: lib/action.php:537 msgctxt "TOOLTIP" msgid "Change your email, avatar, password, profile" msgstr "Промена на е-пошта, аватар, лозинка, профил" #. TRANS: Main menu option when logged in for access to user settings -#: lib/action.php:491 +#: lib/action.php:540 msgid "Account" msgstr "Сметка" #. TRANS: Tooltip for main menu option "Services" -#: lib/action.php:493 +#: lib/action.php:542 msgctxt "TOOLTIP" msgid "Connect to services" msgstr "Поврзи се со услуги" #. TRANS: Main menu option when logged in and connection are possible for access to options to connect to other services -#: lib/action.php:496 +#: lib/action.php:545 msgid "Connect" msgstr "Поврзи се" #. TRANS: Tooltip for menu option "Admin" -#: lib/action.php:499 +#: lib/action.php:548 msgctxt "TOOLTIP" msgid "Change site configuration" msgstr "Промена на поставките на мрежното место" #. TRANS: Main menu option when logged in and site admin for access to site configuration #. TRANS: Menu item in the group navigation page. Only shown for group administrators. -#: lib/action.php:502 lib/groupnav.php:117 +#: lib/action.php:551 lib/groupnav.php:117 msgctxt "MENU" msgid "Admin" msgstr "Админ" #. TRANS: Tooltip for main menu option "Invite" -#: lib/action.php:506 +#: lib/action.php:555 #, php-format msgctxt "TOOLTIP" msgid "Invite friends and colleagues to join you on %s" msgstr "Поканете пријатели и колеги да Ви се придружат на %s" #. TRANS: Main menu option when logged in and invitations are allowed for inviting new users -#: lib/action.php:509 +#: lib/action.php:558 msgctxt "MENU" msgid "Invite" msgstr "Покани" #. TRANS: Tooltip for main menu option "Logout" -#: lib/action.php:515 +#: lib/action.php:564 msgctxt "TOOLTIP" msgid "Logout from the site" msgstr "Одјава" #. TRANS: Main menu option when logged in to log out the current user -#: lib/action.php:518 +#: lib/action.php:567 msgctxt "MENU" msgid "Logout" msgstr "Одјава" #. TRANS: Tooltip for main menu option "Register" -#: lib/action.php:523 +#: lib/action.php:572 msgctxt "TOOLTIP" msgid "Create an account" msgstr "Создај сметка" #. TRANS: Main menu option when not logged in to register a new account -#: lib/action.php:526 +#: lib/action.php:575 msgctxt "MENU" msgid "Register" msgstr "Регистрација" #. TRANS: Tooltip for main menu option "Login" -#: lib/action.php:529 +#: lib/action.php:578 msgctxt "TOOLTIP" msgid "Login to the site" msgstr "Најава" #. TRANS: Main menu option when not logged in to log in -#: lib/action.php:532 +#: lib/action.php:581 msgctxt "MENU" msgid "Login" msgstr "Најава" #. TRANS: Tooltip for main menu option "Help" -#: lib/action.php:535 +#: lib/action.php:584 msgctxt "TOOLTIP" msgid "Help me!" msgstr "Напомош!" #. TRANS: Main menu option for help on the StatusNet site -#: lib/action.php:538 +#: lib/action.php:587 msgctxt "MENU" msgid "Help" msgstr "Помош" #. TRANS: Tooltip for main menu option "Search" -#: lib/action.php:541 +#: lib/action.php:590 msgctxt "TOOLTIP" msgid "Search for people or text" msgstr "Пребарајте луѓе или текст" #. TRANS: Main menu option when logged in or when the StatusNet instance is not private -#: lib/action.php:544 +#: lib/action.php:593 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:566 lib/adminpanelaction.php:387 +#: lib/action.php:615 lib/adminpanelaction.php:387 msgid "Site notice" msgstr "Напомена за мрежното место" #. TRANS: DT element for local views block. String is hidden in default CSS. -#: lib/action.php:633 +#: lib/action.php:682 msgid "Local views" msgstr "Локални прегледи" #. TRANS: DT element for page notice. String is hidden in default CSS. -#: lib/action.php:703 +#: lib/action.php:752 msgid "Page notice" msgstr "Напомена за страницата" #. TRANS: DT element for secondary navigation menu. String is hidden in default CSS. -#: lib/action.php:804 +#: lib/action.php:853 msgid "Secondary site navigation" msgstr "Споредна навигација" #. TRANS: Secondary navigation menu option leading to help on StatusNet. -#: lib/action.php:810 +#: lib/action.php:859 msgid "Help" msgstr "Помош" #. TRANS: Secondary navigation menu option leading to text about StatusNet site. -#: lib/action.php:813 +#: lib/action.php:862 msgid "About" msgstr "За" #. TRANS: Secondary navigation menu option leading to Frequently Asked Questions. -#: lib/action.php:816 +#: lib/action.php:865 msgid "FAQ" msgstr "ЧПП" #. TRANS: Secondary navigation menu option leading to Terms of Service. -#: lib/action.php:821 +#: lib/action.php:870 msgid "TOS" msgstr "Услови" #. TRANS: Secondary navigation menu option leading to privacy policy. -#: lib/action.php:825 +#: lib/action.php:874 msgid "Privacy" msgstr "Приватност" -#. TRANS: Secondary navigation menu option. -#: lib/action.php:828 +#. TRANS: Secondary navigation menu option. Leads to information about StatusNet and its license. +#: lib/action.php:877 msgid "Source" msgstr "Изворен код" -#. TRANS: Secondary navigation menu option leading to contact information on the StatusNet site. -#: lib/action.php:834 +#. TRANS: Secondary navigation menu option leading to e-mail contact information on the +#. TRANS: StatusNet site, where to report bugs, ... +#: lib/action.php:884 msgid "Contact" msgstr "Контакт" -#. TRANS: Secondary navigation menu option. -#: lib/action.php:837 +#. TRANS: Secondary navigation menu option. Leads to information about embedding a timeline widget. +#: lib/action.php:887 msgid "Badge" msgstr "Значка" #. TRANS: DT element for StatusNet software license. -#: lib/action.php:866 +#: lib/action.php:916 msgid "StatusNet software license" msgstr "Лиценца на програмот StatusNet" @@ -6368,7 +6446,7 @@ msgstr "Лиценца на програмот StatusNet" #. TRANS: Text between [] is a link description, text between () is the link itself. #. TRANS: Make sure there is no whitespace between "]" and "(". #. TRANS: "%%site.broughtby%%" is the value of the variable site.broughtby -#: lib/action.php:873 +#: lib/action.php:923 #, php-format msgid "" "**%%site.name%%** is a microblogging service brought to you by [%%site." @@ -6378,7 +6456,7 @@ msgstr "" "%](%%site.broughtbyurl%%)." #. TRANS: First sentence of the StatusNet site license. Used if 'broughtby' is not set. -#: lib/action.php:876 +#: lib/action.php:926 #, php-format msgid "**%%site.name%%** is a microblogging service." msgstr "**%%site.name%%** е сервис за микроблогирање." @@ -6387,7 +6465,7 @@ msgstr "**%%site.name%%** е сервис за микроблогирање." #. TRANS: Make sure there is no whitespace between "]" and "(". #. TRANS: Text between [] is a link description, text between () is the link itself. #. TRANS: %s is the version of StatusNet that is being used. -#: lib/action.php:883 +#: lib/action.php:933 #, php-format msgid "" "It runs the [StatusNet](http://status.net/) microblogging software, version %" @@ -6399,20 +6477,20 @@ msgstr "" "(http://www.fsf.org/licensing/licenses/agpl-3.0.html)." #. TRANS: DT element for StatusNet site content license. -#: lib/action.php:899 +#: lib/action.php:949 msgid "Site content license" msgstr "Лиценца на содржините на мрежното место" #. TRANS: Content license displayed when license is set to 'private'. #. TRANS: %1$s is the site name. -#: lib/action.php:906 +#: lib/action.php:956 #, php-format msgid "Content and data of %1$s are private and confidential." msgstr "Содржината и податоците на %1$s се лични и доверливи." #. TRANS: Content license displayed when license is set to 'allrightsreserved'. #. TRANS: %1$s is the copyright owner. -#: lib/action.php:913 +#: lib/action.php:963 #, php-format msgid "Content and data copyright by %1$s. All rights reserved." msgstr "" @@ -6420,7 +6498,7 @@ msgstr "" "права задржани." #. TRANS: Content license displayed when license is set to 'allrightsreserved' and no owner is set. -#: lib/action.php:917 +#: lib/action.php:967 msgid "Content and data copyright by contributors. All rights reserved." msgstr "" "Авторските права на содржината и податоците им припаѓаат на учесниците. Сите " @@ -6428,25 +6506,25 @@ msgstr "" #. TRANS: license message in footer. #. TRANS: %1$s is the site name, %2$s is a link to the license URL, with a licence name set in configuration. -#: lib/action.php:949 +#: lib/action.php:999 #, php-format msgid "All %1$s content and data are available under the %2$s license." msgstr "Сите содржини и податоци на %1$s се достапни под лиценцата %2$s." #. TRANS: DT element for pagination (previous/next, etc.). -#: lib/action.php:1285 +#: lib/action.php:1335 msgid "Pagination" msgstr "Прелом на страници" #. TRANS: Pagination message to go to a page displaying information more in the #. TRANS: present than the currently displayed information. -#: lib/action.php:1296 +#: lib/action.php:1346 msgid "After" msgstr "Следно" #. TRANS: Pagination message to go to a page displaying information more in the #. TRANS: past than the currently displayed information. -#: lib/action.php:1306 +#: lib/action.php:1356 msgid "Before" msgstr "Претходно" @@ -6791,7 +6869,7 @@ msgid "AJAX error" msgstr "Ajax-грешка" #. TRANS: E-mail subject when a command has completed. -#: lib/channel.php:233 lib/mailhandler.php:142 +#: lib/channel.php:233 lib/mailhandler.php:143 msgid "Command complete" msgstr "Наредбата е завршена" @@ -6807,7 +6885,7 @@ msgstr "Не постои забелешка со таков id." #. TRANS: Command exception text shown when a last user notice is requested and it does not exist. #. TRANS: Error text shown when a last user notice is requested and it does not exist. -#: lib/command.php:99 lib/command.php:626 +#: lib/command.php:99 lib/command.php:630 msgid "User has no last notice." msgstr "Корисникот нема последна забелешка" @@ -6876,6 +6954,14 @@ msgstr "%1$s се зачлени во групата %2$s." msgid "%1$s left group %2$s." msgstr "%1$s ја напушти групата %2$s." +#. TRANS: Whois output. +#. TRANS: %1$s nickname of the queried user, %2$s is their profile URL. +#: lib/command.php:426 +#, fuzzy, php-format +msgctxt "WHOIS" +msgid "%1$s (%2$s)" +msgstr "%1$s (%2$s)" + #. TRANS: Whois output. %s is the full name of the queried user. #: lib/command.php:430 #, php-format @@ -6915,136 +7001,143 @@ msgstr "" "%s е далечински профил; можете да праќате директни пораки само до корисници " "на истиот опслужувач." -#. TRANS: Message given if content is too long. +#. TRANS: Message given if content is too long. %1$sd is used for plural. #. TRANS: %1$d is the maximum number of characters, %2$d is the number of submitted characters. #: lib/command.php:488 -#, php-format -msgid "Message too long - maximum is %1$d characters, you sent %2$d." -msgstr "" +#, fuzzy, php-format +msgid "Message too long - maximum is %1$d character, you sent %2$d." +msgid_plural "Message too long - maximum is %1$d characters, you sent %2$d." +msgstr[0] "" +"Пораката е предолга - дозволени се највеќе %1$d знаци, а вие испративте %2$d." +msgstr[1] "" "Пораката е предолга - дозволени се највеќе %1$d знаци, а вие испративте %2$d." #. TRANS: Error text shown sending a direct message fails with an unknown reason. -#: lib/command.php:514 +#: lib/command.php:516 msgid "Error sending direct message." msgstr "Грашка при испаќањето на директната порака." #. TRANS: Message given having repeated a notice from another user. #. TRANS: %s is the name of the user for which the notice was repeated. -#: lib/command.php:551 +#: lib/command.php:553 #, php-format msgid "Notice from %s repeated." msgstr "Забелешката од %s е повторена." #. TRANS: Error text shown when repeating a notice fails with an unknown reason. -#: lib/command.php:554 +#: lib/command.php:556 msgid "Error repeating notice." msgstr "Грешка при повторувањето на белешката." -#. TRANS: Message given if content of a notice for a reply is too long. +#. TRANS: Message given if content of a notice for a reply is too long. %1$d is used for plural. #. TRANS: %1$d is the maximum number of characters, %2$d is the number of submitted characters. -#: lib/command.php:589 -#, php-format -msgid "Notice too long - maximum is %1$d characters, you sent %2$d." -msgstr "" +#: lib/command.php:591 +#, fuzzy, php-format +msgid "Notice too long - maximum is %1$d character, you sent %2$d." +msgid_plural "Notice too long - maximum is %1$d characters, you sent %2$d." +msgstr[0] "" +"Забелешката е предолга - треба да нема повеќе од %1$d знаци, а Вие " +"испративте %2$d." +msgstr[1] "" "Забелешката е предолга - треба да нема повеќе од %1$d знаци, а Вие " "испративте %2$d." #. TRANS: Text shown having sent a reply to a notice successfully. #. TRANS: %s is the nickname of the user of the notice the reply was sent to. -#: lib/command.php:600 +#: lib/command.php:604 #, php-format msgid "Reply to %s sent." msgstr "Одговорот на %s е испратен." #. TRANS: Error text shown when a reply to a notice fails with an unknown reason. -#: lib/command.php:603 +#: lib/command.php:607 msgid "Error saving notice." msgstr "Грешка при зачувувањето на белешката." #. TRANS: Error text shown when no username was provided when issuing a subscribe command. -#: lib/command.php:650 +#: lib/command.php:654 msgid "Specify the name of the user to subscribe to." msgstr "Назначете го името на корисникот на којшто сакате да се претплатите." #. TRANS: Command exception text shown when trying to subscribe to an OMB profile using the subscribe command. -#: lib/command.php:659 +#: lib/command.php:663 msgid "Can't subscribe to OMB profiles by command." msgstr "Не можете да се претплаќате на OMB профили по наредба." #. TRANS: Text shown after having subscribed to another user successfully. #. TRANS: %s is the name of the user the subscription was requested for. -#: lib/command.php:667 +#: lib/command.php:671 #, php-format msgid "Subscribed to %s." msgstr "Претплатено на %s." #. TRANS: Error text shown when no username was provided when issuing an unsubscribe command. #. TRANS: Error text shown when no username was provided when issuing the command. -#: lib/command.php:688 lib/command.php:799 +#: lib/command.php:692 lib/command.php:803 msgid "Specify the name of the user to unsubscribe from." msgstr "Назначете го името на корисникот од кого откажувате претплата." #. TRANS: Text shown after having unsubscribed from another user successfully. #. TRANS: %s is the name of the user the unsubscription was requested for. -#: lib/command.php:699 +#: lib/command.php:703 #, php-format msgid "Unsubscribed from %s." msgstr "Откажана претплата на %s." #. TRANS: Error text shown when issuing the command "off" with a setting which has not yet been implemented. #. TRANS: Error text shown when issuing the command "on" with a setting which has not yet been implemented. -#: lib/command.php:719 lib/command.php:745 +#: lib/command.php:723 lib/command.php:749 msgid "Command not yet implemented." msgstr "Наредбата сè уште не е имплементирана." #. TRANS: Text shown when issuing the command "off" successfully. -#: lib/command.php:723 +#: lib/command.php:727 msgid "Notification off." msgstr "Известувањето е исклучено." #. TRANS: Error text shown when the command "off" fails for an unknown reason. -#: lib/command.php:726 +#: lib/command.php:730 msgid "Can't turn off notification." msgstr "Не можам да исклучам известување." #. TRANS: Text shown when issuing the command "on" successfully. -#: lib/command.php:749 +#: lib/command.php:753 msgid "Notification on." msgstr "Известувањето е вклучено." #. TRANS: Error text shown when the command "on" fails for an unknown reason. -#: lib/command.php:752 +#: lib/command.php:756 msgid "Can't turn on notification." msgstr "Не можам да вклучам известување." #. TRANS: Error text shown when issuing the login command while login is disabled. -#: lib/command.php:766 +#: lib/command.php:770 msgid "Login command is disabled." msgstr "Наредбата за најава е оневозможена." #. TRANS: Text shown after issuing the login command successfully. #. TRANS: %s is a logon link.. -#: lib/command.php:779 +#: lib/command.php:783 #, php-format msgid "This link is useable only once and is valid for only 2 minutes: %s." msgstr "Оваа врска може да се употреби само еднаш, и трае само 2 минути: %s" #. TRANS: Text shown after issuing the lose command successfully (stop another user from following the current user). #. TRANS: %s is the name of the user the unsubscription was requested for. -#: lib/command.php:808 +#: lib/command.php:812 #, php-format msgid "Unsubscribed %s." msgstr "Откажана претплата на %s." #. TRANS: Text shown after requesting other users a user is subscribed to without having any subscriptions. -#: lib/command.php:826 +#: lib/command.php:830 msgid "You are not subscribed to anyone." msgstr "Не сте претплатени никому." #. TRANS: Text shown after requesting other users a user is subscribed to. #. TRANS: This message supports plural forms. This message is followed by a #. TRANS: hard coded space and a comma separated list of subscribed users. -#: lib/command.php:831 +#: lib/command.php:835 msgid "You are subscribed to this person:" msgid_plural "You are subscribed to these people:" msgstr[0] "Не ни го испративте тој профил." @@ -7052,14 +7145,14 @@ msgstr[1] "Не ни го испративте тој профил." #. TRANS: Text shown after requesting other users that are subscribed to a user #. TRANS: (followers) without having any subscribers. -#: lib/command.php:853 +#: lib/command.php:857 msgid "No one is subscribed to you." msgstr "Никој не е претплатен на Вас." #. TRANS: Text shown after requesting other users that are subscribed to a user (followers). #. TRANS: This message supports plural forms. This message is followed by a #. TRANS: hard coded space and a comma separated list of subscribing users. -#: lib/command.php:858 +#: lib/command.php:862 msgid "This person is subscribed to you:" msgid_plural "These people are subscribed to you:" msgstr[0] "Оддалечена претплата" @@ -7067,21 +7160,21 @@ msgstr[1] "Оддалечена претплата" #. TRANS: Text shown after requesting groups a user is subscribed to without having #. TRANS: any group subscriptions. -#: lib/command.php:880 +#: lib/command.php:884 msgid "You are not a member of any groups." msgstr "Не членувате во ниедна група." #. TRANS: Text shown after requesting groups a user is subscribed to. #. TRANS: This message supports plural forms. This message is followed by a #. TRANS: hard coded space and a comma separated list of subscribed groups. -#: lib/command.php:885 +#: lib/command.php:889 msgid "You are a member of this group:" msgid_plural "You are a member of these groups:" msgstr[0] "Не ни го испративте тој профил." msgstr[1] "Не ни го испративте тој профил." #. TRANS: Help text for commands. Do not translate the command names themselves; they are fixed strings. -#: lib/command.php:900 +#: lib/command.php:904 msgid "" "Commands:\n" "on - turn on notifications\n" @@ -7309,7 +7402,8 @@ msgid "1-64 lowercase letters or numbers, no punctuation or spaces" msgstr "1-64 мали букви или бројки. Без интерпукциски знаци и празни места." #: lib/groupeditform.php:163 -msgid "URL of the homepage or blog of the group or topic" +#, fuzzy +msgid "URL of the homepage or blog of the group or topic." msgstr "URL на страницата или блогот на групата или темата" #: lib/groupeditform.php:168 @@ -7317,19 +7411,30 @@ msgid "Describe the group or topic" msgstr "Опишете ја групата или темата" #: lib/groupeditform.php:170 -#, php-format -msgid "Describe the group or topic in %d characters" -msgstr "Опишете ја групата или темата со %d знаци" +#, fuzzy, php-format +msgid "Describe the group or topic in %d character or less" +msgid_plural "Describe the group or topic in %d characters or less" +msgstr[0] "Опишете ја групата или темата со %d знаци" +msgstr[1] "Опишете ја групата или темата со %d знаци" -#: lib/groupeditform.php:179 +#: lib/groupeditform.php:182 +#, fuzzy msgid "" -"Location for the group, if any, like \"City, State (or Region), Country\"" +"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/groupeditform.php:190 +#, fuzzy, php-format +msgid "" +"Extra nicknames for the group, separated with commas or spaces. Maximum %d " +"alias allowed." +msgid_plural "" +"Extra nicknames for the group, separated with commas or spaces. Maximum %d " +"aliases allowed." +msgstr[0] "" +"Дополнителни прекари за групата, одделени со запирка или празно место, " +"највеќе до %d" +msgstr[1] "" "Дополнителни прекари за групата, одделени со запирка или празно место, " "највеќе до %d" @@ -7461,27 +7566,27 @@ msgstr "Непознат тип на податотека" #. TRANS: Number of megabytes. %d is the number. #: lib/imagefile.php:248 -#, fuzzy, php-format +#, php-format msgid "%dMB" msgid_plural "%dMB" -msgstr[0] "МБ" -msgstr[1] "МБ" +msgstr[0] "%d МБ" +msgstr[1] "%d МБ" #. TRANS: Number of kilobytes. %d is the number. #: lib/imagefile.php:252 -#, fuzzy, php-format +#, php-format msgid "%dkB" msgid_plural "%dkB" -msgstr[0] "кб" -msgstr[1] "кб" +msgstr[0] "%d кБ" +msgstr[1] "%d кБ" #. TRANS: Number of bytes. %d is the number. #: lib/imagefile.php:255 #, php-format msgid "%dB" msgid_plural "%dB" -msgstr[0] "" -msgstr[1] "" +msgstr[0] "%d Б" +msgstr[1] "%d Б" #: lib/jabber.php:387 #, php-format @@ -7888,7 +7993,7 @@ msgstr "Жалиме, но тоа не е Вашата приемна е-пош msgid "Sorry, no incoming email allowed." msgstr "Жалиме, приемната пошта не е дозволена." -#: lib/mailhandler.php:228 +#: lib/mailhandler.php:229 #, php-format msgid "Unsupported message type: %s" msgstr "Неподдржан формат на порака: %s" @@ -8238,16 +8343,17 @@ msgid "Sandbox this user" msgstr "Стави го корисников во песочен режим" #. TRANS: Fieldset legend for the search form. -#: lib/searchaction.php:121 +#: lib/searchaction.php:120 msgid "Search site" msgstr "Пребарај по мрежното место" #. TRANS: Used as a field label for the field where one or more keywords #. TRANS: for searching can be entered. -#: lib/searchaction.php:129 +#: lib/searchaction.php:128 msgid "Keyword(s)" msgstr "Клучен збор" +#. TRANS: Button text for searching site. #: lib/searchaction.php:130 msgctxt "BUTTON" msgid "Search" @@ -8338,8 +8444,8 @@ msgid "The theme file is missing or the upload failed." msgstr "Податотеката за изгледот недостасува или подигањето не успеало." #: lib/themeuploader.php:91 lib/themeuploader.php:102 -#: lib/themeuploader.php:278 lib/themeuploader.php:282 -#: lib/themeuploader.php:290 lib/themeuploader.php:297 +#: lib/themeuploader.php:279 lib/themeuploader.php:283 +#: lib/themeuploader.php:291 lib/themeuploader.php:298 msgid "Failed saving theme." msgstr "Зачувувањето на мотивот не успеа." @@ -8348,16 +8454,20 @@ msgid "Invalid theme: bad directory structure." msgstr "Неважечки изглед: лош состав на папката." #: lib/themeuploader.php:166 -#, php-format -msgid "Uploaded theme is too large; must be less than %d bytes uncompressed." -msgstr "" +#, fuzzy, php-format +msgid "Uploaded theme is too large; must be less than %d byte uncompressed." +msgid_plural "" +"Uploaded theme is too large; must be less than %d bytes uncompressed." +msgstr[0] "" +"Подигнатиот изглед е преголем; мора да биде помал од %d бајти (незбиен)." +msgstr[1] "" "Подигнатиот изглед е преголем; мора да биде помал од %d бајти (незбиен)." -#: lib/themeuploader.php:178 +#: lib/themeuploader.php:179 msgid "Invalid theme archive: missing file css/display.css" msgstr "Неважечки архив за изглеедот: недостасува податотеката css/display.css" -#: lib/themeuploader.php:218 +#: lib/themeuploader.php:219 msgid "" "Theme contains invalid file or folder name. Stick with ASCII letters, " "digits, underscore, and minus sign." @@ -8365,16 +8475,16 @@ msgstr "" "Изгледот содржи неважечки назив на податотека или папка. Дозволени се само " "ASCII-букви, бројки, долна црта и знак за минус." -#: lib/themeuploader.php:224 +#: lib/themeuploader.php:225 msgid "Theme contains unsafe file extension names; may be unsafe." msgstr "Овој изглед содржи небезбедни податотечни наставки." -#: lib/themeuploader.php:241 +#: lib/themeuploader.php:242 #, php-format msgid "Theme contains file of type '.%s', which is not allowed." msgstr "Изгледот содржи податотека од типот „.%s“, која не е дозволена." -#: lib/themeuploader.php:259 +#: lib/themeuploader.php:260 msgid "Error opening theme archive." msgstr "Грешка при отворањето на архивот за мотив." @@ -8384,7 +8494,6 @@ msgstr "Најактивни објавувачи" #. TRANS: Title for the form to unblock a user. #: lib/unblockform.php:67 -#, fuzzy msgctxt "TITLE" msgid "Unblock" msgstr "Одблокирај" @@ -8558,22 +8667,41 @@ msgstr[0] "" msgstr[1] "" "Пораката е предолга - дозволени се највеќе %1$d знаци, а вие испративте %2$d." -#: scripts/restoreuser.php:82 +#. TRANS: Commandline script output. %s is the filename that contains a backup for a user. +#: scripts/restoreuser.php:61 #, php-format -msgid "Backup file for user %s (%s)" -msgstr "Резервна податотека за корисникот %s (%s)" +msgid "Getting backup from file '%s'." +msgstr "" -#: scripts/restoreuser.php:88 +#. TRANS: Commandline script output. +#: scripts/restoreuser.php:91 msgid "No user specified; using backup user." msgstr "Нема назначено корисник. Ќе го употребам резервниот корисник." -#: scripts/restoreuser.php:94 -#, php-format -msgid "%d entries in backup." -msgstr "%d резервни ставки." +#. TRANS: Commandline script output. %d is the number of entries in the activity stream in backup; used for plural. +#: scripts/restoreuser.php:98 +#, fuzzy, php-format +msgid "%d entry in backup." +msgid_plural "%d entries in backup." +msgstr[0] "%d резервни ставки." +msgstr[1] "%d резервни ставки." -#~ msgid "Description is too long (max %d chars)." -#~ msgstr "Описот е предолг (дозволено е највеќе %d знаци)." +#~ msgid "Name is too long (maximum 255 chars)." +#~ msgstr "Името е предолго (највеќе 255 знаци)." -#~ msgid "Too many aliases! Maximum %d." -#~ msgstr "Премногу алијаси! Дозволено е највеќе %d." +#~ msgid "Organization is too long (maximum 255 chars)." +#~ msgstr "Организацијата е предолга (дозволени се највеќе 255 знаци)." + +#~ msgid "That's too long. Max notice size is %d chars." +#~ msgstr "Ова е предолго. Максималната дозволена должина изнесува %d знаци." + +#~ msgid "Max notice size is %d chars, including attachment URL." +#~ msgstr "" +#~ "Максималната големина на забелешката е %d знаци, вклучувајќи ја URL-" +#~ "адресата на прилогот." + +#~ msgid " tagged %s" +#~ msgstr " означено со %s" + +#~ msgid "Backup file for user %s (%s)" +#~ msgstr "Резервна податотека за корисникот %s (%s)" diff --git a/locale/nb/LC_MESSAGES/statusnet.po b/locale/nb/LC_MESSAGES/statusnet.po index 370ad9cbb1..00033d67e5 100644 --- a/locale/nb/LC_MESSAGES/statusnet.po +++ b/locale/nb/LC_MESSAGES/statusnet.po @@ -10,17 +10,17 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet - Core\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-10-30 23:18+0000\n" -"PO-Revision-Date: 2010-10-30 23:20:38+0000\n" +"POT-Creation-Date: 2010-11-02 22:51+0000\n" +"PO-Revision-Date: 2010-11-02 22:53: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.17alpha (r75708); Translate extension (2010-09-17)\n" +"X-Generator: MediaWiki 1.17alpha (r75875); Translate extension (2010-09-17)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: no\n" "X-Message-Group: #out-statusnet-core\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-POT-Import-Date: 2010-10-30 09:48:40+0000\n" +"X-POT-Import-Date: 2010-10-30 23:42:01+0000\n" #. TRANS: Page title for Access admin panel that allows configuring site access. #. TRANS: Menu item for site administration @@ -77,15 +77,20 @@ msgstr "Lagre tilgangsinnstillinger" #. TRANS: Tooltip for button to save access settings in site admin panel. #. TRANS: Button label to save e-mail preferences. #. TRANS: Button label to save IM preferences. +#. TRANS: Button text for saving "Other settings" in profile. #. TRANS: Button text to store form data in the Paths admin panel. #. TRANS: Button to save input in profile settings. +#. TRANS: Button text for saving site notice in admin panel. #. TRANS: Button label to save SMS preferences. #. TRANS: Save button for settings for a profile in a subscriptions list. +#. TRANS: Button text to save user settings in user admin panel. #. TRANS: Button label in the "Edit application" form. #: actions/accessadminpanel.php:193 actions/emailsettings.php:228 -#: actions/imsettings.php:187 actions/pathsadminpanel.php:512 -#: actions/profilesettings.php:201 actions/smssettings.php:209 -#: actions/subscriptions.php:246 lib/applicationeditform.php:355 +#: actions/imsettings.php:187 actions/othersettings.php:134 +#: actions/pathsadminpanel.php:512 actions/profilesettings.php:201 +#: actions/sitenoticeadminpanel.php:197 actions/smssettings.php:209 +#: actions/subscriptions.php:246 actions/useradminpanel.php:298 +#: lib/applicationeditform.php:355 lib/groupeditform.php:207 msgctxt "BUTTON" msgid "Save" msgstr "Lagre" @@ -136,7 +141,7 @@ msgstr "Ingen slik side." #: 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:93 actions/userrss.php:40 -#: actions/xrds.php:71 lib/command.php:495 lib/galleryaction.php:59 +#: actions/xrds.php:71 lib/command.php:497 lib/galleryaction.php:59 #: lib/mailbox.php:82 lib/profileaction.php:77 msgid "No such user." msgstr "Ingen slik bruker." @@ -207,7 +212,9 @@ msgstr "" #. TRANS: Encoutagement displayed on empty timeline user pages for anonymous users. #. TRANS: %s is a user nickname. This message contains Markdown links. Keep "](" together. -#: actions/all.php:155 actions/replies.php:210 actions/showstream.php:208 +#. TRANS: Second sentence of empty message for anonymous users. %s is a user nickname. +#. TRANS: This message contains a Markdown link. Keep "](" together. +#: actions/all.php:155 actions/replies.php:210 actions/showstream.php:227 #, php-format msgid "" "Why not [register an account](%%%%action.register%%%%) and then nudge %s or " @@ -564,8 +571,11 @@ msgstr "Beklager, navnet er for langt (max 250 tegn)." #. TRANS: Group edit form validation error. #. TRANS: Form validation error in New application form. #. TRANS: %d is the maximum number of characters for the description. +#. TRANS: Group create form validation error. +#. TRANS: %d is the maximum number of allowed characters. #: actions/apigroupcreate.php:220 actions/editapplication.php:201 #: actions/editgroup.php:216 actions/newapplication.php:178 +#: actions/newgroup.php:152 #, fuzzy, php-format msgid "Description is too long (maximum %d character)." msgid_plural "Description is too long (maximum %d characters)." @@ -725,14 +735,14 @@ msgstr "Du er ikke autorisert." #. TRANS: Form validation error in API OAuth authorisation because of an invalid session token. #: actions/apioauthauthorize.php:147 actions/avatarsettings.php:280 -#: actions/deletenotice.php:172 actions/disfavor.php:74 +#: actions/deletenotice.php:177 actions/disfavor.php:74 #: actions/emailsettings.php:271 actions/favor.php:75 actions/geocode.php:55 #: actions/groupblock.php:66 actions/grouplogo.php:312 #: actions/groupunblock.php:65 actions/imsettings.php:230 #: actions/invite.php:59 actions/login.php:137 actions/makeadmin.php:66 #: actions/newmessage.php:135 actions/newnotice.php:105 actions/nudge.php:80 #: actions/oauthappssettings.php:165 actions/oauthconnectionssettings.php:138 -#: actions/othersettings.php:145 actions/passwordsettings.php:138 +#: actions/othersettings.php:153 actions/passwordsettings.php:138 #: actions/profilesettings.php:221 actions/recoverpassword.php:350 #: actions/register.php:172 actions/remotesubscribe.php:77 #: actions/repeat.php:83 actions/smssettings.php:256 actions/subedit.php:40 @@ -912,20 +922,21 @@ msgstr "Du kan ikke slette statusen til en annen bruker." #. TRANS: Client error displayed trying to repeat a non-existing notice through the API. #. TRANS: Client error displayed trying to display redents of a non-exiting notice. +#. TRANS: Error message displayed trying to delete a non-existing notice. #: actions/apistatusesretweet.php:74 actions/apistatusesretweets.php:70 -#: actions/deletenotice.php:58 actions/shownotice.php:92 +#: actions/deletenotice.php:61 actions/shownotice.php:92 msgid "No such notice." msgstr "Ingen slik notis." #. TRANS: Client error displayed trying to repeat an own notice through the API. #. TRANS: Error text shown when trying to repeat an own notice. -#: actions/apistatusesretweet.php:83 lib/command.php:535 +#: actions/apistatusesretweet.php:83 lib/command.php:537 msgid "Cannot repeat your own notice." msgstr "Kan ikke gjenta din egen notis." #. TRANS: Client error displayed trying to re-repeat a notice through the API. #. TRANS: Error text shown when trying to repeat an notice that was already repeated by the user. -#: actions/apistatusesretweet.php:92 lib/command.php:541 +#: actions/apistatusesretweet.php:92 lib/command.php:543 msgid "Already repeated that notice." msgstr "Allerede gjentatt den notisen." @@ -946,7 +957,8 @@ msgstr "" #. TRANS: Client error displayed when the parameter "status" is missing. #. TRANS: %d is the maximum number of character for a notice. -#: actions/apistatusesupdate.php:244 +#: actions/apistatusesupdate.php:244 actions/newnotice.php:161 +#: lib/mailhandler.php:60 #, fuzzy, php-format msgid "That's too long. Maximum notice size is %d character." msgid_plural "That's too long. Maximum notice size is %d characters." @@ -961,7 +973,7 @@ msgstr "API-metode ikke funnet!" #. TRANS: Client error displayed exceeding the maximum notice length. #. TRANS: %d is the maximum lenth for a notice. -#: actions/apistatusesupdate.php:308 +#: actions/apistatusesupdate.php:308 actions/newnotice.php:184 #, fuzzy, php-format msgid "Maximum notice size is %d character, including attachment URL." msgid_plural "Maximum notice size is %d characters, including attachment URL." @@ -1172,17 +1184,18 @@ msgstr "Velg et kvadratisk utsnitt av bildet som din avatar." msgid "Lost our file data." msgstr "Mistet våre fildata." -#: actions/avatarsettings.php:384 +#. TRANS: Success message for having updated a user avatar. +#: actions/avatarsettings.php:385 msgid "Avatar updated." msgstr "Brukerbildet har blitt oppdatert." #. TRANS: Error displayed on the avatar upload page if the avatar could not be updated for an unknown reason. -#: actions/avatarsettings.php:388 +#: actions/avatarsettings.php:389 msgid "Failed updating avatar." msgstr "Oppdatering av avatar mislyktes." #. TRANS: Success message for deleting a user avatar. -#: actions/avatarsettings.php:412 +#: actions/avatarsettings.php:413 msgid "Avatar deleted." msgstr "Avatar slettet." @@ -1214,8 +1227,8 @@ msgstr "" #. TRANS: Button label on the delete notice form. #. TRANS: Button label on the delete user form. #. TRANS: Button label on the form to block a user from a group. -#: actions/block.php:154 actions/deleteapplication.php:154 -#: actions/deletegroup.php:220 actions/deletenotice.php:150 +#: actions/block.php:154 actions/deleteapplication.php:157 +#: actions/deletegroup.php:220 actions/deletenotice.php:155 #: actions/deleteuser.php:152 actions/groupblock.php:178 msgctxt "BUTTON" msgid "No" @@ -1233,8 +1246,8 @@ msgstr "Ikke blokker denne brukeren" #. TRANS: Button label on the delete notice form. #. TRANS: Button label on the delete user form. #. TRANS: Button label on the form to block a user from a group. -#: actions/block.php:161 actions/deleteapplication.php:161 -#: actions/deletegroup.php:227 actions/deletenotice.php:157 +#: actions/block.php:161 actions/deleteapplication.php:164 +#: actions/deletegroup.php:227 actions/deletenotice.php:162 #: actions/deleteuser.php:159 actions/groupblock.php:185 msgctxt "BUTTON" msgid "Yes" @@ -1351,12 +1364,13 @@ msgstr "Den adressen har allerede blitt bekreftet." #. TRANS: Server error thrown on database error removing a registered e-mail address. #. TRANS: Server error thrown on database error updating IM preferences. #. TRANS: Server error thrown on database error removing a registered IM address. +#. TRANS: Server error displayed when "Other" settings in user profile could not be updated on the server. #. TRANS: Server error thrown when user profile settings could not be updated. #. TRANS: Server error thrown on database error updating SMS preferences. #. TRANS: Server error thrown on database error removing a registered SMS phone number. #: actions/confirmaddress.php:118 actions/emailsettings.php:331 #: actions/emailsettings.php:477 actions/imsettings.php:283 -#: actions/imsettings.php:442 actions/othersettings.php:174 +#: actions/imsettings.php:442 actions/othersettings.php:184 #: actions/profilesettings.php:326 actions/smssettings.php:308 #: actions/smssettings.php:464 msgid "Couldn't update user." @@ -1392,16 +1406,19 @@ msgstr "Samtale" msgid "Notices" msgstr "Notiser" -#: actions/deleteapplication.php:63 +#. TRANS: Client error displayed trying to delete an application while not logged in. +#: actions/deleteapplication.php:62 msgid "You must be logged in to delete an application." msgstr "Du må være innlogget for å slette et program." +#. TRANS: Client error displayed trying to delete an application that does not exist. #: actions/deleteapplication.php:71 msgid "Application not found." msgstr "Program ikke funnet." +#. TRANS: Client error displayed trying to delete an application the current user does not own. #. TRANS: Client error displayed trying to edit an application while not being its owner. -#: actions/deleteapplication.php:78 actions/editapplication.php:78 +#: actions/deleteapplication.php:79 actions/editapplication.php:78 #: actions/showapplication.php:94 msgid "You are not the owner of this application." msgstr "Du er ikke eieren av dette programmet." @@ -1409,16 +1426,19 @@ msgstr "Du er ikke eieren av dette programmet." #. TRANS: Client error text when there is a problem with the session token. #: actions/deleteapplication.php:102 actions/editapplication.php:131 #: actions/newapplication.php:114 actions/showapplication.php:118 -#: lib/action.php:1354 +#: lib/action.php:1404 #, fuzzy msgid "There was a problem with your session token." msgstr "Det var et problem med din sesjons-autentisering. Prøv igjen." -#: actions/deleteapplication.php:123 actions/deleteapplication.php:147 +#. TRANS: Title for delete application page. +#. TRANS: Fieldset legend on delete application page. +#: actions/deleteapplication.php:124 actions/deleteapplication.php:149 msgid "Delete application" msgstr "Slett program" -#: actions/deleteapplication.php:149 +#. TRANS: Confirmation text on delete application page. +#: actions/deleteapplication.php:152 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 " @@ -1429,12 +1449,12 @@ msgstr "" "brukertilkoblinger." #. TRANS: Submit button title for 'No' when deleting an application. -#: actions/deleteapplication.php:158 +#: actions/deleteapplication.php:161 msgid "Do not delete this application" msgstr "Ikke slett dette programmet" #. TRANS: Submit button title for 'Yes' when deleting an application. -#: actions/deleteapplication.php:164 +#: actions/deleteapplication.php:167 msgid "Delete this application" msgstr "Slett dette programmet" @@ -1470,13 +1490,14 @@ msgstr "Kunne ikke oppdatere gruppe." msgid "Deleted group %s" msgstr "%1$s forlot gruppe %2$s" -#. TRANS: Title. +#. TRANS: Title of delete group page. #. TRANS: Form legend for deleting a group. #: actions/deletegroup.php:176 actions/deletegroup.php:202 #, fuzzy msgid "Delete group" msgstr "Slett bruker" +#. TRANS: Warning in form for deleleting a group. #: actions/deletegroup.php:206 #, fuzzy msgid "" @@ -1499,10 +1520,11 @@ msgstr "Ikke slett denne notisen" msgid "Delete this group" msgstr "Slett denne brukeren" +#. TRANS: Error message displayed trying to delete a notice while not logged in. #. TRANS: Client error displayed when trying to unblock a user from a group while not logged in. #. TRANS: Client error displayed trying a change a subscription while not logged in. #. TRANS: Client error message thrown when trying to access the admin panel while not logged in. -#: actions/deletenotice.php:50 actions/disfavor.php:61 actions/favor.php:62 +#: actions/deletenotice.php:52 actions/disfavor.php:61 actions/favor.php:62 #: actions/groupblock.php:61 actions/groupunblock.php:60 actions/logout.php:69 #: actions/makeadmin.php:61 actions/newmessage.php:87 actions/newnotice.php:88 #: actions/nudge.php:63 actions/subedit.php:33 actions/subscribe.php:96 @@ -1512,11 +1534,13 @@ msgstr "Slett denne brukeren" msgid "Not logged in." msgstr "Ikke logget inn." -#: actions/deletenotice.php:74 +#. TRANS: Error message displayed trying to delete a notice that was not made by the current user. +#: actions/deletenotice.php:78 msgid "Can't delete this notice." msgstr "Kan ikke slette notisen." -#: actions/deletenotice.php:106 +#. TRANS: Instructions for deleting a notice. +#: actions/deletenotice.php:110 msgid "" "You are about to permanently delete a notice. Once this is done, it cannot " "be undone." @@ -1524,21 +1548,24 @@ msgstr "" "Du er i ferd med å slette en notis permanent. Når dette er gjort kan det " "ikke gjøres om." -#: actions/deletenotice.php:112 actions/deletenotice.php:144 +#. TRANS: Page title when deleting a notice. +#. TRANS: Fieldset legend for the delete notice form. +#: actions/deletenotice.php:117 actions/deletenotice.php:148 msgid "Delete notice" msgstr "Slett notis" -#: actions/deletenotice.php:147 +#. TRANS: Message for the delete notice form. +#: actions/deletenotice.php:152 msgid "Are you sure you want to delete this notice?" msgstr "Er du sikker på at du vil slette denne notisen?" #. TRANS: Submit button title for 'No' when deleting a notice. -#: actions/deletenotice.php:154 +#: actions/deletenotice.php:159 msgid "Do not delete this notice" msgstr "Ikke slett denne notisen" #. TRANS: Submit button title for 'Yes' when deleting a notice. -#: actions/deletenotice.php:161 lib/noticelist.php:667 +#: actions/deletenotice.php:166 lib/noticelist.php:667 msgid "Delete this notice" msgstr "Slett denne notisen" @@ -1701,11 +1728,9 @@ msgstr "Tilbakestill til standardverdier" #. TRANS: Submit button title. #: actions/designadminpanel.php:711 actions/licenseadminpanel.php:319 -#: actions/othersettings.php:126 actions/sessionsadminpanel.php:199 -#: actions/siteadminpanel.php:292 actions/sitenoticeadminpanel.php:195 +#: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:292 #: actions/snapshotadminpanel.php:245 actions/tagother.php:154 -#: actions/useradminpanel.php:295 lib/applicationeditform.php:357 -#: lib/designsettings.php:256 lib/groupeditform.php:202 +#: lib/applicationeditform.php:357 lib/designsettings.php:256 msgid "Save" msgstr "Lagre" @@ -1753,9 +1778,9 @@ msgid "Name is required." msgstr "Navn kreves." #. TRANS: Validation error shown when providing too long a name in the "Edit application" form. -#: actions/editapplication.php:188 +#: actions/editapplication.php:188 actions/newapplication.php:169 #, fuzzy -msgid "Name is too long (max 255 characters)." +msgid "Name is too long (maximum 255 characters)." msgstr "Navn er for langt (maks 250 tegn)." #. TRANS: Validation error shown when providing a name for an application that already exists in the "Edit application" form. @@ -1784,7 +1809,7 @@ msgid "Organization is required." msgstr "Organisasjon kreves." #. TRANS: Validation error shown when providing too long an arganisation name in the "Edit application" form. -#: actions/editapplication.php:223 +#: actions/editapplication.php:223 actions/newapplication.php:199 #, fuzzy msgid "Organization is too long (maximum 255 characters)." msgstr "Organisasjon er for lang (maks 255 tegn)." @@ -2576,7 +2601,7 @@ msgid "Publish a MicroID for my Jabber/GTalk address." msgstr "Publiser en MicroID for min Jabber/Gtalk-adresse." #. TRANS: Confirmation message for successful IM preferences save. -#: actions/imsettings.php:290 actions/othersettings.php:180 +#: actions/imsettings.php:290 actions/othersettings.php:190 msgid "Preferences saved." msgstr "Innstillinger lagret." @@ -2700,10 +2725,9 @@ msgstr[1] "Du abonnerer allerede på disse brukerne:" #. TRANS: Used as list item for already subscribed users (%1$s is nickname, %2$s is e-mail address). #. TRANS: Used as list item for already registered people (%1$s is nickname, %2$s is e-mail address). -#. TRANS: Whois output. -#. TRANS: %1$s nickname of the queried user, %2$s is their profile URL. -#: actions/invite.php:145 actions/invite.php:159 lib/command.php:426 -#, php-format +#: actions/invite.php:145 actions/invite.php:159 +#, fuzzy, php-format +msgctxt "INVITE" msgid "%1$s (%2$s)" msgstr "%1$s (%2$s)" @@ -2883,8 +2907,9 @@ msgid "" msgstr "" #: actions/licenseadminpanel.php:156 -msgid "Invalid license title. Max length is 255 characters." -msgstr "" +#, fuzzy +msgid "Invalid license title. Maximum length is 255 characters." +msgstr "Ugyldig velkomsttekst. Maks lengde er 255 tegn." #: actions/licenseadminpanel.php:168 msgid "Invalid license URL." @@ -3056,20 +3081,10 @@ msgstr "Du må være logget inn for å registrere et program." msgid "Use this form to register a new application." msgstr "Bruk dette skjemaet for å registrere et nytt program." -#: actions/newapplication.php:169 -#, fuzzy -msgid "Name is too long (maximum 255 chars)." -msgstr "Navn er for langt (maks 250 tegn)." - #: actions/newapplication.php:184 msgid "Source URL is required." msgstr "Nettadresse til kilde kreves." -#: actions/newapplication.php:199 -#, fuzzy -msgid "Organization is too long (maximum 255 chars)." -msgstr "Organisasjon er for lang (maks 255 tegn)." - #: actions/newapplication.php:266 actions/newapplication.php:275 msgid "Could not create application." msgstr "Kunne ikke opprette program." @@ -3089,14 +3104,14 @@ msgid "New message" msgstr "Ny melding" #. TRANS: Error text shown when trying to send a direct message to a user without a mutual subscription (each user must be subscribed to the other). -#: actions/newmessage.php:121 actions/newmessage.php:164 lib/command.php:499 +#: actions/newmessage.php:121 actions/newmessage.php:164 lib/command.php:501 msgid "You can't send a message to this user." msgstr "Du kan ikke sende en melding til denne brukeren." #. TRANS: Command exception text shown when trying to send a direct message to another user without content. #. TRANS: Command exception text shown when trying to reply to a notice without providing content for the reply. #: actions/newmessage.php:144 actions/newnotice.php:140 lib/command.php:478 -#: lib/command.php:579 +#: lib/command.php:581 msgid "No content!" msgstr "Inget innhold." @@ -3105,7 +3120,7 @@ msgid "No recipient specified." msgstr "Ingen mottaker oppgitt." #. TRANS: Error text shown when trying to send a direct message to self. -#: actions/newmessage.php:167 lib/command.php:503 +#: actions/newmessage.php:167 lib/command.php:505 msgid "" "Don't send a message to yourself; just say it to yourself quietly instead." msgstr "" @@ -3117,12 +3132,12 @@ msgstr "Melding sendt" #. TRANS: Message given have sent a direct message to another user. #. TRANS: %s is the name of the other user. -#: actions/newmessage.php:188 lib/command.php:511 +#: actions/newmessage.php:188 lib/command.php:513 #, php-format msgid "Direct message to %s sent." msgstr "Direktemelding til %s sendt." -#: actions/newmessage.php:213 actions/newnotice.php:263 +#: actions/newmessage.php:213 actions/newnotice.php:264 msgid "Ajax Error" msgstr "Ajax-feil" @@ -3130,17 +3145,7 @@ msgstr "Ajax-feil" msgid "New notice" msgstr "Ny notis" -#: actions/newnotice.php:159 lib/mailhandler.php:60 -#, php-format -msgid "That's too long. Max notice size is %d chars." -msgstr "Det er for langt. Maks notisstørrelse er %d tegn." - -#: actions/newnotice.php:183 -#, php-format -msgid "Max notice size is %d chars, including attachment URL." -msgstr "Maks notisstørrelse er %d tegn, inklusive vedleggs-URL." - -#: actions/newnotice.php:229 +#: actions/newnotice.php:230 msgid "Notice posted" msgstr "Notis postet" @@ -3310,36 +3315,46 @@ msgstr "Personsøk" msgid "Notice Search" msgstr "Notissøk" -#: actions/othersettings.php:60 +#: actions/othersettings.php:59 msgid "Other settings" msgstr "Andre innstillinger" +#. TRANS: Instructions for tab "Other" in user profile settings. #: actions/othersettings.php:71 msgid "Manage various other options." msgstr "Håndter diverse andre alternativ." -#: actions/othersettings.php:108 +#. TRANS: Used as a suffix for free URL shorteners in a dropdown list in the tab "Other" of a +#. TRANS: user's profile settings. This message has one space at the beginning. Use your +#. TRANS: language's word separator here if it has one (most likely a single space). +#: actions/othersettings.php:111 msgid " (free service)" -msgstr " (gratis tjeneste)" +msgstr " (gratis tjeneste)" -#: actions/othersettings.php:116 +#. TRANS: Label for dropdown with URL shortener services. +#: actions/othersettings.php:120 msgid "Shorten URLs with" msgstr "Forkort nettadresser med" -#: actions/othersettings.php:117 +#. TRANS: Tooltip for for dropdown with URL shortener services. +#: actions/othersettings.php:122 msgid "Automatic shortening service to use." msgstr "Automatisk fortkortelsestjeneste å bruke." -#: actions/othersettings.php:122 +#. TRANS: Label for checkbox. +#: actions/othersettings.php:128 msgid "View profile designs" msgstr "Vis profilutseender" -#: actions/othersettings.php:123 +#. TRANS: Tooltip for checkbox. +#: actions/othersettings.php:130 msgid "Show or hide profile designs." msgstr "Vis eller skjul profilutseender." -#: actions/othersettings.php:153 -msgid "URL shortening service is too long (max 50 chars)." +#. TRANS: Form validation error for form "Other settings" in user profile. +#: actions/othersettings.php:162 +#, fuzzy +msgid "URL shortening service is too long (maximum 50 characters)." msgstr "Navnet på nettadresseforkortelsestjenesten er for lang (maks 50 tegn)." #: actions/otp.php:69 @@ -3828,7 +3843,7 @@ msgstr "Om meg" #. TRANS: Label for group location (dt). Text hidden by default. #: actions/profilesettings.php:149 actions/register.php:485 #: actions/showgroup.php:267 actions/tagother.php:112 -#: actions/userauthorization.php:166 lib/groupeditform.php:177 +#: actions/userauthorization.php:166 lib/groupeditform.php:180 #: lib/userprofile.php:165 msgid "Location" msgstr "Plassering" @@ -4168,7 +4183,8 @@ msgid "Unexpected password reset." msgstr "Uventet tilbakestilling av passord." #: actions/recoverpassword.php:365 -msgid "Password must be 6 chars or more." +#, fuzzy +msgid "Password must be 6 characters or more." msgstr "Passordet må bestå av 6 eller flere tegn." #: actions/recoverpassword.php:369 @@ -4541,7 +4557,7 @@ msgstr "Organisasjon" #. TRANS: Form input field label. #: actions/showapplication.php:187 actions/version.php:200 -#: lib/applicationeditform.php:208 lib/groupeditform.php:172 +#: lib/applicationeditform.php:208 lib/groupeditform.php:175 msgid "Description" msgstr "Beskrivelse" @@ -4694,7 +4710,7 @@ msgid "Note" msgstr "Merk" #. TRANS: Label for group aliases (dt). Text hidden by default. -#: actions/showgroup.php:298 lib/groupeditform.php:184 +#: actions/showgroup.php:298 lib/groupeditform.php:187 msgid "Aliases" msgstr "Alias" @@ -4827,47 +4843,67 @@ msgstr "Melding fra %1$s på %2$s" msgid "Notice deleted." msgstr "Notis slettet." -#: actions/showstream.php:72 -#, php-format -msgid " tagged %s" -msgstr " merket %s" +#. TRANS: Page title showing tagged notices in one user's stream. %1$s is the username, %2$s is the hash tag. +#: actions/showstream.php:70 +#, fuzzy, php-format +msgid "%1$s tagged %2$s" +msgstr "%1$s, side %2$d" -#: actions/showstream.php:78 +#. TRANS: Page title showing tagged notices in one user's stream. +#. TRANS: %1$s is the username, %2$s is the hash tag, %1$d is the page number. +#: actions/showstream.php:74 +#, fuzzy, php-format +msgid "%1$s tagged %2$s, page %3$d" +msgstr "Brukere som har merket seg selv med %1$s - side %2$d" + +#. TRANS: Extended page title showing tagged notices in one user's stream. +#. TRANS: %1$s is the username, %2$d is the page number. +#: actions/showstream.php:82 #, php-format msgid "%1$s, page %2$d" msgstr "%1$s, side %2$d" -#: actions/showstream.php:120 +#. TRANS: Title for link to notice feed. +#. TRANS: %1$s is a user nickname, %2$s is a hashtag. +#: actions/showstream.php:127 #, php-format msgid "Notice feed for %1$s tagged %2$s (RSS 1.0)" msgstr "Notismating for %1$s merket %2$s (RSS 1.0)" -#: actions/showstream.php:127 +#. TRANS: Title for link to notice feed. +#. TRANS: %s is a user nickname. +#: actions/showstream.php:136 #, php-format msgid "Notice feed for %s (RSS 1.0)" msgstr "Notismating for %s (RSS 1.0)" -#: actions/showstream.php:134 +#. TRANS: Title for link to notice feed. +#. TRANS: %s is a user nickname. +#: actions/showstream.php:145 #, php-format msgid "Notice feed for %s (RSS 2.0)" msgstr "Notismating for %s (RSS 2.0)" -#: actions/showstream.php:141 +#: actions/showstream.php:152 #, php-format msgid "Notice feed for %s (Atom)" msgstr "Notismating for %s (Atom)" -#: actions/showstream.php:146 +#. TRANS: Title for link to notice feed. FOAF stands for Friend of a Friend. +#. TRANS: More information at http://www.foaf-project.org. %s is a user nickname. +#: actions/showstream.php:159 #, php-format msgid "FOAF for %s" msgstr "FOAF for %s" -#: actions/showstream.php:197 -#, php-format -msgid "This is the timeline for %1$s but %2$s hasn't posted anything yet." +#. TRANS: First sentence of empty list message for a stream. $1%s is a user nickname. +#: actions/showstream.php:211 +#, fuzzy, php-format +msgid "This is the timeline for %1$s, but %1$s hasn't posted anything yet." msgstr "Dette er tidslinjen for %1$s men %2$s har ikke postet noe ennå." -#: actions/showstream.php:202 +#. TRANS: Second sentence of empty list message for a stream for the user themselves. +#: actions/showstream.php:217 msgid "" "Seen anything interesting recently? You haven't posted any notices yet, now " "would be a good time to start :)" @@ -4875,7 +4911,9 @@ msgstr "" "Sett noe interessant nylig? Du har ikke postet noen notiser ennå, så hvorfor " "ikke begynne nå? :)" -#: actions/showstream.php:204 +#. TRANS: Second sentence of empty list message for a non-self stream. %1$s is a user nickname, %2$s is a part of a URL. +#. TRANS: This message contains a Markdown link. Keep "](" together. +#: actions/showstream.php:221 #, php-format msgid "" "You can try to nudge %1$s or [post something to them](%%%%action.newnotice%%%" @@ -4884,7 +4922,9 @@ msgstr "" "Vær den første til å [poste om dette emnet](%%%%action.newnotice%%%%?" "status_textarea=%s)!" -#: actions/showstream.php:243 +#. TRANS: Announcement for anonymous users showing a stream if site registrations are open. +#. TRANS: This message contains a Markdown link. Keep "](" together. +#: actions/showstream.php:264 #, php-format msgid "" "**%s** has an account on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -4897,7 +4937,9 @@ msgstr "" "[StatusNet](http://status.net/). [Bli med nå](%%%%action.register%%%%) for å " "følge **%s** og mange flere sine notiser. ([Les mer](%%%%doc.help%%%%))" -#: actions/showstream.php:248 +#. TRANS: Announcement for anonymous users showing a stream if site registrations are closed or invite only. +#. TRANS: This message contains a Markdown link. Keep "](" together. +#: actions/showstream.php:271 #, php-format msgid "" "**%s** has an account on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -4908,7 +4950,8 @@ msgstr "" "no.wikipedia.org/wiki/Mikroblogg) basert på det frie programvareverktøyet " "[StatusNet](http://status.net/). " -#: actions/showstream.php:305 +#. TRANS: Link to the author of a repeated notice. %s is a linked nickname. +#: actions/showstream.php:328 #, php-format msgid "Repeat of %s" msgstr "Repetisjon av %s" @@ -5019,32 +5062,40 @@ msgid "How long users must wait (in seconds) to post the same thing again." msgstr "" "Hvor lenge en bruker må vente (i sekund) for å poste den samme tingen igjen." -#: actions/sitenoticeadminpanel.php:56 +#. TRANS: Page title for site-wide notice tab in admin panel. +#: actions/sitenoticeadminpanel.php:55 msgid "Site Notice" msgstr "Nettstedsnotis" -#: actions/sitenoticeadminpanel.php:67 +#. TRANS: Instructions for site-wide notice tab in admin panel. +#: actions/sitenoticeadminpanel.php:66 #, fuzzy msgid "Edit site-wide message" msgstr "Ny melding" -#: actions/sitenoticeadminpanel.php:103 +#. TRANS: Server error displayed when saving a site-wide notice was impossible. +#: actions/sitenoticeadminpanel.php:101 msgid "Unable to save site notice." msgstr "Kunne ikke lagre nettstedsnotis." -#: actions/sitenoticeadminpanel.php:113 -msgid "Max length for the site-wide notice is 255 chars." -msgstr "" +#. TRANS: Client error displayed when a site-wide notice was longer than allowed. +#: actions/sitenoticeadminpanel.php:112 +#, fuzzy +msgid "Maximum length for the site-wide notice is 255 characters." +msgstr "Maks lengde på en profilbiografi i tegn." +#. TRANS: Label for site-wide notice text field in admin panel. #: actions/sitenoticeadminpanel.php:176 msgid "Site notice text" msgstr "Tekst for nettstedsnotis" -#: actions/sitenoticeadminpanel.php:178 -msgid "Site-wide notice text (255 chars max; HTML okay)" +#. TRANS: Tooltip for site-wide notice text field in admin panel. +#: actions/sitenoticeadminpanel.php:179 +msgid "Site-wide notice text (255 characters maximum; HTML allowed)" msgstr "" -#: actions/sitenoticeadminpanel.php:198 +#. TRANS: Title for button to save site notice in admin panel. +#: actions/sitenoticeadminpanel.php:201 msgid "Save site notice" msgstr "Lagre nettstedsnotis" @@ -5510,75 +5561,93 @@ msgid "" msgstr "Notislisensen ‘%1$s’ er ikke kompatibel med nettstedslisensen ‘%2$s’." #. TRANS: User admin panel title -#: actions/useradminpanel.php:60 +#: actions/useradminpanel.php:58 msgctxt "TITLE" msgid "User" msgstr "Bruker" -#: actions/useradminpanel.php:71 +#. TRANS: Instruction for user admin panel. +#: actions/useradminpanel.php:69 msgid "User settings for this StatusNet site" msgstr "" -#: actions/useradminpanel.php:150 +#. TRANS: Form validation error in user admin panel when a non-numeric character limit was set. +#: actions/useradminpanel.php:147 msgid "Invalid bio limit. Must be numeric." msgstr "Ugyldig biografigrense. Må være numerisk." -#: actions/useradminpanel.php:156 -msgid "Invalid welcome text. Max length is 255 characters." +#. TRANS: Form validation error in user admin panel when welcome text is too long. +#: actions/useradminpanel.php:154 +#, fuzzy +msgid "Invalid welcome text. Maximum length is 255 characters." msgstr "Ugyldig velkomsttekst. Maks lengde er 255 tegn." +#. TRANS: Client error displayed when trying to set a non-existing user as default subscription for new +#. TRANS: users in user admin panel. %1$s is the invalid nickname. #: actions/useradminpanel.php:166 -#, php-format -msgid "Invalid default subscripton: '%1$s' is not user." +#, fuzzy, php-format +msgid "Invalid default subscripton: '%1$s' is not a user." msgstr "Ugyldig standardabonnement: '%1$s' er ikke bruker." #. TRANS: Link description in user account settings menu. -#: actions/useradminpanel.php:219 lib/accountsettingsaction.php:106 +#: actions/useradminpanel.php:215 lib/accountsettingsaction.php:106 #: lib/personalgroupnav.php:109 msgid "Profile" msgstr "Profil" -#: actions/useradminpanel.php:223 +#. TRANS: Field label in user admin panel for setting the character limit for the bio field. +#: actions/useradminpanel.php:220 msgid "Bio Limit" msgstr "Biografigrense" -#: actions/useradminpanel.php:224 +#. TRANS: Tooltip in user admin panel for setting the character limit for the bio field. +#: actions/useradminpanel.php:222 msgid "Maximum length of a profile bio in characters." msgstr "Maks lengde på en profilbiografi i tegn." -#: actions/useradminpanel.php:232 +#. TRANS: Form legend in user admin panel. +#: actions/useradminpanel.php:231 msgid "New users" msgstr "Nye brukere" +#. TRANS: Field label in user admin panel for setting new user welcome text. #: actions/useradminpanel.php:236 msgid "New user welcome" msgstr "Velkomst av ny bruker" -#: actions/useradminpanel.php:237 -msgid "Welcome text for new users (Max 255 chars)." +#. TRANS: Tooltip in user admin panel for setting new user welcome text. +#: actions/useradminpanel.php:238 +#, fuzzy +msgid "Welcome text for new users (maximum 255 characters)." msgstr "Velkomsttekst for nye brukere (Maks 255 tegn)." -#: actions/useradminpanel.php:242 +#. TRANS: Field label in user admin panel for setting default subscription for new users. +#: actions/useradminpanel.php:244 msgid "Default subscription" msgstr "Standardabonnement" -#: actions/useradminpanel.php:243 +#. TRANS: Tooltip in user admin panel for setting default subscription for new users. +#: actions/useradminpanel.php:246 msgid "Automatically subscribe new users to this user." msgstr "Legger automatisk til et abonnement på denne brukeren til nye brukere." -#: actions/useradminpanel.php:252 +#. TRANS: Form legend in user admin panel. +#: actions/useradminpanel.php:256 msgid "Invitations" msgstr "Invitasjoner" -#: actions/useradminpanel.php:257 +#. TRANS: Field label for checkbox in user admin panel for allowing users to invite friend using site e-mail. +#: actions/useradminpanel.php:262 msgid "Invitations enabled" msgstr "Invitasjoner aktivert" -#: actions/useradminpanel.php:259 +#. TRANS: Tooltip for checkbox in user admin panel for allowing users to invite friend using site e-mail. +#: actions/useradminpanel.php:265 msgid "Whether to allow users to invite new users." msgstr "Hvorvidt brukere tillates å invitere nye brukere." -#: actions/useradminpanel.php:295 +#. TRANS: Title for button to save user settings in user admin panel. +#: actions/useradminpanel.php:302 msgid "Save user settings" msgstr "" @@ -5773,7 +5842,7 @@ msgid "Plugins" msgstr "Programtillegg" #. TRANS: Secondary navigation menu option leading to version information on the StatusNet site. -#: actions/version.php:198 lib/action.php:831 +#: actions/version.php:198 lib/action.php:880 msgid "Version" msgstr "Versjon" @@ -5979,16 +6048,23 @@ msgstr "Kunne ikke lagre lokal gruppeinformasjon." msgid "RT @%1$s %2$s" msgstr "RT @%1$s %2$s" +#. TRANS: Full name of a profile or group followed by nickname in parens +#: classes/Profile.php:164 +#, fuzzy, php-format +msgctxt "FANCYNAME" +msgid "%1$s (%2$s)" +msgstr "%1$s (%2$s)" + #. TRANS: Exception thrown when trying to revoke an existing role for a user that does not exist. #. TRANS: %1$s is the role name, %2$s is the user ID (number). -#: classes/Profile.php:791 +#: classes/Profile.php:812 #, php-format msgid "Cannot revoke role \"%1$s\" for user #%2$d; does not exist." msgstr "" #. TRANS: Exception thrown when trying to revoke a role for a user with a failing database query. #. TRANS: %1$s is the role name, %2$s is the user ID (number). -#: classes/Profile.php:800 +#: classes/Profile.php:821 #, php-format msgid "Cannot revoke role \"%1$s\" for user #%2$d; database error." msgstr "" @@ -6137,197 +6213,204 @@ msgstr "%1$s - %2$s" msgid "Untitled page" msgstr "Side uten tittel" +#. TRANS: Localized tooltip for '...' expansion button on overlong remote messages. +#: lib/action.php:310 +msgctxt "TOOLTIP" +msgid "Show more" +msgstr "" + #. TRANS: DT element for primary navigation menu. String is hidden in default CSS. -#: lib/action.php:477 +#: lib/action.php:526 #, fuzzy msgid "Primary site navigation" msgstr "Endre nettstedskonfigurasjon" #. TRANS: Tooltip for main menu option "Personal" -#: lib/action.php:483 +#: lib/action.php:532 msgctxt "TOOLTIP" msgid "Personal profile and friends timeline" msgstr "" #. TRANS: Main menu option when logged in for access to personal profile and friends timeline -#: lib/action.php:486 +#: lib/action.php:535 msgctxt "MENU" msgid "Personal" msgstr "Personlig" #. TRANS: Tooltip for main menu option "Account" -#: lib/action.php:488 +#: lib/action.php:537 msgctxt "TOOLTIP" msgid "Change your email, avatar, password, profile" msgstr "Endre e-posten, avateren, passordet og profilen din" #. TRANS: Main menu option when logged in for access to user settings -#: lib/action.php:491 +#: lib/action.php:540 msgid "Account" msgstr "Konto" #. TRANS: Tooltip for main menu option "Services" -#: lib/action.php:493 +#: lib/action.php:542 msgctxt "TOOLTIP" msgid "Connect to services" msgstr "Koble til tjenester" #. TRANS: Main menu option when logged in and connection are possible for access to options to connect to other services -#: lib/action.php:496 +#: lib/action.php:545 msgid "Connect" msgstr "Koble til" #. TRANS: Tooltip for menu option "Admin" -#: lib/action.php:499 +#: lib/action.php:548 msgctxt "TOOLTIP" msgid "Change site configuration" msgstr "Endre nettstedskonfigurasjon" #. TRANS: Main menu option when logged in and site admin for access to site configuration #. TRANS: Menu item in the group navigation page. Only shown for group administrators. -#: lib/action.php:502 lib/groupnav.php:117 +#: lib/action.php:551 lib/groupnav.php:117 msgctxt "MENU" msgid "Admin" msgstr "Administrator" #. TRANS: Tooltip for main menu option "Invite" -#: lib/action.php:506 +#: lib/action.php:555 #, php-format msgctxt "TOOLTIP" msgid "Invite friends and colleagues to join you on %s" msgstr "Inviter venner og kollegaer til å bli med deg på %s" #. TRANS: Main menu option when logged in and invitations are allowed for inviting new users -#: lib/action.php:509 +#: lib/action.php:558 msgctxt "MENU" msgid "Invite" msgstr "Inviter" #. TRANS: Tooltip for main menu option "Logout" -#: lib/action.php:515 +#: lib/action.php:564 msgctxt "TOOLTIP" msgid "Logout from the site" msgstr "Logg ut fra nettstedet" #. TRANS: Main menu option when logged in to log out the current user -#: lib/action.php:518 +#: lib/action.php:567 msgctxt "MENU" msgid "Logout" msgstr "Logg ut" #. TRANS: Tooltip for main menu option "Register" -#: lib/action.php:523 +#: lib/action.php:572 msgctxt "TOOLTIP" msgid "Create an account" msgstr "Opprett en konto" #. TRANS: Main menu option when not logged in to register a new account -#: lib/action.php:526 +#: lib/action.php:575 msgctxt "MENU" msgid "Register" msgstr "Registrer" #. TRANS: Tooltip for main menu option "Login" -#: lib/action.php:529 +#: lib/action.php:578 msgctxt "TOOLTIP" msgid "Login to the site" msgstr "Log inn på nettstedet" #. TRANS: Main menu option when not logged in to log in -#: lib/action.php:532 +#: lib/action.php:581 msgctxt "MENU" msgid "Login" msgstr "Logg inn" #. TRANS: Tooltip for main menu option "Help" -#: lib/action.php:535 +#: lib/action.php:584 msgctxt "TOOLTIP" msgid "Help me!" msgstr "Hjelp meg." #. TRANS: Main menu option for help on the StatusNet site -#: lib/action.php:538 +#: lib/action.php:587 msgctxt "MENU" msgid "Help" msgstr "Hjelp" #. TRANS: Tooltip for main menu option "Search" -#: lib/action.php:541 +#: lib/action.php:590 msgctxt "TOOLTIP" msgid "Search for people or text" msgstr "Søk etter personer eller tekst" #. TRANS: Main menu option when logged in or when the StatusNet instance is not private -#: lib/action.php:544 +#: lib/action.php:593 msgctxt "MENU" msgid "Search" msgstr "Søk" #. TRANS: DT element for site notice. String is hidden in default CSS. #. TRANS: Menu item for site administration -#: lib/action.php:566 lib/adminpanelaction.php:387 +#: lib/action.php:615 lib/adminpanelaction.php:387 msgid "Site notice" msgstr "Nettstedsnotis" #. TRANS: DT element for local views block. String is hidden in default CSS. -#: lib/action.php:633 +#: lib/action.php:682 msgid "Local views" msgstr "Lokale visninger" #. TRANS: DT element for page notice. String is hidden in default CSS. -#: lib/action.php:703 +#: lib/action.php:752 msgid "Page notice" msgstr "Sidenotis" #. TRANS: DT element for secondary navigation menu. String is hidden in default CSS. -#: lib/action.php:804 +#: lib/action.php:853 msgid "Secondary site navigation" msgstr "" #. TRANS: Secondary navigation menu option leading to help on StatusNet. -#: lib/action.php:810 +#: lib/action.php:859 msgid "Help" msgstr "Hjelp" #. TRANS: Secondary navigation menu option leading to text about StatusNet site. -#: lib/action.php:813 +#: lib/action.php:862 msgid "About" msgstr "Om" #. TRANS: Secondary navigation menu option leading to Frequently Asked Questions. -#: lib/action.php:816 +#: lib/action.php:865 msgid "FAQ" msgstr "OSS/FAQ" #. TRANS: Secondary navigation menu option leading to Terms of Service. -#: lib/action.php:821 +#: lib/action.php:870 msgid "TOS" msgstr "" #. TRANS: Secondary navigation menu option leading to privacy policy. -#: lib/action.php:825 +#: lib/action.php:874 #, fuzzy msgid "Privacy" msgstr "Privat" -#. TRANS: Secondary navigation menu option. -#: lib/action.php:828 +#. TRANS: Secondary navigation menu option. Leads to information about StatusNet and its license. +#: lib/action.php:877 msgid "Source" msgstr "Kilde" -#. TRANS: Secondary navigation menu option leading to contact information on the StatusNet site. -#: lib/action.php:834 +#. TRANS: Secondary navigation menu option leading to e-mail contact information on the +#. TRANS: StatusNet site, where to report bugs, ... +#: lib/action.php:884 msgid "Contact" msgstr "Kontakt" -#. TRANS: Secondary navigation menu option. -#: lib/action.php:837 +#. TRANS: Secondary navigation menu option. Leads to information about embedding a timeline widget. +#: lib/action.php:887 #, fuzzy msgid "Badge" msgstr "Knuff" #. TRANS: DT element for StatusNet software license. -#: lib/action.php:866 +#: lib/action.php:916 msgid "StatusNet software license" msgstr "Programvarelisens for StatusNet" @@ -6335,7 +6418,7 @@ msgstr "Programvarelisens for StatusNet" #. TRANS: Text between [] is a link description, text between () is the link itself. #. TRANS: Make sure there is no whitespace between "]" and "(". #. TRANS: "%%site.broughtby%%" is the value of the variable site.broughtby -#: lib/action.php:873 +#: lib/action.php:923 #, php-format msgid "" "**%%site.name%%** is a microblogging service brought to you by [%%site." @@ -6345,7 +6428,7 @@ msgstr "" "broughtby%%](%%site.broughtbyurl%%)." #. TRANS: First sentence of the StatusNet site license. Used if 'broughtby' is not set. -#: lib/action.php:876 +#: lib/action.php:926 #, php-format msgid "**%%site.name%%** is a microblogging service." msgstr "**%%site.name%%** er en mikrobloggingtjeneste." @@ -6354,7 +6437,7 @@ msgstr "**%%site.name%%** er en mikrobloggingtjeneste." #. TRANS: Make sure there is no whitespace between "]" and "(". #. TRANS: Text between [] is a link description, text between () is the link itself. #. TRANS: %s is the version of StatusNet that is being used. -#: lib/action.php:883 +#: lib/action.php:933 #, php-format msgid "" "It runs the [StatusNet](http://status.net/) microblogging software, version %" @@ -6363,52 +6446,52 @@ msgid "" msgstr "" #. TRANS: DT element for StatusNet site content license. -#: lib/action.php:899 +#: lib/action.php:949 #, fuzzy msgid "Site content license" msgstr "Programvarelisens for StatusNet" #. TRANS: Content license displayed when license is set to 'private'. #. TRANS: %1$s is the site name. -#: lib/action.php:906 +#: lib/action.php:956 #, php-format msgid "Content and data of %1$s are private and confidential." msgstr "" #. TRANS: Content license displayed when license is set to 'allrightsreserved'. #. TRANS: %1$s is the copyright owner. -#: lib/action.php:913 +#: lib/action.php:963 #, php-format msgid "Content and data copyright by %1$s. All rights reserved." msgstr "" #. TRANS: Content license displayed when license is set to 'allrightsreserved' and no owner is set. -#: lib/action.php:917 +#: lib/action.php:967 msgid "Content and data copyright by contributors. All rights reserved." msgstr "" #. TRANS: license message in footer. #. TRANS: %1$s is the site name, %2$s is a link to the license URL, with a licence name set in configuration. -#: lib/action.php:949 +#: lib/action.php:999 #, php-format msgid "All %1$s content and data are available under the %2$s license." msgstr "" #. TRANS: DT element for pagination (previous/next, etc.). -#: lib/action.php:1285 +#: lib/action.php:1335 #, fuzzy msgid "Pagination" msgstr "Registrering" #. TRANS: Pagination message to go to a page displaying information more in the #. TRANS: present than the currently displayed information. -#: lib/action.php:1296 +#: lib/action.php:1346 msgid "After" msgstr "Etter" #. TRANS: Pagination message to go to a page displaying information more in the #. TRANS: past than the currently displayed information. -#: lib/action.php:1306 +#: lib/action.php:1356 msgid "Before" msgstr "Før" @@ -6761,7 +6844,7 @@ msgid "AJAX error" msgstr "Ajax-feil" #. TRANS: E-mail subject when a command has completed. -#: lib/channel.php:233 lib/mailhandler.php:142 +#: lib/channel.php:233 lib/mailhandler.php:143 msgid "Command complete" msgstr "Kommando fullført" @@ -6777,7 +6860,7 @@ msgstr "" #. TRANS: Command exception text shown when a last user notice is requested and it does not exist. #. TRANS: Error text shown when a last user notice is requested and it does not exist. -#: lib/command.php:99 lib/command.php:626 +#: lib/command.php:99 lib/command.php:630 #, fuzzy msgid "User has no last notice." msgstr "Brukeren har ingen profil." @@ -6847,6 +6930,14 @@ msgstr "" msgid "%1$s left group %2$s." msgstr "" +#. TRANS: Whois output. +#. TRANS: %1$s nickname of the queried user, %2$s is their profile URL. +#: lib/command.php:426 +#, fuzzy, php-format +msgctxt "WHOIS" +msgid "%1$s (%2$s)" +msgstr "%1$s (%2$s)" + #. TRANS: Whois output. %s is the full name of the queried user. #: lib/command.php:430 #, php-format @@ -6884,130 +6975,134 @@ msgid "" "same server." msgstr "" -#. TRANS: Message given if content is too long. +#. TRANS: Message given if content is too long. %1$sd is used for plural. #. TRANS: %1$d is the maximum number of characters, %2$d is the number of submitted characters. #: lib/command.php:488 -#, php-format -msgid "Message too long - maximum is %1$d characters, you sent %2$d." -msgstr "Melding for lang - maks er %1$d tegn, du sendte %2$d." +#, fuzzy, php-format +msgid "Message too long - maximum is %1$d character, you sent %2$d." +msgid_plural "Message too long - maximum is %1$d characters, you sent %2$d." +msgstr[0] "Melding for lang - maks er %1$d tegn, du sendte %2$d." +msgstr[1] "Melding for lang - maks er %1$d tegn, du sendte %2$d." #. TRANS: Error text shown sending a direct message fails with an unknown reason. -#: lib/command.php:514 +#: lib/command.php:516 msgid "Error sending direct message." msgstr "Feil ved sending av direktemelding." #. TRANS: Message given having repeated a notice from another user. #. TRANS: %s is the name of the user for which the notice was repeated. -#: lib/command.php:551 +#: lib/command.php:553 #, fuzzy, php-format msgid "Notice from %s repeated." msgstr "Nytt nick" #. TRANS: Error text shown when repeating a notice fails with an unknown reason. -#: lib/command.php:554 +#: lib/command.php:556 msgid "Error repeating notice." msgstr "Feil ved repetering av notis." -#. TRANS: Message given if content of a notice for a reply is too long. +#. TRANS: Message given if content of a notice for a reply is too long. %1$d is used for plural. #. TRANS: %1$d is the maximum number of characters, %2$d is the number of submitted characters. -#: lib/command.php:589 -#, php-format -msgid "Notice too long - maximum is %1$d characters, you sent %2$d." -msgstr "" +#: lib/command.php:591 +#, fuzzy, php-format +msgid "Notice too long - maximum is %1$d character, you sent %2$d." +msgid_plural "Notice too long - maximum is %1$d characters, you sent %2$d." +msgstr[0] "Melding for lang - maks er %1$d tegn, du sendte %2$d." +msgstr[1] "Melding for lang - maks er %1$d tegn, du sendte %2$d." #. TRANS: Text shown having sent a reply to a notice successfully. #. TRANS: %s is the nickname of the user of the notice the reply was sent to. -#: lib/command.php:600 +#: lib/command.php:604 #, fuzzy, php-format msgid "Reply to %s sent." msgstr "Svar til %s" #. TRANS: Error text shown when a reply to a notice fails with an unknown reason. -#: lib/command.php:603 +#: lib/command.php:607 msgid "Error saving notice." msgstr "Feil ved lagring av notis." #. TRANS: Error text shown when no username was provided when issuing a subscribe command. -#: lib/command.php:650 +#: lib/command.php:654 msgid "Specify the name of the user to subscribe to." msgstr "" #. TRANS: Command exception text shown when trying to subscribe to an OMB profile using the subscribe command. -#: lib/command.php:659 +#: lib/command.php:663 msgid "Can't subscribe to OMB profiles by command." msgstr "" #. TRANS: Text shown after having subscribed to another user successfully. #. TRANS: %s is the name of the user the subscription was requested for. -#: lib/command.php:667 +#: lib/command.php:671 #, php-format msgid "Subscribed to %s." msgstr "" #. TRANS: Error text shown when no username was provided when issuing an unsubscribe command. #. TRANS: Error text shown when no username was provided when issuing the command. -#: lib/command.php:688 lib/command.php:799 +#: lib/command.php:692 lib/command.php:803 msgid "Specify the name of the user to unsubscribe from." msgstr "" #. TRANS: Text shown after having unsubscribed from another user successfully. #. TRANS: %s is the name of the user the unsubscription was requested for. -#: lib/command.php:699 +#: lib/command.php:703 #, php-format msgid "Unsubscribed from %s." msgstr "" #. TRANS: Error text shown when issuing the command "off" with a setting which has not yet been implemented. #. TRANS: Error text shown when issuing the command "on" with a setting which has not yet been implemented. -#: lib/command.php:719 lib/command.php:745 +#: lib/command.php:723 lib/command.php:749 #, fuzzy msgid "Command not yet implemented." msgstr "Beklager, denne kommandoen er ikke implementert ennå." #. TRANS: Text shown when issuing the command "off" successfully. -#: lib/command.php:723 +#: lib/command.php:727 #, fuzzy msgid "Notification off." msgstr "Ingen bekreftelseskode." #. TRANS: Error text shown when the command "off" fails for an unknown reason. -#: lib/command.php:726 +#: lib/command.php:730 msgid "Can't turn off notification." msgstr "" #. TRANS: Text shown when issuing the command "on" successfully. -#: lib/command.php:749 +#: lib/command.php:753 #, fuzzy msgid "Notification on." msgstr "Ingen bekreftelseskode." #. TRANS: Error text shown when the command "on" fails for an unknown reason. -#: lib/command.php:752 +#: lib/command.php:756 #, fuzzy msgid "Can't turn on notification." msgstr "Kan ikke gjenta din egen notis." #. TRANS: Error text shown when issuing the login command while login is disabled. -#: lib/command.php:766 +#: lib/command.php:770 msgid "Login command is disabled." msgstr "" #. TRANS: Text shown after issuing the login command successfully. #. TRANS: %s is a logon link.. -#: lib/command.php:779 +#: lib/command.php:783 #, php-format msgid "This link is useable only once and is valid for only 2 minutes: %s." msgstr "" #. TRANS: Text shown after issuing the lose command successfully (stop another user from following the current user). #. TRANS: %s is the name of the user the unsubscription was requested for. -#: lib/command.php:808 +#: lib/command.php:812 #, php-format msgid "Unsubscribed %s." msgstr "" #. TRANS: Text shown after requesting other users a user is subscribed to without having any subscriptions. -#: lib/command.php:826 +#: lib/command.php:830 #, fuzzy msgid "You are not subscribed to anyone." msgstr "Ikke autorisert." @@ -7015,7 +7110,7 @@ msgstr "Ikke autorisert." #. TRANS: Text shown after requesting other users a user is subscribed to. #. TRANS: This message supports plural forms. This message is followed by a #. TRANS: hard coded space and a comma separated list of subscribed users. -#: lib/command.php:831 +#: lib/command.php:835 msgid "You are subscribed to this person:" msgid_plural "You are subscribed to these people:" msgstr[0] "Ikke autorisert." @@ -7023,7 +7118,7 @@ msgstr[1] "Ikke autorisert." #. TRANS: Text shown after requesting other users that are subscribed to a user #. TRANS: (followers) without having any subscribers. -#: lib/command.php:853 +#: lib/command.php:857 #, fuzzy msgid "No one is subscribed to you." msgstr "Svar til %s" @@ -7031,7 +7126,7 @@ msgstr "Svar til %s" #. TRANS: Text shown after requesting other users that are subscribed to a user (followers). #. TRANS: This message supports plural forms. This message is followed by a #. TRANS: hard coded space and a comma separated list of subscribing users. -#: lib/command.php:858 +#: lib/command.php:862 msgid "This person is subscribed to you:" msgid_plural "These people are subscribed to you:" msgstr[0] "Svar til %s" @@ -7039,21 +7134,21 @@ msgstr[1] "Svar til %s" #. TRANS: Text shown after requesting groups a user is subscribed to without having #. TRANS: any group subscriptions. -#: lib/command.php:880 +#: lib/command.php:884 msgid "You are not a member of any groups." msgstr "Du er ikke et medlem av den gruppen." #. TRANS: Text shown after requesting groups a user is subscribed to. #. TRANS: This message supports plural forms. This message is followed by a #. TRANS: hard coded space and a comma separated list of subscribed groups. -#: lib/command.php:885 +#: lib/command.php:889 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!" #. TRANS: Help text for commands. Do not translate the command names themselves; they are fixed strings. -#: lib/command.php:900 +#: lib/command.php:904 msgid "" "Commands:\n" "on - turn on notifications\n" @@ -7252,7 +7347,8 @@ msgid "1-64 lowercase letters or numbers, no punctuation or spaces" msgstr "1-64 små bokstaver eller tall, ingen punktum eller mellomrom" #: lib/groupeditform.php:163 -msgid "URL of the homepage or blog of the group or topic" +#, fuzzy +msgid "URL of the homepage or blog of the group or topic." msgstr "Nettadresse til hjemmesiden for dette programmet" #: lib/groupeditform.php:168 @@ -7260,20 +7356,28 @@ msgid "Describe the group or topic" msgstr "Beskriv programmet ditt" #: lib/groupeditform.php:170 -#, php-format -msgid "Describe the group or topic in %d characters" -msgstr "Beskriv programmet ditt med %d tegn" +#, fuzzy, php-format +msgid "Describe the group or topic in %d character or less" +msgid_plural "Describe the group or topic in %d characters or less" +msgstr[0] "Beskriv programmet ditt med %d tegn" +msgstr[1] "Beskriv programmet ditt med %d tegn" -#: lib/groupeditform.php:179 +#: lib/groupeditform.php:182 #, fuzzy msgid "" -"Location for the group, if any, like \"City, State (or Region), Country\"" +"Location for the group, if any, like \"City, State (or Region), Country\"." msgstr "Hvor du er, for eksempel «By, fylke (eller region), land»" -#: lib/groupeditform.php:187 +#: lib/groupeditform.php:190 #, php-format -msgid "Extra nicknames for the group, comma- or space- separated, max %d" -msgstr "" +msgid "" +"Extra nicknames for the group, separated with commas or spaces. Maximum %d " +"alias allowed." +msgid_plural "" +"Extra nicknames for the group, separated with commas or spaces. Maximum %d " +"aliases allowed." +msgstr[0] "" +msgstr[1] "" #. TRANS: Menu item in the group navigation page. #: lib/groupnav.php:86 @@ -7827,7 +7931,7 @@ msgstr "Det er ikke din e-postadresse." msgid "Sorry, no incoming email allowed." msgstr "Ingen innkommende e-postadresse." -#: lib/mailhandler.php:228 +#: lib/mailhandler.php:229 #, php-format msgid "Unsupported message type: %s" msgstr "Meldingstypen støttes ikke: %s" @@ -8177,16 +8281,17 @@ msgid "Sandbox this user" msgstr "Opphev blokkering av denne brukeren" #. TRANS: Fieldset legend for the search form. -#: lib/searchaction.php:121 +#: lib/searchaction.php:120 msgid "Search site" msgstr "Søk nettsted" #. TRANS: Used as a field label for the field where one or more keywords #. TRANS: for searching can be entered. -#: lib/searchaction.php:129 +#: lib/searchaction.php:128 msgid "Keyword(s)" msgstr "Nøkkelord" +#. TRANS: Button text for searching site. #: lib/searchaction.php:130 msgctxt "BUTTON" msgid "Search" @@ -8278,8 +8383,8 @@ msgid "The theme file is missing or the upload failed." msgstr "" #: lib/themeuploader.php:91 lib/themeuploader.php:102 -#: lib/themeuploader.php:278 lib/themeuploader.php:282 -#: lib/themeuploader.php:290 lib/themeuploader.php:297 +#: lib/themeuploader.php:279 lib/themeuploader.php:283 +#: lib/themeuploader.php:291 lib/themeuploader.php:298 #, fuzzy msgid "Failed saving theme." msgstr "Oppdatering av avatar mislyktes." @@ -8290,29 +8395,32 @@ msgstr "" #: lib/themeuploader.php:166 #, php-format -msgid "Uploaded theme is too large; must be less than %d bytes uncompressed." -msgstr "" +msgid "Uploaded theme is too large; must be less than %d byte uncompressed." +msgid_plural "" +"Uploaded theme is too large; must be less than %d bytes uncompressed." +msgstr[0] "" +msgstr[1] "" -#: lib/themeuploader.php:178 +#: lib/themeuploader.php:179 msgid "Invalid theme archive: missing file css/display.css" msgstr "" -#: lib/themeuploader.php:218 +#: lib/themeuploader.php:219 msgid "" "Theme contains invalid file or folder name. Stick with ASCII letters, " "digits, underscore, and minus sign." msgstr "" -#: lib/themeuploader.php:224 +#: lib/themeuploader.php:225 msgid "Theme contains unsafe file extension names; may be unsafe." msgstr "" -#: lib/themeuploader.php:241 +#: lib/themeuploader.php:242 #, php-format msgid "Theme contains file of type '.%s', which is not allowed." msgstr "" -#: lib/themeuploader.php:259 +#: lib/themeuploader.php:260 #, fuzzy msgid "Error opening theme archive." msgstr "Feil ved oppdatering av fjernprofil." @@ -8498,23 +8606,39 @@ msgid_plural "Message too long. Maximum is %1$d characters, you sent %2$d." msgstr[0] "Melding for lang - maks er %1$d tegn, du sendte %2$d." msgstr[1] "Melding for lang - maks er %1$d tegn, du sendte %2$d." -#: scripts/restoreuser.php:82 +#. TRANS: Commandline script output. %s is the filename that contains a backup for a user. +#: scripts/restoreuser.php:61 #, php-format -msgid "Backup file for user %s (%s)" +msgid "Getting backup from file '%s'." msgstr "" -#: scripts/restoreuser.php:88 +#. TRANS: Commandline script output. +#: scripts/restoreuser.php:91 #, fuzzy msgid "No user specified; using backup user." msgstr "Ingen bruker-ID spesifisert." -#: scripts/restoreuser.php:94 +#. TRANS: Commandline script output. %d is the number of entries in the activity stream in backup; used for plural. +#: scripts/restoreuser.php:98 #, php-format -msgid "%d entries in backup." -msgstr "" +msgid "%d entry in backup." +msgid_plural "%d entries in backup." +msgstr[0] "" +msgstr[1] "" -#~ msgid "Description is too long (max %d chars)." -#~ msgstr "Beskrivelsen er for lang (maks %d tegn)." +#, fuzzy +#~ msgid "Name is too long (maximum 255 chars)." +#~ msgstr "Navn er for langt (maks 250 tegn)." -#~ msgid "Too many aliases! Maximum %d." -#~ msgstr "For mange alias! Maksimum %d." +#, fuzzy +#~ msgid "Organization is too long (maximum 255 chars)." +#~ msgstr "Organisasjon er for lang (maks 255 tegn)." + +#~ msgid "That's too long. Max notice size is %d chars." +#~ msgstr "Det er for langt. Maks notisstørrelse er %d tegn." + +#~ msgid "Max notice size is %d chars, including attachment URL." +#~ msgstr "Maks notisstørrelse er %d tegn, inklusive vedleggs-URL." + +#~ msgid " tagged %s" +#~ msgstr " merket %s" diff --git a/locale/nl/LC_MESSAGES/statusnet.po b/locale/nl/LC_MESSAGES/statusnet.po index 8a0cc0cad9..bfee026980 100644 --- a/locale/nl/LC_MESSAGES/statusnet.po +++ b/locale/nl/LC_MESSAGES/statusnet.po @@ -12,17 +12,17 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet - Core\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-10-30 23:18+0000\n" -"PO-Revision-Date: 2010-10-30 23:20:36+0000\n" +"POT-Creation-Date: 2010-11-02 22:51+0000\n" +"PO-Revision-Date: 2010-11-02 22:53: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 (r75708); Translate extension (2010-09-17)\n" +"X-Generator: MediaWiki 1.17alpha (r75875); Translate extension (2010-09-17)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: nl\n" "X-Message-Group: #out-statusnet-core\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-POT-Import-Date: 2010-10-30 09:48:40+0000\n" +"X-POT-Import-Date: 2010-10-30 23:42:01+0000\n" #. TRANS: Page title for Access admin panel that allows configuring site access. #. TRANS: Menu item for site administration @@ -79,15 +79,20 @@ msgstr "Toegangsinstellingen opslaan" #. TRANS: Tooltip for button to save access settings in site admin panel. #. TRANS: Button label to save e-mail preferences. #. TRANS: Button label to save IM preferences. +#. TRANS: Button text for saving "Other settings" in profile. #. TRANS: Button text to store form data in the Paths admin panel. #. TRANS: Button to save input in profile settings. +#. TRANS: Button text for saving site notice in admin panel. #. TRANS: Button label to save SMS preferences. #. TRANS: Save button for settings for a profile in a subscriptions list. +#. TRANS: Button text to save user settings in user admin panel. #. TRANS: Button label in the "Edit application" form. #: actions/accessadminpanel.php:193 actions/emailsettings.php:228 -#: actions/imsettings.php:187 actions/pathsadminpanel.php:512 -#: actions/profilesettings.php:201 actions/smssettings.php:209 -#: actions/subscriptions.php:246 lib/applicationeditform.php:355 +#: actions/imsettings.php:187 actions/othersettings.php:134 +#: actions/pathsadminpanel.php:512 actions/profilesettings.php:201 +#: actions/sitenoticeadminpanel.php:197 actions/smssettings.php:209 +#: actions/subscriptions.php:246 actions/useradminpanel.php:298 +#: lib/applicationeditform.php:355 lib/groupeditform.php:207 msgctxt "BUTTON" msgid "Save" msgstr "Opslaan" @@ -138,7 +143,7 @@ msgstr "Deze pagina bestaat niet." #: 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:93 actions/userrss.php:40 -#: actions/xrds.php:71 lib/command.php:495 lib/galleryaction.php:59 +#: actions/xrds.php:71 lib/command.php:497 lib/galleryaction.php:59 #: lib/mailbox.php:82 lib/profileaction.php:77 msgid "No such user." msgstr "Onbekende gebruiker." @@ -212,7 +217,9 @@ msgstr "" #. TRANS: Encoutagement displayed on empty timeline user pages for anonymous users. #. TRANS: %s is a user nickname. This message contains Markdown links. Keep "](" together. -#: actions/all.php:155 actions/replies.php:210 actions/showstream.php:208 +#. TRANS: Second sentence of empty message for anonymous users. %s is a user nickname. +#. TRANS: This message contains a Markdown link. Keep "](" together. +#: actions/all.php:155 actions/replies.php:210 actions/showstream.php:227 #, php-format msgid "" "Why not [register an account](%%%%action.register%%%%) and then nudge %s or " @@ -573,8 +580,11 @@ msgstr "De volledige naam is te lang (maximaal 255 tekens)." #. TRANS: Group edit form validation error. #. TRANS: Form validation error in New application form. #. TRANS: %d is the maximum number of characters for the description. +#. TRANS: Group create form validation error. +#. TRANS: %d is the maximum number of allowed characters. #: actions/apigroupcreate.php:220 actions/editapplication.php:201 #: actions/editgroup.php:216 actions/newapplication.php:178 +#: actions/newgroup.php:152 #, php-format msgid "Description is too long (maximum %d character)." msgid_plural "Description is too long (maximum %d characters)." @@ -730,14 +740,14 @@ msgstr "Het verzoektoken is al geautoriseerd." #. TRANS: Form validation error in API OAuth authorisation because of an invalid session token. #: actions/apioauthauthorize.php:147 actions/avatarsettings.php:280 -#: actions/deletenotice.php:172 actions/disfavor.php:74 +#: actions/deletenotice.php:177 actions/disfavor.php:74 #: actions/emailsettings.php:271 actions/favor.php:75 actions/geocode.php:55 #: actions/groupblock.php:66 actions/grouplogo.php:312 #: actions/groupunblock.php:65 actions/imsettings.php:230 #: actions/invite.php:59 actions/login.php:137 actions/makeadmin.php:66 #: actions/newmessage.php:135 actions/newnotice.php:105 actions/nudge.php:80 #: actions/oauthappssettings.php:165 actions/oauthconnectionssettings.php:138 -#: actions/othersettings.php:145 actions/passwordsettings.php:138 +#: actions/othersettings.php:153 actions/passwordsettings.php:138 #: actions/profilesettings.php:221 actions/recoverpassword.php:350 #: actions/register.php:172 actions/remotesubscribe.php:77 #: actions/repeat.php:83 actions/smssettings.php:256 actions/subedit.php:40 @@ -919,20 +929,21 @@ msgstr "U kunt de status van een andere gebruiker niet verwijderen." #. TRANS: Client error displayed trying to repeat a non-existing notice through the API. #. TRANS: Client error displayed trying to display redents of a non-exiting notice. +#. TRANS: Error message displayed trying to delete a non-existing notice. #: actions/apistatusesretweet.php:74 actions/apistatusesretweets.php:70 -#: actions/deletenotice.php:58 actions/shownotice.php:92 +#: actions/deletenotice.php:61 actions/shownotice.php:92 msgid "No such notice." msgstr "De mededeling bestaat niet." #. TRANS: Client error displayed trying to repeat an own notice through the API. #. TRANS: Error text shown when trying to repeat an own notice. -#: actions/apistatusesretweet.php:83 lib/command.php:535 +#: actions/apistatusesretweet.php:83 lib/command.php:537 msgid "Cannot repeat your own notice." msgstr "U kunt uw eigen mededeling niet herhalen." #. TRANS: Client error displayed trying to re-repeat a notice through the API. #. TRANS: Error text shown when trying to repeat an notice that was already repeated by the user. -#: actions/apistatusesretweet.php:92 lib/command.php:541 +#: actions/apistatusesretweet.php:92 lib/command.php:543 msgid "Already repeated that notice." msgstr "U hebt die mededeling al herhaald." @@ -953,7 +964,8 @@ msgstr "De client moet een parameter \"status\" met een waarde opgeven." #. TRANS: Client error displayed when the parameter "status" is missing. #. TRANS: %d is the maximum number of character for a notice. -#: actions/apistatusesupdate.php:244 +#: actions/apistatusesupdate.php:244 actions/newnotice.php:161 +#: lib/mailhandler.php:60 #, php-format msgid "That's too long. Maximum notice size is %d character." msgid_plural "That's too long. Maximum notice size is %d characters." @@ -967,7 +979,7 @@ msgstr "De bovenliggende mededeling is niet aangetroffen." #. TRANS: Client error displayed exceeding the maximum notice length. #. TRANS: %d is the maximum lenth for a notice. -#: actions/apistatusesupdate.php:308 +#: actions/apistatusesupdate.php:308 actions/newnotice.php:184 #, php-format msgid "Maximum notice size is %d character, including attachment URL." msgid_plural "Maximum notice size is %d characters, including attachment URL." @@ -1148,21 +1160,18 @@ msgstr "Voorvertoning" #. TRANS: Button on avatar upload page to delete current avatar. #: actions/avatarsettings.php:155 -#, fuzzy msgctxt "BUTTON" msgid "Delete" msgstr "Verwijderen" #. TRANS: Button on avatar upload page to upload an avatar. #: actions/avatarsettings.php:173 -#, fuzzy msgctxt "BUTTON" msgid "Upload" msgstr "Uploaden" #. TRANS: Button on avatar upload crop form to confirm a selected crop as avatar. #: actions/avatarsettings.php:243 -#, fuzzy msgctxt "BUTTON" msgid "Crop" msgstr "Uitsnijden" @@ -1183,17 +1192,18 @@ msgstr "" msgid "Lost our file data." msgstr "Ons bestand is verloren gegaan." -#: actions/avatarsettings.php:384 +#. TRANS: Success message for having updated a user avatar. +#: actions/avatarsettings.php:385 msgid "Avatar updated." msgstr "De avatar is bijgewerkt." #. TRANS: Error displayed on the avatar upload page if the avatar could not be updated for an unknown reason. -#: actions/avatarsettings.php:388 +#: actions/avatarsettings.php:389 msgid "Failed updating avatar." msgstr "Het bijwerken van de avatar is mislukt." #. TRANS: Success message for deleting a user avatar. -#: actions/avatarsettings.php:412 +#: actions/avatarsettings.php:413 msgid "Avatar deleted." msgstr "De avatar is verwijderd." @@ -1225,8 +1235,8 @@ msgstr "" #. TRANS: Button label on the delete notice form. #. TRANS: Button label on the delete user form. #. TRANS: Button label on the form to block a user from a group. -#: actions/block.php:154 actions/deleteapplication.php:154 -#: actions/deletegroup.php:220 actions/deletenotice.php:150 +#: actions/block.php:154 actions/deleteapplication.php:157 +#: actions/deletegroup.php:220 actions/deletenotice.php:155 #: actions/deleteuser.php:152 actions/groupblock.php:178 msgctxt "BUTTON" msgid "No" @@ -1244,8 +1254,8 @@ msgstr "Gebruiker niet blokkeren" #. TRANS: Button label on the delete notice form. #. TRANS: Button label on the delete user form. #. TRANS: Button label on the form to block a user from a group. -#: actions/block.php:161 actions/deleteapplication.php:161 -#: actions/deletegroup.php:227 actions/deletenotice.php:157 +#: actions/block.php:161 actions/deleteapplication.php:164 +#: actions/deletegroup.php:227 actions/deletenotice.php:162 #: actions/deleteuser.php:159 actions/groupblock.php:185 msgctxt "BUTTON" msgid "Yes" @@ -1313,7 +1323,6 @@ msgstr "Deze gebruiker weer toegang geven tot de groep" #. TRANS: Button text for unblocking a user from a group. #: actions/blockedfromgroup.php:323 -#, fuzzy msgctxt "BUTTON" msgid "Unblock" msgstr "Deblokkeren" @@ -1362,12 +1371,13 @@ msgstr "Dit adres is al bevestigd." #. TRANS: Server error thrown on database error removing a registered e-mail address. #. TRANS: Server error thrown on database error updating IM preferences. #. TRANS: Server error thrown on database error removing a registered IM address. +#. TRANS: Server error displayed when "Other" settings in user profile could not be updated on the server. #. TRANS: Server error thrown when user profile settings could not be updated. #. TRANS: Server error thrown on database error updating SMS preferences. #. TRANS: Server error thrown on database error removing a registered SMS phone number. #: actions/confirmaddress.php:118 actions/emailsettings.php:331 #: actions/emailsettings.php:477 actions/imsettings.php:283 -#: actions/imsettings.php:442 actions/othersettings.php:174 +#: actions/imsettings.php:442 actions/othersettings.php:184 #: actions/profilesettings.php:326 actions/smssettings.php:308 #: actions/smssettings.php:464 msgid "Couldn't update user." @@ -1376,9 +1386,8 @@ msgstr "De gebruiker kon gebruiker niet bijwerkt worden." #. TRANS: Server error displayed when an address confirmation code deletion from the #. TRANS: database fails in the contact address confirmation action. #: actions/confirmaddress.php:132 -#, fuzzy msgid "Could not delete address confirmation." -msgstr "De IM-bevestiging kon niet verwijderd worden." +msgstr "De adresbevestiging kon niet verwijderd worden." #. TRANS: Title for the contact address confirmation action. #: actions/confirmaddress.php:150 @@ -1403,16 +1412,19 @@ msgstr "Dialoog" msgid "Notices" msgstr "Mededelingen" -#: actions/deleteapplication.php:63 +#. TRANS: Client error displayed trying to delete an application while not logged in. +#: actions/deleteapplication.php:62 msgid "You must be logged in to delete an application." msgstr "U moet aangemeld zijn om een applicatie te kunnen verwijderen." +#. TRANS: Client error displayed trying to delete an application that does not exist. #: actions/deleteapplication.php:71 msgid "Application not found." msgstr "De applicatie is niet gevonden." +#. TRANS: Client error displayed trying to delete an application the current user does not own. #. TRANS: Client error displayed trying to edit an application while not being its owner. -#: actions/deleteapplication.php:78 actions/editapplication.php:78 +#: actions/deleteapplication.php:79 actions/editapplication.php:78 #: actions/showapplication.php:94 msgid "You are not the owner of this application." msgstr "U bent niet de eigenaar van deze applicatie." @@ -1420,15 +1432,18 @@ msgstr "U bent niet de eigenaar van deze applicatie." #. TRANS: Client error text when there is a problem with the session token. #: actions/deleteapplication.php:102 actions/editapplication.php:131 #: actions/newapplication.php:114 actions/showapplication.php:118 -#: lib/action.php:1354 +#: lib/action.php:1404 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 +#. TRANS: Title for delete application page. +#. TRANS: Fieldset legend on delete application page. +#: actions/deleteapplication.php:124 actions/deleteapplication.php:149 msgid "Delete application" msgstr "Applicatie verwijderen" -#: actions/deleteapplication.php:149 +#. TRANS: Confirmation text on delete application page. +#: actions/deleteapplication.php:152 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 " @@ -1439,12 +1454,12 @@ msgstr "" "inclusief alle bestaande gebruikersverbindingen." #. TRANS: Submit button title for 'No' when deleting an application. -#: actions/deleteapplication.php:158 +#: actions/deleteapplication.php:161 msgid "Do not delete this application" msgstr "Deze applicatie niet verwijderen" #. TRANS: Submit button title for 'Yes' when deleting an application. -#: actions/deleteapplication.php:164 +#: actions/deleteapplication.php:167 msgid "Delete this application" msgstr "Deze applicatie verwijderen" @@ -1478,12 +1493,13 @@ msgstr "Het was niet mogelijk de groep %s te verwijderen." msgid "Deleted group %s" msgstr "De groep %s is verwijderd." -#. TRANS: Title. +#. TRANS: Title of delete group page. #. TRANS: Form legend for deleting a group. #: actions/deletegroup.php:176 actions/deletegroup.php:202 msgid "Delete group" msgstr "Groep verwijderen" +#. TRANS: Warning in form for deleleting a group. #: actions/deletegroup.php:206 msgid "" "Are you sure you want to delete this group? This will clear all data about " @@ -1505,10 +1521,11 @@ msgstr "Verwijder deze groep niet" msgid "Delete this group" msgstr "Groep verwijderen" +#. TRANS: Error message displayed trying to delete a notice while not logged in. #. TRANS: Client error displayed when trying to unblock a user from a group while not logged in. #. TRANS: Client error displayed trying a change a subscription while not logged in. #. TRANS: Client error message thrown when trying to access the admin panel while not logged in. -#: actions/deletenotice.php:50 actions/disfavor.php:61 actions/favor.php:62 +#: actions/deletenotice.php:52 actions/disfavor.php:61 actions/favor.php:62 #: actions/groupblock.php:61 actions/groupunblock.php:60 actions/logout.php:69 #: actions/makeadmin.php:61 actions/newmessage.php:87 actions/newnotice.php:88 #: actions/nudge.php:63 actions/subedit.php:33 actions/subscribe.php:96 @@ -1518,11 +1535,13 @@ msgstr "Groep verwijderen" msgid "Not logged in." msgstr "Niet aangemeld." -#: actions/deletenotice.php:74 +#. TRANS: Error message displayed trying to delete a notice that was not made by the current user. +#: actions/deletenotice.php:78 msgid "Can't delete this notice." msgstr "Deze mededeling kan niet verwijderd worden." -#: actions/deletenotice.php:106 +#. TRANS: Instructions for deleting a notice. +#: actions/deletenotice.php:110 msgid "" "You are about to permanently delete a notice. Once this is done, it cannot " "be undone." @@ -1530,21 +1549,24 @@ msgstr "" "U staat op het punt een mededeling permanent te verwijderen. Als dit " "uitgevoerd is, kan het niet ongedaan gemaakt worden." -#: actions/deletenotice.php:112 actions/deletenotice.php:144 +#. TRANS: Page title when deleting a notice. +#. TRANS: Fieldset legend for the delete notice form. +#: actions/deletenotice.php:117 actions/deletenotice.php:148 msgid "Delete notice" msgstr "Mededeling verwijderen" -#: actions/deletenotice.php:147 +#. TRANS: Message for the delete notice form. +#: actions/deletenotice.php:152 msgid "Are you sure you want to delete this notice?" msgstr "Weet u zeker dat u deze aankondiging wilt verwijderen?" #. TRANS: Submit button title for 'No' when deleting a notice. -#: actions/deletenotice.php:154 +#: actions/deletenotice.php:159 msgid "Do not delete this notice" msgstr "Deze mededeling niet verwijderen" #. TRANS: Submit button title for 'Yes' when deleting a notice. -#: actions/deletenotice.php:161 lib/noticelist.php:667 +#: actions/deletenotice.php:166 lib/noticelist.php:667 msgid "Delete this notice" msgstr "Deze mededeling verwijderen" @@ -1707,11 +1729,9 @@ msgstr "Standaardinstellingen toepassen" #. TRANS: Submit button title. #: actions/designadminpanel.php:711 actions/licenseadminpanel.php:319 -#: actions/othersettings.php:126 actions/sessionsadminpanel.php:199 -#: actions/siteadminpanel.php:292 actions/sitenoticeadminpanel.php:195 +#: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:292 #: actions/snapshotadminpanel.php:245 actions/tagother.php:154 -#: actions/useradminpanel.php:295 lib/applicationeditform.php:357 -#: lib/designsettings.php:256 lib/groupeditform.php:202 +#: lib/applicationeditform.php:357 lib/designsettings.php:256 msgid "Save" msgstr "Opslaan" @@ -1759,8 +1779,9 @@ msgid "Name is required." msgstr "Een naam is verplicht." #. TRANS: Validation error shown when providing too long a name in the "Edit application" form. -#: actions/editapplication.php:188 -msgid "Name is too long (max 255 characters)." +#: actions/editapplication.php:188 actions/newapplication.php:169 +#, fuzzy +msgid "Name is too long (maximum 255 characters)." msgstr "De naam is te lang (maximaal 255 tekens)." #. TRANS: Validation error shown when providing a name for an application that already exists in the "Edit application" form. @@ -1789,7 +1810,7 @@ msgid "Organization is required." msgstr "Organisatie is verplicht." #. TRANS: Validation error shown when providing too long an arganisation name in the "Edit application" form. -#: actions/editapplication.php:223 +#: actions/editapplication.php:223 actions/newapplication.php:199 msgid "Organization is too long (maximum 255 characters)." msgstr "De organisatienaam is te lang (maximaal 255 tekens)." @@ -2597,7 +2618,7 @@ msgid "Publish a MicroID for my Jabber/GTalk address." msgstr "Een MicroID voor mijn Jabber/GTalk-adres publiceren." #. TRANS: Confirmation message for successful IM preferences save. -#: actions/imsettings.php:290 actions/othersettings.php:180 +#: actions/imsettings.php:290 actions/othersettings.php:190 msgid "Preferences saved." msgstr "Uw voorkeuren zijn opgeslagen." @@ -2720,10 +2741,9 @@ msgstr[1] "U bent al geabonneerd op deze gebruikers:" #. TRANS: Used as list item for already subscribed users (%1$s is nickname, %2$s is e-mail address). #. TRANS: Used as list item for already registered people (%1$s is nickname, %2$s is e-mail address). -#. TRANS: Whois output. -#. TRANS: %1$s nickname of the queried user, %2$s is their profile URL. -#: actions/invite.php:145 actions/invite.php:159 lib/command.php:426 -#, php-format +#: actions/invite.php:145 actions/invite.php:159 +#, fuzzy, php-format +msgctxt "INVITE" msgid "%1$s (%2$s)" msgstr "%1$s (%2$s)" @@ -2908,7 +2928,8 @@ msgstr "" "voorbehouden\" gebruikt." #: actions/licenseadminpanel.php:156 -msgid "Invalid license title. Max length is 255 characters." +#, fuzzy +msgid "Invalid license title. Maximum length is 255 characters." msgstr "Ongeldige licentienaam. De maximale lengte is 255 tekens." #: actions/licenseadminpanel.php:168 @@ -3082,18 +3103,10 @@ 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:169 -msgid "Name is too long (maximum 255 chars)." -msgstr "De naam is te lang (maximaal 255 tekens)." - #: actions/newapplication.php:184 msgid "Source URL is required." msgstr "Een bron-URL is verplicht." -#: actions/newapplication.php:199 -msgid "Organization is too long (maximum 255 chars)." -msgstr "De organisatienaam is te lang (maximaal 255 tekens)." - #: actions/newapplication.php:266 actions/newapplication.php:275 msgid "Could not create application." msgstr "Het was niet mogelijk de applicatie aan te maken." @@ -3113,14 +3126,14 @@ msgid "New message" msgstr "Nieuw bericht" #. TRANS: Error text shown when trying to send a direct message to a user without a mutual subscription (each user must be subscribed to the other). -#: actions/newmessage.php:121 actions/newmessage.php:164 lib/command.php:499 +#: actions/newmessage.php:121 actions/newmessage.php:164 lib/command.php:501 msgid "You can't send a message to this user." msgstr "U kunt geen bericht naar deze gebruiker zenden." #. TRANS: Command exception text shown when trying to send a direct message to another user without content. #. TRANS: Command exception text shown when trying to reply to a notice without providing content for the reply. #: actions/newmessage.php:144 actions/newnotice.php:140 lib/command.php:478 -#: lib/command.php:579 +#: lib/command.php:581 msgid "No content!" msgstr "Geen inhoud!" @@ -3129,7 +3142,7 @@ msgid "No recipient specified." msgstr "Er is geen ontvanger aangegeven." #. TRANS: Error text shown when trying to send a direct message to self. -#: actions/newmessage.php:167 lib/command.php:503 +#: actions/newmessage.php:167 lib/command.php:505 msgid "" "Don't send a message to yourself; just say it to yourself quietly instead." msgstr "Stuur geen berichten naar uzelf. Zeg het gewoon in uw hoofd." @@ -3140,12 +3153,12 @@ msgstr "Bericht verzonden." #. TRANS: Message given have sent a direct message to another user. #. TRANS: %s is the name of the other user. -#: actions/newmessage.php:188 lib/command.php:511 +#: actions/newmessage.php:188 lib/command.php:513 #, php-format msgid "Direct message to %s sent." msgstr "Het directe bericht aan %s is verzonden." -#: actions/newmessage.php:213 actions/newnotice.php:263 +#: actions/newmessage.php:213 actions/newnotice.php:264 msgid "Ajax Error" msgstr "Er is een Ajax-fout opgetreden" @@ -3153,19 +3166,7 @@ msgstr "Er is een Ajax-fout opgetreden" msgid "New notice" msgstr "Nieuw bericht" -#: actions/newnotice.php:159 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/newnotice.php:183 -#, php-format -msgid "Max notice size is %d chars, including attachment URL." -msgstr "" -"De maximale mededelingenlengte is %d tekens, inclusief de URL voor de " -"bijlage." - -#: actions/newnotice.php:229 +#: actions/newnotice.php:230 msgid "Notice posted" msgstr "De mededeling is verzonden" @@ -3343,36 +3344,46 @@ msgstr "Mensen zoeken" msgid "Notice Search" msgstr "Mededeling zoeken" -#: actions/othersettings.php:60 +#: actions/othersettings.php:59 msgid "Other settings" msgstr "Overige instellingen" +#. TRANS: Instructions for tab "Other" in user profile settings. #: actions/othersettings.php:71 msgid "Manage various other options." msgstr "Overige instellingen beheren." -#: actions/othersettings.php:108 +#. TRANS: Used as a suffix for free URL shorteners in a dropdown list in the tab "Other" of a +#. TRANS: user's profile settings. This message has one space at the beginning. Use your +#. TRANS: language's word separator here if it has one (most likely a single space). +#: actions/othersettings.php:111 msgid " (free service)" msgstr " (gratis dienst)" -#: actions/othersettings.php:116 +#. TRANS: Label for dropdown with URL shortener services. +#: actions/othersettings.php:120 msgid "Shorten URLs with" msgstr "URL's inkorten met" -#: actions/othersettings.php:117 +#. TRANS: Tooltip for for dropdown with URL shortener services. +#: actions/othersettings.php:122 msgid "Automatic shortening service to use." msgstr "Te gebruiken automatische verkortingsdienst." -#: actions/othersettings.php:122 +#. TRANS: Label for checkbox. +#: actions/othersettings.php:128 msgid "View profile designs" msgstr "Profielontwerpen gebruiken" -#: actions/othersettings.php:123 +#. TRANS: Tooltip for checkbox. +#: actions/othersettings.php:130 msgid "Show or hide profile designs." msgstr "Profielontwerpen weergeven of verbergen" -#: actions/othersettings.php:153 -msgid "URL shortening service is too long (max 50 chars)." +#. TRANS: Form validation error for form "Other settings" in user profile. +#: actions/othersettings.php:162 +#, fuzzy +msgid "URL shortening service is too long (maximum 50 characters)." msgstr "De URL voor de verkortingdienst is te lang (maximaal 50 tekens)." #: actions/otp.php:69 @@ -3843,7 +3854,7 @@ msgstr "Beschrijving" #. TRANS: Label for group location (dt). Text hidden by default. #: actions/profilesettings.php:149 actions/register.php:485 #: actions/showgroup.php:267 actions/tagother.php:112 -#: actions/userauthorization.php:166 lib/groupeditform.php:177 +#: actions/userauthorization.php:166 lib/groupeditform.php:180 #: lib/userprofile.php:165 msgid "Location" msgstr "Locatie" @@ -4191,7 +4202,8 @@ msgid "Unexpected password reset." msgstr "Het wachtwoord is onverwacht opnieuw ingesteld." #: actions/recoverpassword.php:365 -msgid "Password must be 6 chars or more." +#, fuzzy +msgid "Password must be 6 characters or more." msgstr "Het wachtwoord moet uit zes of meer tekens bestaan." #: actions/recoverpassword.php:369 @@ -4567,7 +4579,7 @@ msgstr "Organisatie" #. TRANS: Form input field label. #: actions/showapplication.php:187 actions/version.php:200 -#: lib/applicationeditform.php:208 lib/groupeditform.php:172 +#: lib/applicationeditform.php:208 lib/groupeditform.php:175 msgid "Description" msgstr "Beschrijving" @@ -4721,7 +4733,7 @@ msgid "Note" msgstr "Opmerking" #. TRANS: Label for group aliases (dt). Text hidden by default. -#: actions/showgroup.php:298 lib/groupeditform.php:184 +#: actions/showgroup.php:298 lib/groupeditform.php:187 msgid "Aliases" msgstr "Aliassen" @@ -4773,14 +4785,12 @@ msgstr "Alle leden" #. TRANS: Label for creation date in statistics on group page. #: actions/showgroup.php:458 -#, fuzzy msgctxt "LABEL" msgid "Created" msgstr "Aangemaakt" #. TRANS: Label for member count in statistics on group page. #: actions/showgroup.php:466 -#, fuzzy msgctxt "LABEL" msgid "Members" msgstr "Leden" @@ -4854,48 +4864,68 @@ msgstr "Bericht van %1$s op %2$s" msgid "Notice deleted." msgstr "Deze mededeling is verwijderd." -#: actions/showstream.php:72 -#, php-format -msgid " tagged %s" -msgstr " met het label %s" +#. TRANS: Page title showing tagged notices in one user's stream. %1$s is the username, %2$s is the hash tag. +#: actions/showstream.php:70 +#, fuzzy, php-format +msgid "%1$s tagged %2$s" +msgstr "%1$s, pagina %2$d" -#: actions/showstream.php:78 +#. TRANS: Page title showing tagged notices in one user's stream. +#. TRANS: %1$s is the username, %2$s is the hash tag, %1$d is the page number. +#: actions/showstream.php:74 +#, fuzzy, php-format +msgid "%1$s tagged %2$s, page %3$d" +msgstr "Mededelingen met het label %1$s, pagina %2$d" + +#. TRANS: Extended page title showing tagged notices in one user's stream. +#. TRANS: %1$s is the username, %2$d is the page number. +#: actions/showstream.php:82 #, php-format msgid "%1$s, page %2$d" msgstr "%1$s, pagina %2$d" -#: actions/showstream.php:120 +#. TRANS: Title for link to notice feed. +#. TRANS: %1$s is a user nickname, %2$s is a hashtag. +#: actions/showstream.php:127 #, php-format msgid "Notice feed for %1$s tagged %2$s (RSS 1.0)" msgstr "Mededelingenfeed voor %1$s met het label %2$s (RSS 1.0)" -#: actions/showstream.php:127 +#. TRANS: Title for link to notice feed. +#. TRANS: %s is a user nickname. +#: actions/showstream.php:136 #, php-format msgid "Notice feed for %s (RSS 1.0)" msgstr "Mededelingenfeed voor %s (RSS 1.0)" -#: actions/showstream.php:134 +#. TRANS: Title for link to notice feed. +#. TRANS: %s is a user nickname. +#: actions/showstream.php:145 #, php-format msgid "Notice feed for %s (RSS 2.0)" msgstr "Mededelingenfeed voor %s (RSS 2.0)" -#: actions/showstream.php:141 +#: actions/showstream.php:152 #, php-format msgid "Notice feed for %s (Atom)" msgstr "Mededelingenfeed voor %s (Atom)" -#: actions/showstream.php:146 +#. TRANS: Title for link to notice feed. FOAF stands for Friend of a Friend. +#. TRANS: More information at http://www.foaf-project.org. %s is a user nickname. +#: actions/showstream.php:159 #, php-format msgid "FOAF for %s" msgstr "Vriend van een vriend (FOAF) voor %s" -#: actions/showstream.php:197 -#, php-format -msgid "This is the timeline for %1$s but %2$s hasn't posted anything yet." +#. TRANS: First sentence of empty list message for a stream. $1%s is a user nickname. +#: actions/showstream.php:211 +#, fuzzy, php-format +msgid "This is the timeline for %1$s, but %1$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:202 +#. TRANS: Second sentence of empty list message for a stream for the user themselves. +#: actions/showstream.php:217 msgid "" "Seen anything interesting recently? You haven't posted any notices yet, now " "would be a good time to start :)" @@ -4903,7 +4933,9 @@ 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:204 +#. TRANS: Second sentence of empty list message for a non-self stream. %1$s is a user nickname, %2$s is a part of a URL. +#. TRANS: This message contains a Markdown link. Keep "](" together. +#: actions/showstream.php:221 #, php-format msgid "" "You can try to nudge %1$s or [post something to them](%%%%action.newnotice%%%" @@ -4912,7 +4944,9 @@ msgstr "" "U kunt proberen %1$s te porren of [een bericht aan die gebruiker sturen](%%%%" "action.newnotice%%%%?status_textarea=%2$s)." -#: actions/showstream.php:243 +#. TRANS: Announcement for anonymous users showing a stream if site registrations are open. +#. TRANS: This message contains a Markdown link. Keep "](" together. +#: actions/showstream.php:264 #, php-format msgid "" "**%s** has an account on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -4926,7 +4960,9 @@ msgstr "" "abonneren op de mededelingen van **%s** en nog veel meer! [Meer lezen...](%%%" "%doc.help%%%%)" -#: actions/showstream.php:248 +#. TRANS: Announcement for anonymous users showing a stream if site registrations are closed or invite only. +#. TRANS: This message contains a Markdown link. Keep "](" together. +#: actions/showstream.php:271 #, php-format msgid "" "**%s** has an account on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -4937,7 +4973,8 @@ msgstr "" "(http://en.wikipedia.org/wiki/Micro-blogging) gebaseerd op de Vrije Software " "[StatusNet](http://status.net/). " -#: actions/showstream.php:305 +#. TRANS: Link to the author of a repeated notice. %s is a linked nickname. +#: actions/showstream.php:328 #, php-format msgid "Repeat of %s" msgstr "Herhaald van %s" @@ -5056,33 +5093,42 @@ msgstr "" "Hoe lang gebruikers moeten wachten (in seconden) voor ze hetzelfde kunnen " "zenden." -#: actions/sitenoticeadminpanel.php:56 +#. TRANS: Page title for site-wide notice tab in admin panel. +#: actions/sitenoticeadminpanel.php:55 msgid "Site Notice" msgstr "Websitebrede mededeling" -#: actions/sitenoticeadminpanel.php:67 +#. TRANS: Instructions for site-wide notice tab in admin panel. +#: actions/sitenoticeadminpanel.php:66 msgid "Edit site-wide message" msgstr "Websitebrede mededeling bewerken" -#: actions/sitenoticeadminpanel.php:103 +#. TRANS: Server error displayed when saving a site-wide notice was impossible. +#: actions/sitenoticeadminpanel.php:101 msgid "Unable to save site notice." 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." +#. TRANS: Client error displayed when a site-wide notice was longer than allowed. +#: actions/sitenoticeadminpanel.php:112 +#, fuzzy +msgid "Maximum length for the site-wide notice is 255 characters." msgstr "De maximale lengte voor de websitebrede aankondiging is 255 tekens." +#. TRANS: Label for site-wide notice text field in admin panel. #: actions/sitenoticeadminpanel.php:176 msgid "Site notice text" msgstr "Tekst voor websitebrede mededeling" -#: actions/sitenoticeadminpanel.php:178 -msgid "Site-wide notice text (255 chars max; HTML okay)" +#. TRANS: Tooltip for site-wide notice text field in admin panel. +#: actions/sitenoticeadminpanel.php:179 +#, fuzzy +msgid "Site-wide notice text (255 characters maximum; HTML allowed)" msgstr "" "Tekst voor websitebrede aankondiging (maximaal 255 tekens - HTML is " "toegestaan)" -#: actions/sitenoticeadminpanel.php:198 +#. TRANS: Title for button to save site notice in admin panel. +#: actions/sitenoticeadminpanel.php:201 msgid "Save site notice" msgstr "Websitebrede mededeling opslaan" @@ -5551,75 +5597,93 @@ msgstr "" "de sitelicentie \"%2$s\"." #. TRANS: User admin panel title -#: actions/useradminpanel.php:60 +#: actions/useradminpanel.php:58 msgctxt "TITLE" msgid "User" msgstr "Gebruiker" -#: actions/useradminpanel.php:71 +#. TRANS: Instruction for user admin panel. +#: actions/useradminpanel.php:69 msgid "User settings for this StatusNet site" msgstr "Gebruikersinstellingen voor deze StatusNet-website" -#: actions/useradminpanel.php:150 +#. TRANS: Form validation error in user admin panel when a non-numeric character limit was set. +#: actions/useradminpanel.php:147 msgid "Invalid bio limit. Must be numeric." msgstr "Ongeldige beschrijvingslimiet. Het moet een getal zijn." -#: actions/useradminpanel.php:156 -msgid "Invalid welcome text. Max length is 255 characters." +#. TRANS: Form validation error in user admin panel when welcome text is too long. +#: actions/useradminpanel.php:154 +#, fuzzy +msgid "Invalid welcome text. Maximum length is 255 characters." msgstr "Ongeldige welkomsttekst. De maximale lengte is 255 tekens." +#. TRANS: Client error displayed when trying to set a non-existing user as default subscription for new +#. TRANS: users in user admin panel. %1$s is the invalid nickname. #: actions/useradminpanel.php:166 -#, php-format -msgid "Invalid default subscripton: '%1$s' is not user." +#, fuzzy, php-format +msgid "Invalid default subscripton: '%1$s' is not a user." msgstr "Ongeldig standaardabonnement: \"%1$s\" is geen gebruiker." #. TRANS: Link description in user account settings menu. -#: actions/useradminpanel.php:219 lib/accountsettingsaction.php:106 +#: actions/useradminpanel.php:215 lib/accountsettingsaction.php:106 #: lib/personalgroupnav.php:109 msgid "Profile" msgstr "Profiel" -#: actions/useradminpanel.php:223 +#. TRANS: Field label in user admin panel for setting the character limit for the bio field. +#: actions/useradminpanel.php:220 msgid "Bio Limit" msgstr "Profiellimiet" -#: actions/useradminpanel.php:224 +#. TRANS: Tooltip in user admin panel for setting the character limit for the bio field. +#: 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:232 +#. TRANS: Form legend in user admin panel. +#: actions/useradminpanel.php:231 msgid "New users" msgstr "Nieuwe gebruikers" +#. TRANS: Field label in user admin panel for setting new user welcome text. #: actions/useradminpanel.php:236 msgid "New user welcome" msgstr "Welkom voor nieuwe gebruikers" -#: actions/useradminpanel.php:237 -msgid "Welcome text for new users (Max 255 chars)." +#. TRANS: Tooltip in user admin panel for setting new user welcome text. +#: actions/useradminpanel.php:238 +#, fuzzy +msgid "Welcome text for new users (maximum 255 characters)." msgstr "Welkomsttekst voor nieuwe gebruikers. Maximaal 255 tekens." -#: actions/useradminpanel.php:242 +#. TRANS: Field label in user admin panel for setting default subscription for new users. +#: actions/useradminpanel.php:244 msgid "Default subscription" msgstr "Standaardabonnement" -#: actions/useradminpanel.php:243 +#. TRANS: Tooltip in user admin panel for setting default subscription for new users. +#: actions/useradminpanel.php:246 msgid "Automatically subscribe new users to this user." msgstr "Nieuwe gebruikers automatisch op deze gebruiker abonneren" -#: actions/useradminpanel.php:252 +#. TRANS: Form legend in user admin panel. +#: actions/useradminpanel.php:256 msgid "Invitations" msgstr "Uitnodigingen" -#: actions/useradminpanel.php:257 +#. TRANS: Field label for checkbox in user admin panel for allowing users to invite friend using site e-mail. +#: actions/useradminpanel.php:262 msgid "Invitations enabled" msgstr "Uitnodigingen ingeschakeld" -#: actions/useradminpanel.php:259 +#. TRANS: Tooltip for checkbox in user admin panel for allowing users to invite friend using site e-mail. +#: actions/useradminpanel.php:265 msgid "Whether to allow users to invite new users." msgstr "Of gebruikers nieuwe gebruikers kunnen uitnodigen." -#: actions/useradminpanel.php:295 +#. TRANS: Title for button to save user settings in user admin panel. +#: actions/useradminpanel.php:302 msgid "Save user settings" msgstr "Gebruikersinstellingen opslaan" @@ -5832,7 +5896,7 @@ msgid "Plugins" msgstr "Plug-ins" #. TRANS: Secondary navigation menu option leading to version information on the StatusNet site. -#: actions/version.php:198 lib/action.php:831 +#: actions/version.php:198 lib/action.php:880 msgid "Version" msgstr "Versie" @@ -6050,9 +6114,16 @@ msgstr "Het was niet mogelijk antwoord %1$d voor %2$d op te slaan." msgid "RT @%1$s %2$s" msgstr "RT @%1$s %2$s" +#. TRANS: Full name of a profile or group followed by nickname in parens +#: classes/Profile.php:164 +#, fuzzy, php-format +msgctxt "FANCYNAME" +msgid "%1$s (%2$s)" +msgstr "%1$s (%2$s)" + #. TRANS: Exception thrown when trying to revoke an existing role for a user that does not exist. #. TRANS: %1$s is the role name, %2$s is the user ID (number). -#: classes/Profile.php:791 +#: classes/Profile.php:812 #, php-format msgid "Cannot revoke role \"%1$s\" for user #%2$d; does not exist." msgstr "" @@ -6061,7 +6132,7 @@ msgstr "" #. TRANS: Exception thrown when trying to revoke a role for a user with a failing database query. #. TRANS: %1$s is the role name, %2$s is the user ID (number). -#: classes/Profile.php:800 +#: classes/Profile.php:821 #, php-format msgid "Cannot revoke role \"%1$s\" for user #%2$d; database error." msgstr "" @@ -6210,194 +6281,201 @@ msgstr "%1$s - %2$s" msgid "Untitled page" msgstr "Naamloze pagina" +#. TRANS: Localized tooltip for '...' expansion button on overlong remote messages. +#: lib/action.php:310 +msgctxt "TOOLTIP" +msgid "Show more" +msgstr "" + #. TRANS: DT element for primary navigation menu. String is hidden in default CSS. -#: lib/action.php:477 +#: lib/action.php:526 msgid "Primary site navigation" msgstr "Primaire sitenavigatie" #. TRANS: Tooltip for main menu option "Personal" -#: lib/action.php:483 +#: lib/action.php:532 msgctxt "TOOLTIP" msgid "Personal profile and friends timeline" msgstr "Persoonlijk profiel en tijdlijn van vrienden" #. TRANS: Main menu option when logged in for access to personal profile and friends timeline -#: lib/action.php:486 +#: lib/action.php:535 msgctxt "MENU" msgid "Personal" msgstr "Persoonlijk" #. TRANS: Tooltip for main menu option "Account" -#: lib/action.php:488 +#: lib/action.php:537 msgctxt "TOOLTIP" msgid "Change your email, avatar, password, profile" msgstr "Uw e-mailadres, avatar, wachtwoord of profiel wijzigen" #. TRANS: Main menu option when logged in for access to user settings -#: lib/action.php:491 +#: lib/action.php:540 msgid "Account" msgstr "Gebruiker" #. TRANS: Tooltip for main menu option "Services" -#: lib/action.php:493 +#: lib/action.php:542 msgctxt "TOOLTIP" msgid "Connect to services" msgstr "Met andere diensten koppelen" #. TRANS: Main menu option when logged in and connection are possible for access to options to connect to other services -#: lib/action.php:496 +#: lib/action.php:545 msgid "Connect" msgstr "Koppelen" #. TRANS: Tooltip for menu option "Admin" -#: lib/action.php:499 +#: lib/action.php:548 msgctxt "TOOLTIP" msgid "Change site configuration" msgstr "Websiteinstellingen wijzigen" #. TRANS: Main menu option when logged in and site admin for access to site configuration #. TRANS: Menu item in the group navigation page. Only shown for group administrators. -#: lib/action.php:502 lib/groupnav.php:117 +#: lib/action.php:551 lib/groupnav.php:117 msgctxt "MENU" msgid "Admin" msgstr "Beheer" #. TRANS: Tooltip for main menu option "Invite" -#: lib/action.php:506 +#: lib/action.php:555 #, 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" #. TRANS: Main menu option when logged in and invitations are allowed for inviting new users -#: lib/action.php:509 +#: lib/action.php:558 msgctxt "MENU" msgid "Invite" msgstr "Uitnodigingen" #. TRANS: Tooltip for main menu option "Logout" -#: lib/action.php:515 +#: lib/action.php:564 msgctxt "TOOLTIP" msgid "Logout from the site" msgstr "Gebruiker afmelden" #. TRANS: Main menu option when logged in to log out the current user -#: lib/action.php:518 +#: lib/action.php:567 msgctxt "MENU" msgid "Logout" msgstr "Afmelden" #. TRANS: Tooltip for main menu option "Register" -#: lib/action.php:523 +#: lib/action.php:572 msgctxt "TOOLTIP" msgid "Create an account" msgstr "Gebruiker aanmaken" #. TRANS: Main menu option when not logged in to register a new account -#: lib/action.php:526 +#: lib/action.php:575 msgctxt "MENU" msgid "Register" msgstr "Registreren" #. TRANS: Tooltip for main menu option "Login" -#: lib/action.php:529 +#: lib/action.php:578 msgctxt "TOOLTIP" msgid "Login to the site" msgstr "Gebruiker aanmelden" #. TRANS: Main menu option when not logged in to log in -#: lib/action.php:532 +#: lib/action.php:581 msgctxt "MENU" msgid "Login" msgstr "Aanmelden" #. TRANS: Tooltip for main menu option "Help" -#: lib/action.php:535 +#: lib/action.php:584 msgctxt "TOOLTIP" msgid "Help me!" msgstr "Help me!" #. TRANS: Main menu option for help on the StatusNet site -#: lib/action.php:538 +#: lib/action.php:587 msgctxt "MENU" msgid "Help" msgstr "Help" #. TRANS: Tooltip for main menu option "Search" -#: lib/action.php:541 +#: lib/action.php:590 msgctxt "TOOLTIP" msgid "Search for people or text" msgstr "Naar gebruikers of tekst zoeken" #. TRANS: Main menu option when logged in or when the StatusNet instance is not private -#: lib/action.php:544 +#: lib/action.php:593 msgctxt "MENU" msgid "Search" msgstr "Zoeken" #. TRANS: DT element for site notice. String is hidden in default CSS. #. TRANS: Menu item for site administration -#: lib/action.php:566 lib/adminpanelaction.php:387 +#: lib/action.php:615 lib/adminpanelaction.php:387 msgid "Site notice" msgstr "Mededeling van de website" #. TRANS: DT element for local views block. String is hidden in default CSS. -#: lib/action.php:633 +#: lib/action.php:682 msgid "Local views" msgstr "Lokale weergaven" #. TRANS: DT element for page notice. String is hidden in default CSS. -#: lib/action.php:703 +#: lib/action.php:752 msgid "Page notice" msgstr "Mededeling van de pagina" #. TRANS: DT element for secondary navigation menu. String is hidden in default CSS. -#: lib/action.php:804 +#: lib/action.php:853 msgid "Secondary site navigation" msgstr "Secundaire sitenavigatie" #. TRANS: Secondary navigation menu option leading to help on StatusNet. -#: lib/action.php:810 +#: lib/action.php:859 msgid "Help" msgstr "Help" #. TRANS: Secondary navigation menu option leading to text about StatusNet site. -#: lib/action.php:813 +#: lib/action.php:862 msgid "About" msgstr "Over" #. TRANS: Secondary navigation menu option leading to Frequently Asked Questions. -#: lib/action.php:816 +#: lib/action.php:865 msgid "FAQ" msgstr "Veel gestelde vragen" #. TRANS: Secondary navigation menu option leading to Terms of Service. -#: lib/action.php:821 +#: lib/action.php:870 msgid "TOS" msgstr "Gebruiksvoorwaarden" #. TRANS: Secondary navigation menu option leading to privacy policy. -#: lib/action.php:825 +#: lib/action.php:874 msgid "Privacy" msgstr "Privacy" -#. TRANS: Secondary navigation menu option. -#: lib/action.php:828 +#. TRANS: Secondary navigation menu option. Leads to information about StatusNet and its license. +#: lib/action.php:877 msgid "Source" msgstr "Broncode" -#. TRANS: Secondary navigation menu option leading to contact information on the StatusNet site. -#: lib/action.php:834 +#. TRANS: Secondary navigation menu option leading to e-mail contact information on the +#. TRANS: StatusNet site, where to report bugs, ... +#: lib/action.php:884 msgid "Contact" msgstr "Contact" -#. TRANS: Secondary navigation menu option. -#: lib/action.php:837 +#. TRANS: Secondary navigation menu option. Leads to information about embedding a timeline widget. +#: lib/action.php:887 msgid "Badge" msgstr "Widget" #. TRANS: DT element for StatusNet software license. -#: lib/action.php:866 +#: lib/action.php:916 msgid "StatusNet software license" msgstr "Licentie van de StatusNet-software" @@ -6405,7 +6483,7 @@ msgstr "Licentie van de StatusNet-software" #. TRANS: Text between [] is a link description, text between () is the link itself. #. TRANS: Make sure there is no whitespace between "]" and "(". #. TRANS: "%%site.broughtby%%" is the value of the variable site.broughtby -#: lib/action.php:873 +#: lib/action.php:923 #, php-format msgid "" "**%%site.name%%** is a microblogging service brought to you by [%%site." @@ -6415,7 +6493,7 @@ msgstr "" "broughtbyurl%%)." #. TRANS: First sentence of the StatusNet site license. Used if 'broughtby' is not set. -#: lib/action.php:876 +#: lib/action.php:926 #, php-format msgid "**%%site.name%%** is a microblogging service." msgstr "**%%site.name%%** is een microblogdienst." @@ -6424,7 +6502,7 @@ msgstr "**%%site.name%%** is een microblogdienst." #. TRANS: Make sure there is no whitespace between "]" and "(". #. TRANS: Text between [] is a link description, text between () is the link itself. #. TRANS: %s is the version of StatusNet that is being used. -#: lib/action.php:883 +#: lib/action.php:933 #, php-format msgid "" "It runs the [StatusNet](http://status.net/) microblogging software, version %" @@ -6436,20 +6514,20 @@ msgstr "" "www.fsf.org/licensing/licenses/agpl-3.0.html)." #. TRANS: DT element for StatusNet site content license. -#: lib/action.php:899 +#: lib/action.php:949 msgid "Site content license" msgstr "Licentie voor siteinhoud" #. TRANS: Content license displayed when license is set to 'private'. #. TRANS: %1$s is the site name. -#: lib/action.php:906 +#: lib/action.php:956 #, php-format msgid "Content and data of %1$s are private and confidential." msgstr "Inhoud en gegevens van %1$s zijn persoonlijk en vertrouwelijk." #. TRANS: Content license displayed when license is set to 'allrightsreserved'. #. TRANS: %1$s is the copyright owner. -#: lib/action.php:913 +#: lib/action.php:963 #, php-format msgid "Content and data copyright by %1$s. All rights reserved." msgstr "" @@ -6457,7 +6535,7 @@ msgstr "" "voorbehouden." #. TRANS: Content license displayed when license is set to 'allrightsreserved' and no owner is set. -#: lib/action.php:917 +#: lib/action.php:967 msgid "Content and data copyright by contributors. All rights reserved." msgstr "" "Auteursrechten op inhoud en gegevens rusten bij de respectievelijke " @@ -6465,26 +6543,26 @@ msgstr "" #. TRANS: license message in footer. #. TRANS: %1$s is the site name, %2$s is a link to the license URL, with a licence name set in configuration. -#: lib/action.php:949 +#: lib/action.php:999 #, php-format msgid "All %1$s content and data are available under the %2$s license." msgstr "" "Alle inhoud en gegevens van %1$s zijn beschikbaar onder de licentie %2$s." #. TRANS: DT element for pagination (previous/next, etc.). -#: lib/action.php:1285 +#: lib/action.php:1335 msgid "Pagination" msgstr "Paginering" #. TRANS: Pagination message to go to a page displaying information more in the #. TRANS: present than the currently displayed information. -#: lib/action.php:1296 +#: lib/action.php:1346 msgid "After" msgstr "Later" #. TRANS: Pagination message to go to a page displaying information more in the #. TRANS: past than the currently displayed information. -#: lib/action.php:1306 +#: lib/action.php:1356 msgid "Before" msgstr "Eerder" @@ -6828,7 +6906,7 @@ msgid "AJAX error" msgstr "Er is een Ajax-fout opgetreden" #. TRANS: E-mail subject when a command has completed. -#: lib/channel.php:233 lib/mailhandler.php:142 +#: lib/channel.php:233 lib/mailhandler.php:143 msgid "Command complete" msgstr "Het commando is uitgevoerd" @@ -6844,7 +6922,7 @@ msgstr "Er bestaat geen mededeling met dat ID." #. TRANS: Command exception text shown when a last user notice is requested and it does not exist. #. TRANS: Error text shown when a last user notice is requested and it does not exist. -#: lib/command.php:99 lib/command.php:626 +#: lib/command.php:99 lib/command.php:630 msgid "User has no last notice." msgstr "Deze gebruiker heeft geen laatste mededeling." @@ -6913,6 +6991,14 @@ msgstr "%1$s is lid geworden van de groep %2$s." msgid "%1$s left group %2$s." msgstr "%1$s heeft de groep %2$s verlaten." +#. TRANS: Whois output. +#. TRANS: %1$s nickname of the queried user, %2$s is their profile URL. +#: lib/command.php:426 +#, fuzzy, php-format +msgctxt "WHOIS" +msgid "%1$s (%2$s)" +msgstr "%1$s (%2$s)" + #. TRANS: Whois output. %s is the full name of the queried user. #: lib/command.php:430 #, php-format @@ -6952,118 +7038,126 @@ msgstr "" "%s is een profiel op afstand. U kunt alle privéberichten verzenden aan " "gebruikers op dezelfde server." -#. TRANS: Message given if content is too long. +#. TRANS: Message given if content is too long. %1$sd is used for plural. #. TRANS: %1$d is the maximum number of characters, %2$d is the number of submitted characters. #: lib/command.php:488 -#, php-format -msgid "Message too long - maximum is %1$d characters, you sent %2$d." -msgstr "" +#, fuzzy, php-format +msgid "Message too long - maximum is %1$d character, you sent %2$d." +msgid_plural "Message too long - maximum is %1$d characters, you sent %2$d." +msgstr[0] "" +"Het bericht te is lang. De maximale lengte is %1$d tekens. De lengte van uw " +"bericht was %2$d." +msgstr[1] "" "Het bericht te is lang. De maximale lengte is %1$d tekens. De lengte van uw " "bericht was %2$d." #. TRANS: Error text shown sending a direct message fails with an unknown reason. -#: lib/command.php:514 +#: lib/command.php:516 msgid "Error sending direct message." msgstr "Er is een fout opgetreden bij het verzonden van het directe bericht." #. TRANS: Message given having repeated a notice from another user. #. TRANS: %s is the name of the user for which the notice was repeated. -#: lib/command.php:551 +#: lib/command.php:553 #, php-format msgid "Notice from %s repeated." msgstr "De mededeling van %s is herhaald." #. TRANS: Error text shown when repeating a notice fails with an unknown reason. -#: lib/command.php:554 +#: lib/command.php:556 msgid "Error repeating notice." msgstr "Er is een fout opgetreden bij het herhalen van de mededeling." -#. TRANS: Message given if content of a notice for a reply is too long. +#. TRANS: Message given if content of a notice for a reply is too long. %1$d is used for plural. #. TRANS: %1$d is the maximum number of characters, %2$d is the number of submitted characters. -#: lib/command.php:589 -#, php-format -msgid "Notice too long - maximum is %1$d characters, you sent %2$d." -msgstr "" +#: lib/command.php:591 +#, fuzzy, php-format +msgid "Notice too long - maximum is %1$d character, you sent %2$d." +msgid_plural "Notice too long - maximum is %1$d characters, you sent %2$d." +msgstr[0] "" +"De mededeling is te lang. De maximale lengte is %1$d tekens. Uw mededeling " +"bevatte %2$d tekens." +msgstr[1] "" "De mededeling is te lang. De maximale lengte is %1$d tekens. Uw mededeling " "bevatte %2$d tekens." #. TRANS: Text shown having sent a reply to a notice successfully. #. TRANS: %s is the nickname of the user of the notice the reply was sent to. -#: lib/command.php:600 +#: lib/command.php:604 #, php-format msgid "Reply to %s sent." msgstr "Het antwoord aan %s is verzonden." #. TRANS: Error text shown when a reply to a notice fails with an unknown reason. -#: lib/command.php:603 +#: lib/command.php:607 msgid "Error saving notice." msgstr "Er is een fout opgetreden bij het opslaan van de mededeling." #. TRANS: Error text shown when no username was provided when issuing a subscribe command. -#: lib/command.php:650 +#: lib/command.php:654 msgid "Specify the name of the user to subscribe to." msgstr "Geef de naam op van de gebruiker waarop u zich wilt abonneren." #. TRANS: Command exception text shown when trying to subscribe to an OMB profile using the subscribe command. -#: lib/command.php:659 +#: lib/command.php:663 msgid "Can't subscribe to OMB profiles by command." msgstr "Abonneren op OMB-profielen op commando is niet mogelijk." #. TRANS: Text shown after having subscribed to another user successfully. #. TRANS: %s is the name of the user the subscription was requested for. -#: lib/command.php:667 +#: lib/command.php:671 #, php-format msgid "Subscribed to %s." msgstr "Geabonneerd op %s." #. TRANS: Error text shown when no username was provided when issuing an unsubscribe command. #. TRANS: Error text shown when no username was provided when issuing the command. -#: lib/command.php:688 lib/command.php:799 +#: lib/command.php:692 lib/command.php:803 msgid "Specify the name of the user to unsubscribe from." msgstr "" "Geef de naam op van de gebruiker waarop u het abonnement wilt opzeggen." #. TRANS: Text shown after having unsubscribed from another user successfully. #. TRANS: %s is the name of the user the unsubscription was requested for. -#: lib/command.php:699 +#: lib/command.php:703 #, php-format msgid "Unsubscribed from %s." msgstr "Uw abonnement op %s is opgezegd." #. TRANS: Error text shown when issuing the command "off" with a setting which has not yet been implemented. #. TRANS: Error text shown when issuing the command "on" with a setting which has not yet been implemented. -#: lib/command.php:719 lib/command.php:745 +#: lib/command.php:723 lib/command.php:749 msgid "Command not yet implemented." msgstr "Dit commando is nog niet geïmplementeerd." #. TRANS: Text shown when issuing the command "off" successfully. -#: lib/command.php:723 +#: lib/command.php:727 msgid "Notification off." msgstr "Notificaties uitgeschakeld." #. TRANS: Error text shown when the command "off" fails for an unknown reason. -#: lib/command.php:726 +#: lib/command.php:730 msgid "Can't turn off notification." msgstr "Het is niet mogelijk de mededelingen uit te schakelen." #. TRANS: Text shown when issuing the command "on" successfully. -#: lib/command.php:749 +#: lib/command.php:753 msgid "Notification on." msgstr "Notificaties ingeschakeld." #. TRANS: Error text shown when the command "on" fails for an unknown reason. -#: lib/command.php:752 +#: lib/command.php:756 msgid "Can't turn on notification." msgstr "Het is niet mogelijk de notificatie uit te schakelen." #. TRANS: Error text shown when issuing the login command while login is disabled. -#: lib/command.php:766 +#: lib/command.php:770 msgid "Login command is disabled." msgstr "Het aanmeldcommando is uitgeschakeld." #. TRANS: Text shown after issuing the login command successfully. #. TRANS: %s is a logon link.. -#: lib/command.php:779 +#: lib/command.php:783 #, php-format msgid "This link is useable only once and is valid for only 2 minutes: %s." msgstr "" @@ -7072,20 +7166,20 @@ msgstr "" #. TRANS: Text shown after issuing the lose command successfully (stop another user from following the current user). #. TRANS: %s is the name of the user the unsubscription was requested for. -#: lib/command.php:808 +#: lib/command.php:812 #, php-format msgid "Unsubscribed %s." msgstr "Het abonnement van %s is opgeheven." #. TRANS: Text shown after requesting other users a user is subscribed to without having any subscriptions. -#: lib/command.php:826 +#: lib/command.php:830 msgid "You are not subscribed to anyone." msgstr "U bent op geen enkele gebruiker geabonneerd." #. TRANS: Text shown after requesting other users a user is subscribed to. #. TRANS: This message supports plural forms. This message is followed by a #. TRANS: hard coded space and a comma separated list of subscribed users. -#: lib/command.php:831 +#: lib/command.php:835 msgid "You are subscribed to this person:" msgid_plural "You are subscribed to these people:" msgstr[0] "U bent geabonneerd op deze gebruiker:" @@ -7093,14 +7187,14 @@ msgstr[1] "U bent geabonneerd op deze gebruikers:" #. TRANS: Text shown after requesting other users that are subscribed to a user #. TRANS: (followers) without having any subscribers. -#: lib/command.php:853 +#: lib/command.php:857 msgid "No one is subscribed to you." msgstr "Niemand heeft een abonnenment op u." #. TRANS: Text shown after requesting other users that are subscribed to a user (followers). #. TRANS: This message supports plural forms. This message is followed by a #. TRANS: hard coded space and a comma separated list of subscribing users. -#: lib/command.php:858 +#: lib/command.php:862 msgid "This person is subscribed to you:" msgid_plural "These people are subscribed to you:" msgstr[0] "Deze gebruiker is op u geabonneerd:" @@ -7108,21 +7202,21 @@ msgstr[1] "Deze gebruikers zijn op u geabonneerd:" #. TRANS: Text shown after requesting groups a user is subscribed to without having #. TRANS: any group subscriptions. -#: lib/command.php:880 +#: lib/command.php:884 msgid "You are not a member of any groups." msgstr "U bent lid van geen enkele groep." #. TRANS: Text shown after requesting groups a user is subscribed to. #. TRANS: This message supports plural forms. This message is followed by a #. TRANS: hard coded space and a comma separated list of subscribed groups. -#: lib/command.php:885 +#: lib/command.php:889 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:" #. TRANS: Help text for commands. Do not translate the command names themselves; they are fixed strings. -#: lib/command.php:900 +#: lib/command.php:904 msgid "" "Commands:\n" "on - turn on notifications\n" @@ -7351,7 +7445,8 @@ msgid "1-64 lowercase letters or numbers, no punctuation or spaces" msgstr "1-64 kleine letters of cijfers, geen leestekens of spaties" #: lib/groupeditform.php:163 -msgid "URL of the homepage or blog of the group or topic" +#, fuzzy +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" #: lib/groupeditform.php:168 @@ -7359,20 +7454,30 @@ msgid "Describe the group or topic" msgstr "Beschrijf de groep of het onderwerp" #: lib/groupeditform.php:170 -#, php-format -msgid "Describe the group or topic in %d characters" -msgstr "Beschrijf de groep of het onderwerp in %d tekens" +#, fuzzy, php-format +msgid "Describe the group or topic in %d character or less" +msgid_plural "Describe the group or topic in %d characters or less" +msgstr[0] "Beschrijf de groep of het onderwerp in %d tekens" +msgstr[1] "Beschrijf de groep of het onderwerp in %d tekens" -#: lib/groupeditform.php:179 +#: lib/groupeditform.php:182 +#, fuzzy msgid "" -"Location for the group, if any, like \"City, State (or Region), Country\"" +"Location for the group, if any, like \"City, State (or Region), Country\"." msgstr "" "Locatie voor de groep - als relevant. Iets als \"Plaats, regio, land\"." -#: lib/groupeditform.php:187 -#, php-format -msgid "Extra nicknames for the group, comma- or space- separated, max %d" -msgstr "" +#: lib/groupeditform.php:190 +#, fuzzy, php-format +msgid "" +"Extra nicknames for the group, separated with commas or spaces. Maximum %d " +"alias allowed." +msgid_plural "" +"Extra nicknames for the group, separated with commas or spaces. Maximum %d " +"aliases allowed." +msgstr[0] "" +"Extra namen voor de groep, gescheiden door komma's of spaties. Maximaal %d." +msgstr[1] "" "Extra namen voor de groep, gescheiden door komma's of spaties. Maximaal %d." #. TRANS: Menu item in the group navigation page. @@ -7503,27 +7608,27 @@ msgstr "Onbekend bestandstype" #. TRANS: Number of megabytes. %d is the number. #: lib/imagefile.php:248 -#, fuzzy, php-format +#, php-format msgid "%dMB" msgid_plural "%dMB" -msgstr[0] "MB" -msgstr[1] "MB" +msgstr[0] "%d MB" +msgstr[1] "%d MB" #. TRANS: Number of kilobytes. %d is the number. #: lib/imagefile.php:252 -#, fuzzy, php-format +#, php-format msgid "%dkB" msgid_plural "%dkB" -msgstr[0] "kB" -msgstr[1] "kB" +msgstr[0] "%d kB" +msgstr[1] "%d kB" #. TRANS: Number of bytes. %d is the number. #: lib/imagefile.php:255 #, php-format msgid "%dB" msgid_plural "%dB" -msgstr[0] "" -msgstr[1] "" +msgstr[0] "%d byte" +msgstr[1] "%d bytes" #: lib/jabber.php:387 #, php-format @@ -7930,7 +8035,7 @@ msgstr "Dit is niet uw inkomende e-mailadres." msgid "Sorry, no incoming email allowed." msgstr "Inkomende e-mail is niet toegestaan." -#: lib/mailhandler.php:228 +#: lib/mailhandler.php:229 #, php-format msgid "Unsupported message type: %s" msgstr "Niet ondersteund berichttype: %s" @@ -8280,16 +8385,17 @@ msgid "Sandbox this user" msgstr "Deze gebruiker in de zandbak plaatsen" #. TRANS: Fieldset legend for the search form. -#: lib/searchaction.php:121 +#: lib/searchaction.php:120 msgid "Search site" msgstr "Site doorzoeken" #. TRANS: Used as a field label for the field where one or more keywords #. TRANS: for searching can be entered. -#: lib/searchaction.php:129 +#: lib/searchaction.php:128 msgid "Keyword(s)" msgstr "Term(en)" +#. TRANS: Button text for searching site. #: lib/searchaction.php:130 msgctxt "BUTTON" msgid "Search" @@ -8381,8 +8487,8 @@ msgid "The theme file is missing or the upload failed." msgstr "Het vormgevingsbestand ontbreekt of is de upload mislukt." #: lib/themeuploader.php:91 lib/themeuploader.php:102 -#: lib/themeuploader.php:278 lib/themeuploader.php:282 -#: lib/themeuploader.php:290 lib/themeuploader.php:297 +#: lib/themeuploader.php:279 lib/themeuploader.php:283 +#: lib/themeuploader.php:291 lib/themeuploader.php:298 msgid "Failed saving theme." msgstr "Het opslaan van de vormgeving is mislukt." @@ -8391,18 +8497,23 @@ msgid "Invalid theme: bad directory structure." msgstr "Ongeldige vormgeving: de mappenstructuur is onjuist." #: lib/themeuploader.php:166 -#, php-format -msgid "Uploaded theme is too large; must be less than %d bytes uncompressed." -msgstr "" +#, fuzzy, php-format +msgid "Uploaded theme is too large; must be less than %d byte uncompressed." +msgid_plural "" +"Uploaded theme is too large; must be less than %d bytes uncompressed." +msgstr[0] "" +"De toegevoegde vormgeving is te groot. Deze moet uitgepakt kleiner zijn dan %" +"d bytes." +msgstr[1] "" "De toegevoegde vormgeving is te groot. Deze moet uitgepakt kleiner zijn dan %" "d bytes." -#: lib/themeuploader.php:178 +#: lib/themeuploader.php:179 msgid "Invalid theme archive: missing file css/display.css" msgstr "" "Ongeldig bestand met vormgeving: het bestand css/display.css is niet aanwezig" -#: lib/themeuploader.php:218 +#: lib/themeuploader.php:219 msgid "" "Theme contains invalid file or folder name. Stick with ASCII letters, " "digits, underscore, and minus sign." @@ -8410,17 +8521,17 @@ msgstr "" "De vormgeving bevat een ongeldige bestandsnaam of mapnaam. Gebruik alleen " "maar ASCII-letters, getallen, liggende streepjes en het minteken." -#: lib/themeuploader.php:224 +#: lib/themeuploader.php:225 msgid "Theme contains unsafe file extension names; may be unsafe." msgstr "Het uiterlijk bevat onveilige namen voor bestandsextensies." -#: lib/themeuploader.php:241 +#: lib/themeuploader.php:242 #, php-format msgid "Theme contains file of type '.%s', which is not allowed." msgstr "" "De vormgeving bevat een bestand van het type \".%s\". Dit is niet toegestaan." -#: lib/themeuploader.php:259 +#: lib/themeuploader.php:260 msgid "Error opening theme archive." msgstr "" "Er is een fout opgetreden tijdens het openen van het archiefbestand met de " @@ -8432,7 +8543,6 @@ msgstr "Meest actieve gebruikers" #. TRANS: Title for the form to unblock a user. #: lib/unblockform.php:67 -#, fuzzy msgctxt "TITLE" msgid "Unblock" msgstr "Deblokkeren" @@ -8608,22 +8718,41 @@ msgstr[1] "" "Het bericht te is lang. De maximale lengte is %1$d tekens. De lengte van uw " "bericht was %2$d." -#: scripts/restoreuser.php:82 +#. TRANS: Commandline script output. %s is the filename that contains a backup for a user. +#: scripts/restoreuser.php:61 #, php-format -msgid "Backup file for user %s (%s)" -msgstr "Back-upbestand voor gebruiker %s (%s)" +msgid "Getting backup from file '%s'." +msgstr "" -#: scripts/restoreuser.php:88 +#. TRANS: Commandline script output. +#: scripts/restoreuser.php:91 msgid "No user specified; using backup user." msgstr "Geen gebruiker opgegeven; de back-upgebruiker wordt gebruikt." -#: scripts/restoreuser.php:94 -#, php-format -msgid "%d entries in backup." -msgstr "%d regels in de back-up." +#. TRANS: Commandline script output. %d is the number of entries in the activity stream in backup; used for plural. +#: scripts/restoreuser.php:98 +#, fuzzy, php-format +msgid "%d entry in backup." +msgid_plural "%d entries in backup." +msgstr[0] "%d regels in de back-up." +msgstr[1] "%d regels in de back-up." -#~ msgid "Description is too long (max %d chars)." -#~ msgstr "De beschrijving is te lang (maximaal %d tekens)." +#~ msgid "Name is too long (maximum 255 chars)." +#~ msgstr "De naam is te lang (maximaal 255 tekens)." -#~ msgid "Too many aliases! Maximum %d." -#~ msgstr "Te veel aliassen! Het maximale aantal is %d." +#~ msgid "Organization is too long (maximum 255 chars)." +#~ msgstr "De organisatienaam is te lang (maximaal 255 tekens)." + +#~ msgid "That's too long. Max notice size is %d chars." +#~ msgstr "De mededeling is te lang. Gebruik maximaal %d tekens." + +#~ msgid "Max notice size is %d chars, including attachment URL." +#~ msgstr "" +#~ "De maximale mededelingenlengte is %d tekens, inclusief de URL voor de " +#~ "bijlage." + +#~ msgid " tagged %s" +#~ msgstr " met het label %s" + +#~ msgid "Backup file for user %s (%s)" +#~ msgstr "Back-upbestand voor gebruiker %s (%s)" diff --git a/locale/nn/LC_MESSAGES/statusnet.po b/locale/nn/LC_MESSAGES/statusnet.po index f77a7a17a5..3a3110bbf8 100644 --- a/locale/nn/LC_MESSAGES/statusnet.po +++ b/locale/nn/LC_MESSAGES/statusnet.po @@ -10,17 +10,17 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet - Core\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-10-30 23:18+0000\n" -"PO-Revision-Date: 2010-10-30 23:20:37+0000\n" +"POT-Creation-Date: 2010-11-02 22:51+0000\n" +"PO-Revision-Date: 2010-11-02 22:53:34+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 (r75708); Translate extension (2010-09-17)\n" +"X-Generator: MediaWiki 1.17alpha (r75875); Translate extension (2010-09-17)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: nn\n" "X-Message-Group: #out-statusnet-core\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-POT-Import-Date: 2010-10-30 09:48:40+0000\n" +"X-POT-Import-Date: 2010-10-30 23:42:01+0000\n" #. TRANS: Page title for Access admin panel that allows configuring site access. #. TRANS: Menu item for site administration @@ -84,15 +84,20 @@ msgstr "Avatar-innstillingar" #. TRANS: Tooltip for button to save access settings in site admin panel. #. TRANS: Button label to save e-mail preferences. #. TRANS: Button label to save IM preferences. +#. TRANS: Button text for saving "Other settings" in profile. #. TRANS: Button text to store form data in the Paths admin panel. #. TRANS: Button to save input in profile settings. +#. TRANS: Button text for saving site notice in admin panel. #. TRANS: Button label to save SMS preferences. #. TRANS: Save button for settings for a profile in a subscriptions list. +#. TRANS: Button text to save user settings in user admin panel. #. TRANS: Button label in the "Edit application" form. #: actions/accessadminpanel.php:193 actions/emailsettings.php:228 -#: actions/imsettings.php:187 actions/pathsadminpanel.php:512 -#: actions/profilesettings.php:201 actions/smssettings.php:209 -#: actions/subscriptions.php:246 lib/applicationeditform.php:355 +#: actions/imsettings.php:187 actions/othersettings.php:134 +#: actions/pathsadminpanel.php:512 actions/profilesettings.php:201 +#: actions/sitenoticeadminpanel.php:197 actions/smssettings.php:209 +#: actions/subscriptions.php:246 actions/useradminpanel.php:298 +#: lib/applicationeditform.php:355 lib/groupeditform.php:207 #, fuzzy msgctxt "BUTTON" msgid "Save" @@ -145,7 +150,7 @@ msgstr "Dette emneord finst ikkje." #: 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:93 actions/userrss.php:40 -#: actions/xrds.php:71 lib/command.php:495 lib/galleryaction.php:59 +#: actions/xrds.php:71 lib/command.php:497 lib/galleryaction.php:59 #: lib/mailbox.php:82 lib/profileaction.php:77 msgid "No such user." msgstr "Brukaren finst ikkje." @@ -212,7 +217,9 @@ msgstr "" #. TRANS: Encoutagement displayed on empty timeline user pages for anonymous users. #. TRANS: %s is a user nickname. This message contains Markdown links. Keep "](" together. -#: actions/all.php:155 actions/replies.php:210 actions/showstream.php:208 +#. TRANS: Second sentence of empty message for anonymous users. %s is a user nickname. +#. TRANS: This message contains a Markdown link. Keep "](" together. +#: actions/all.php:155 actions/replies.php:210 actions/showstream.php:227 #, php-format msgid "" "Why not [register an account](%%%%action.register%%%%) and then nudge %s or " @@ -571,8 +578,11 @@ msgstr "Ditt fulle namn er for langt (maksimalt 255 teikn)." #. TRANS: Group edit form validation error. #. TRANS: Form validation error in New application form. #. TRANS: %d is the maximum number of characters for the description. +#. TRANS: Group create form validation error. +#. TRANS: %d is the maximum number of allowed characters. #: actions/apigroupcreate.php:220 actions/editapplication.php:201 #: actions/editgroup.php:216 actions/newapplication.php:178 +#: actions/newgroup.php:152 #, fuzzy, php-format msgid "Description is too long (maximum %d character)." msgid_plural "Description is too long (maximum %d characters)." @@ -735,14 +745,14 @@ msgstr "Du tingar ikkje oppdateringar til den profilen." #. TRANS: Form validation error in API OAuth authorisation because of an invalid session token. #: actions/apioauthauthorize.php:147 actions/avatarsettings.php:280 -#: actions/deletenotice.php:172 actions/disfavor.php:74 +#: actions/deletenotice.php:177 actions/disfavor.php:74 #: actions/emailsettings.php:271 actions/favor.php:75 actions/geocode.php:55 #: actions/groupblock.php:66 actions/grouplogo.php:312 #: actions/groupunblock.php:65 actions/imsettings.php:230 #: actions/invite.php:59 actions/login.php:137 actions/makeadmin.php:66 #: actions/newmessage.php:135 actions/newnotice.php:105 actions/nudge.php:80 #: actions/oauthappssettings.php:165 actions/oauthconnectionssettings.php:138 -#: actions/othersettings.php:145 actions/passwordsettings.php:138 +#: actions/othersettings.php:153 actions/passwordsettings.php:138 #: actions/profilesettings.php:221 actions/recoverpassword.php:350 #: actions/register.php:172 actions/remotesubscribe.php:77 #: actions/repeat.php:83 actions/smssettings.php:256 actions/subedit.php:40 @@ -917,21 +927,22 @@ msgstr "Du kan ikkje sletta statusen til ein annan brukar." #. TRANS: Client error displayed trying to repeat a non-existing notice through the API. #. TRANS: Client error displayed trying to display redents of a non-exiting notice. +#. TRANS: Error message displayed trying to delete a non-existing notice. #: actions/apistatusesretweet.php:74 actions/apistatusesretweets.php:70 -#: actions/deletenotice.php:58 actions/shownotice.php:92 +#: actions/deletenotice.php:61 actions/shownotice.php:92 msgid "No such notice." msgstr "Denne notisen finst ikkje." #. TRANS: Client error displayed trying to repeat an own notice through the API. #. TRANS: Error text shown when trying to repeat an own notice. -#: actions/apistatusesretweet.php:83 lib/command.php:535 +#: actions/apistatusesretweet.php:83 lib/command.php:537 #, fuzzy msgid "Cannot repeat your own notice." msgstr "Kan ikkje slå på notifikasjon." #. TRANS: Client error displayed trying to re-repeat a notice through the API. #. TRANS: Error text shown when trying to repeat an notice that was already repeated by the user. -#: actions/apistatusesretweet.php:92 lib/command.php:541 +#: actions/apistatusesretweet.php:92 lib/command.php:543 msgid "Already repeated that notice." msgstr "Kan ikkje sletta notisen." @@ -953,7 +964,8 @@ msgstr "" #. TRANS: Client error displayed when the parameter "status" is missing. #. TRANS: %d is the maximum number of character for a notice. -#: actions/apistatusesupdate.php:244 +#: actions/apistatusesupdate.php:244 actions/newnotice.php:161 +#: lib/mailhandler.php:60 #, fuzzy, php-format msgid "That's too long. Maximum notice size is %d character." msgid_plural "That's too long. Maximum notice size is %d characters." @@ -968,7 +980,7 @@ msgstr "Fann ikkje API-metode." #. TRANS: Client error displayed exceeding the maximum notice length. #. TRANS: %d is the maximum lenth for a notice. -#: actions/apistatusesupdate.php:308 +#: actions/apistatusesupdate.php:308 actions/newnotice.php:184 #, php-format msgid "Maximum notice size is %d character, including attachment URL." msgid_plural "Maximum notice size is %d characters, including attachment URL." @@ -1180,17 +1192,18 @@ msgstr "Velg eit utvalg av bildet som vil blir din avatar." msgid "Lost our file data." msgstr "Fant ikkje igjen fil data." -#: actions/avatarsettings.php:384 +#. TRANS: Success message for having updated a user avatar. +#: actions/avatarsettings.php:385 msgid "Avatar updated." msgstr "Lasta opp brukarbilete." #. TRANS: Error displayed on the avatar upload page if the avatar could not be updated for an unknown reason. -#: actions/avatarsettings.php:388 +#: actions/avatarsettings.php:389 msgid "Failed updating avatar." msgstr "Feil ved oppdatering av brukarbilete." #. TRANS: Success message for deleting a user avatar. -#: actions/avatarsettings.php:412 +#: actions/avatarsettings.php:413 #, fuzzy msgid "Avatar deleted." msgstr "Lasta opp brukarbilete." @@ -1220,8 +1233,8 @@ msgstr "" #. TRANS: Button label on the delete notice form. #. TRANS: Button label on the delete user form. #. TRANS: Button label on the form to block a user from a group. -#: actions/block.php:154 actions/deleteapplication.php:154 -#: actions/deletegroup.php:220 actions/deletenotice.php:150 +#: actions/block.php:154 actions/deleteapplication.php:157 +#: actions/deletegroup.php:220 actions/deletenotice.php:155 #: actions/deleteuser.php:152 actions/groupblock.php:178 msgctxt "BUTTON" msgid "No" @@ -1240,8 +1253,8 @@ msgstr "Lås opp brukaren" #. TRANS: Button label on the delete notice form. #. TRANS: Button label on the delete user form. #. TRANS: Button label on the form to block a user from a group. -#: actions/block.php:161 actions/deleteapplication.php:161 -#: actions/deletegroup.php:227 actions/deletenotice.php:157 +#: actions/block.php:161 actions/deleteapplication.php:164 +#: actions/deletegroup.php:227 actions/deletenotice.php:162 #: actions/deleteuser.php:159 actions/groupblock.php:185 #, fuzzy msgctxt "BUTTON" @@ -1361,12 +1374,13 @@ msgstr "Den addressa har alt blitt bekrefta." #. TRANS: Server error thrown on database error removing a registered e-mail address. #. TRANS: Server error thrown on database error updating IM preferences. #. TRANS: Server error thrown on database error removing a registered IM address. +#. TRANS: Server error displayed when "Other" settings in user profile could not be updated on the server. #. TRANS: Server error thrown when user profile settings could not be updated. #. TRANS: Server error thrown on database error updating SMS preferences. #. TRANS: Server error thrown on database error removing a registered SMS phone number. #: actions/confirmaddress.php:118 actions/emailsettings.php:331 #: actions/emailsettings.php:477 actions/imsettings.php:283 -#: actions/imsettings.php:442 actions/othersettings.php:174 +#: actions/imsettings.php:442 actions/othersettings.php:184 #: actions/profilesettings.php:326 actions/smssettings.php:308 #: actions/smssettings.php:464 msgid "Couldn't update user." @@ -1403,16 +1417,19 @@ msgstr "Stadfestingskode" msgid "Notices" msgstr "Notisar" -#: actions/deleteapplication.php:63 +#. TRANS: Client error displayed trying to delete an application while not logged in. +#: actions/deleteapplication.php:62 msgid "You must be logged in to delete an application." msgstr "Du må være innlogga for å melde deg ut av ei gruppe." +#. TRANS: Client error displayed trying to delete an application that does not exist. #: actions/deleteapplication.php:71 msgid "Application not found." msgstr "Fann ikkje stadfestingskode." +#. TRANS: Client error displayed trying to delete an application the current user does not own. #. TRANS: Client error displayed trying to edit an application while not being its owner. -#: actions/deleteapplication.php:78 actions/editapplication.php:78 +#: actions/deleteapplication.php:79 actions/editapplication.php:78 #: actions/showapplication.php:94 #, fuzzy msgid "You are not the owner of this application." @@ -1421,16 +1438,19 @@ msgstr "Du er ikkje medlem av den gruppa." #. TRANS: Client error text when there is a problem with the session token. #: actions/deleteapplication.php:102 actions/editapplication.php:131 #: actions/newapplication.php:114 actions/showapplication.php:118 -#: lib/action.php:1354 +#: lib/action.php:1404 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 +#. TRANS: Title for delete application page. +#. TRANS: Fieldset legend on delete application page. +#: actions/deleteapplication.php:124 actions/deleteapplication.php:149 #, fuzzy msgid "Delete application" msgstr "Denne notisen finst ikkje." -#: actions/deleteapplication.php:149 +#. TRANS: Confirmation text on delete application page. +#: actions/deleteapplication.php:152 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 " @@ -1438,13 +1458,13 @@ msgid "" msgstr "" #. TRANS: Submit button title for 'No' when deleting an application. -#: actions/deleteapplication.php:158 +#: actions/deleteapplication.php:161 #, fuzzy msgid "Do not delete this application" msgstr "Kan ikkje sletta notisen." #. TRANS: Submit button title for 'Yes' when deleting an application. -#: actions/deleteapplication.php:164 +#: actions/deleteapplication.php:167 #, fuzzy msgid "Delete this application" msgstr "Slett denne notisen" @@ -1482,13 +1502,14 @@ msgstr "Kann ikkje oppdatera gruppa." msgid "Deleted group %s" msgstr "%1$s sin status på %2$s" -#. TRANS: Title. +#. TRANS: Title of delete group page. #. TRANS: Form legend for deleting a group. #: actions/deletegroup.php:176 actions/deletegroup.php:202 #, fuzzy msgid "Delete group" msgstr "Slett" +#. TRANS: Warning in form for deleleting a group. #: actions/deletegroup.php:206 msgid "" "Are you sure you want to delete this group? This will clear all data about " @@ -1508,10 +1529,11 @@ msgstr "Kan ikkje sletta notisen." msgid "Delete this group" msgstr "Slett denne notisen" +#. TRANS: Error message displayed trying to delete a notice while not logged in. #. TRANS: Client error displayed when trying to unblock a user from a group while not logged in. #. TRANS: Client error displayed trying a change a subscription while not logged in. #. TRANS: Client error message thrown when trying to access the admin panel while not logged in. -#: actions/deletenotice.php:50 actions/disfavor.php:61 actions/favor.php:62 +#: actions/deletenotice.php:52 actions/disfavor.php:61 actions/favor.php:62 #: actions/groupblock.php:61 actions/groupunblock.php:60 actions/logout.php:69 #: actions/makeadmin.php:61 actions/newmessage.php:87 actions/newnotice.php:88 #: actions/nudge.php:63 actions/subedit.php:33 actions/subscribe.php:96 @@ -1521,11 +1543,13 @@ msgstr "Slett denne notisen" msgid "Not logged in." msgstr "Ikkje logga inn" -#: actions/deletenotice.php:74 +#. TRANS: Error message displayed trying to delete a notice that was not made by the current user. +#: actions/deletenotice.php:78 msgid "Can't delete this notice." msgstr "Kan ikkje sletta notisen." -#: actions/deletenotice.php:106 +#. TRANS: Instructions for deleting a notice. +#: actions/deletenotice.php:110 #, fuzzy msgid "" "You are about to permanently delete a notice. Once this is done, it cannot " @@ -1534,22 +1558,25 @@ msgstr "" "Du er i ferd med å sletta ei melding. Når den fyrst er sletta, kann du " "ikkje finne ho att." -#: actions/deletenotice.php:112 actions/deletenotice.php:144 +#. TRANS: Page title when deleting a notice. +#. TRANS: Fieldset legend for the delete notice form. +#: actions/deletenotice.php:117 actions/deletenotice.php:148 msgid "Delete notice" msgstr "Slett notis" -#: actions/deletenotice.php:147 +#. TRANS: Message for the delete notice form. +#: actions/deletenotice.php:152 msgid "Are you sure you want to delete this notice?" msgstr "Sikker på at du vil sletta notisen?" #. TRANS: Submit button title for 'No' when deleting a notice. -#: actions/deletenotice.php:154 +#: actions/deletenotice.php:159 #, fuzzy msgid "Do not delete this notice" msgstr "Kan ikkje sletta notisen." #. TRANS: Submit button title for 'Yes' when deleting a notice. -#: actions/deletenotice.php:161 lib/noticelist.php:667 +#: actions/deletenotice.php:166 lib/noticelist.php:667 msgid "Delete this notice" msgstr "Slett denne notisen" @@ -1721,11 +1748,9 @@ msgstr "" #. TRANS: Submit button title. #: actions/designadminpanel.php:711 actions/licenseadminpanel.php:319 -#: actions/othersettings.php:126 actions/sessionsadminpanel.php:199 -#: actions/siteadminpanel.php:292 actions/sitenoticeadminpanel.php:195 +#: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:292 #: actions/snapshotadminpanel.php:245 actions/tagother.php:154 -#: actions/useradminpanel.php:295 lib/applicationeditform.php:357 -#: lib/designsettings.php:256 lib/groupeditform.php:202 +#: lib/applicationeditform.php:357 lib/designsettings.php:256 msgid "Save" msgstr "Lagra" @@ -1777,9 +1802,9 @@ msgid "Name is required." msgstr "Samme som passord over. Påkrevd." #. TRANS: Validation error shown when providing too long a name in the "Edit application" form. -#: actions/editapplication.php:188 +#: actions/editapplication.php:188 actions/newapplication.php:169 #, fuzzy -msgid "Name is too long (max 255 characters)." +msgid "Name is too long (maximum 255 characters)." msgstr "Ditt fulle namn er for langt (maksimalt 255 teikn)." #. TRANS: Validation error shown when providing a name for an application that already exists in the "Edit application" form. @@ -1811,7 +1836,7 @@ msgid "Organization is required." msgstr "" #. TRANS: Validation error shown when providing too long an arganisation name in the "Edit application" form. -#: actions/editapplication.php:223 +#: actions/editapplication.php:223 actions/newapplication.php:199 #, fuzzy msgid "Organization is too long (maximum 255 characters)." msgstr "Plassering er for lang (maksimalt 255 teikn)." @@ -2613,7 +2638,7 @@ msgid "Publish a MicroID for my Jabber/GTalk address." msgstr "Publiser ein MicroID for Jabber/GTalk addressene mine" #. TRANS: Confirmation message for successful IM preferences save. -#: actions/imsettings.php:290 actions/othersettings.php:180 +#: actions/imsettings.php:290 actions/othersettings.php:190 msgid "Preferences saved." msgstr "Lagra brukarval." @@ -2737,10 +2762,9 @@ msgstr[1] "Du tingar allereie oppdatering frå desse brukarane:" #. TRANS: Used as list item for already subscribed users (%1$s is nickname, %2$s is e-mail address). #. TRANS: Used as list item for already registered people (%1$s is nickname, %2$s is e-mail address). -#. TRANS: Whois output. -#. TRANS: %1$s nickname of the queried user, %2$s is their profile URL. -#: actions/invite.php:145 actions/invite.php:159 lib/command.php:426 -#, php-format +#: actions/invite.php:145 actions/invite.php:159 +#, fuzzy, php-format +msgctxt "INVITE" msgid "%1$s (%2$s)" msgstr "%1$s (%2$s)" @@ -2921,8 +2945,9 @@ msgid "" msgstr "" #: actions/licenseadminpanel.php:156 -msgid "Invalid license title. Max length is 255 characters." -msgstr "" +#, fuzzy +msgid "Invalid license title. Maximum length is 255 characters." +msgstr "Plassering er for lang (maksimalt 255 teikn)." #: actions/licenseadminpanel.php:168 msgid "Invalid license URL." @@ -3101,20 +3126,10 @@ 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:169 -#, fuzzy -msgid "Name is too long (maximum 255 chars)." -msgstr "Ditt fulle namn er for langt (maksimalt 255 teikn)." - #: actions/newapplication.php:184 msgid "Source URL is required." msgstr "" -#: actions/newapplication.php:199 -#, fuzzy -msgid "Organization is too long (maximum 255 chars)." -msgstr "Plassering er for lang (maksimalt 255 teikn)." - #: actions/newapplication.php:266 actions/newapplication.php:275 #, fuzzy msgid "Could not create application." @@ -3135,14 +3150,14 @@ msgid "New message" msgstr "Ny melding" #. TRANS: Error text shown when trying to send a direct message to a user without a mutual subscription (each user must be subscribed to the other). -#: actions/newmessage.php:121 actions/newmessage.php:164 lib/command.php:499 +#: actions/newmessage.php:121 actions/newmessage.php:164 lib/command.php:501 msgid "You can't send a message to this user." msgstr "Du kan ikkje sende melding til denne brukaren." #. TRANS: Command exception text shown when trying to send a direct message to another user without content. #. TRANS: Command exception text shown when trying to reply to a notice without providing content for the reply. #: actions/newmessage.php:144 actions/newnotice.php:140 lib/command.php:478 -#: lib/command.php:579 +#: lib/command.php:581 msgid "No content!" msgstr "Ingen innhald." @@ -3151,7 +3166,7 @@ msgid "No recipient specified." msgstr "Ingen mottakar spesifisert." #. TRANS: Error text shown when trying to send a direct message to self. -#: actions/newmessage.php:167 lib/command.php:503 +#: actions/newmessage.php:167 lib/command.php:505 msgid "" "Don't send a message to yourself; just say it to yourself quietly instead." msgstr "" @@ -3165,12 +3180,12 @@ msgstr "Melding" #. TRANS: Message given have sent a direct message to another user. #. TRANS: %s is the name of the other user. -#: actions/newmessage.php:188 lib/command.php:511 +#: actions/newmessage.php:188 lib/command.php:513 #, fuzzy, php-format msgid "Direct message to %s sent." msgstr "Direkte melding til %s sendt" -#: actions/newmessage.php:213 actions/newnotice.php:263 +#: actions/newmessage.php:213 actions/newnotice.php:264 msgid "Ajax Error" msgstr "Ajax feil" @@ -3178,17 +3193,7 @@ msgstr "Ajax feil" msgid "New notice" msgstr "Ny notis" -#: actions/newnotice.php:159 lib/mailhandler.php:60 -#, fuzzy, php-format -msgid "That's too long. Max notice size is %d chars." -msgstr "Du kan lasta opp ein logo for gruppa." - -#: actions/newnotice.php:183 -#, php-format -msgid "Max notice size is %d chars, including attachment URL." -msgstr "" - -#: actions/newnotice.php:229 +#: actions/newnotice.php:230 msgid "Notice posted" msgstr "Melding lagra" @@ -3355,37 +3360,47 @@ msgstr "Søk etter folk" msgid "Notice Search" msgstr "Notissøk" -#: actions/othersettings.php:60 +#: actions/othersettings.php:59 msgid "Other settings" msgstr "Avatar-innstillingar" +#. TRANS: Instructions for tab "Other" in user profile settings. #: actions/othersettings.php:71 msgid "Manage various other options." msgstr "Velikehald andre innstillingar" -#: actions/othersettings.php:108 +#. TRANS: Used as a suffix for free URL shorteners in a dropdown list in the tab "Other" of a +#. TRANS: user's profile settings. This message has one space at the beginning. Use your +#. TRANS: language's word separator here if it has one (most likely a single space). +#: actions/othersettings.php:111 msgid " (free service)" msgstr "" -#: actions/othersettings.php:116 +#. TRANS: Label for dropdown with URL shortener services. +#: actions/othersettings.php:120 msgid "Shorten URLs with" msgstr "" -#: actions/othersettings.php:117 +#. TRANS: Tooltip for for dropdown with URL shortener services. +#: actions/othersettings.php:122 msgid "Automatic shortening service to use." msgstr "Den automatisk forkortingstenesta du vil bruke" -#: actions/othersettings.php:122 +#. TRANS: Label for checkbox. +#: actions/othersettings.php:128 #, fuzzy msgid "View profile designs" msgstr "Profilinnstillingar" -#: actions/othersettings.php:123 +#. TRANS: Tooltip for checkbox. +#: actions/othersettings.php:130 msgid "Show or hide profile designs." msgstr "" -#: actions/othersettings.php:153 -msgid "URL shortening service is too long (max 50 chars)." +#. TRANS: Form validation error for form "Other settings" in user profile. +#: actions/othersettings.php:162 +#, fuzzy +msgid "URL shortening service is too long (maximum 50 characters)." msgstr "Adressa til forkortingstenesta er for lang (maksimalt 50 teikn)." #: actions/otp.php:69 @@ -3880,7 +3895,7 @@ msgstr "Om meg" #. TRANS: Label for group location (dt). Text hidden by default. #: actions/profilesettings.php:149 actions/register.php:485 #: actions/showgroup.php:267 actions/tagother.php:112 -#: actions/userauthorization.php:166 lib/groupeditform.php:177 +#: actions/userauthorization.php:166 lib/groupeditform.php:180 #: lib/userprofile.php:165 msgid "Location" msgstr "Plassering" @@ -4216,7 +4231,8 @@ msgid "Unexpected password reset." msgstr "Uventa passordnullstilling." #: actions/recoverpassword.php:365 -msgid "Password must be 6 chars or more." +#, fuzzy +msgid "Password must be 6 characters or more." msgstr "Passord må vera 6 tekn eller meir." #: actions/recoverpassword.php:369 @@ -4600,7 +4616,7 @@ msgstr "Paginering" #. TRANS: Form input field label. #: actions/showapplication.php:187 actions/version.php:200 -#: lib/applicationeditform.php:208 lib/groupeditform.php:172 +#: lib/applicationeditform.php:208 lib/groupeditform.php:175 msgid "Description" msgstr "Beskriving" @@ -4743,7 +4759,7 @@ msgid "Note" msgstr "Merknad" #. TRANS: Label for group aliases (dt). Text hidden by default. -#: actions/showgroup.php:298 lib/groupeditform.php:184 +#: actions/showgroup.php:298 lib/groupeditform.php:187 msgid "Aliases" msgstr "" @@ -4870,60 +4886,84 @@ msgstr "Melding fra %1$s på %2$s" msgid "Notice deleted." msgstr "Melding lagra" -#: actions/showstream.php:72 +#. TRANS: Page title showing tagged notices in one user's stream. %1$s is the username, %2$s is the hash tag. +#: actions/showstream.php:70 #, fuzzy, php-format -msgid " tagged %s" +msgid "%1$s tagged %2$s" +msgstr "Grupper, side %d" + +#. TRANS: Page title showing tagged notices in one user's stream. +#. TRANS: %1$s is the username, %2$s is the hash tag, %1$d is the page number. +#: actions/showstream.php:74 +#, fuzzy, php-format +msgid "%1$s tagged %2$s, page %3$d" msgstr "Notisar merka med %s" -#: actions/showstream.php:78 +#. TRANS: Extended page title showing tagged notices in one user's stream. +#. TRANS: %1$s is the username, %2$d is the page number. +#: actions/showstream.php:82 #, php-format msgid "%1$s, page %2$d" msgstr "Grupper, side %d" -#: actions/showstream.php:120 +#. TRANS: Title for link to notice feed. +#. TRANS: %1$s is a user nickname, %2$s is a hashtag. +#: actions/showstream.php:127 #, php-format msgid "Notice feed for %1$s tagged %2$s (RSS 1.0)" msgstr "Straum for vener av %s" -#: actions/showstream.php:127 +#. TRANS: Title for link to notice feed. +#. TRANS: %s is a user nickname. +#: actions/showstream.php:136 #, php-format msgid "Notice feed for %s (RSS 1.0)" msgstr "Straum for vener av %s" -#: actions/showstream.php:134 +#. TRANS: Title for link to notice feed. +#. TRANS: %s is a user nickname. +#: actions/showstream.php:145 #, php-format msgid "Notice feed for %s (RSS 2.0)" msgstr "Straum for vener av %s" -#: actions/showstream.php:141 +#: actions/showstream.php:152 #, fuzzy, php-format msgid "Notice feed for %s (Atom)" msgstr "Notisstraum for %s" -#: actions/showstream.php:146 +#. TRANS: Title for link to notice feed. FOAF stands for Friend of a Friend. +#. TRANS: More information at http://www.foaf-project.org. %s is a user nickname. +#: actions/showstream.php:159 #, fuzzy, php-format msgid "FOAF for %s" msgstr "Utboks for %s" -#: actions/showstream.php:197 +#. TRANS: First sentence of empty list message for a stream. $1%s is a user nickname. +#: actions/showstream.php:211 #, php-format -msgid "This is the timeline for %1$s but %2$s hasn't posted anything yet." +msgid "This is the timeline for %1$s, but %1$s hasn't posted anything yet." msgstr "" -#: actions/showstream.php:202 +#. TRANS: Second sentence of empty list message for a stream for the user themselves. +#: actions/showstream.php:217 msgid "" "Seen anything interesting recently? You haven't posted any notices yet, now " "would be a good time to start :)" msgstr "" -#: actions/showstream.php:204 +#. TRANS: Second sentence of empty list message for a non-self stream. %1$s is a user nickname, %2$s is a part of a URL. +#. TRANS: This message contains a Markdown link. Keep "](" together. +#: actions/showstream.php:221 #, php-format msgid "" "You can try to nudge %1$s or [post something to them](%%%%action.newnotice%%%" "%?status_textarea=%2$s)." msgstr "" -#: actions/showstream.php:243 +#. TRANS: Announcement for anonymous users showing a stream if site registrations are open. +#. TRANS: This message contains a Markdown link. Keep "](" together. +#: actions/showstream.php:264 #, php-format msgid "" "**%s** has an account on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -4932,7 +4972,9 @@ msgid "" "follow **%s**'s notices and many more! ([Read more](%%%%doc.help%%%%))" msgstr "" -#: actions/showstream.php:248 +#. TRANS: Announcement for anonymous users showing a stream if site registrations are closed or invite only. +#. TRANS: This message contains a Markdown link. Keep "](" together. +#: actions/showstream.php:271 #, fuzzy, php-format msgid "" "**%s** has an account on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -4942,7 +4984,8 @@ msgstr "" "**%s** har ein konto på %%%%site.name%%%%, ei [mikroblogging](http://en." "wikipedia.org/wiki/Micro-blogging)-teneste" -#: actions/showstream.php:305 +#. TRANS: Link to the author of a repeated notice. %s is a linked nickname. +#: actions/showstream.php:328 #, fuzzy, php-format msgid "Repeat of %s" msgstr "Svar til %s" @@ -5058,35 +5101,42 @@ msgstr "" msgid "How long users must wait (in seconds) to post the same thing again." msgstr "" -#: actions/sitenoticeadminpanel.php:56 +#. TRANS: Page title for site-wide notice tab in admin panel. +#: actions/sitenoticeadminpanel.php:55 #, fuzzy msgid "Site Notice" msgstr "Statusmelding" -#: actions/sitenoticeadminpanel.php:67 +#. TRANS: Instructions for site-wide notice tab in admin panel. +#: actions/sitenoticeadminpanel.php:66 #, fuzzy msgid "Edit site-wide message" msgstr "Ny melding" -#: actions/sitenoticeadminpanel.php:103 +#. TRANS: Server error displayed when saving a site-wide notice was impossible. +#: actions/sitenoticeadminpanel.php:101 #, fuzzy msgid "Unable to save site notice." msgstr "Klarte ikkje å lagra Twitter-innstillingane dine!" -#: actions/sitenoticeadminpanel.php:113 -msgid "Max length for the site-wide notice is 255 chars." +#. TRANS: Client error displayed when a site-wide notice was longer than allowed. +#: actions/sitenoticeadminpanel.php:112 +msgid "Maximum length for the site-wide notice is 255 characters." msgstr "" +#. TRANS: Label for site-wide notice text field in admin panel. #: actions/sitenoticeadminpanel.php:176 #, fuzzy msgid "Site notice text" msgstr "Statusmelding" -#: actions/sitenoticeadminpanel.php:178 -msgid "Site-wide notice text (255 chars max; HTML okay)" +#. TRANS: Tooltip for site-wide notice text field in admin panel. +#: actions/sitenoticeadminpanel.php:179 +msgid "Site-wide notice text (255 characters maximum; HTML allowed)" msgstr "" -#: actions/sitenoticeadminpanel.php:198 +#. TRANS: Title for button to save site notice in admin panel. +#: actions/sitenoticeadminpanel.php:201 #, fuzzy msgid "Save site notice" msgstr "Statusmelding" @@ -5549,82 +5599,99 @@ msgid "" msgstr "" #. TRANS: User admin panel title -#: actions/useradminpanel.php:60 +#: actions/useradminpanel.php:58 #, fuzzy msgctxt "TITLE" msgid "User" msgstr "Brukar" -#: actions/useradminpanel.php:71 +#. TRANS: Instruction for user admin panel. +#: actions/useradminpanel.php:69 msgid "User settings for this StatusNet site" msgstr "" -#: actions/useradminpanel.php:150 +#. TRANS: Form validation error in user admin panel when a non-numeric character limit was set. +#: actions/useradminpanel.php:147 msgid "Invalid bio limit. Must be numeric." msgstr "" -#: actions/useradminpanel.php:156 -msgid "Invalid welcome text. Max length is 255 characters." +#. TRANS: Form validation error in user admin panel when welcome text is too long. +#: actions/useradminpanel.php:154 +msgid "Invalid welcome text. Maximum length is 255 characters." msgstr "" +#. TRANS: Client error displayed when trying to set a non-existing user as default subscription for new +#. TRANS: users in user admin panel. %1$s is the invalid nickname. #: actions/useradminpanel.php:166 #, php-format -msgid "Invalid default subscripton: '%1$s' is not user." +msgid "Invalid default subscripton: '%1$s' is not a user." msgstr "" #. TRANS: Link description in user account settings menu. -#: actions/useradminpanel.php:219 lib/accountsettingsaction.php:106 +#: actions/useradminpanel.php:215 lib/accountsettingsaction.php:106 #: lib/personalgroupnav.php:109 msgid "Profile" msgstr "Profil" -#: actions/useradminpanel.php:223 +#. TRANS: Field label in user admin panel for setting the character limit for the bio field. +#: actions/useradminpanel.php:220 msgid "Bio Limit" msgstr "" -#: actions/useradminpanel.php:224 +#. TRANS: Tooltip in user admin panel for setting the character limit for the bio field. +#: actions/useradminpanel.php:222 msgid "Maximum length of a profile bio in characters." msgstr "" -#: actions/useradminpanel.php:232 +#. TRANS: Form legend in user admin panel. +#: actions/useradminpanel.php:231 #, fuzzy msgid "New users" msgstr "Invitér nye brukarar" +#. TRANS: Field label in user admin panel for setting new user welcome text. #: actions/useradminpanel.php:236 msgid "New user welcome" msgstr "" -#: actions/useradminpanel.php:237 -msgid "Welcome text for new users (Max 255 chars)." -msgstr "" +#. TRANS: Tooltip in user admin panel for setting new user welcome text. +#: actions/useradminpanel.php:238 +#, fuzzy +msgid "Welcome text for new users (maximum 255 characters)." +msgstr "Ditt fulle namn er for langt (maksimalt 255 teikn)." -#: actions/useradminpanel.php:242 +#. TRANS: Field label in user admin panel for setting default subscription for new users. +#: actions/useradminpanel.php:244 #, fuzzy msgid "Default subscription" msgstr "Alle tingingar" -#: actions/useradminpanel.php:243 +#. TRANS: Tooltip in user admin panel for setting default subscription for new users. +#: actions/useradminpanel.php:246 #, 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:252 +#. TRANS: Form legend in user admin panel. +#: actions/useradminpanel.php:256 #, fuzzy msgid "Invitations" msgstr "Invitasjon(er) sendt" -#: actions/useradminpanel.php:257 +#. TRANS: Field label for checkbox in user admin panel for allowing users to invite friend using site e-mail. +#: actions/useradminpanel.php:262 #, fuzzy msgid "Invitations enabled" msgstr "Invitasjon(er) sendt" -#: actions/useradminpanel.php:259 +#. TRANS: Tooltip for checkbox in user admin panel for allowing users to invite friend using site e-mail. +#: actions/useradminpanel.php:265 msgid "Whether to allow users to invite new users." msgstr "" -#: actions/useradminpanel.php:295 +#. TRANS: Title for button to save user settings in user admin panel. +#: actions/useradminpanel.php:302 msgid "Save user settings" msgstr "" @@ -5826,7 +5893,7 @@ msgid "Plugins" msgstr "" #. TRANS: Secondary navigation menu option leading to version information on the StatusNet site. -#: actions/version.php:198 lib/action.php:831 +#: actions/version.php:198 lib/action.php:880 #, fuzzy msgid "Version" msgstr "Personleg" @@ -6041,16 +6108,23 @@ msgstr "Kunne ikkje lagra abonnement." msgid "RT @%1$s %2$s" msgstr "RT @%1$s %2$s" +#. TRANS: Full name of a profile or group followed by nickname in parens +#: classes/Profile.php:164 +#, fuzzy, php-format +msgctxt "FANCYNAME" +msgid "%1$s (%2$s)" +msgstr "%1$s (%2$s)" + #. TRANS: Exception thrown when trying to revoke an existing role for a user that does not exist. #. TRANS: %1$s is the role name, %2$s is the user ID (number). -#: classes/Profile.php:791 +#: classes/Profile.php:812 #, php-format msgid "Cannot revoke role \"%1$s\" for user #%2$d; does not exist." msgstr "" #. TRANS: Exception thrown when trying to revoke a role for a user with a failing database query. #. TRANS: %1$s is the role name, %2$s is the user ID (number). -#: classes/Profile.php:800 +#: classes/Profile.php:821 #, php-format msgid "Cannot revoke role \"%1$s\" for user #%2$d; database error." msgstr "" @@ -6201,50 +6275,56 @@ msgstr "%1$s (%2$s)" msgid "Untitled page" msgstr "Ingen tittel" +#. TRANS: Localized tooltip for '...' expansion button on overlong remote messages. +#: lib/action.php:310 +msgctxt "TOOLTIP" +msgid "Show more" +msgstr "" + #. TRANS: DT element for primary navigation menu. String is hidden in default CSS. -#: lib/action.php:477 +#: lib/action.php:526 msgid "Primary site navigation" msgstr "Navigasjon for hovudsida" #. TRANS: Tooltip for main menu option "Personal" -#: lib/action.php:483 +#: lib/action.php:532 #, fuzzy msgctxt "TOOLTIP" msgid "Personal profile and friends timeline" msgstr "Personleg profil og oversyn over vener" #. TRANS: Main menu option when logged in for access to personal profile and friends timeline -#: lib/action.php:486 +#: lib/action.php:535 #, fuzzy msgctxt "MENU" msgid "Personal" msgstr "Personleg" #. TRANS: Tooltip for main menu option "Account" -#: lib/action.php:488 +#: lib/action.php:537 msgctxt "TOOLTIP" msgid "Change your email, avatar, password, profile" msgstr "Endra passordet ditt" #. TRANS: Main menu option when logged in for access to user settings -#: lib/action.php:491 +#: lib/action.php:540 msgid "Account" msgstr "Konto" #. TRANS: Tooltip for main menu option "Services" -#: lib/action.php:493 +#: lib/action.php:542 #, fuzzy msgctxt "TOOLTIP" msgid "Connect to services" msgstr "Klarte ikkje å omdirigera til tenaren: %s" #. TRANS: Main menu option when logged in and connection are possible for access to options to connect to other services -#: lib/action.php:496 +#: lib/action.php:545 msgid "Connect" msgstr "Kopla til" #. TRANS: Tooltip for menu option "Admin" -#: lib/action.php:499 +#: lib/action.php:548 #, fuzzy msgctxt "TOOLTIP" msgid "Change site configuration" @@ -6252,85 +6332,85 @@ msgstr "Navigasjon for hovudsida" #. TRANS: Main menu option when logged in and site admin for access to site configuration #. TRANS: Menu item in the group navigation page. Only shown for group administrators. -#: lib/action.php:502 lib/groupnav.php:117 +#: lib/action.php:551 lib/groupnav.php:117 #, fuzzy msgctxt "MENU" msgid "Admin" msgstr "Administrator" #. TRANS: Tooltip for main menu option "Invite" -#: lib/action.php:506 +#: lib/action.php:555 #, 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" #. TRANS: Main menu option when logged in and invitations are allowed for inviting new users -#: lib/action.php:509 +#: lib/action.php:558 #, fuzzy msgctxt "MENU" msgid "Invite" msgstr "Invitér" #. TRANS: Tooltip for main menu option "Logout" -#: lib/action.php:515 +#: lib/action.php:564 msgctxt "TOOLTIP" msgid "Logout from the site" msgstr "Logg inn " #. TRANS: Main menu option when logged in to log out the current user -#: lib/action.php:518 +#: lib/action.php:567 msgctxt "MENU" msgid "Logout" msgstr "Logo" #. TRANS: Tooltip for main menu option "Register" -#: lib/action.php:523 +#: lib/action.php:572 msgctxt "TOOLTIP" msgid "Create an account" msgstr "Opprett ei ny gruppe" #. TRANS: Main menu option when not logged in to register a new account -#: lib/action.php:526 +#: lib/action.php:575 #, fuzzy msgctxt "MENU" msgid "Register" msgstr "Registrér" #. TRANS: Tooltip for main menu option "Login" -#: lib/action.php:529 +#: lib/action.php:578 msgctxt "TOOLTIP" msgid "Login to the site" msgstr "Logg inn " #. TRANS: Main menu option when not logged in to log in -#: lib/action.php:532 +#: lib/action.php:581 #, fuzzy msgctxt "MENU" msgid "Login" msgstr "Logg inn" #. TRANS: Tooltip for main menu option "Help" -#: lib/action.php:535 +#: lib/action.php:584 msgctxt "TOOLTIP" msgid "Help me!" msgstr "Hjelp" #. TRANS: Main menu option for help on the StatusNet site -#: lib/action.php:538 +#: lib/action.php:587 msgctxt "MENU" msgid "Help" msgstr "Hjelp" #. TRANS: Tooltip for main menu option "Search" -#: lib/action.php:541 +#: lib/action.php:590 #, fuzzy msgctxt "TOOLTIP" msgid "Search for people or text" msgstr "Søk etter folk eller innhald" #. TRANS: Main menu option when logged in or when the StatusNet instance is not private -#: lib/action.php:544 +#: lib/action.php:593 #, fuzzy msgctxt "MENU" msgid "Search" @@ -6338,68 +6418,69 @@ msgstr "Søk" #. TRANS: DT element for site notice. String is hidden in default CSS. #. TRANS: Menu item for site administration -#: lib/action.php:566 lib/adminpanelaction.php:387 +#: lib/action.php:615 lib/adminpanelaction.php:387 msgid "Site notice" msgstr "Statusmelding" #. TRANS: DT element for local views block. String is hidden in default CSS. -#: lib/action.php:633 +#: lib/action.php:682 msgid "Local views" msgstr "Lokale syningar" #. TRANS: DT element for page notice. String is hidden in default CSS. -#: lib/action.php:703 +#: lib/action.php:752 msgid "Page notice" msgstr "Sidenotis" #. TRANS: DT element for secondary navigation menu. String is hidden in default CSS. -#: lib/action.php:804 +#: lib/action.php:853 msgid "Secondary site navigation" msgstr "Andrenivås side navigasjon" #. TRANS: Secondary navigation menu option leading to help on StatusNet. -#: lib/action.php:810 +#: lib/action.php:859 msgid "Help" msgstr "Hjelp" #. TRANS: Secondary navigation menu option leading to text about StatusNet site. -#: lib/action.php:813 +#: lib/action.php:862 msgid "About" msgstr "Om" #. TRANS: Secondary navigation menu option leading to Frequently Asked Questions. -#: lib/action.php:816 +#: lib/action.php:865 msgid "FAQ" msgstr "OSS" #. TRANS: Secondary navigation menu option leading to Terms of Service. -#: lib/action.php:821 +#: lib/action.php:870 msgid "TOS" msgstr "" #. TRANS: Secondary navigation menu option leading to privacy policy. -#: lib/action.php:825 +#: lib/action.php:874 msgid "Privacy" msgstr "Personvern" -#. TRANS: Secondary navigation menu option. -#: lib/action.php:828 +#. TRANS: Secondary navigation menu option. Leads to information about StatusNet and its license. +#: lib/action.php:877 msgid "Source" msgstr "Kjeldekode" -#. TRANS: Secondary navigation menu option leading to contact information on the StatusNet site. -#: lib/action.php:834 +#. TRANS: Secondary navigation menu option leading to e-mail contact information on the +#. TRANS: StatusNet site, where to report bugs, ... +#: lib/action.php:884 msgid "Contact" msgstr "Kontakt" -#. TRANS: Secondary navigation menu option. -#: lib/action.php:837 +#. TRANS: Secondary navigation menu option. Leads to information about embedding a timeline widget. +#: lib/action.php:887 #, fuzzy msgid "Badge" msgstr "Dult" #. TRANS: DT element for StatusNet software license. -#: lib/action.php:866 +#: lib/action.php:916 msgid "StatusNet software license" msgstr "StatusNets programvarelisens" @@ -6407,7 +6488,7 @@ msgstr "StatusNets programvarelisens" #. TRANS: Text between [] is a link description, text between () is the link itself. #. TRANS: Make sure there is no whitespace between "]" and "(". #. TRANS: "%%site.broughtby%%" is the value of the variable site.broughtby -#: lib/action.php:873 +#: lib/action.php:923 #, fuzzy, php-format msgid "" "**%%site.name%%** is a microblogging service brought to you by [%%site." @@ -6417,7 +6498,7 @@ msgstr "" "broughtbyurl%%). " #. TRANS: First sentence of the StatusNet site license. Used if 'broughtby' is not set. -#: lib/action.php:876 +#: lib/action.php:926 #, php-format msgid "**%%site.name%%** is a microblogging service." msgstr "**%%site.name%%** er ei mikrobloggingteneste." @@ -6426,7 +6507,7 @@ msgstr "**%%site.name%%** er ei mikrobloggingteneste." #. TRANS: Make sure there is no whitespace between "]" and "(". #. TRANS: Text between [] is a link description, text between () is the link itself. #. TRANS: %s is the version of StatusNet that is being used. -#: lib/action.php:883 +#: lib/action.php:933 #, php-format msgid "" "It runs the [StatusNet](http://status.net/) microblogging software, version %" @@ -6438,51 +6519,51 @@ msgstr "" "org/licensing/licenses/agpl-3.0.html)." #. TRANS: DT element for StatusNet site content license. -#: lib/action.php:899 +#: lib/action.php:949 #, fuzzy msgid "Site content license" msgstr "StatusNets programvarelisens" #. TRANS: Content license displayed when license is set to 'private'. #. TRANS: %1$s is the site name. -#: lib/action.php:906 +#: lib/action.php:956 #, php-format msgid "Content and data of %1$s are private and confidential." msgstr "" #. TRANS: Content license displayed when license is set to 'allrightsreserved'. #. TRANS: %1$s is the copyright owner. -#: lib/action.php:913 +#: lib/action.php:963 #, php-format msgid "Content and data copyright by %1$s. All rights reserved." msgstr "" #. TRANS: Content license displayed when license is set to 'allrightsreserved' and no owner is set. -#: lib/action.php:917 +#: lib/action.php:967 msgid "Content and data copyright by contributors. All rights reserved." msgstr "" #. TRANS: license message in footer. #. TRANS: %1$s is the site name, %2$s is a link to the license URL, with a licence name set in configuration. -#: lib/action.php:949 +#: lib/action.php:999 #, php-format msgid "All %1$s content and data are available under the %2$s license." msgstr "" #. TRANS: DT element for pagination (previous/next, etc.). -#: lib/action.php:1285 +#: lib/action.php:1335 msgid "Pagination" msgstr "Paginering" #. TRANS: Pagination message to go to a page displaying information more in the #. TRANS: present than the currently displayed information. -#: lib/action.php:1296 +#: lib/action.php:1346 msgid "After" msgstr "« Etter" #. TRANS: Pagination message to go to a page displaying information more in the #. TRANS: past than the currently displayed information. -#: lib/action.php:1306 +#: lib/action.php:1356 msgid "Before" msgstr "Før »" @@ -6844,7 +6925,7 @@ msgid "AJAX error" msgstr "Ajax feil" #. TRANS: E-mail subject when a command has completed. -#: lib/channel.php:233 lib/mailhandler.php:142 +#: lib/channel.php:233 lib/mailhandler.php:143 msgid "Command complete" msgstr "Kommandoen utførd" @@ -6861,7 +6942,7 @@ msgstr "Fann ingen profil med den IDen." #. TRANS: Command exception text shown when a last user notice is requested and it does not exist. #. TRANS: Error text shown when a last user notice is requested and it does not exist. -#: lib/command.php:99 lib/command.php:626 +#: lib/command.php:99 lib/command.php:630 #, fuzzy msgid "User has no last notice." msgstr "Brukaren har ikkje siste notis" @@ -6928,6 +7009,14 @@ msgstr "" msgid "%1$s left group %2$s." msgstr "" +#. TRANS: Whois output. +#. TRANS: %1$s nickname of the queried user, %2$s is their profile URL. +#: lib/command.php:426 +#, fuzzy, php-format +msgctxt "WHOIS" +msgid "%1$s (%2$s)" +msgstr "%1$s (%2$s)" + #. TRANS: Whois output. %s is the full name of the queried user. #: lib/command.php:430 #, php-format @@ -6965,130 +7054,134 @@ msgid "" "same server." msgstr "" -#. TRANS: Message given if content is too long. +#. TRANS: Message given if content is too long. %1$sd is used for plural. #. TRANS: %1$d is the maximum number of characters, %2$d is the number of submitted characters. #: lib/command.php:488 #, 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" +msgid "Message too long - maximum is %1$d character, you sent %2$d." +msgid_plural "Message too long - maximum is %1$d characters, you sent %2$d." +msgstr[0] "Melding for lang - maksimum 140 teikn, du skreiv %d" +msgstr[1] "Melding for lang - maksimum 140 teikn, du skreiv %d" #. TRANS: Error text shown sending a direct message fails with an unknown reason. -#: lib/command.php:514 +#: lib/command.php:516 msgid "Error sending direct message." msgstr "Ein feil oppstod ved sending av direkte melding." #. TRANS: Message given having repeated a notice from another user. #. TRANS: %s is the name of the user for which the notice was repeated. -#: lib/command.php:551 +#: lib/command.php:553 #, fuzzy, php-format msgid "Notice from %s repeated." msgstr "Melding lagra" #. TRANS: Error text shown when repeating a notice fails with an unknown reason. -#: lib/command.php:554 +#: lib/command.php:556 msgid "Error repeating notice." msgstr "Feil ved å setja brukar." -#. TRANS: Message given if content of a notice for a reply is too long. +#. TRANS: Message given if content of a notice for a reply is too long. %1$d is used for plural. #. TRANS: %1$d is the maximum number of characters, %2$d is the number of submitted characters. -#: lib/command.php:589 +#: lib/command.php:591 #, fuzzy, php-format -msgid "Notice too long - maximum is %1$d characters, you sent %2$d." -msgstr "Melding for lang - maksimum 140 teikn, du skreiv %d" +msgid "Notice too long - maximum is %1$d character, you sent %2$d." +msgid_plural "Notice too long - maximum is %1$d characters, you sent %2$d." +msgstr[0] "Melding for lang - maksimum 140 teikn, du skreiv %d" +msgstr[1] "Melding for lang - maksimum 140 teikn, du skreiv %d" #. TRANS: Text shown having sent a reply to a notice successfully. #. TRANS: %s is the nickname of the user of the notice the reply was sent to. -#: lib/command.php:600 +#: lib/command.php:604 #, fuzzy, php-format msgid "Reply to %s sent." msgstr "Svar på denne notisen" #. TRANS: Error text shown when a reply to a notice fails with an unknown reason. -#: lib/command.php:603 +#: lib/command.php:607 #, fuzzy msgid "Error saving notice." msgstr "Eit problem oppstod ved lagring av notis." #. TRANS: Error text shown when no username was provided when issuing a subscribe command. -#: lib/command.php:650 +#: lib/command.php:654 #, fuzzy msgid "Specify the name of the user to subscribe to." msgstr "Spesifer namnet til brukaren du vil tinge" #. TRANS: Command exception text shown when trying to subscribe to an OMB profile using the subscribe command. -#: lib/command.php:659 +#: lib/command.php:663 #, fuzzy msgid "Can't subscribe to OMB profiles by command." msgstr "Du tingar ikkje oppdateringar til den profilen." #. TRANS: Text shown after having subscribed to another user successfully. #. TRANS: %s is the name of the user the subscription was requested for. -#: lib/command.php:667 +#: lib/command.php:671 #, php-format msgid "Subscribed to %s." msgstr "" #. TRANS: Error text shown when no username was provided when issuing an unsubscribe command. #. TRANS: Error text shown when no username was provided when issuing the command. -#: lib/command.php:688 lib/command.php:799 +#: lib/command.php:692 lib/command.php:803 #, fuzzy msgid "Specify the name of the user to unsubscribe from." msgstr "Spesifer namnet til brukar du vil fjerne tinging på" #. TRANS: Text shown after having unsubscribed from another user successfully. #. TRANS: %s is the name of the user the unsubscription was requested for. -#: lib/command.php:699 +#: lib/command.php:703 #, php-format msgid "Unsubscribed from %s." msgstr "" #. TRANS: Error text shown when issuing the command "off" with a setting which has not yet been implemented. #. TRANS: Error text shown when issuing the command "on" with a setting which has not yet been implemented. -#: lib/command.php:719 lib/command.php:745 +#: lib/command.php:723 lib/command.php:749 msgid "Command not yet implemented." msgstr "Kommando ikkje implementert." #. TRANS: Text shown when issuing the command "off" successfully. -#: lib/command.php:723 +#: lib/command.php:727 msgid "Notification off." msgstr "Notifikasjon av." #. TRANS: Error text shown when the command "off" fails for an unknown reason. -#: lib/command.php:726 +#: lib/command.php:730 msgid "Can't turn off notification." msgstr "Kan ikkje skru av notifikasjon." #. TRANS: Text shown when issuing the command "on" successfully. -#: lib/command.php:749 +#: lib/command.php:753 msgid "Notification on." msgstr "Notifikasjon på." #. TRANS: Error text shown when the command "on" fails for an unknown reason. -#: lib/command.php:752 +#: lib/command.php:756 msgid "Can't turn on notification." msgstr "Kan ikkje slå på notifikasjon." #. TRANS: Error text shown when issuing the login command while login is disabled. -#: lib/command.php:766 +#: lib/command.php:770 msgid "Login command is disabled." msgstr "" #. TRANS: Text shown after issuing the login command successfully. #. TRANS: %s is a logon link.. -#: lib/command.php:779 +#: lib/command.php:783 #, php-format msgid "This link is useable only once and is valid for only 2 minutes: %s." msgstr "" #. TRANS: Text shown after issuing the lose command successfully (stop another user from following the current user). #. TRANS: %s is the name of the user the unsubscription was requested for. -#: lib/command.php:808 +#: lib/command.php:812 #, php-format msgid "Unsubscribed %s." msgstr "" #. TRANS: Text shown after requesting other users a user is subscribed to without having any subscriptions. -#: lib/command.php:826 +#: lib/command.php:830 #, fuzzy msgid "You are not subscribed to anyone." msgstr "Du tingar ikkje oppdateringar til den profilen." @@ -7096,7 +7189,7 @@ msgstr "Du tingar ikkje oppdateringar til den profilen." #. TRANS: Text shown after requesting other users a user is subscribed to. #. TRANS: This message supports plural forms. This message is followed by a #. TRANS: hard coded space and a comma separated list of subscribed users. -#: lib/command.php:831 +#: lib/command.php:835 msgid "You are subscribed to this person:" msgid_plural "You are subscribed to these people:" msgstr[0] "Du tingar allereie oppdatering frå desse brukarane:" @@ -7104,7 +7197,7 @@ msgstr[1] "Du tingar allereie oppdatering frå desse brukarane:" #. TRANS: Text shown after requesting other users that are subscribed to a user #. TRANS: (followers) without having any subscribers. -#: lib/command.php:853 +#: lib/command.php:857 #, fuzzy msgid "No one is subscribed to you." msgstr "Kan ikkje tinga andre til deg." @@ -7112,7 +7205,7 @@ msgstr "Kan ikkje tinga andre til deg." #. TRANS: Text shown after requesting other users that are subscribed to a user (followers). #. TRANS: This message supports plural forms. This message is followed by a #. TRANS: hard coded space and a comma separated list of subscribing users. -#: lib/command.php:858 +#: lib/command.php:862 msgid "This person is subscribed to you:" msgid_plural "These people are subscribed to you:" msgstr[0] "Kan ikkje tinga andre til deg." @@ -7120,7 +7213,7 @@ msgstr[1] "Kan ikkje tinga andre til deg." #. TRANS: Text shown after requesting groups a user is subscribed to without having #. TRANS: any group subscriptions. -#: lib/command.php:880 +#: lib/command.php:884 #, fuzzy msgid "You are not a member of any groups." msgstr "Du er ikkje medlem av den gruppa." @@ -7128,14 +7221,14 @@ msgstr "Du er ikkje medlem av den gruppa." #. TRANS: Text shown after requesting groups a user is subscribed to. #. TRANS: This message supports plural forms. This message is followed by a #. TRANS: hard coded space and a comma separated list of subscribed groups. -#: lib/command.php:885 +#: lib/command.php:889 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." #. TRANS: Help text for commands. Do not translate the command names themselves; they are fixed strings. -#: lib/command.php:900 +#: lib/command.php:904 msgid "" "Commands:\n" "on - turn on notifications\n" @@ -7327,7 +7420,8 @@ msgstr "" "1-64 små bokstavar eller tal, ingen punktum (og liknande) eller mellomrom" #: lib/groupeditform.php:163 -msgid "URL of the homepage or blog of the group or topic" +#, fuzzy +msgid "URL of the homepage or blog of the group or topic." msgstr "URL til heimesida eller bloggen for gruppa eller emnet" #: lib/groupeditform.php:168 @@ -7337,18 +7431,27 @@ msgstr "Beskriv gruppa eller emnet med 140 teikn" #: lib/groupeditform.php:170 #, fuzzy, php-format -msgid "Describe the group or topic in %d characters" -msgstr "Beskriv gruppa eller emnet med 140 teikn" +msgid "Describe the group or topic in %d character or less" +msgid_plural "Describe the group or topic in %d characters or less" +msgstr[0] "Beskriv gruppa eller emnet med 140 teikn" +msgstr[1] "Beskriv gruppa eller emnet med 140 teikn" -#: lib/groupeditform.php:179 +#: lib/groupeditform.php:182 +#, fuzzy msgid "" -"Location for the group, if any, like \"City, State (or Region), Country\"" +"Location for the group, if any, like \"City, State (or Region), Country\"." msgstr "Kvar er du, t.d. «Stavanger, Rogaland, Noreg»" -#: lib/groupeditform.php:187 +#: lib/groupeditform.php:190 #, php-format -msgid "Extra nicknames for the group, comma- or space- separated, max %d" -msgstr "" +msgid "" +"Extra nicknames for the group, separated with commas or spaces. Maximum %d " +"alias allowed." +msgid_plural "" +"Extra nicknames for the group, separated with commas or spaces. Maximum %d " +"aliases allowed." +msgstr[0] "" +msgstr[1] "" #. TRANS: Menu item in the group navigation page. #: lib/groupnav.php:86 @@ -7815,7 +7918,7 @@ msgstr "Beklager, det er ikkje di inngåande epost addresse." msgid "Sorry, no incoming email allowed." msgstr "Beklager, inngåande epost er ikkje tillatt." -#: lib/mailhandler.php:228 +#: lib/mailhandler.php:229 #, fuzzy, php-format msgid "Unsupported message type: %s" msgstr "Støttar ikkje bileteformatet." @@ -8170,17 +8273,18 @@ msgid "Sandbox this user" msgstr "Lås opp brukaren" #. TRANS: Fieldset legend for the search form. -#: lib/searchaction.php:121 +#: lib/searchaction.php:120 #, fuzzy msgid "Search site" msgstr "Søk" #. TRANS: Used as a field label for the field where one or more keywords #. TRANS: for searching can be entered. -#: lib/searchaction.php:129 +#: lib/searchaction.php:128 msgid "Keyword(s)" msgstr "" +#. TRANS: Button text for searching site. #: lib/searchaction.php:130 msgctxt "BUTTON" msgid "Search" @@ -8273,8 +8377,8 @@ msgid "The theme file is missing or the upload failed." msgstr "" #: lib/themeuploader.php:91 lib/themeuploader.php:102 -#: lib/themeuploader.php:278 lib/themeuploader.php:282 -#: lib/themeuploader.php:290 lib/themeuploader.php:297 +#: lib/themeuploader.php:279 lib/themeuploader.php:283 +#: lib/themeuploader.php:291 lib/themeuploader.php:298 #, fuzzy msgid "Failed saving theme." msgstr "Feil ved oppdatering av brukarbilete." @@ -8285,29 +8389,32 @@ msgstr "" #: lib/themeuploader.php:166 #, php-format -msgid "Uploaded theme is too large; must be less than %d bytes uncompressed." -msgstr "" +msgid "Uploaded theme is too large; must be less than %d byte uncompressed." +msgid_plural "" +"Uploaded theme is too large; must be less than %d bytes uncompressed." +msgstr[0] "" +msgstr[1] "" -#: lib/themeuploader.php:178 +#: lib/themeuploader.php:179 msgid "Invalid theme archive: missing file css/display.css" msgstr "" -#: lib/themeuploader.php:218 +#: lib/themeuploader.php:219 msgid "" "Theme contains invalid file or folder name. Stick with ASCII letters, " "digits, underscore, and minus sign." msgstr "" -#: lib/themeuploader.php:224 +#: lib/themeuploader.php:225 msgid "Theme contains unsafe file extension names; may be unsafe." msgstr "" -#: lib/themeuploader.php:241 +#: lib/themeuploader.php:242 #, php-format msgid "Theme contains file of type '.%s', which is not allowed." msgstr "" -#: lib/themeuploader.php:259 +#: lib/themeuploader.php:260 msgid "Error opening theme archive." msgstr "Feil ved fjerning av blokka." @@ -8494,20 +8601,38 @@ msgid_plural "Message too long. Maximum is %1$d characters, you sent %2$d." msgstr[0] "Melding for lang - maksimum 140 teikn, du skreiv %d" msgstr[1] "Melding for lang - maksimum 140 teikn, du skreiv %d" -#: scripts/restoreuser.php:82 +#. TRANS: Commandline script output. %s is the filename that contains a backup for a user. +#: scripts/restoreuser.php:61 #, php-format -msgid "Backup file for user %s (%s)" +msgid "Getting backup from file '%s'." msgstr "" -#: scripts/restoreuser.php:88 +#. TRANS: Commandline script output. +#: scripts/restoreuser.php:91 #, fuzzy msgid "No user specified; using backup user." msgstr "Ingen vald profil." -#: scripts/restoreuser.php:94 +#. TRANS: Commandline script output. %d is the number of entries in the activity stream in backup; used for plural. +#: scripts/restoreuser.php:98 #, php-format -msgid "%d entries in backup." -msgstr "" +msgid "%d entry in backup." +msgid_plural "%d entries in backup." +msgstr[0] "" +msgstr[1] "" -#~ msgid "Description is too long (max %d chars)." +#, fuzzy +#~ msgid "Name is too long (maximum 255 chars)." +#~ msgstr "Ditt fulle namn er for langt (maksimalt 255 teikn)." + +#, fuzzy +#~ msgid "Organization is too long (maximum 255 chars)." #~ msgstr "Plassering er for lang (maksimalt 255 teikn)." + +#, fuzzy +#~ msgid "That's too long. Max notice size is %d chars." +#~ msgstr "Du kan lasta opp ein logo for gruppa." + +#, fuzzy +#~ msgid " tagged %s" +#~ msgstr "Notisar merka med %s" diff --git a/locale/pl/LC_MESSAGES/statusnet.po b/locale/pl/LC_MESSAGES/statusnet.po index cfcfb5e54d..499657993e 100644 --- a/locale/pl/LC_MESSAGES/statusnet.po +++ b/locale/pl/LC_MESSAGES/statusnet.po @@ -11,8 +11,8 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet - Core\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-10-30 23:18+0000\n" -"PO-Revision-Date: 2010-10-30 23:20:40+0000\n" +"POT-Creation-Date: 2010-11-02 22:51+0000\n" +"PO-Revision-Date: 2010-11-02 22:53:36+0000\n" "Last-Translator: Piotr Drąg \n" "Language-Team: Polish \n" "MIME-Version: 1.0\n" @@ -20,11 +20,11 @@ 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 (r75708); Translate extension (2010-09-17)\n" +"X-Generator: MediaWiki 1.17alpha (r75875); Translate extension (2010-09-17)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: pl\n" "X-Message-Group: #out-statusnet-core\n" -"X-POT-Import-Date: 2010-10-30 09:48:40+0000\n" +"X-POT-Import-Date: 2010-10-30 23:42:01+0000\n" #. TRANS: Page title for Access admin panel that allows configuring site access. #. TRANS: Menu item for site administration @@ -81,15 +81,20 @@ msgstr "Zapisz ustawienia dostępu" #. TRANS: Tooltip for button to save access settings in site admin panel. #. TRANS: Button label to save e-mail preferences. #. TRANS: Button label to save IM preferences. +#. TRANS: Button text for saving "Other settings" in profile. #. TRANS: Button text to store form data in the Paths admin panel. #. TRANS: Button to save input in profile settings. +#. TRANS: Button text for saving site notice in admin panel. #. TRANS: Button label to save SMS preferences. #. TRANS: Save button for settings for a profile in a subscriptions list. +#. TRANS: Button text to save user settings in user admin panel. #. TRANS: Button label in the "Edit application" form. #: actions/accessadminpanel.php:193 actions/emailsettings.php:228 -#: actions/imsettings.php:187 actions/pathsadminpanel.php:512 -#: actions/profilesettings.php:201 actions/smssettings.php:209 -#: actions/subscriptions.php:246 lib/applicationeditform.php:355 +#: actions/imsettings.php:187 actions/othersettings.php:134 +#: actions/pathsadminpanel.php:512 actions/profilesettings.php:201 +#: actions/sitenoticeadminpanel.php:197 actions/smssettings.php:209 +#: actions/subscriptions.php:246 actions/useradminpanel.php:298 +#: lib/applicationeditform.php:355 lib/groupeditform.php:207 msgctxt "BUTTON" msgid "Save" msgstr "Zapisz" @@ -140,7 +145,7 @@ msgstr "Nie ma takiej strony." #: 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:93 actions/userrss.php:40 -#: actions/xrds.php:71 lib/command.php:495 lib/galleryaction.php:59 +#: actions/xrds.php:71 lib/command.php:497 lib/galleryaction.php:59 #: lib/mailbox.php:82 lib/profileaction.php:77 msgid "No such user." msgstr "Brak takiego użytkownika." @@ -213,7 +218,9 @@ msgstr "" #. TRANS: Encoutagement displayed on empty timeline user pages for anonymous users. #. TRANS: %s is a user nickname. This message contains Markdown links. Keep "](" together. -#: actions/all.php:155 actions/replies.php:210 actions/showstream.php:208 +#. TRANS: Second sentence of empty message for anonymous users. %s is a user nickname. +#. TRANS: This message contains a Markdown link. Keep "](" together. +#: actions/all.php:155 actions/replies.php:210 actions/showstream.php:227 #, php-format msgid "" "Why not [register an account](%%%%action.register%%%%) and then nudge %s or " @@ -572,8 +579,11 @@ msgstr "Imię i nazwisko jest za długie (maksymalnie 255 znaków)." #. TRANS: Group edit form validation error. #. TRANS: Form validation error in New application form. #. TRANS: %d is the maximum number of characters for the description. +#. TRANS: Group create form validation error. +#. TRANS: %d is the maximum number of allowed characters. #: actions/apigroupcreate.php:220 actions/editapplication.php:201 #: actions/editgroup.php:216 actions/newapplication.php:178 +#: actions/newgroup.php:152 #, php-format msgid "Description is too long (maximum %d character)." msgid_plural "Description is too long (maximum %d characters)." @@ -731,14 +741,14 @@ msgstr "Token żądania został już upoważniony." #. TRANS: Form validation error in API OAuth authorisation because of an invalid session token. #: actions/apioauthauthorize.php:147 actions/avatarsettings.php:280 -#: actions/deletenotice.php:172 actions/disfavor.php:74 +#: actions/deletenotice.php:177 actions/disfavor.php:74 #: actions/emailsettings.php:271 actions/favor.php:75 actions/geocode.php:55 #: actions/groupblock.php:66 actions/grouplogo.php:312 #: actions/groupunblock.php:65 actions/imsettings.php:230 #: actions/invite.php:59 actions/login.php:137 actions/makeadmin.php:66 #: actions/newmessage.php:135 actions/newnotice.php:105 actions/nudge.php:80 #: actions/oauthappssettings.php:165 actions/oauthconnectionssettings.php:138 -#: actions/othersettings.php:145 actions/passwordsettings.php:138 +#: actions/othersettings.php:153 actions/passwordsettings.php:138 #: actions/profilesettings.php:221 actions/recoverpassword.php:350 #: actions/register.php:172 actions/remotesubscribe.php:77 #: actions/repeat.php:83 actions/smssettings.php:256 actions/subedit.php:40 @@ -916,20 +926,21 @@ msgstr "Nie można usuwać stanów innych użytkowników." #. TRANS: Client error displayed trying to repeat a non-existing notice through the API. #. TRANS: Client error displayed trying to display redents of a non-exiting notice. +#. TRANS: Error message displayed trying to delete a non-existing notice. #: actions/apistatusesretweet.php:74 actions/apistatusesretweets.php:70 -#: actions/deletenotice.php:58 actions/shownotice.php:92 +#: actions/deletenotice.php:61 actions/shownotice.php:92 msgid "No such notice." msgstr "Nie ma takiego wpisu." #. TRANS: Client error displayed trying to repeat an own notice through the API. #. TRANS: Error text shown when trying to repeat an own notice. -#: actions/apistatusesretweet.php:83 lib/command.php:535 +#: actions/apistatusesretweet.php:83 lib/command.php:537 msgid "Cannot repeat your own notice." msgstr "Nie można powtórzyć własnego wpisu." #. TRANS: Client error displayed trying to re-repeat a notice through the API. #. TRANS: Error text shown when trying to repeat an notice that was already repeated by the user. -#: actions/apistatusesretweet.php:92 lib/command.php:541 +#: actions/apistatusesretweet.php:92 lib/command.php:543 msgid "Already repeated that notice." msgstr "Już powtórzono ten wpis." @@ -950,7 +961,8 @@ msgstr "Klient musi dostarczać parametr \"stan\" z wartością." #. TRANS: Client error displayed when the parameter "status" is missing. #. TRANS: %d is the maximum number of character for a notice. -#: actions/apistatusesupdate.php:244 +#: actions/apistatusesupdate.php:244 actions/newnotice.php:161 +#: lib/mailhandler.php:60 #, php-format msgid "That's too long. Maximum notice size is %d character." msgid_plural "That's too long. Maximum notice size is %d characters." @@ -965,7 +977,7 @@ msgstr "Nie odnaleziono wpisu nadrzędnego." #. TRANS: Client error displayed exceeding the maximum notice length. #. TRANS: %d is the maximum lenth for a notice. -#: actions/apistatusesupdate.php:308 +#: actions/apistatusesupdate.php:308 actions/newnotice.php:184 #, php-format msgid "Maximum notice size is %d character, including attachment URL." msgid_plural "Maximum notice size is %d characters, including attachment URL." @@ -1144,21 +1156,18 @@ msgstr "Podgląd" #. TRANS: Button on avatar upload page to delete current avatar. #: actions/avatarsettings.php:155 -#, fuzzy msgctxt "BUTTON" msgid "Delete" msgstr "Usuń" #. TRANS: Button on avatar upload page to upload an avatar. #: actions/avatarsettings.php:173 -#, fuzzy msgctxt "BUTTON" msgid "Upload" msgstr "Wyślij" #. TRANS: Button on avatar upload crop form to confirm a selected crop as avatar. #: actions/avatarsettings.php:243 -#, fuzzy msgctxt "BUTTON" msgid "Crop" msgstr "Przytnij" @@ -1178,17 +1187,18 @@ msgstr "Wybierz kwadratowy obszar obrazu do awatara" msgid "Lost our file data." msgstr "Utracono dane pliku." -#: actions/avatarsettings.php:384 +#. TRANS: Success message for having updated a user avatar. +#: actions/avatarsettings.php:385 msgid "Avatar updated." msgstr "Zaktualizowano awatar." #. TRANS: Error displayed on the avatar upload page if the avatar could not be updated for an unknown reason. -#: actions/avatarsettings.php:388 +#: actions/avatarsettings.php:389 msgid "Failed updating avatar." msgstr "Zaktualizowanie awatara nie powiodło się." #. TRANS: Success message for deleting a user avatar. -#: actions/avatarsettings.php:412 +#: actions/avatarsettings.php:413 msgid "Avatar deleted." msgstr "Usunięto awatar." @@ -1220,8 +1230,8 @@ msgstr "" #. TRANS: Button label on the delete notice form. #. TRANS: Button label on the delete user form. #. TRANS: Button label on the form to block a user from a group. -#: actions/block.php:154 actions/deleteapplication.php:154 -#: actions/deletegroup.php:220 actions/deletenotice.php:150 +#: actions/block.php:154 actions/deleteapplication.php:157 +#: actions/deletegroup.php:220 actions/deletenotice.php:155 #: actions/deleteuser.php:152 actions/groupblock.php:178 msgctxt "BUTTON" msgid "No" @@ -1239,8 +1249,8 @@ msgstr "Nie blokuj tego użytkownika" #. TRANS: Button label on the delete notice form. #. TRANS: Button label on the delete user form. #. TRANS: Button label on the form to block a user from a group. -#: actions/block.php:161 actions/deleteapplication.php:161 -#: actions/deletegroup.php:227 actions/deletenotice.php:157 +#: actions/block.php:161 actions/deleteapplication.php:164 +#: actions/deletegroup.php:227 actions/deletenotice.php:162 #: actions/deleteuser.php:159 actions/groupblock.php:185 msgctxt "BUTTON" msgid "Yes" @@ -1308,7 +1318,6 @@ msgstr "Odblokuj użytkownika w tej grupie" #. TRANS: Button text for unblocking a user from a group. #: actions/blockedfromgroup.php:323 -#, fuzzy msgctxt "BUTTON" msgid "Unblock" msgstr "Odblokuj" @@ -1357,12 +1366,13 @@ msgstr "Ten adres został już potwierdzony." #. TRANS: Server error thrown on database error removing a registered e-mail address. #. TRANS: Server error thrown on database error updating IM preferences. #. TRANS: Server error thrown on database error removing a registered IM address. +#. TRANS: Server error displayed when "Other" settings in user profile could not be updated on the server. #. TRANS: Server error thrown when user profile settings could not be updated. #. TRANS: Server error thrown on database error updating SMS preferences. #. TRANS: Server error thrown on database error removing a registered SMS phone number. #: actions/confirmaddress.php:118 actions/emailsettings.php:331 #: actions/emailsettings.php:477 actions/imsettings.php:283 -#: actions/imsettings.php:442 actions/othersettings.php:174 +#: actions/imsettings.php:442 actions/othersettings.php:184 #: actions/profilesettings.php:326 actions/smssettings.php:308 #: actions/smssettings.php:464 msgid "Couldn't update user." @@ -1371,9 +1381,8 @@ msgstr "Nie można zaktualizować użytkownika." #. TRANS: Server error displayed when an address confirmation code deletion from the #. TRANS: database fails in the contact address confirmation action. #: actions/confirmaddress.php:132 -#, fuzzy msgid "Could not delete address confirmation." -msgstr "Nie można usunąć potwierdzenia komunikatora." +msgstr "Nie można usunąć potwierdzenia adresu." #. TRANS: Title for the contact address confirmation action. #: actions/confirmaddress.php:150 @@ -1398,16 +1407,19 @@ msgstr "Rozmowa" msgid "Notices" msgstr "Wpisy" -#: actions/deleteapplication.php:63 +#. TRANS: Client error displayed trying to delete an application while not logged in. +#: actions/deleteapplication.php:62 msgid "You must be logged in to delete an application." msgstr "Musisz być zalogowany, aby usunąć aplikację." +#. TRANS: Client error displayed trying to delete an application that does not exist. #: actions/deleteapplication.php:71 msgid "Application not found." msgstr "Nie odnaleziono aplikacji." +#. TRANS: Client error displayed trying to delete an application the current user does not own. #. TRANS: Client error displayed trying to edit an application while not being its owner. -#: actions/deleteapplication.php:78 actions/editapplication.php:78 +#: actions/deleteapplication.php:79 actions/editapplication.php:78 #: actions/showapplication.php:94 msgid "You are not the owner of this application." msgstr "Nie jesteś właścicielem tej aplikacji." @@ -1415,15 +1427,18 @@ msgstr "Nie jesteś właścicielem tej aplikacji." #. TRANS: Client error text when there is a problem with the session token. #: actions/deleteapplication.php:102 actions/editapplication.php:131 #: actions/newapplication.php:114 actions/showapplication.php:118 -#: lib/action.php:1354 +#: lib/action.php:1404 msgid "There was a problem with your session token." msgstr "Wystąpił problem z tokenem sesji." -#: actions/deleteapplication.php:123 actions/deleteapplication.php:147 +#. TRANS: Title for delete application page. +#. TRANS: Fieldset legend on delete application page. +#: actions/deleteapplication.php:124 actions/deleteapplication.php:149 msgid "Delete application" msgstr "Usuń aplikację" -#: actions/deleteapplication.php:149 +#. TRANS: Confirmation text on delete application page. +#: actions/deleteapplication.php:152 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 " @@ -1433,12 +1448,12 @@ msgstr "" "danych, w tym wszystkie istniejące połączenia użytkowników." #. TRANS: Submit button title for 'No' when deleting an application. -#: actions/deleteapplication.php:158 +#: actions/deleteapplication.php:161 msgid "Do not delete this application" msgstr "Nie usuwaj tej aplikacji" #. TRANS: Submit button title for 'Yes' when deleting an application. -#: actions/deleteapplication.php:164 +#: actions/deleteapplication.php:167 msgid "Delete this application" msgstr "Usuń tę aplikację" @@ -1472,12 +1487,13 @@ msgstr "Nie można usunąć grupy %s." msgid "Deleted group %s" msgstr "Usunięto grupę %s" -#. TRANS: Title. +#. TRANS: Title of delete group page. #. TRANS: Form legend for deleting a group. #: actions/deletegroup.php:176 actions/deletegroup.php:202 msgid "Delete group" msgstr "Usuń grupę" +#. TRANS: Warning in form for deleleting a group. #: actions/deletegroup.php:206 msgid "" "Are you sure you want to delete this group? This will clear all data about " @@ -1498,10 +1514,11 @@ msgstr "Nie usuwaj tej grupy" msgid "Delete this group" msgstr "Usuń tę grupę" +#. TRANS: Error message displayed trying to delete a notice while not logged in. #. TRANS: Client error displayed when trying to unblock a user from a group while not logged in. #. TRANS: Client error displayed trying a change a subscription while not logged in. #. TRANS: Client error message thrown when trying to access the admin panel while not logged in. -#: actions/deletenotice.php:50 actions/disfavor.php:61 actions/favor.php:62 +#: actions/deletenotice.php:52 actions/disfavor.php:61 actions/favor.php:62 #: actions/groupblock.php:61 actions/groupunblock.php:60 actions/logout.php:69 #: actions/makeadmin.php:61 actions/newmessage.php:87 actions/newnotice.php:88 #: actions/nudge.php:63 actions/subedit.php:33 actions/subscribe.php:96 @@ -1511,11 +1528,13 @@ msgstr "Usuń tę grupę" msgid "Not logged in." msgstr "Niezalogowany." -#: actions/deletenotice.php:74 +#. TRANS: Error message displayed trying to delete a notice that was not made by the current user. +#: actions/deletenotice.php:78 msgid "Can't delete this notice." msgstr "Nie można usunąć tego wpisu." -#: actions/deletenotice.php:106 +#. TRANS: Instructions for deleting a notice. +#: actions/deletenotice.php:110 msgid "" "You are about to permanently delete a notice. Once this is done, it cannot " "be undone." @@ -1523,21 +1542,24 @@ msgstr "" "Za chwilę wpis zostanie trwale usunięty. Kiedy to się stanie, nie będzie " "mogło zostać cofnięte." -#: actions/deletenotice.php:112 actions/deletenotice.php:144 +#. TRANS: Page title when deleting a notice. +#. TRANS: Fieldset legend for the delete notice form. +#: actions/deletenotice.php:117 actions/deletenotice.php:148 msgid "Delete notice" msgstr "Usuń wpis" -#: actions/deletenotice.php:147 +#. TRANS: Message for the delete notice form. +#: actions/deletenotice.php:152 msgid "Are you sure you want to delete this notice?" msgstr "Jesteś pewien, że chcesz usunąć ten wpis?" #. TRANS: Submit button title for 'No' when deleting a notice. -#: actions/deletenotice.php:154 +#: actions/deletenotice.php:159 msgid "Do not delete this notice" msgstr "Nie usuwaj tego wpisu" #. TRANS: Submit button title for 'Yes' when deleting a notice. -#: actions/deletenotice.php:161 lib/noticelist.php:667 +#: actions/deletenotice.php:166 lib/noticelist.php:667 msgid "Delete this notice" msgstr "Usuń ten wpis" @@ -1697,11 +1719,9 @@ msgstr "Przywróć domyślne ustawienia" #. TRANS: Submit button title. #: actions/designadminpanel.php:711 actions/licenseadminpanel.php:319 -#: actions/othersettings.php:126 actions/sessionsadminpanel.php:199 -#: actions/siteadminpanel.php:292 actions/sitenoticeadminpanel.php:195 +#: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:292 #: actions/snapshotadminpanel.php:245 actions/tagother.php:154 -#: actions/useradminpanel.php:295 lib/applicationeditform.php:357 -#: lib/designsettings.php:256 lib/groupeditform.php:202 +#: lib/applicationeditform.php:357 lib/designsettings.php:256 msgid "Save" msgstr "Zapisz" @@ -1749,8 +1769,9 @@ msgid "Name is required." msgstr "Nazwa jest wymagana." #. TRANS: Validation error shown when providing too long a name in the "Edit application" form. -#: actions/editapplication.php:188 -msgid "Name is too long (max 255 characters)." +#: actions/editapplication.php:188 actions/newapplication.php:169 +#, fuzzy +msgid "Name is too long (maximum 255 characters)." msgstr "Nazwa jest za długa (maksymalnie 255 znaków)." #. TRANS: Validation error shown when providing a name for an application that already exists in the "Edit application" form. @@ -1779,7 +1800,7 @@ msgid "Organization is required." msgstr "Organizacja jest wymagana." #. TRANS: Validation error shown when providing too long an arganisation name in the "Edit application" form. -#: actions/editapplication.php:223 +#: actions/editapplication.php:223 actions/newapplication.php:199 msgid "Organization is too long (maximum 255 characters)." msgstr "Organizacja jest za długa (maksymalnie 255 znaków)." @@ -2572,7 +2593,7 @@ msgid "Publish a MicroID for my Jabber/GTalk address." msgstr "Opublikuj MicroID adresu Jabber/GTalk." #. TRANS: Confirmation message for successful IM preferences save. -#: actions/imsettings.php:290 actions/othersettings.php:180 +#: actions/imsettings.php:290 actions/othersettings.php:190 msgid "Preferences saved." msgstr "Zapisano preferencje." @@ -2696,10 +2717,9 @@ msgstr[2] "Jesteś już subskrybowany do tych użytkowników:" #. TRANS: Used as list item for already subscribed users (%1$s is nickname, %2$s is e-mail address). #. TRANS: Used as list item for already registered people (%1$s is nickname, %2$s is e-mail address). -#. TRANS: Whois output. -#. TRANS: %1$s nickname of the queried user, %2$s is their profile URL. -#: actions/invite.php:145 actions/invite.php:159 lib/command.php:426 -#, php-format +#: actions/invite.php:145 actions/invite.php:159 +#, fuzzy, php-format +msgctxt "INVITE" msgid "%1$s (%2$s)" msgstr "%1$s (%2$s)" @@ -2888,7 +2908,8 @@ msgstr "" "zastrzeżone\"." #: actions/licenseadminpanel.php:156 -msgid "Invalid license title. Max length is 255 characters." +#, fuzzy +msgid "Invalid license title. Maximum length is 255 characters." msgstr "Nieprawidłowy tytuł licencji. Maksymalna długość to 255 znaków." #: actions/licenseadminpanel.php:168 @@ -3062,18 +3083,10 @@ 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:169 -msgid "Name is too long (maximum 255 chars)." -msgstr "Nazwa jest za długa (maksymalnie 255 znaków)." - #: actions/newapplication.php:184 msgid "Source URL is required." msgstr "Źródłowy adres URL jest wymagany." -#: actions/newapplication.php:199 -msgid "Organization is too long (maximum 255 chars)." -msgstr "Organizacja jest za długa (maksymalnie 255 znaków)." - #: actions/newapplication.php:266 actions/newapplication.php:275 msgid "Could not create application." msgstr "Nie można utworzyć aplikacji." @@ -3093,14 +3106,14 @@ msgid "New message" msgstr "Nowa wiadomość" #. TRANS: Error text shown when trying to send a direct message to a user without a mutual subscription (each user must be subscribed to the other). -#: actions/newmessage.php:121 actions/newmessage.php:164 lib/command.php:499 +#: actions/newmessage.php:121 actions/newmessage.php:164 lib/command.php:501 msgid "You can't send a message to this user." msgstr "Nie można wysłać wiadomości do tego użytkownika." #. TRANS: Command exception text shown when trying to send a direct message to another user without content. #. TRANS: Command exception text shown when trying to reply to a notice without providing content for the reply. #: actions/newmessage.php:144 actions/newnotice.php:140 lib/command.php:478 -#: lib/command.php:579 +#: lib/command.php:581 msgid "No content!" msgstr "Brak treści." @@ -3109,7 +3122,7 @@ msgid "No recipient specified." msgstr "Nie podano odbiorcy." #. TRANS: Error text shown when trying to send a direct message to self. -#: actions/newmessage.php:167 lib/command.php:503 +#: actions/newmessage.php:167 lib/command.php:505 msgid "" "Don't send a message to yourself; just say it to yourself quietly instead." msgstr "Nie wysyłaj wiadomości do siebie, po prostu powiedz to sobie po cichu." @@ -3120,12 +3133,12 @@ msgstr "Wysłano wiadomość" #. TRANS: Message given have sent a direct message to another user. #. TRANS: %s is the name of the other user. -#: actions/newmessage.php:188 lib/command.php:511 +#: actions/newmessage.php:188 lib/command.php:513 #, php-format msgid "Direct message to %s sent." msgstr "Wysłano bezpośrednią wiadomość do użytkownika %s." -#: actions/newmessage.php:213 actions/newnotice.php:263 +#: actions/newmessage.php:213 actions/newnotice.php:264 msgid "Ajax Error" msgstr "Błąd AJAX" @@ -3133,17 +3146,7 @@ msgstr "Błąd AJAX" msgid "New notice" msgstr "Nowy wpis" -#: actions/newnotice.php:159 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/newnotice.php:183 -#, 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." - -#: actions/newnotice.php:229 +#: actions/newnotice.php:230 msgid "Notice posted" msgstr "Wysłano wpis" @@ -3316,36 +3319,46 @@ msgstr "Wyszukiwanie osób" msgid "Notice Search" msgstr "Wyszukiwanie wpisów" -#: actions/othersettings.php:60 +#: actions/othersettings.php:59 msgid "Other settings" msgstr "Inne ustawienia" +#. TRANS: Instructions for tab "Other" in user profile settings. #: actions/othersettings.php:71 msgid "Manage various other options." msgstr "Zarządzaj różnymi innymi opcjami." -#: actions/othersettings.php:108 +#. TRANS: Used as a suffix for free URL shorteners in a dropdown list in the tab "Other" of a +#. TRANS: user's profile settings. This message has one space at the beginning. Use your +#. TRANS: language's word separator here if it has one (most likely a single space). +#: actions/othersettings.php:111 msgid " (free service)" msgstr " (wolna usługa)" -#: actions/othersettings.php:116 +#. TRANS: Label for dropdown with URL shortener services. +#: actions/othersettings.php:120 msgid "Shorten URLs with" msgstr "Skracanie adresów URL za pomocą" -#: actions/othersettings.php:117 +#. TRANS: Tooltip for for dropdown with URL shortener services. +#: actions/othersettings.php:122 msgid "Automatic shortening service to use." msgstr "Używana automatyczna usługa skracania." -#: actions/othersettings.php:122 +#. TRANS: Label for checkbox. +#: actions/othersettings.php:128 msgid "View profile designs" msgstr "Wyświetl ustawienia wyglądu profilu" -#: actions/othersettings.php:123 +#. TRANS: Tooltip for checkbox. +#: actions/othersettings.php:130 msgid "Show or hide profile designs." msgstr "Wyświetl lub ukryj ustawienia wyglądu profilu." -#: actions/othersettings.php:153 -msgid "URL shortening service is too long (max 50 chars)." +#. TRANS: Form validation error for form "Other settings" in user profile. +#: actions/othersettings.php:162 +#, fuzzy +msgid "URL shortening service is too long (maximum 50 characters)." msgstr "Adres URL usługi skracania jest za długi (maksymalnie 50 znaków)." #: actions/otp.php:69 @@ -3817,7 +3830,7 @@ msgstr "O mnie" #. TRANS: Label for group location (dt). Text hidden by default. #: actions/profilesettings.php:149 actions/register.php:485 #: actions/showgroup.php:267 actions/tagother.php:112 -#: actions/userauthorization.php:166 lib/groupeditform.php:177 +#: actions/userauthorization.php:166 lib/groupeditform.php:180 #: lib/userprofile.php:165 msgid "Location" msgstr "Położenie" @@ -4157,7 +4170,8 @@ msgid "Unexpected password reset." msgstr "Nieoczekiwane przywrócenie hasła." #: actions/recoverpassword.php:365 -msgid "Password must be 6 chars or more." +#, fuzzy +msgid "Password must be 6 characters or more." msgstr "Hasło musi mieć sześć lub więcej znaków." #: actions/recoverpassword.php:369 @@ -4533,7 +4547,7 @@ msgstr "Organizacja" #. TRANS: Form input field label. #: actions/showapplication.php:187 actions/version.php:200 -#: lib/applicationeditform.php:208 lib/groupeditform.php:172 +#: lib/applicationeditform.php:208 lib/groupeditform.php:175 msgid "Description" msgstr "Opis" @@ -4685,7 +4699,7 @@ msgid "Note" msgstr "Wpis" #. TRANS: Label for group aliases (dt). Text hidden by default. -#: actions/showgroup.php:298 lib/groupeditform.php:184 +#: actions/showgroup.php:298 lib/groupeditform.php:187 msgid "Aliases" msgstr "Aliasy" @@ -4737,14 +4751,12 @@ msgstr "Wszyscy członkowie" #. TRANS: Label for creation date in statistics on group page. #: actions/showgroup.php:458 -#, fuzzy msgctxt "LABEL" msgid "Created" msgstr "Utworzono" #. TRANS: Label for member count in statistics on group page. #: actions/showgroup.php:466 -#, fuzzy msgctxt "LABEL" msgid "Members" msgstr "Członkowie" @@ -4818,48 +4830,68 @@ msgstr "Wiadomość od użytkownika %1$s na %2$s" msgid "Notice deleted." msgstr "Usunięto wpis." -#: actions/showstream.php:72 -#, php-format -msgid " tagged %s" -msgstr " ze znacznikiem %s" +#. TRANS: Page title showing tagged notices in one user's stream. %1$s is the username, %2$s is the hash tag. +#: actions/showstream.php:70 +#, fuzzy, php-format +msgid "%1$s tagged %2$s" +msgstr "%1$s, strona %2$d" -#: actions/showstream.php:78 +#. TRANS: Page title showing tagged notices in one user's stream. +#. TRANS: %1$s is the username, %2$s is the hash tag, %1$d is the page number. +#: actions/showstream.php:74 +#, fuzzy, php-format +msgid "%1$s tagged %2$s, page %3$d" +msgstr "Wpisy ze znacznikiem %1$s, strona %2$d" + +#. TRANS: Extended page title showing tagged notices in one user's stream. +#. TRANS: %1$s is the username, %2$d is the page number. +#: actions/showstream.php:82 #, php-format msgid "%1$s, page %2$d" msgstr "%1$s, strona %2$d" -#: actions/showstream.php:120 +#. TRANS: Title for link to notice feed. +#. TRANS: %1$s is a user nickname, %2$s is a hashtag. +#: actions/showstream.php:127 #, php-format msgid "Notice feed for %1$s tagged %2$s (RSS 1.0)" msgstr "Kanał wpisów dla %1$s ze znacznikiem %2$s (RSS 1.0)" -#: actions/showstream.php:127 +#. TRANS: Title for link to notice feed. +#. TRANS: %s is a user nickname. +#: actions/showstream.php:136 #, php-format msgid "Notice feed for %s (RSS 1.0)" msgstr "Kanał wpisów dla %s (RSS 1.0)" -#: actions/showstream.php:134 +#. TRANS: Title for link to notice feed. +#. TRANS: %s is a user nickname. +#: actions/showstream.php:145 #, php-format msgid "Notice feed for %s (RSS 2.0)" msgstr "Kanał wpisów dla %s (RSS 2.0)" -#: actions/showstream.php:141 +#: actions/showstream.php:152 #, php-format msgid "Notice feed for %s (Atom)" msgstr "Kanał wpisów dla %s (Atom)" -#: actions/showstream.php:146 +#. TRANS: Title for link to notice feed. FOAF stands for Friend of a Friend. +#. TRANS: More information at http://www.foaf-project.org. %s is a user nickname. +#: actions/showstream.php:159 #, php-format msgid "FOAF for %s" msgstr "FOAF dla %s" -#: actions/showstream.php:197 -#, php-format -msgid "This is the timeline for %1$s but %2$s hasn't posted anything yet." +#. TRANS: First sentence of empty list message for a stream. $1%s is a user nickname. +#: actions/showstream.php:211 +#, fuzzy, php-format +msgid "This is the timeline for %1$s, but %1$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:202 +#. TRANS: Second sentence of empty list message for a stream for the user themselves. +#: actions/showstream.php:217 msgid "" "Seen anything interesting recently? You haven't posted any notices yet, now " "would be a good time to start :)" @@ -4867,7 +4899,9 @@ msgstr "" "Widziałeś ostatnio coś interesującego? Nie wysłałeś jeszcze żadnych wpisów, " "teraz jest dobry czas, aby zacząć. :)" -#: actions/showstream.php:204 +#. TRANS: Second sentence of empty list message for a non-self stream. %1$s is a user nickname, %2$s is a part of a URL. +#. TRANS: This message contains a Markdown link. Keep "](" together. +#: actions/showstream.php:221 #, php-format msgid "" "You can try to nudge %1$s or [post something to them](%%%%action.newnotice%%%" @@ -4876,7 +4910,9 @@ msgstr "" "Można spróbować szturchnąć użytkownika %1$s lub [wysłać mu coś](%%%%action." "newnotice%%%%?status_textarea=%2$s)." -#: actions/showstream.php:243 +#. TRANS: Announcement for anonymous users showing a stream if site registrations are open. +#. TRANS: This message contains a Markdown link. Keep "](" together. +#: actions/showstream.php:264 #, php-format msgid "" "**%s** has an account on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -4890,7 +4926,9 @@ msgstr "" "obserwować wpisy użytkownika **%s** i wiele więcej. ([Przeczytaj więcej](%%%%" "doc.help%%%%))" -#: actions/showstream.php:248 +#. TRANS: Announcement for anonymous users showing a stream if site registrations are closed or invite only. +#. TRANS: This message contains a Markdown link. Keep "](" together. +#: actions/showstream.php:271 #, php-format msgid "" "**%s** has an account on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -4901,7 +4939,8 @@ msgstr "" "pl.wikipedia.org/wiki/Mikroblog) opartej na wolnym narzędziu [StatusNet]" "(http://status.net/). " -#: actions/showstream.php:305 +#. TRANS: Link to the author of a repeated notice. %s is a linked nickname. +#: actions/showstream.php:328 #, php-format msgid "Repeat of %s" msgstr "Powtórzenia %s" @@ -5015,32 +5054,41 @@ msgstr "" "Ile czasu użytkownicy muszą czekać (w sekundach), aby ponownie wysłać to " "samo." -#: actions/sitenoticeadminpanel.php:56 +#. TRANS: Page title for site-wide notice tab in admin panel. +#: actions/sitenoticeadminpanel.php:55 msgid "Site Notice" msgstr "Wpis witryny" -#: actions/sitenoticeadminpanel.php:67 +#. TRANS: Instructions for site-wide notice tab in admin panel. +#: actions/sitenoticeadminpanel.php:66 msgid "Edit site-wide message" msgstr "Zmodyfikuj wiadomość witryny" -#: actions/sitenoticeadminpanel.php:103 +#. TRANS: Server error displayed when saving a site-wide notice was impossible. +#: actions/sitenoticeadminpanel.php:101 msgid "Unable to save site notice." msgstr "Nie można zapisać wpisu witryny." -#: actions/sitenoticeadminpanel.php:113 -msgid "Max length for the site-wide notice is 255 chars." +#. TRANS: Client error displayed when a site-wide notice was longer than allowed. +#: actions/sitenoticeadminpanel.php:112 +#, fuzzy +msgid "Maximum length for the site-wide notice is 255 characters." msgstr "Maksymalna długość wpisu witryny to 255 znaków." +#. TRANS: Label for site-wide notice text field in admin panel. #: actions/sitenoticeadminpanel.php:176 msgid "Site notice text" msgstr "Tekst wpisu witryny" -#: actions/sitenoticeadminpanel.php:178 -msgid "Site-wide notice text (255 chars max; HTML okay)" +#. TRANS: Tooltip for site-wide notice text field in admin panel. +#: actions/sitenoticeadminpanel.php:179 +#, fuzzy +msgid "Site-wide notice text (255 characters maximum; HTML allowed)" msgstr "" "Tekst wpisu witryny (maksymalnie 255 znaków, można używać znaczników HTML)" -#: actions/sitenoticeadminpanel.php:198 +#. TRANS: Title for button to save site notice in admin panel. +#: actions/sitenoticeadminpanel.php:201 msgid "Save site notice" msgstr "Zapisz wpis witryny" @@ -5507,75 +5555,93 @@ msgstr "" "witryny \"%2$s\"." #. TRANS: User admin panel title -#: actions/useradminpanel.php:60 +#: actions/useradminpanel.php:58 msgctxt "TITLE" msgid "User" msgstr "Użytkownik" -#: actions/useradminpanel.php:71 +#. TRANS: Instruction for user admin panel. +#: actions/useradminpanel.php:69 msgid "User settings for this StatusNet site" msgstr "Ustawienia użytkownika dla tej witryny StatusNet" -#: actions/useradminpanel.php:150 +#. TRANS: Form validation error in user admin panel when a non-numeric character limit was set. +#: actions/useradminpanel.php:147 msgid "Invalid bio limit. Must be numeric." msgstr "Nieprawidłowe ograniczenie informacji o sobie. Musi być liczbowa." -#: actions/useradminpanel.php:156 -msgid "Invalid welcome text. Max length is 255 characters." +#. TRANS: Form validation error in user admin panel when welcome text is too long. +#: actions/useradminpanel.php:154 +#, fuzzy +msgid "Invalid welcome text. Maximum length is 255 characters." msgstr "Nieprawidłowy tekst powitania. Maksymalna długość to 255 znaków." +#. TRANS: Client error displayed when trying to set a non-existing user as default subscription for new +#. TRANS: users in user admin panel. %1$s is the invalid nickname. #: actions/useradminpanel.php:166 -#, php-format -msgid "Invalid default subscripton: '%1$s' is not user." +#, fuzzy, php-format +msgid "Invalid default subscripton: '%1$s' is not a user." msgstr "Nieprawidłowa domyślna subskrypcja: \"%1$s\" nie jest użytkownikiem." #. TRANS: Link description in user account settings menu. -#: actions/useradminpanel.php:219 lib/accountsettingsaction.php:106 +#: actions/useradminpanel.php:215 lib/accountsettingsaction.php:106 #: lib/personalgroupnav.php:109 msgid "Profile" msgstr "Profil" -#: actions/useradminpanel.php:223 +#. TRANS: Field label in user admin panel for setting the character limit for the bio field. +#: actions/useradminpanel.php:220 msgid "Bio Limit" msgstr "Ograniczenie informacji o sobie" -#: actions/useradminpanel.php:224 +#. TRANS: Tooltip in user admin panel for setting the character limit for the bio field. +#: 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:232 +#. TRANS: Form legend in user admin panel. +#: actions/useradminpanel.php:231 msgid "New users" msgstr "Nowi użytkownicy" +#. TRANS: Field label in user admin panel for setting new user welcome text. #: actions/useradminpanel.php:236 msgid "New user welcome" msgstr "Powitanie nowego użytkownika" -#: actions/useradminpanel.php:237 -msgid "Welcome text for new users (Max 255 chars)." +#. TRANS: Tooltip in user admin panel for setting new user welcome text. +#: actions/useradminpanel.php:238 +#, fuzzy +msgid "Welcome text for new users (maximum 255 characters)." msgstr "Tekst powitania nowych użytkowników (maksymalnie 255 znaków)." -#: actions/useradminpanel.php:242 +#. TRANS: Field label in user admin panel for setting default subscription for new users. +#: actions/useradminpanel.php:244 msgid "Default subscription" msgstr "Domyślna subskrypcja" -#: actions/useradminpanel.php:243 +#. TRANS: Tooltip in user admin panel for setting default subscription for new users. +#: actions/useradminpanel.php:246 msgid "Automatically subscribe new users to this user." msgstr "Automatyczne subskrybowanie nowych użytkowników do tego użytkownika." -#: actions/useradminpanel.php:252 +#. TRANS: Form legend in user admin panel. +#: actions/useradminpanel.php:256 msgid "Invitations" msgstr "Zaproszenia" -#: actions/useradminpanel.php:257 +#. TRANS: Field label for checkbox in user admin panel for allowing users to invite friend using site e-mail. +#: actions/useradminpanel.php:262 msgid "Invitations enabled" msgstr "Zaproszenia są włączone" -#: actions/useradminpanel.php:259 +#. TRANS: Tooltip for checkbox in user admin panel for allowing users to invite friend using site e-mail. +#: actions/useradminpanel.php:265 msgid "Whether to allow users to invite new users." msgstr "Czy zezwolić użytkownikom zapraszanie nowych użytkowników." -#: actions/useradminpanel.php:295 +#. TRANS: Title for button to save user settings in user admin panel. +#: actions/useradminpanel.php:302 msgid "Save user settings" msgstr "Zapisz ustawienia użytkownika" @@ -5785,7 +5851,7 @@ msgid "Plugins" msgstr "Wtyczki" #. TRANS: Secondary navigation menu option leading to version information on the StatusNet site. -#: actions/version.php:198 lib/action.php:831 +#: actions/version.php:198 lib/action.php:880 msgid "Version" msgstr "Wersja" @@ -5997,16 +6063,23 @@ msgstr "Nie można zapisać odpowiedzi na %1$d, %2$d." msgid "RT @%1$s %2$s" msgstr "RT @%1$s %2$s" +#. TRANS: Full name of a profile or group followed by nickname in parens +#: classes/Profile.php:164 +#, fuzzy, php-format +msgctxt "FANCYNAME" +msgid "%1$s (%2$s)" +msgstr "%1$s (%2$s)" + #. TRANS: Exception thrown when trying to revoke an existing role for a user that does not exist. #. TRANS: %1$s is the role name, %2$s is the user ID (number). -#: classes/Profile.php:791 +#: classes/Profile.php:812 #, php-format msgid "Cannot revoke role \"%1$s\" for user #%2$d; does not exist." msgstr "Nie można unieważnić roli \"\"%1$s\" użytkownika #%2$d; nie istnieje." #. TRANS: Exception thrown when trying to revoke a role for a user with a failing database query. #. TRANS: %1$s is the role name, %2$s is the user ID (number). -#: classes/Profile.php:800 +#: classes/Profile.php:821 #, php-format msgid "Cannot revoke role \"%1$s\" for user #%2$d; database error." msgstr "" @@ -6153,194 +6226,201 @@ msgstr "%1$s - %2$s" msgid "Untitled page" msgstr "Strona bez nazwy" +#. TRANS: Localized tooltip for '...' expansion button on overlong remote messages. +#: lib/action.php:310 +msgctxt "TOOLTIP" +msgid "Show more" +msgstr "" + #. TRANS: DT element for primary navigation menu. String is hidden in default CSS. -#: lib/action.php:477 +#: lib/action.php:526 msgid "Primary site navigation" msgstr "Główna nawigacja witryny" #. TRANS: Tooltip for main menu option "Personal" -#: lib/action.php:483 +#: lib/action.php:532 msgctxt "TOOLTIP" msgid "Personal profile and friends timeline" msgstr "Profil osobisty i oś czasu przyjaciół" #. TRANS: Main menu option when logged in for access to personal profile and friends timeline -#: lib/action.php:486 +#: lib/action.php:535 msgctxt "MENU" msgid "Personal" msgstr "Osobiste" #. TRANS: Tooltip for main menu option "Account" -#: lib/action.php:488 +#: lib/action.php:537 msgctxt "TOOLTIP" msgid "Change your email, avatar, password, profile" msgstr "Zmień adres e-mail, awatar, hasło, profil" #. TRANS: Main menu option when logged in for access to user settings -#: lib/action.php:491 +#: lib/action.php:540 msgid "Account" msgstr "Konto" #. TRANS: Tooltip for main menu option "Services" -#: lib/action.php:493 +#: lib/action.php:542 msgctxt "TOOLTIP" msgid "Connect to services" msgstr "Połącz z serwisami" #. TRANS: Main menu option when logged in and connection are possible for access to options to connect to other services -#: lib/action.php:496 +#: lib/action.php:545 msgid "Connect" msgstr "Połącz" #. TRANS: Tooltip for menu option "Admin" -#: lib/action.php:499 +#: lib/action.php:548 msgctxt "TOOLTIP" msgid "Change site configuration" msgstr "Zmień konfigurację witryny" #. TRANS: Main menu option when logged in and site admin for access to site configuration #. TRANS: Menu item in the group navigation page. Only shown for group administrators. -#: lib/action.php:502 lib/groupnav.php:117 +#: lib/action.php:551 lib/groupnav.php:117 msgctxt "MENU" msgid "Admin" msgstr "Administrator" #. TRANS: Tooltip for main menu option "Invite" -#: lib/action.php:506 +#: lib/action.php:555 #, 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" #. TRANS: Main menu option when logged in and invitations are allowed for inviting new users -#: lib/action.php:509 +#: lib/action.php:558 msgctxt "MENU" msgid "Invite" msgstr "Zaproś" #. TRANS: Tooltip for main menu option "Logout" -#: lib/action.php:515 +#: lib/action.php:564 msgctxt "TOOLTIP" msgid "Logout from the site" msgstr "Wyloguj się z witryny" #. TRANS: Main menu option when logged in to log out the current user -#: lib/action.php:518 +#: lib/action.php:567 msgctxt "MENU" msgid "Logout" msgstr "Wyloguj się" #. TRANS: Tooltip for main menu option "Register" -#: lib/action.php:523 +#: lib/action.php:572 msgctxt "TOOLTIP" msgid "Create an account" msgstr "Utwórz konto" #. TRANS: Main menu option when not logged in to register a new account -#: lib/action.php:526 +#: lib/action.php:575 msgctxt "MENU" msgid "Register" msgstr "Zarejestruj się" #. TRANS: Tooltip for main menu option "Login" -#: lib/action.php:529 +#: lib/action.php:578 msgctxt "TOOLTIP" msgid "Login to the site" msgstr "Zaloguj się na witrynie" #. TRANS: Main menu option when not logged in to log in -#: lib/action.php:532 +#: lib/action.php:581 msgctxt "MENU" msgid "Login" msgstr "Zaloguj się" #. TRANS: Tooltip for main menu option "Help" -#: lib/action.php:535 +#: lib/action.php:584 msgctxt "TOOLTIP" msgid "Help me!" msgstr "Pomóż mi." #. TRANS: Main menu option for help on the StatusNet site -#: lib/action.php:538 +#: lib/action.php:587 msgctxt "MENU" msgid "Help" msgstr "Pomoc" #. TRANS: Tooltip for main menu option "Search" -#: lib/action.php:541 +#: lib/action.php:590 msgctxt "TOOLTIP" msgid "Search for people or text" msgstr "Wyszukaj osoby lub tekst" #. TRANS: Main menu option when logged in or when the StatusNet instance is not private -#: lib/action.php:544 +#: lib/action.php:593 msgctxt "MENU" msgid "Search" msgstr "Wyszukaj" #. TRANS: DT element for site notice. String is hidden in default CSS. #. TRANS: Menu item for site administration -#: lib/action.php:566 lib/adminpanelaction.php:387 +#: lib/action.php:615 lib/adminpanelaction.php:387 msgid "Site notice" msgstr "Wpis witryny" #. TRANS: DT element for local views block. String is hidden in default CSS. -#: lib/action.php:633 +#: lib/action.php:682 msgid "Local views" msgstr "Lokalne widoki" #. TRANS: DT element for page notice. String is hidden in default CSS. -#: lib/action.php:703 +#: lib/action.php:752 msgid "Page notice" msgstr "Wpis strony" #. TRANS: DT element for secondary navigation menu. String is hidden in default CSS. -#: lib/action.php:804 +#: lib/action.php:853 msgid "Secondary site navigation" msgstr "Druga nawigacja witryny" #. TRANS: Secondary navigation menu option leading to help on StatusNet. -#: lib/action.php:810 +#: lib/action.php:859 msgid "Help" msgstr "Pomoc" #. TRANS: Secondary navigation menu option leading to text about StatusNet site. -#: lib/action.php:813 +#: lib/action.php:862 msgid "About" msgstr "O usłudze" #. TRANS: Secondary navigation menu option leading to Frequently Asked Questions. -#: lib/action.php:816 +#: lib/action.php:865 msgid "FAQ" msgstr "FAQ" #. TRANS: Secondary navigation menu option leading to Terms of Service. -#: lib/action.php:821 +#: lib/action.php:870 msgid "TOS" msgstr "TOS" #. TRANS: Secondary navigation menu option leading to privacy policy. -#: lib/action.php:825 +#: lib/action.php:874 msgid "Privacy" msgstr "Prywatność" -#. TRANS: Secondary navigation menu option. -#: lib/action.php:828 +#. TRANS: Secondary navigation menu option. Leads to information about StatusNet and its license. +#: lib/action.php:877 msgid "Source" msgstr "Kod źródłowy" -#. TRANS: Secondary navigation menu option leading to contact information on the StatusNet site. -#: lib/action.php:834 +#. TRANS: Secondary navigation menu option leading to e-mail contact information on the +#. TRANS: StatusNet site, where to report bugs, ... +#: lib/action.php:884 msgid "Contact" msgstr "Kontakt" -#. TRANS: Secondary navigation menu option. -#: lib/action.php:837 +#. TRANS: Secondary navigation menu option. Leads to information about embedding a timeline widget. +#: lib/action.php:887 msgid "Badge" msgstr "Odznaka" #. TRANS: DT element for StatusNet software license. -#: lib/action.php:866 +#: lib/action.php:916 msgid "StatusNet software license" msgstr "Licencja oprogramowania StatusNet" @@ -6348,7 +6428,7 @@ msgstr "Licencja oprogramowania StatusNet" #. TRANS: Text between [] is a link description, text between () is the link itself. #. TRANS: Make sure there is no whitespace between "]" and "(". #. TRANS: "%%site.broughtby%%" is the value of the variable site.broughtby -#: lib/action.php:873 +#: lib/action.php:923 #, php-format msgid "" "**%%site.name%%** is a microblogging service brought to you by [%%site." @@ -6358,7 +6438,7 @@ msgstr "" "broughtby%%](%%site.broughtbyurl%%)." #. TRANS: First sentence of the StatusNet site license. Used if 'broughtby' is not set. -#: lib/action.php:876 +#: lib/action.php:926 #, php-format msgid "**%%site.name%%** is a microblogging service." msgstr "**%%site.name%%** jest usługą mikroblogowania." @@ -6367,7 +6447,7 @@ msgstr "**%%site.name%%** jest usługą mikroblogowania." #. TRANS: Make sure there is no whitespace between "]" and "(". #. TRANS: Text between [] is a link description, text between () is the link itself. #. TRANS: %s is the version of StatusNet that is being used. -#: lib/action.php:883 +#: lib/action.php:933 #, php-format msgid "" "It runs the [StatusNet](http://status.net/) microblogging software, version %" @@ -6379,20 +6459,20 @@ msgstr "" "Affero](http://www.fsf.org/licensing/licenses/agpl-3.0.html)." #. TRANS: DT element for StatusNet site content license. -#: lib/action.php:899 +#: lib/action.php:949 msgid "Site content license" msgstr "Licencja zawartości witryny" #. TRANS: Content license displayed when license is set to 'private'. #. TRANS: %1$s is the site name. -#: lib/action.php:906 +#: lib/action.php:956 #, php-format msgid "Content and data of %1$s are private and confidential." msgstr "Treść i dane %1$s są prywatne i poufne." #. TRANS: Content license displayed when license is set to 'allrightsreserved'. #. TRANS: %1$s is the copyright owner. -#: lib/action.php:913 +#: lib/action.php:963 #, php-format msgid "Content and data copyright by %1$s. All rights reserved." msgstr "" @@ -6400,7 +6480,7 @@ msgstr "" "zastrzeżone." #. TRANS: Content license displayed when license is set to 'allrightsreserved' and no owner is set. -#: lib/action.php:917 +#: lib/action.php:967 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 " @@ -6408,7 +6488,7 @@ msgstr "" #. TRANS: license message in footer. #. TRANS: %1$s is the site name, %2$s is a link to the license URL, with a licence name set in configuration. -#: lib/action.php:949 +#: lib/action.php:999 #, php-format msgid "All %1$s content and data are available under the %2$s license." msgstr "" @@ -6416,19 +6496,19 @@ msgstr "" "$s." #. TRANS: DT element for pagination (previous/next, etc.). -#: lib/action.php:1285 +#: lib/action.php:1335 msgid "Pagination" msgstr "Paginacja" #. TRANS: Pagination message to go to a page displaying information more in the #. TRANS: present than the currently displayed information. -#: lib/action.php:1296 +#: lib/action.php:1346 msgid "After" msgstr "Później" #. TRANS: Pagination message to go to a page displaying information more in the #. TRANS: past than the currently displayed information. -#: lib/action.php:1306 +#: lib/action.php:1356 msgid "Before" msgstr "Wcześniej" @@ -6772,7 +6852,7 @@ msgid "AJAX error" msgstr "Błąd AJAX" #. TRANS: E-mail subject when a command has completed. -#: lib/channel.php:233 lib/mailhandler.php:142 +#: lib/channel.php:233 lib/mailhandler.php:143 msgid "Command complete" msgstr "Zakończono polecenie" @@ -6788,7 +6868,7 @@ msgstr "Wpis z tym identyfikatorem nie istnieje." #. TRANS: Command exception text shown when a last user notice is requested and it does not exist. #. TRANS: Error text shown when a last user notice is requested and it does not exist. -#: lib/command.php:99 lib/command.php:626 +#: lib/command.php:99 lib/command.php:630 msgid "User has no last notice." msgstr "Użytkownik nie posiada ostatniego wpisu." @@ -6857,6 +6937,14 @@ msgstr "Użytkownik %1$s dołączył do grupy %2$s." msgid "%1$s left group %2$s." msgstr "Użytkownik %1$s opuścił grupę %2$s." +#. TRANS: Whois output. +#. TRANS: %1$s nickname of the queried user, %2$s is their profile URL. +#: lib/command.php:426 +#, fuzzy, php-format +msgctxt "WHOIS" +msgid "%1$s (%2$s)" +msgstr "%1$s (%2$s)" + #. TRANS: Whois output. %s is the full name of the queried user. #: lib/command.php:430 #, php-format @@ -6896,113 +6984,119 @@ msgstr "" "%s to zdalny profil; można wysyłać bezpośrednie wiadomości tylko do " "użytkowników na tym samym serwerze." -#. TRANS: Message given if content is too long. +#. TRANS: Message given if content is too long. %1$sd is used for plural. #. TRANS: %1$d is the maximum number of characters, %2$d is the number of submitted characters. #: lib/command.php:488 -#, 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." +#, fuzzy, php-format +msgid "Message too long - maximum is %1$d character, you sent %2$d." +msgid_plural "Message too long - maximum is %1$d characters, you sent %2$d." +msgstr[0] "Wiadomość jest za długa - maksymalnie %1$d znaków, wysłano %2$d." +msgstr[1] "Wiadomość jest za długa - maksymalnie %1$d znaków, wysłano %2$d." +msgstr[2] "Wiadomość jest za długa - maksymalnie %1$d znaków, wysłano %2$d." #. TRANS: Error text shown sending a direct message fails with an unknown reason. -#: lib/command.php:514 +#: lib/command.php:516 msgid "Error sending direct message." msgstr "Błąd podczas wysyłania bezpośredniej wiadomości." #. TRANS: Message given having repeated a notice from another user. #. TRANS: %s is the name of the user for which the notice was repeated. -#: lib/command.php:551 +#: lib/command.php:553 #, php-format msgid "Notice from %s repeated." msgstr "Powtórzono wpis od użytkownika %s." #. TRANS: Error text shown when repeating a notice fails with an unknown reason. -#: lib/command.php:554 +#: lib/command.php:556 msgid "Error repeating notice." msgstr "Błąd podczas powtarzania wpisu." -#. TRANS: Message given if content of a notice for a reply is too long. +#. TRANS: Message given if content of a notice for a reply is too long. %1$d is used for plural. #. TRANS: %1$d is the maximum number of characters, %2$d is the number of submitted characters. -#: lib/command.php:589 -#, php-format -msgid "Notice too long - maximum is %1$d characters, you sent %2$d." -msgstr "Wpis jest za długi - maksymalnie %1$d znaków, wysłano %2$d." +#: lib/command.php:591 +#, fuzzy, php-format +msgid "Notice too long - maximum is %1$d character, you sent %2$d." +msgid_plural "Notice too long - maximum is %1$d characters, you sent %2$d." +msgstr[0] "Wpis jest za długi - maksymalnie %1$d znaków, wysłano %2$d." +msgstr[1] "Wpis jest za długi - maksymalnie %1$d znaków, wysłano %2$d." +msgstr[2] "Wpis jest za długi - maksymalnie %1$d znaków, wysłano %2$d." #. TRANS: Text shown having sent a reply to a notice successfully. #. TRANS: %s is the nickname of the user of the notice the reply was sent to. -#: lib/command.php:600 +#: lib/command.php:604 #, php-format msgid "Reply to %s sent." msgstr "Wysłano odpowiedź do %s." #. TRANS: Error text shown when a reply to a notice fails with an unknown reason. -#: lib/command.php:603 +#: lib/command.php:607 msgid "Error saving notice." msgstr "Błąd podczas zapisywania wpisu." #. TRANS: Error text shown when no username was provided when issuing a subscribe command. -#: lib/command.php:650 +#: lib/command.php:654 msgid "Specify the name of the user to subscribe to." msgstr "Podaj nazwę użytkownika do subskrybowania." #. TRANS: Command exception text shown when trying to subscribe to an OMB profile using the subscribe command. -#: lib/command.php:659 +#: lib/command.php:663 msgid "Can't subscribe to OMB profiles by command." msgstr "Nie można subskrybować profili OMB za pomocą polecenia." #. TRANS: Text shown after having subscribed to another user successfully. #. TRANS: %s is the name of the user the subscription was requested for. -#: lib/command.php:667 +#: lib/command.php:671 #, php-format msgid "Subscribed to %s." msgstr "Subskrybowano użytkownika %s." #. TRANS: Error text shown when no username was provided when issuing an unsubscribe command. #. TRANS: Error text shown when no username was provided when issuing the command. -#: lib/command.php:688 lib/command.php:799 +#: lib/command.php:692 lib/command.php:803 msgid "Specify the name of the user to unsubscribe from." msgstr "Podaj nazwę użytkownika do usunięcia subskrypcji." #. TRANS: Text shown after having unsubscribed from another user successfully. #. TRANS: %s is the name of the user the unsubscription was requested for. -#: lib/command.php:699 +#: lib/command.php:703 #, php-format msgid "Unsubscribed from %s." msgstr "Usunięto subskrypcję użytkownika %s." #. TRANS: Error text shown when issuing the command "off" with a setting which has not yet been implemented. #. TRANS: Error text shown when issuing the command "on" with a setting which has not yet been implemented. -#: lib/command.php:719 lib/command.php:745 +#: lib/command.php:723 lib/command.php:749 msgid "Command not yet implemented." msgstr "Nie zaimplementowano polecenia." #. TRANS: Text shown when issuing the command "off" successfully. -#: lib/command.php:723 +#: lib/command.php:727 msgid "Notification off." msgstr "Wyłączono powiadomienia." #. TRANS: Error text shown when the command "off" fails for an unknown reason. -#: lib/command.php:726 +#: lib/command.php:730 msgid "Can't turn off notification." msgstr "Nie można wyłączyć powiadomień." #. TRANS: Text shown when issuing the command "on" successfully. -#: lib/command.php:749 +#: lib/command.php:753 msgid "Notification on." msgstr "Włączono powiadomienia." #. TRANS: Error text shown when the command "on" fails for an unknown reason. -#: lib/command.php:752 +#: lib/command.php:756 msgid "Can't turn on notification." msgstr "Nie można włączyć powiadomień." #. TRANS: Error text shown when issuing the login command while login is disabled. -#: lib/command.php:766 +#: lib/command.php:770 msgid "Login command is disabled." msgstr "Polecenie logowania jest wyłączone." #. TRANS: Text shown after issuing the login command successfully. #. TRANS: %s is a logon link.. -#: lib/command.php:779 +#: lib/command.php:783 #, php-format msgid "This link is useable only once and is valid for only 2 minutes: %s." msgstr "" @@ -7010,20 +7104,20 @@ msgstr "" #. TRANS: Text shown after issuing the lose command successfully (stop another user from following the current user). #. TRANS: %s is the name of the user the unsubscription was requested for. -#: lib/command.php:808 +#: lib/command.php:812 #, php-format msgid "Unsubscribed %s." msgstr "Usunięto subskrypcję użytkownika %s." #. TRANS: Text shown after requesting other users a user is subscribed to without having any subscriptions. -#: lib/command.php:826 +#: lib/command.php:830 msgid "You are not subscribed to anyone." msgstr "Nie subskrybujesz nikogo." #. TRANS: Text shown after requesting other users a user is subscribed to. #. TRANS: This message supports plural forms. This message is followed by a #. TRANS: hard coded space and a comma separated list of subscribed users. -#: lib/command.php:831 +#: lib/command.php:835 msgid "You are subscribed to this person:" msgid_plural "You are subscribed to these people:" msgstr[0] "Subskrybujesz tę osobę:" @@ -7032,14 +7126,14 @@ msgstr[2] "Subskrybujesz te osoby:" #. TRANS: Text shown after requesting other users that are subscribed to a user #. TRANS: (followers) without having any subscribers. -#: lib/command.php:853 +#: lib/command.php:857 msgid "No one is subscribed to you." msgstr "Nikt cię nie subskrybuje." #. TRANS: Text shown after requesting other users that are subscribed to a user (followers). #. TRANS: This message supports plural forms. This message is followed by a #. TRANS: hard coded space and a comma separated list of subscribing users. -#: lib/command.php:858 +#: lib/command.php:862 msgid "This person is subscribed to you:" msgid_plural "These people are subscribed to you:" msgstr[0] "Ta osoba cię subskrybuje:" @@ -7048,14 +7142,14 @@ msgstr[2] "Te osoby cię subskrybują:" #. TRANS: Text shown after requesting groups a user is subscribed to without having #. TRANS: any group subscriptions. -#: lib/command.php:880 +#: lib/command.php:884 msgid "You are not a member of any groups." msgstr "Nie jesteś członkiem żadnej grupy." #. TRANS: Text shown after requesting groups a user is subscribed to. #. TRANS: This message supports plural forms. This message is followed by a #. TRANS: hard coded space and a comma separated list of subscribed groups. -#: lib/command.php:885 +#: lib/command.php:889 msgid "You are a member of this group:" msgid_plural "You are a member of these groups:" msgstr[0] "Jesteś członkiem tej grupy:" @@ -7063,7 +7157,7 @@ msgstr[1] "Jesteś członkiem tych grup:" msgstr[2] "Jesteś członkiem tych grup:" #. TRANS: Help text for commands. Do not translate the command names themselves; they are fixed strings. -#: lib/command.php:900 +#: lib/command.php:904 msgid "" "Commands:\n" "on - turn on notifications\n" @@ -7292,7 +7386,8 @@ 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" #: lib/groupeditform.php:163 -msgid "URL of the homepage or blog of the group or topic" +#, fuzzy +msgid "URL of the homepage or blog of the group or topic." msgstr "Adres URL strony domowej lub bloga grupy, albo temat" #: lib/groupeditform.php:168 @@ -7300,21 +7395,36 @@ msgid "Describe the group or topic" msgstr "Opisz grupę lub temat" #: lib/groupeditform.php:170 -#, php-format -msgid "Describe the group or topic in %d characters" -msgstr "Opisz grupę lub temat w %d znakach" +#, fuzzy, php-format +msgid "Describe the group or topic in %d character or less" +msgid_plural "Describe the group or topic in %d characters or less" +msgstr[0] "Opisz grupę lub temat w %d znakach" +msgstr[1] "Opisz grupę lub temat w %d znakach" +msgstr[2] "Opisz grupę lub temat w %d znakach" -#: lib/groupeditform.php:179 +#: lib/groupeditform.php:182 +#, fuzzy msgid "" -"Location for the group, if any, like \"City, State (or Region), Country\"" +"Location for the group, if any, like \"City, State (or Region), Country\"." msgstr "" "Położenie grupy, jeśli istnieje, np. \"miasto, województwo (lub region), kraj" "\"" -#: lib/groupeditform.php:187 -#, php-format -msgid "Extra nicknames for the group, comma- or space- separated, max %d" -msgstr "" +#: lib/groupeditform.php:190 +#, fuzzy, php-format +msgid "" +"Extra nicknames for the group, separated with commas or spaces. Maximum %d " +"alias allowed." +msgid_plural "" +"Extra nicknames for the group, separated with commas or spaces. Maximum %d " +"aliases allowed." +msgstr[0] "" +"Dodatkowe pseudonimy grupy, oddzielone przecinkami lub spacjami, maksymalnie " +"%d" +msgstr[1] "" +"Dodatkowe pseudonimy grupy, oddzielone przecinkami lub spacjami, maksymalnie " +"%d" +msgstr[2] "" "Dodatkowe pseudonimy grupy, oddzielone przecinkami lub spacjami, maksymalnie " "%d" @@ -7446,30 +7556,30 @@ msgstr "Nieznany typ pliku" #. TRANS: Number of megabytes. %d is the number. #: lib/imagefile.php:248 -#, fuzzy, php-format +#, php-format msgid "%dMB" msgid_plural "%dMB" -msgstr[0] "MB" -msgstr[1] "MB" -msgstr[2] "MB" +msgstr[0] "%d MB" +msgstr[1] "%d MB" +msgstr[2] "%d MB" #. TRANS: Number of kilobytes. %d is the number. #: lib/imagefile.php:252 -#, fuzzy, php-format +#, php-format msgid "%dkB" msgid_plural "%dkB" -msgstr[0] "KB" -msgstr[1] "KB" -msgstr[2] "KB" +msgstr[0] "%d KB" +msgstr[1] "%d KB" +msgstr[2] "%d KB" #. TRANS: Number of bytes. %d is the number. #: lib/imagefile.php:255 #, php-format msgid "%dB" msgid_plural "%dB" -msgstr[0] "" -msgstr[1] "" -msgstr[2] "" +msgstr[0] "%d B" +msgstr[1] "%d B" +msgstr[2] "%d B" #: lib/jabber.php:387 #, php-format @@ -7876,7 +7986,7 @@ msgstr "To nie jest przychodzący adres e-mail." msgid "Sorry, no incoming email allowed." msgstr "Przychodzący e-mail nie jest dozwolony." -#: lib/mailhandler.php:228 +#: lib/mailhandler.php:229 #, php-format msgid "Unsupported message type: %s" msgstr "Nieobsługiwany typ wiadomości: %s" @@ -8221,16 +8331,17 @@ msgid "Sandbox this user" msgstr "Ogranicz tego użytkownika" #. TRANS: Fieldset legend for the search form. -#: lib/searchaction.php:121 +#: lib/searchaction.php:120 msgid "Search site" msgstr "Przeszukaj witrynę" #. TRANS: Used as a field label for the field where one or more keywords #. TRANS: for searching can be entered. -#: lib/searchaction.php:129 +#: lib/searchaction.php:128 msgid "Keyword(s)" msgstr "Słowa kluczowe" +#. TRANS: Button text for searching site. #: lib/searchaction.php:130 msgctxt "BUTTON" msgid "Search" @@ -8321,8 +8432,8 @@ msgid "The theme file is missing or the upload failed." msgstr "Brak pliku motywu lub wysłanie nie powiodło się." #: lib/themeuploader.php:91 lib/themeuploader.php:102 -#: lib/themeuploader.php:278 lib/themeuploader.php:282 -#: lib/themeuploader.php:290 lib/themeuploader.php:297 +#: lib/themeuploader.php:279 lib/themeuploader.php:283 +#: lib/themeuploader.php:291 lib/themeuploader.php:298 msgid "Failed saving theme." msgstr "Zapisanie motywu nie powiodło się." @@ -8331,17 +8442,25 @@ msgid "Invalid theme: bad directory structure." msgstr "Nieprawidłowy motyw: błędna struktura katalogów." #: lib/themeuploader.php:166 -#, php-format -msgid "Uploaded theme is too large; must be less than %d bytes uncompressed." -msgstr "" +#, fuzzy, php-format +msgid "Uploaded theme is too large; must be less than %d byte uncompressed." +msgid_plural "" +"Uploaded theme is too large; must be less than %d bytes uncompressed." +msgstr[0] "" +"Wysłany motyw jest za duży, musi być mniejszy niż %d bajtów po " +"zdekompresowaniu." +msgstr[1] "" +"Wysłany motyw jest za duży, musi być mniejszy niż %d bajtów po " +"zdekompresowaniu." +msgstr[2] "" "Wysłany motyw jest za duży, musi być mniejszy niż %d bajtów po " "zdekompresowaniu." -#: lib/themeuploader.php:178 +#: lib/themeuploader.php:179 msgid "Invalid theme archive: missing file css/display.css" msgstr "Nieprawidłowe archiwum motywu: brak pliku css/display.css" -#: lib/themeuploader.php:218 +#: lib/themeuploader.php:219 msgid "" "Theme contains invalid file or folder name. Stick with ASCII letters, " "digits, underscore, and minus sign." @@ -8349,18 +8468,18 @@ msgstr "" "Motyw zawiera nieprawidłowy plik lub nazwę katalogu. Należy używać tylko " "liter, cyfr, podkreślników i znaku minus z zestawu ASCII." -#: lib/themeuploader.php:224 +#: lib/themeuploader.php:225 msgid "Theme contains unsafe file extension names; may be unsafe." msgstr "" "Temat zawiera niebezpieczne rozszerzenie nazwy pliku, co może stanowić " "zagrożenie." -#: lib/themeuploader.php:241 +#: lib/themeuploader.php:242 #, php-format msgid "Theme contains file of type '.%s', which is not allowed." msgstr "Motyw zawiera plik typu \\\".%s\\\", który nie jest dozwolony." -#: lib/themeuploader.php:259 +#: lib/themeuploader.php:260 msgid "Error opening theme archive." msgstr "Błąd podczas otwierania archiwum motywu." @@ -8370,10 +8489,9 @@ msgstr "Najczęściej wysyłający wpisy" #. TRANS: Title for the form to unblock a user. #: lib/unblockform.php:67 -#, fuzzy msgctxt "TITLE" msgid "Unblock" -msgstr "Odblokuj" +msgstr "Odblokowanie" #: lib/unsandboxform.php:69 msgid "Unsandbox" @@ -8549,22 +8667,41 @@ msgstr[0] "Wiadomość jest za długa. Maksymalnie %1$d znak, wysłano %2$d." msgstr[1] "Wiadomość jest za długa. Maksymalnie %1$d znaki, wysłano %2$d." msgstr[2] "Wiadomość jest za długa. Maksymalnie %1$d znaków, wysłano %2$d." -#: scripts/restoreuser.php:82 +#. TRANS: Commandline script output. %s is the filename that contains a backup for a user. +#: scripts/restoreuser.php:61 #, php-format -msgid "Backup file for user %s (%s)" -msgstr "Plik kopii zapasowej dla użytkownika %s (%s)" +msgid "Getting backup from file '%s'." +msgstr "" -#: scripts/restoreuser.php:88 +#. TRANS: Commandline script output. +#: scripts/restoreuser.php:91 msgid "No user specified; using backup user." msgstr "Nie podano użytkownika; używanie użytkownika zapasowego." -#: scripts/restoreuser.php:94 -#, php-format -msgid "%d entries in backup." -msgstr "%d wpisów w kopii zapasowej." +#. TRANS: Commandline script output. %d is the number of entries in the activity stream in backup; used for plural. +#: scripts/restoreuser.php:98 +#, fuzzy, php-format +msgid "%d entry in backup." +msgid_plural "%d entries in backup." +msgstr[0] "%d wpisów w kopii zapasowej." +msgstr[1] "%d wpisów w kopii zapasowej." +msgstr[2] "%d wpisów w kopii zapasowej." -#~ msgid "Description is too long (max %d chars)." -#~ msgstr "Opis jest za długi (maksymalnie %d znaków)." +#~ msgid "Name is too long (maximum 255 chars)." +#~ msgstr "Nazwa jest za długa (maksymalnie 255 znaków)." -#~ msgid "Too many aliases! Maximum %d." -#~ msgstr "Za dużo aliasów. Maksymalnie %d." +#~ msgid "Organization is too long (maximum 255 chars)." +#~ msgstr "Organizacja jest za długa (maksymalnie 255 znaków)." + +#~ msgid "That's too long. Max notice size is %d chars." +#~ msgstr "Wpis jest za długi. Maksymalna długość wynosi %d znaków." + +#~ msgid "Max notice size is %d chars, including attachment URL." +#~ msgstr "" +#~ "Maksymalny rozmiar wpisu wynosi %d znaków, w tym adres URL załącznika." + +#~ msgid " tagged %s" +#~ msgstr " ze znacznikiem %s" + +#~ msgid "Backup file for user %s (%s)" +#~ msgstr "Plik kopii zapasowej dla użytkownika %s (%s)" diff --git a/locale/pt/LC_MESSAGES/statusnet.po b/locale/pt/LC_MESSAGES/statusnet.po index be8cae38f5..2c04b685dd 100644 --- a/locale/pt/LC_MESSAGES/statusnet.po +++ b/locale/pt/LC_MESSAGES/statusnet.po @@ -14,17 +14,17 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet - Core\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-10-30 23:18+0000\n" -"PO-Revision-Date: 2010-10-30 23:20:42+0000\n" +"POT-Creation-Date: 2010-11-02 22:51+0000\n" +"PO-Revision-Date: 2010-11-02 22:53: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 (r75708); Translate extension (2010-09-17)\n" +"X-Generator: MediaWiki 1.17alpha (r75875); Translate extension (2010-09-17)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: pt\n" "X-Message-Group: #out-statusnet-core\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-POT-Import-Date: 2010-10-30 09:48:40+0000\n" +"X-POT-Import-Date: 2010-10-30 23:42:01+0000\n" #. TRANS: Page title for Access admin panel that allows configuring site access. #. TRANS: Menu item for site administration @@ -81,15 +81,20 @@ msgstr "Gravar configurações de acesso" #. TRANS: Tooltip for button to save access settings in site admin panel. #. TRANS: Button label to save e-mail preferences. #. TRANS: Button label to save IM preferences. +#. TRANS: Button text for saving "Other settings" in profile. #. TRANS: Button text to store form data in the Paths admin panel. #. TRANS: Button to save input in profile settings. +#. TRANS: Button text for saving site notice in admin panel. #. TRANS: Button label to save SMS preferences. #. TRANS: Save button for settings for a profile in a subscriptions list. +#. TRANS: Button text to save user settings in user admin panel. #. TRANS: Button label in the "Edit application" form. #: actions/accessadminpanel.php:193 actions/emailsettings.php:228 -#: actions/imsettings.php:187 actions/pathsadminpanel.php:512 -#: actions/profilesettings.php:201 actions/smssettings.php:209 -#: actions/subscriptions.php:246 lib/applicationeditform.php:355 +#: actions/imsettings.php:187 actions/othersettings.php:134 +#: actions/pathsadminpanel.php:512 actions/profilesettings.php:201 +#: actions/sitenoticeadminpanel.php:197 actions/smssettings.php:209 +#: actions/subscriptions.php:246 actions/useradminpanel.php:298 +#: lib/applicationeditform.php:355 lib/groupeditform.php:207 msgctxt "BUTTON" msgid "Save" msgstr "Gravar" @@ -140,7 +145,7 @@ msgstr "Página não foi encontrada." #: 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:93 actions/userrss.php:40 -#: actions/xrds.php:71 lib/command.php:495 lib/galleryaction.php:59 +#: actions/xrds.php:71 lib/command.php:497 lib/galleryaction.php:59 #: lib/mailbox.php:82 lib/profileaction.php:77 msgid "No such user." msgstr "Utilizador não foi encontrado." @@ -212,7 +217,9 @@ msgstr "" #. TRANS: Encoutagement displayed on empty timeline user pages for anonymous users. #. TRANS: %s is a user nickname. This message contains Markdown links. Keep "](" together. -#: actions/all.php:155 actions/replies.php:210 actions/showstream.php:208 +#. TRANS: Second sentence of empty message for anonymous users. %s is a user nickname. +#. TRANS: This message contains a Markdown link. Keep "](" together. +#: actions/all.php:155 actions/replies.php:210 actions/showstream.php:227 #, php-format msgid "" "Why not [register an account](%%%%action.register%%%%) and then nudge %s or " @@ -567,8 +574,11 @@ msgstr "Nome completo demasiado longo (máx. 255 caracteres)." #. TRANS: Group edit form validation error. #. TRANS: Form validation error in New application form. #. TRANS: %d is the maximum number of characters for the description. +#. TRANS: Group create form validation error. +#. TRANS: %d is the maximum number of allowed characters. #: actions/apigroupcreate.php:220 actions/editapplication.php:201 #: actions/editgroup.php:216 actions/newapplication.php:178 +#: actions/newgroup.php:152 #, fuzzy, php-format msgid "Description is too long (maximum %d character)." msgid_plural "Description is too long (maximum %d characters)." @@ -728,14 +738,14 @@ msgstr "Não tem autorização." #. TRANS: Form validation error in API OAuth authorisation because of an invalid session token. #: actions/apioauthauthorize.php:147 actions/avatarsettings.php:280 -#: actions/deletenotice.php:172 actions/disfavor.php:74 +#: actions/deletenotice.php:177 actions/disfavor.php:74 #: actions/emailsettings.php:271 actions/favor.php:75 actions/geocode.php:55 #: actions/groupblock.php:66 actions/grouplogo.php:312 #: actions/groupunblock.php:65 actions/imsettings.php:230 #: actions/invite.php:59 actions/login.php:137 actions/makeadmin.php:66 #: actions/newmessage.php:135 actions/newnotice.php:105 actions/nudge.php:80 #: actions/oauthappssettings.php:165 actions/oauthconnectionssettings.php:138 -#: actions/othersettings.php:145 actions/passwordsettings.php:138 +#: actions/othersettings.php:153 actions/passwordsettings.php:138 #: actions/profilesettings.php:221 actions/recoverpassword.php:350 #: actions/register.php:172 actions/remotesubscribe.php:77 #: actions/repeat.php:83 actions/smssettings.php:256 actions/subedit.php:40 @@ -915,20 +925,21 @@ msgstr "Não pode apagar o estado de outro utilizador." #. TRANS: Client error displayed trying to repeat a non-existing notice through the API. #. TRANS: Client error displayed trying to display redents of a non-exiting notice. +#. TRANS: Error message displayed trying to delete a non-existing notice. #: actions/apistatusesretweet.php:74 actions/apistatusesretweets.php:70 -#: actions/deletenotice.php:58 actions/shownotice.php:92 +#: actions/deletenotice.php:61 actions/shownotice.php:92 msgid "No such notice." msgstr "Nota não foi encontrada." #. TRANS: Client error displayed trying to repeat an own notice through the API. #. TRANS: Error text shown when trying to repeat an own notice. -#: actions/apistatusesretweet.php:83 lib/command.php:535 +#: actions/apistatusesretweet.php:83 lib/command.php:537 msgid "Cannot repeat your own notice." msgstr "Não pode repetir a sua própria nota." #. TRANS: Client error displayed trying to re-repeat a notice through the API. #. TRANS: Error text shown when trying to repeat an notice that was already repeated by the user. -#: actions/apistatusesretweet.php:92 lib/command.php:541 +#: actions/apistatusesretweet.php:92 lib/command.php:543 msgid "Already repeated that notice." msgstr "Já repetiu essa nota." @@ -949,7 +960,8 @@ msgstr "O cliente tem de fornecer um parâmetro 'status' com um valor." #. TRANS: Client error displayed when the parameter "status" is missing. #. TRANS: %d is the maximum number of character for a notice. -#: actions/apistatusesupdate.php:244 +#: actions/apistatusesupdate.php:244 actions/newnotice.php:161 +#: lib/mailhandler.php:60 #, fuzzy, php-format msgid "That's too long. Maximum notice size is %d character." msgid_plural "That's too long. Maximum notice size is %d characters." @@ -964,7 +976,7 @@ msgstr "Método da API não encontrado." #. TRANS: Client error displayed exceeding the maximum notice length. #. TRANS: %d is the maximum lenth for a notice. -#: actions/apistatusesupdate.php:308 +#: actions/apistatusesupdate.php:308 actions/newnotice.php:184 #, fuzzy, php-format msgid "Maximum notice size is %d character, including attachment URL." msgid_plural "Maximum notice size is %d characters, including attachment URL." @@ -1175,17 +1187,18 @@ msgstr "Escolha uma área quadrada da imagem para ser o seu avatar" msgid "Lost our file data." msgstr "Perdi os dados do nosso ficheiro." -#: actions/avatarsettings.php:384 +#. TRANS: Success message for having updated a user avatar. +#: actions/avatarsettings.php:385 msgid "Avatar updated." msgstr "Avatar actualizado." #. TRANS: Error displayed on the avatar upload page if the avatar could not be updated for an unknown reason. -#: actions/avatarsettings.php:388 +#: actions/avatarsettings.php:389 msgid "Failed updating avatar." msgstr "Falha ao actualizar avatar." #. TRANS: Success message for deleting a user avatar. -#: actions/avatarsettings.php:412 +#: actions/avatarsettings.php:413 msgid "Avatar deleted." msgstr "Avatar apagado." @@ -1217,8 +1230,8 @@ msgstr "" #. TRANS: Button label on the delete notice form. #. TRANS: Button label on the delete user form. #. TRANS: Button label on the form to block a user from a group. -#: actions/block.php:154 actions/deleteapplication.php:154 -#: actions/deletegroup.php:220 actions/deletenotice.php:150 +#: actions/block.php:154 actions/deleteapplication.php:157 +#: actions/deletegroup.php:220 actions/deletenotice.php:155 #: actions/deleteuser.php:152 actions/groupblock.php:178 msgctxt "BUTTON" msgid "No" @@ -1236,8 +1249,8 @@ msgstr "Não bloquear este utilizador" #. TRANS: Button label on the delete notice form. #. TRANS: Button label on the delete user form. #. TRANS: Button label on the form to block a user from a group. -#: actions/block.php:161 actions/deleteapplication.php:161 -#: actions/deletegroup.php:227 actions/deletenotice.php:157 +#: actions/block.php:161 actions/deleteapplication.php:164 +#: actions/deletegroup.php:227 actions/deletenotice.php:162 #: actions/deleteuser.php:159 actions/groupblock.php:185 msgctxt "BUTTON" msgid "Yes" @@ -1354,12 +1367,13 @@ msgstr "Esse endereço já tinha sido confirmado." #. TRANS: Server error thrown on database error removing a registered e-mail address. #. TRANS: Server error thrown on database error updating IM preferences. #. TRANS: Server error thrown on database error removing a registered IM address. +#. TRANS: Server error displayed when "Other" settings in user profile could not be updated on the server. #. TRANS: Server error thrown when user profile settings could not be updated. #. TRANS: Server error thrown on database error updating SMS preferences. #. TRANS: Server error thrown on database error removing a registered SMS phone number. #: actions/confirmaddress.php:118 actions/emailsettings.php:331 #: actions/emailsettings.php:477 actions/imsettings.php:283 -#: actions/imsettings.php:442 actions/othersettings.php:174 +#: actions/imsettings.php:442 actions/othersettings.php:184 #: actions/profilesettings.php:326 actions/smssettings.php:308 #: actions/smssettings.php:464 msgid "Couldn't update user." @@ -1395,16 +1409,19 @@ msgstr "Conversação" msgid "Notices" msgstr "Notas" -#: actions/deleteapplication.php:63 +#. TRANS: Client error displayed trying to delete an application while not logged in. +#: actions/deleteapplication.php:62 msgid "You must be logged in to delete an application." msgstr "Tem de iniciar uma sessão para eliminar uma aplicação." +#. TRANS: Client error displayed trying to delete an application that does not exist. #: actions/deleteapplication.php:71 msgid "Application not found." msgstr "Aplicação não foi encontrada." +#. TRANS: Client error displayed trying to delete an application the current user does not own. #. TRANS: Client error displayed trying to edit an application while not being its owner. -#: actions/deleteapplication.php:78 actions/editapplication.php:78 +#: actions/deleteapplication.php:79 actions/editapplication.php:78 #: actions/showapplication.php:94 msgid "You are not the owner of this application." msgstr "Não é o proprietário desta aplicação." @@ -1412,15 +1429,18 @@ msgstr "Não é o proprietário desta aplicação." #. TRANS: Client error text when there is a problem with the session token. #: actions/deleteapplication.php:102 actions/editapplication.php:131 #: actions/newapplication.php:114 actions/showapplication.php:118 -#: lib/action.php:1354 +#: lib/action.php:1404 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 +#. TRANS: Title for delete application page. +#. TRANS: Fieldset legend on delete application page. +#: actions/deleteapplication.php:124 actions/deleteapplication.php:149 msgid "Delete application" msgstr "Apagar aplicação" -#: actions/deleteapplication.php:149 +#. TRANS: Confirmation text on delete application page. +#: actions/deleteapplication.php:152 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 " @@ -1431,12 +1451,12 @@ msgstr "" "utilizadores em existência." #. TRANS: Submit button title for 'No' when deleting an application. -#: actions/deleteapplication.php:158 +#: actions/deleteapplication.php:161 msgid "Do not delete this application" msgstr "Não apagar esta aplicação" #. TRANS: Submit button title for 'Yes' when deleting an application. -#: actions/deleteapplication.php:164 +#: actions/deleteapplication.php:167 msgid "Delete this application" msgstr "Apagar esta aplicação" @@ -1472,13 +1492,14 @@ msgstr "Não foi possível actualizar o grupo." msgid "Deleted group %s" msgstr "%1$s deixou o grupo %2$s" -#. TRANS: Title. +#. TRANS: Title of delete group page. #. TRANS: Form legend for deleting a group. #: actions/deletegroup.php:176 actions/deletegroup.php:202 #, fuzzy msgid "Delete group" msgstr "Apagar utilizador" +#. TRANS: Warning in form for deleleting a group. #: actions/deletegroup.php:206 #, fuzzy msgid "" @@ -1501,10 +1522,11 @@ msgstr "Não apagar esta nota" msgid "Delete this group" msgstr "Apagar este utilizador" +#. TRANS: Error message displayed trying to delete a notice while not logged in. #. TRANS: Client error displayed when trying to unblock a user from a group while not logged in. #. TRANS: Client error displayed trying a change a subscription while not logged in. #. TRANS: Client error message thrown when trying to access the admin panel while not logged in. -#: actions/deletenotice.php:50 actions/disfavor.php:61 actions/favor.php:62 +#: actions/deletenotice.php:52 actions/disfavor.php:61 actions/favor.php:62 #: actions/groupblock.php:61 actions/groupunblock.php:60 actions/logout.php:69 #: actions/makeadmin.php:61 actions/newmessage.php:87 actions/newnotice.php:88 #: actions/nudge.php:63 actions/subedit.php:33 actions/subscribe.php:96 @@ -1514,11 +1536,13 @@ msgstr "Apagar este utilizador" msgid "Not logged in." msgstr "Não iniciou sessão." -#: actions/deletenotice.php:74 +#. TRANS: Error message displayed trying to delete a notice that was not made by the current user. +#: actions/deletenotice.php:78 msgid "Can't delete this notice." msgstr "Nota não pode ser apagada." -#: actions/deletenotice.php:106 +#. TRANS: Instructions for deleting a notice. +#: actions/deletenotice.php:110 msgid "" "You are about to permanently delete a notice. Once this is done, it cannot " "be undone." @@ -1526,21 +1550,24 @@ msgstr "" "Está prestes a apagar permamentemente uma nota. Esta acção não pode ser " "desfeita." -#: actions/deletenotice.php:112 actions/deletenotice.php:144 +#. TRANS: Page title when deleting a notice. +#. TRANS: Fieldset legend for the delete notice form. +#: actions/deletenotice.php:117 actions/deletenotice.php:148 msgid "Delete notice" msgstr "Apagar nota" -#: actions/deletenotice.php:147 +#. TRANS: Message for the delete notice form. +#: actions/deletenotice.php:152 msgid "Are you sure you want to delete this notice?" msgstr "Tem a certeza de que quer apagar esta nota?" #. TRANS: Submit button title for 'No' when deleting a notice. -#: actions/deletenotice.php:154 +#: actions/deletenotice.php:159 msgid "Do not delete this notice" msgstr "Não apagar esta nota" #. TRANS: Submit button title for 'Yes' when deleting a notice. -#: actions/deletenotice.php:161 lib/noticelist.php:667 +#: actions/deletenotice.php:166 lib/noticelist.php:667 msgid "Delete this notice" msgstr "Apagar esta nota" @@ -1706,11 +1733,9 @@ msgstr "Repor predefinição" #. TRANS: Submit button title. #: actions/designadminpanel.php:711 actions/licenseadminpanel.php:319 -#: actions/othersettings.php:126 actions/sessionsadminpanel.php:199 -#: actions/siteadminpanel.php:292 actions/sitenoticeadminpanel.php:195 +#: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:292 #: actions/snapshotadminpanel.php:245 actions/tagother.php:154 -#: actions/useradminpanel.php:295 lib/applicationeditform.php:357 -#: lib/designsettings.php:256 lib/groupeditform.php:202 +#: lib/applicationeditform.php:357 lib/designsettings.php:256 msgid "Save" msgstr "Gravar" @@ -1758,9 +1783,9 @@ msgid "Name is required." msgstr "Nome é obrigatório." #. TRANS: Validation error shown when providing too long a name in the "Edit application" form. -#: actions/editapplication.php:188 +#: actions/editapplication.php:188 actions/newapplication.php:169 #, fuzzy -msgid "Name is too long (max 255 characters)." +msgid "Name is too long (maximum 255 characters)." msgstr "Nome é demasiado longo (máx. 255 caracteres)." #. TRANS: Validation error shown when providing a name for an application that already exists in the "Edit application" form. @@ -1789,7 +1814,7 @@ msgid "Organization is required." msgstr "Organização é obrigatória." #. TRANS: Validation error shown when providing too long an arganisation name in the "Edit application" form. -#: actions/editapplication.php:223 +#: actions/editapplication.php:223 actions/newapplication.php:199 #, fuzzy msgid "Organization is too long (maximum 255 characters)." msgstr "Organização é demasiado longa (máx. 255 caracteres)." @@ -2590,7 +2615,7 @@ msgid "Publish a MicroID for my Jabber/GTalk address." msgstr "Publicar um MicroID para o meu endereço Jabber/GTalk." #. TRANS: Confirmation message for successful IM preferences save. -#: actions/imsettings.php:290 actions/othersettings.php:180 +#: actions/imsettings.php:290 actions/othersettings.php:190 msgid "Preferences saved." msgstr "Preferências gravadas." @@ -2717,10 +2742,9 @@ msgstr[1] "Já subscreveu estes utilizadores:" #. TRANS: Used as list item for already subscribed users (%1$s is nickname, %2$s is e-mail address). #. TRANS: Used as list item for already registered people (%1$s is nickname, %2$s is e-mail address). -#. TRANS: Whois output. -#. TRANS: %1$s nickname of the queried user, %2$s is their profile URL. -#: actions/invite.php:145 actions/invite.php:159 lib/command.php:426 -#, php-format +#: actions/invite.php:145 actions/invite.php:159 +#, fuzzy, php-format +msgctxt "INVITE" msgid "%1$s (%2$s)" msgstr "%1$s (%2$s)" @@ -2903,8 +2927,9 @@ msgid "" msgstr "" #: actions/licenseadminpanel.php:156 -msgid "Invalid license title. Max length is 255 characters." -msgstr "" +#, fuzzy +msgid "Invalid license title. Maximum length is 255 characters." +msgstr "Texto de boas-vindas inválido. Tamanho máx. é 255 caracteres." #: actions/licenseadminpanel.php:168 msgid "Invalid license URL." @@ -3076,20 +3101,10 @@ msgstr "Tem de iniciar uma sessão para registar uma aplicação." msgid "Use this form to register a new application." msgstr "Use este formulário para registar uma nova aplicação." -#: actions/newapplication.php:169 -#, fuzzy -msgid "Name is too long (maximum 255 chars)." -msgstr "Nome é demasiado longo (máx. 255 caracteres)." - #: actions/newapplication.php:184 msgid "Source URL is required." msgstr "É necessária a URL de origem." -#: actions/newapplication.php:199 -#, fuzzy -msgid "Organization is too long (maximum 255 chars)." -msgstr "Organização é demasiado longa (máx. 255 caracteres)." - #: actions/newapplication.php:266 actions/newapplication.php:275 msgid "Could not create application." msgstr "Não foi possível criar a aplicação." @@ -3109,14 +3124,14 @@ msgid "New message" msgstr "Mensagem nova" #. TRANS: Error text shown when trying to send a direct message to a user without a mutual subscription (each user must be subscribed to the other). -#: actions/newmessage.php:121 actions/newmessage.php:164 lib/command.php:499 +#: actions/newmessage.php:121 actions/newmessage.php:164 lib/command.php:501 msgid "You can't send a message to this user." msgstr "Não pode enviar uma mensagem a este utilizador." #. TRANS: Command exception text shown when trying to send a direct message to another user without content. #. TRANS: Command exception text shown when trying to reply to a notice without providing content for the reply. #: actions/newmessage.php:144 actions/newnotice.php:140 lib/command.php:478 -#: lib/command.php:579 +#: lib/command.php:581 msgid "No content!" msgstr "Sem conteúdo!" @@ -3125,7 +3140,7 @@ msgid "No recipient specified." msgstr "Não especificou um destinatário." #. TRANS: Error text shown when trying to send a direct message to self. -#: actions/newmessage.php:167 lib/command.php:503 +#: actions/newmessage.php:167 lib/command.php:505 msgid "" "Don't send a message to yourself; just say it to yourself quietly instead." msgstr "Não auto-envie uma mensagem; basta lê-la baixinho a si próprio." @@ -3136,12 +3151,12 @@ msgstr "Mensagem enviada" #. TRANS: Message given have sent a direct message to another user. #. TRANS: %s is the name of the other user. -#: actions/newmessage.php:188 lib/command.php:511 +#: actions/newmessage.php:188 lib/command.php:513 #, php-format msgid "Direct message to %s sent." msgstr "Mensagem directa para %s foi enviada." -#: actions/newmessage.php:213 actions/newnotice.php:263 +#: actions/newmessage.php:213 actions/newnotice.php:264 msgid "Ajax Error" msgstr "Erro do Ajax" @@ -3149,17 +3164,7 @@ msgstr "Erro do Ajax" msgid "New notice" msgstr "Nota nova" -#: actions/newnotice.php:159 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/newnotice.php:183 -#, php-format -msgid "Max notice size is %d chars, including attachment URL." -msgstr "Tamanho máx. das notas é %d caracteres, incluindo a URL do anexo." - -#: actions/newnotice.php:229 +#: actions/newnotice.php:230 msgid "Notice posted" msgstr "Nota publicada" @@ -3328,36 +3333,46 @@ msgstr "Pesquisa de Pessoas" msgid "Notice Search" msgstr "Pesquisa de Notas" -#: actions/othersettings.php:60 +#: actions/othersettings.php:59 msgid "Other settings" msgstr "Outras configurações" +#. TRANS: Instructions for tab "Other" in user profile settings. #: actions/othersettings.php:71 msgid "Manage various other options." msgstr "Gerir várias outras opções." -#: actions/othersettings.php:108 +#. TRANS: Used as a suffix for free URL shorteners in a dropdown list in the tab "Other" of a +#. TRANS: user's profile settings. This message has one space at the beginning. Use your +#. TRANS: language's word separator here if it has one (most likely a single space). +#: actions/othersettings.php:111 msgid " (free service)" msgstr " (serviço gratuito)" -#: actions/othersettings.php:116 +#. TRANS: Label for dropdown with URL shortener services. +#: actions/othersettings.php:120 msgid "Shorten URLs with" msgstr "Encurtar URLs com" -#: actions/othersettings.php:117 +#. TRANS: Tooltip for for dropdown with URL shortener services. +#: actions/othersettings.php:122 msgid "Automatic shortening service to use." msgstr "Serviço de encurtamento que será usado automaticamente" -#: actions/othersettings.php:122 +#. TRANS: Label for checkbox. +#: actions/othersettings.php:128 msgid "View profile designs" msgstr "Ver estilos para o perfil" -#: actions/othersettings.php:123 +#. TRANS: Tooltip for checkbox. +#: actions/othersettings.php:130 msgid "Show or hide profile designs." msgstr "Mostrar ou esconder estilos para o perfil." -#: actions/othersettings.php:153 -msgid "URL shortening service is too long (max 50 chars)." +#. TRANS: Form validation error for form "Other settings" in user profile. +#: actions/othersettings.php:162 +#, fuzzy +msgid "URL shortening service is too long (maximum 50 characters)." msgstr "Serviço de encurtamento de URLs demasiado extenso (máx. 50 caracteres)" #: actions/otp.php:69 @@ -3848,7 +3863,7 @@ msgstr "Biografia" #. TRANS: Label for group location (dt). Text hidden by default. #: actions/profilesettings.php:149 actions/register.php:485 #: actions/showgroup.php:267 actions/tagother.php:112 -#: actions/userauthorization.php:166 lib/groupeditform.php:177 +#: actions/userauthorization.php:166 lib/groupeditform.php:180 #: lib/userprofile.php:165 msgid "Location" msgstr "Localidade" @@ -4191,7 +4206,8 @@ msgid "Unexpected password reset." msgstr "Reinício inesperado da senha." #: actions/recoverpassword.php:365 -msgid "Password must be 6 chars or more." +#, fuzzy +msgid "Password must be 6 characters or more." msgstr "Senha tem de ter 6 ou mais caracteres." #: actions/recoverpassword.php:369 @@ -4570,7 +4586,7 @@ msgstr "Organização" #. TRANS: Form input field label. #: actions/showapplication.php:187 actions/version.php:200 -#: lib/applicationeditform.php:208 lib/groupeditform.php:172 +#: lib/applicationeditform.php:208 lib/groupeditform.php:175 msgid "Description" msgstr "Descrição" @@ -4723,7 +4739,7 @@ msgid "Note" msgstr "Anotação" #. TRANS: Label for group aliases (dt). Text hidden by default. -#: actions/showgroup.php:298 lib/groupeditform.php:184 +#: actions/showgroup.php:298 lib/groupeditform.php:187 msgid "Aliases" msgstr "Nomes alternativos" @@ -4856,47 +4872,67 @@ msgstr "Mensagem de %1$s a %2$s" msgid "Notice deleted." msgstr "Avatar actualizado." -#: actions/showstream.php:72 -#, php-format -msgid " tagged %s" -msgstr " categorizou %s" +#. TRANS: Page title showing tagged notices in one user's stream. %1$s is the username, %2$s is the hash tag. +#: actions/showstream.php:70 +#, fuzzy, php-format +msgid "%1$s tagged %2$s" +msgstr "%1$s, página %2$d" -#: actions/showstream.php:78 +#. TRANS: Page title showing tagged notices in one user's stream. +#. TRANS: %1$s is the username, %2$s is the hash tag, %1$d is the page number. +#: actions/showstream.php:74 +#, fuzzy, php-format +msgid "%1$s tagged %2$s, page %3$d" +msgstr "Notas categorizadas com %1$s, página %2$d" + +#. TRANS: Extended page title showing tagged notices in one user's stream. +#. TRANS: %1$s is the username, %2$d is the page number. +#: actions/showstream.php:82 #, php-format msgid "%1$s, page %2$d" msgstr "%1$s, página %2$d" -#: actions/showstream.php:120 +#. TRANS: Title for link to notice feed. +#. TRANS: %1$s is a user nickname, %2$s is a hashtag. +#: actions/showstream.php:127 #, php-format msgid "Notice feed for %1$s tagged %2$s (RSS 1.0)" msgstr "Fonte de notas de %1$s com a categoria %2$s (RSS 1.0)" -#: actions/showstream.php:127 +#. TRANS: Title for link to notice feed. +#. TRANS: %s is a user nickname. +#: actions/showstream.php:136 #, php-format msgid "Notice feed for %s (RSS 1.0)" msgstr "Fonte de notas para %s (RSS 1.0)" -#: actions/showstream.php:134 +#. TRANS: Title for link to notice feed. +#. TRANS: %s is a user nickname. +#: actions/showstream.php:145 #, php-format msgid "Notice feed for %s (RSS 2.0)" msgstr "Fonte de notas para %s (RSS 2.0)" -#: actions/showstream.php:141 +#: actions/showstream.php:152 #, php-format msgid "Notice feed for %s (Atom)" msgstr "Fonte de notas para %s (Atom)" -#: actions/showstream.php:146 +#. TRANS: Title for link to notice feed. FOAF stands for Friend of a Friend. +#. TRANS: More information at http://www.foaf-project.org. %s is a user nickname. +#: actions/showstream.php:159 #, php-format msgid "FOAF for %s" msgstr "FOAF para %s" -#: actions/showstream.php:197 -#, php-format -msgid "This is the timeline for %1$s but %2$s hasn't posted anything yet." +#. TRANS: First sentence of empty list message for a stream. $1%s is a user nickname. +#: actions/showstream.php:211 +#, fuzzy, php-format +msgid "This is the timeline for %1$s, but %1$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:202 +#. TRANS: Second sentence of empty list message for a stream for the user themselves. +#: actions/showstream.php:217 msgid "" "Seen anything interesting recently? You haven't posted any notices yet, now " "would be a good time to start :)" @@ -4904,7 +4940,9 @@ msgstr "" "Viu algo de interessante ultimamente? Como ainda não publicou nenhuma nota, " "esta seria uma óptima altura para começar :)" -#: actions/showstream.php:204 +#. TRANS: Second sentence of empty list message for a non-self stream. %1$s is a user nickname, %2$s is a part of a URL. +#. TRANS: This message contains a Markdown link. Keep "](" together. +#: actions/showstream.php:221 #, php-format msgid "" "You can try to nudge %1$s or [post something to them](%%%%action.newnotice%%%" @@ -4913,7 +4951,9 @@ msgstr "" "Pode tentar dar um toque em %1$s ou [endereçar-lhe uma nota](%%%%action." "newnotice%%%%?status_textarea=%2$s)." -#: actions/showstream.php:243 +#. TRANS: Announcement for anonymous users showing a stream if site registrations are open. +#. TRANS: This message contains a Markdown link. Keep "](" together. +#: actions/showstream.php:264 #, php-format msgid "" "**%s** has an account on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -4927,7 +4967,9 @@ msgstr "" "action.register%%%%) para seguir as notas de **%s** e de muitos mais! " "([Saber mais](%%%%doc.help%%%%))" -#: actions/showstream.php:248 +#. TRANS: Announcement for anonymous users showing a stream if site registrations are closed or invite only. +#. TRANS: This message contains a Markdown link. Keep "](" together. +#: actions/showstream.php:271 #, php-format msgid "" "**%s** has an account on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -4938,7 +4980,8 @@ msgstr "" "(http://en.wikipedia.org/wiki/Micro-blogging) baseado no programa de " "Software Livre [StatusNet](http://status.net/). " -#: actions/showstream.php:305 +#. TRANS: Link to the author of a repeated notice. %s is a linked nickname. +#: actions/showstream.php:328 #, php-format msgid "Repeat of %s" msgstr "Repetições de %s" @@ -5052,31 +5095,40 @@ msgstr "" "Quanto tempo os utilizadores terão de esperar (em segundos) para publicar a " "mesma coisa outra vez." -#: actions/sitenoticeadminpanel.php:56 +#. TRANS: Page title for site-wide notice tab in admin panel. +#: actions/sitenoticeadminpanel.php:55 msgid "Site Notice" msgstr "Aviso do Site" -#: actions/sitenoticeadminpanel.php:67 +#. TRANS: Instructions for site-wide notice tab in admin panel. +#: actions/sitenoticeadminpanel.php:66 msgid "Edit site-wide message" msgstr "Editar mensagem do site" -#: actions/sitenoticeadminpanel.php:103 +#. TRANS: Server error displayed when saving a site-wide notice was impossible. +#: actions/sitenoticeadminpanel.php:101 msgid "Unable to save site notice." msgstr "Não foi possível gravar o aviso do site." -#: actions/sitenoticeadminpanel.php:113 -msgid "Max length for the site-wide notice is 255 chars." +#. TRANS: Client error displayed when a site-wide notice was longer than allowed. +#: actions/sitenoticeadminpanel.php:112 +#, fuzzy +msgid "Maximum length for the site-wide notice is 255 characters." msgstr "Tamanho máximo do aviso do site é 255 caracteres." +#. TRANS: Label for site-wide notice text field in admin panel. #: actions/sitenoticeadminpanel.php:176 msgid "Site notice text" msgstr "Texto do aviso do site" -#: actions/sitenoticeadminpanel.php:178 -msgid "Site-wide notice text (255 chars max; HTML okay)" +#. TRANS: Tooltip for site-wide notice text field in admin panel. +#: actions/sitenoticeadminpanel.php:179 +#, fuzzy +msgid "Site-wide notice text (255 characters maximum; HTML allowed)" msgstr "Texto do aviso do site (máx. 255 caracteres; pode usar HTML)" -#: actions/sitenoticeadminpanel.php:198 +#. TRANS: Title for button to save site notice in admin panel. +#: actions/sitenoticeadminpanel.php:201 msgid "Save site notice" msgstr "Gravar aviso do site" @@ -5542,75 +5594,93 @@ msgstr "" "site." #. TRANS: User admin panel title -#: actions/useradminpanel.php:60 +#: actions/useradminpanel.php:58 msgctxt "TITLE" msgid "User" msgstr "Utilizador" -#: actions/useradminpanel.php:71 +#. TRANS: Instruction for user admin panel. +#: actions/useradminpanel.php:69 msgid "User settings for this StatusNet site" msgstr "" -#: actions/useradminpanel.php:150 +#. TRANS: Form validation error in user admin panel when a non-numeric character limit was set. +#: actions/useradminpanel.php:147 msgid "Invalid bio limit. Must be numeric." msgstr "Limite da biografia inválido. Tem de ser numérico." -#: actions/useradminpanel.php:156 -msgid "Invalid welcome text. Max length is 255 characters." +#. TRANS: Form validation error in user admin panel when welcome text is too long. +#: actions/useradminpanel.php:154 +#, fuzzy +msgid "Invalid welcome text. Maximum length is 255 characters." msgstr "Texto de boas-vindas inválido. Tamanho máx. é 255 caracteres." +#. TRANS: Client error displayed when trying to set a non-existing user as default subscription for new +#. TRANS: users in user admin panel. %1$s is the invalid nickname. #: actions/useradminpanel.php:166 -#, php-format -msgid "Invalid default subscripton: '%1$s' is not user." +#, fuzzy, php-format +msgid "Invalid default subscripton: '%1$s' is not a user." msgstr "Subscrição predefinida é inválida: '%1$s' não é utilizador." #. TRANS: Link description in user account settings menu. -#: actions/useradminpanel.php:219 lib/accountsettingsaction.php:106 +#: actions/useradminpanel.php:215 lib/accountsettingsaction.php:106 #: lib/personalgroupnav.php:109 msgid "Profile" msgstr "Perfil" -#: actions/useradminpanel.php:223 +#. TRANS: Field label in user admin panel for setting the character limit for the bio field. +#: actions/useradminpanel.php:220 msgid "Bio Limit" msgstr "Limite da Biografia" -#: actions/useradminpanel.php:224 +#. TRANS: Tooltip in user admin panel for setting the character limit for the bio field. +#: 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:232 +#. TRANS: Form legend in user admin panel. +#: actions/useradminpanel.php:231 msgid "New users" msgstr "Utilizadores novos" +#. TRANS: Field label in user admin panel for setting new user welcome text. #: actions/useradminpanel.php:236 msgid "New user welcome" msgstr "Boas-vindas a utilizadores novos" -#: actions/useradminpanel.php:237 -msgid "Welcome text for new users (Max 255 chars)." +#. TRANS: Tooltip in user admin panel for setting new user welcome text. +#: actions/useradminpanel.php:238 +#, fuzzy +msgid "Welcome text for new users (maximum 255 characters)." msgstr "Texto de boas-vindas a utilizadores novos (máx. 255 caracteres)." -#: actions/useradminpanel.php:242 +#. TRANS: Field label in user admin panel for setting default subscription for new users. +#: actions/useradminpanel.php:244 msgid "Default subscription" msgstr "Subscrição predefinida" -#: actions/useradminpanel.php:243 +#. TRANS: Tooltip in user admin panel for setting default subscription for new users. +#: actions/useradminpanel.php:246 msgid "Automatically subscribe new users to this user." msgstr "Novos utilizadores subscrevem automaticamente este utilizador." -#: actions/useradminpanel.php:252 +#. TRANS: Form legend in user admin panel. +#: actions/useradminpanel.php:256 msgid "Invitations" msgstr "Convites" -#: actions/useradminpanel.php:257 +#. TRANS: Field label for checkbox in user admin panel for allowing users to invite friend using site e-mail. +#: actions/useradminpanel.php:262 msgid "Invitations enabled" msgstr "Convites habilitados" -#: actions/useradminpanel.php:259 +#. TRANS: Tooltip for checkbox in user admin panel for allowing users to invite friend using site e-mail. +#: actions/useradminpanel.php:265 msgid "Whether to allow users to invite new users." msgstr "Permitir, ou não, que utilizadores convidem utilizadores novos." -#: actions/useradminpanel.php:295 +#. TRANS: Title for button to save user settings in user admin panel. +#: actions/useradminpanel.php:302 msgid "Save user settings" msgstr "" @@ -5820,7 +5890,7 @@ msgid "Plugins" msgstr "Plugins" #. TRANS: Secondary navigation menu option leading to version information on the StatusNet site. -#: actions/version.php:198 lib/action.php:831 +#: actions/version.php:198 lib/action.php:880 msgid "Version" msgstr "Versão" @@ -6030,9 +6100,16 @@ msgstr "Não foi possível gravar a informação do grupo local." msgid "RT @%1$s %2$s" msgstr "RT @%1$s %2$s" +#. TRANS: Full name of a profile or group followed by nickname in parens +#: classes/Profile.php:164 +#, fuzzy, php-format +msgctxt "FANCYNAME" +msgid "%1$s (%2$s)" +msgstr "%1$s (%2$s)" + #. TRANS: Exception thrown when trying to revoke an existing role for a user that does not exist. #. TRANS: %1$s is the role name, %2$s is the user ID (number). -#: classes/Profile.php:791 +#: classes/Profile.php:812 #, php-format msgid "Cannot revoke role \"%1$s\" for user #%2$d; does not exist." msgstr "" @@ -6040,7 +6117,7 @@ msgstr "" #. TRANS: Exception thrown when trying to revoke a role for a user with a failing database query. #. TRANS: %1$s is the role name, %2$s is the user ID (number). -#: classes/Profile.php:800 +#: classes/Profile.php:821 #, php-format msgid "Cannot revoke role \"%1$s\" for user #%2$d; database error." msgstr "" @@ -6187,194 +6264,201 @@ msgstr "%1$s - %2$s" msgid "Untitled page" msgstr "Página sem título" +#. TRANS: Localized tooltip for '...' expansion button on overlong remote messages. +#: lib/action.php:310 +msgctxt "TOOLTIP" +msgid "Show more" +msgstr "" + #. TRANS: DT element for primary navigation menu. String is hidden in default CSS. -#: lib/action.php:477 +#: lib/action.php:526 msgid "Primary site navigation" msgstr "Navegação primária deste site" #. TRANS: Tooltip for main menu option "Personal" -#: lib/action.php:483 +#: lib/action.php:532 msgctxt "TOOLTIP" msgid "Personal profile and friends timeline" msgstr "Perfil pessoal e notas dos amigos" #. TRANS: Main menu option when logged in for access to personal profile and friends timeline -#: lib/action.php:486 +#: lib/action.php:535 msgctxt "MENU" msgid "Personal" msgstr "Pessoal" #. TRANS: Tooltip for main menu option "Account" -#: lib/action.php:488 +#: lib/action.php:537 msgctxt "TOOLTIP" msgid "Change your email, avatar, password, profile" msgstr "Altere o seu endereço electrónico, avatar, senha, perfil" #. TRANS: Main menu option when logged in for access to user settings -#: lib/action.php:491 +#: lib/action.php:540 msgid "Account" msgstr "Conta" #. TRANS: Tooltip for main menu option "Services" -#: lib/action.php:493 +#: lib/action.php:542 msgctxt "TOOLTIP" msgid "Connect to services" msgstr "Ligar aos serviços" #. TRANS: Main menu option when logged in and connection are possible for access to options to connect to other services -#: lib/action.php:496 +#: lib/action.php:545 msgid "Connect" msgstr "Ligar" #. TRANS: Tooltip for menu option "Admin" -#: lib/action.php:499 +#: lib/action.php:548 msgctxt "TOOLTIP" msgid "Change site configuration" msgstr "Alterar a configuração do site" #. TRANS: Main menu option when logged in and site admin for access to site configuration #. TRANS: Menu item in the group navigation page. Only shown for group administrators. -#: lib/action.php:502 lib/groupnav.php:117 +#: lib/action.php:551 lib/groupnav.php:117 msgctxt "MENU" msgid "Admin" msgstr "Gestor" #. TRANS: Tooltip for main menu option "Invite" -#: lib/action.php:506 +#: lib/action.php:555 #, 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" #. TRANS: Main menu option when logged in and invitations are allowed for inviting new users -#: lib/action.php:509 +#: lib/action.php:558 msgctxt "MENU" msgid "Invite" msgstr "Convidar" #. TRANS: Tooltip for main menu option "Logout" -#: lib/action.php:515 +#: lib/action.php:564 msgctxt "TOOLTIP" msgid "Logout from the site" msgstr "Terminar esta sessão" #. TRANS: Main menu option when logged in to log out the current user -#: lib/action.php:518 +#: lib/action.php:567 msgctxt "MENU" msgid "Logout" msgstr "Sair" #. TRANS: Tooltip for main menu option "Register" -#: lib/action.php:523 +#: lib/action.php:572 msgctxt "TOOLTIP" msgid "Create an account" msgstr "Criar uma conta" #. TRANS: Main menu option when not logged in to register a new account -#: lib/action.php:526 +#: lib/action.php:575 msgctxt "MENU" msgid "Register" msgstr "Registar" #. TRANS: Tooltip for main menu option "Login" -#: lib/action.php:529 +#: lib/action.php:578 msgctxt "TOOLTIP" msgid "Login to the site" msgstr "Iniciar uma sessão" #. TRANS: Main menu option when not logged in to log in -#: lib/action.php:532 +#: lib/action.php:581 msgctxt "MENU" msgid "Login" msgstr "Entrar" #. TRANS: Tooltip for main menu option "Help" -#: lib/action.php:535 +#: lib/action.php:584 msgctxt "TOOLTIP" msgid "Help me!" msgstr "Ajudem-me!" #. TRANS: Main menu option for help on the StatusNet site -#: lib/action.php:538 +#: lib/action.php:587 msgctxt "MENU" msgid "Help" msgstr "Ajuda" #. TRANS: Tooltip for main menu option "Search" -#: lib/action.php:541 +#: lib/action.php:590 msgctxt "TOOLTIP" msgid "Search for people or text" msgstr "Procurar pessoas ou pesquisar texto" #. TRANS: Main menu option when logged in or when the StatusNet instance is not private -#: lib/action.php:544 +#: lib/action.php:593 msgctxt "MENU" msgid "Search" msgstr "Pesquisa" #. TRANS: DT element for site notice. String is hidden in default CSS. #. TRANS: Menu item for site administration -#: lib/action.php:566 lib/adminpanelaction.php:387 +#: lib/action.php:615 lib/adminpanelaction.php:387 msgid "Site notice" msgstr "Aviso do site" #. TRANS: DT element for local views block. String is hidden in default CSS. -#: lib/action.php:633 +#: lib/action.php:682 msgid "Local views" msgstr "Vistas locais" #. TRANS: DT element for page notice. String is hidden in default CSS. -#: lib/action.php:703 +#: lib/action.php:752 msgid "Page notice" msgstr "Aviso da página" #. TRANS: DT element for secondary navigation menu. String is hidden in default CSS. -#: lib/action.php:804 +#: lib/action.php:853 msgid "Secondary site navigation" msgstr "Navegação secundária deste site" #. TRANS: Secondary navigation menu option leading to help on StatusNet. -#: lib/action.php:810 +#: lib/action.php:859 msgid "Help" msgstr "Ajuda" #. TRANS: Secondary navigation menu option leading to text about StatusNet site. -#: lib/action.php:813 +#: lib/action.php:862 msgid "About" msgstr "Sobre" #. TRANS: Secondary navigation menu option leading to Frequently Asked Questions. -#: lib/action.php:816 +#: lib/action.php:865 msgid "FAQ" msgstr "FAQ" #. TRANS: Secondary navigation menu option leading to Terms of Service. -#: lib/action.php:821 +#: lib/action.php:870 msgid "TOS" msgstr "Termos" #. TRANS: Secondary navigation menu option leading to privacy policy. -#: lib/action.php:825 +#: lib/action.php:874 msgid "Privacy" msgstr "Privacidade" -#. TRANS: Secondary navigation menu option. -#: lib/action.php:828 +#. TRANS: Secondary navigation menu option. Leads to information about StatusNet and its license. +#: lib/action.php:877 msgid "Source" msgstr "Código fonte" -#. TRANS: Secondary navigation menu option leading to contact information on the StatusNet site. -#: lib/action.php:834 +#. TRANS: Secondary navigation menu option leading to e-mail contact information on the +#. TRANS: StatusNet site, where to report bugs, ... +#: lib/action.php:884 msgid "Contact" msgstr "Contacto" -#. TRANS: Secondary navigation menu option. -#: lib/action.php:837 +#. TRANS: Secondary navigation menu option. Leads to information about embedding a timeline widget. +#: lib/action.php:887 msgid "Badge" msgstr "Emblema" #. TRANS: DT element for StatusNet software license. -#: lib/action.php:866 +#: lib/action.php:916 msgid "StatusNet software license" msgstr "Licença de software do StatusNet" @@ -6382,7 +6466,7 @@ msgstr "Licença de software do StatusNet" #. TRANS: Text between [] is a link description, text between () is the link itself. #. TRANS: Make sure there is no whitespace between "]" and "(". #. TRANS: "%%site.broughtby%%" is the value of the variable site.broughtby -#: lib/action.php:873 +#: lib/action.php:923 #, php-format msgid "" "**%%site.name%%** is a microblogging service brought to you by [%%site." @@ -6392,7 +6476,7 @@ msgstr "" "broughtby%%](%%site.broughtbyurl%%)." #. TRANS: First sentence of the StatusNet site license. Used if 'broughtby' is not set. -#: lib/action.php:876 +#: lib/action.php:926 #, php-format msgid "**%%site.name%%** is a microblogging service." msgstr "**%%site.name%%** é um serviço de microblogues." @@ -6401,7 +6485,7 @@ msgstr "**%%site.name%%** é um serviço de microblogues." #. TRANS: Make sure there is no whitespace between "]" and "(". #. TRANS: Text between [] is a link description, text between () is the link itself. #. TRANS: %s is the version of StatusNet that is being used. -#: lib/action.php:883 +#: lib/action.php:933 #, php-format msgid "" "It runs the [StatusNet](http://status.net/) microblogging software, version %" @@ -6413,20 +6497,20 @@ msgstr "" "fsf.org/licensing/licenses/agpl-3.0.html)." #. TRANS: DT element for StatusNet site content license. -#: lib/action.php:899 +#: lib/action.php:949 msgid "Site content license" msgstr "Licença de conteúdos do site" #. TRANS: Content license displayed when license is set to 'private'. #. TRANS: %1$s is the site name. -#: lib/action.php:906 +#: lib/action.php:956 #, php-format msgid "Content and data of %1$s are private and confidential." msgstr "O conteúdo e dados do site %1$s são privados e confidenciais." #. TRANS: Content license displayed when license is set to 'allrightsreserved'. #. TRANS: %1$s is the copyright owner. -#: lib/action.php:913 +#: lib/action.php:963 #, php-format msgid "Content and data copyright by %1$s. All rights reserved." msgstr "" @@ -6434,7 +6518,7 @@ msgstr "" "direitos reservados." #. TRANS: Content license displayed when license is set to 'allrightsreserved' and no owner is set. -#: lib/action.php:917 +#: lib/action.php:967 msgid "Content and data copyright by contributors. All rights reserved." msgstr "" "Direitos de autor sobre o conteúdo e dados detidos pelos contribuidores. " @@ -6442,7 +6526,7 @@ msgstr "" #. TRANS: license message in footer. #. TRANS: %1$s is the site name, %2$s is a link to the license URL, with a licence name set in configuration. -#: lib/action.php:949 +#: lib/action.php:999 #, php-format msgid "All %1$s content and data are available under the %2$s license." msgstr "" @@ -6450,19 +6534,19 @@ msgstr "" "licença %2$s." #. TRANS: DT element for pagination (previous/next, etc.). -#: lib/action.php:1285 +#: lib/action.php:1335 msgid "Pagination" msgstr "Paginação" #. TRANS: Pagination message to go to a page displaying information more in the #. TRANS: present than the currently displayed information. -#: lib/action.php:1296 +#: lib/action.php:1346 msgid "After" msgstr "Posteriores" #. TRANS: Pagination message to go to a page displaying information more in the #. TRANS: past than the currently displayed information. -#: lib/action.php:1306 +#: lib/action.php:1356 msgid "Before" msgstr "Anteriores" @@ -6807,7 +6891,7 @@ msgid "AJAX error" msgstr "Erro do Ajax" #. TRANS: E-mail subject when a command has completed. -#: lib/channel.php:233 lib/mailhandler.php:142 +#: lib/channel.php:233 lib/mailhandler.php:143 msgid "Command complete" msgstr "Comando terminado" @@ -6823,7 +6907,7 @@ msgstr "Não existe nenhuma nota com essa identificação." #. TRANS: Command exception text shown when a last user notice is requested and it does not exist. #. TRANS: Error text shown when a last user notice is requested and it does not exist. -#: lib/command.php:99 lib/command.php:626 +#: lib/command.php:99 lib/command.php:630 msgid "User has no last notice." msgstr "Utilizador não tem nenhuma última nota." @@ -6892,6 +6976,14 @@ msgstr "%1$s juntou-se ao grupo %2$s." msgid "%1$s left group %2$s." msgstr "%1$s deixou o grupo %2$s." +#. TRANS: Whois output. +#. TRANS: %1$s nickname of the queried user, %2$s is their profile URL. +#: lib/command.php:426 +#, fuzzy, php-format +msgctxt "WHOIS" +msgid "%1$s (%2$s)" +msgstr "%1$s (%2$s)" + #. TRANS: Whois output. %s is the full name of the queried user. #: lib/command.php:430 #, php-format @@ -6931,133 +7023,137 @@ msgstr "" "%s é um perfil remoto; só pode enviar mensagens directas a utilizadores no " "mesmo servidor." -#. TRANS: Message given if content is too long. +#. TRANS: Message given if content is too long. %1$sd is used for plural. #. TRANS: %1$d is the maximum number of characters, %2$d is the number of submitted characters. #: lib/command.php:488 -#, 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." +#, fuzzy, php-format +msgid "Message too long - maximum is %1$d character, you sent %2$d." +msgid_plural "Message too long - maximum is %1$d characters, you sent %2$d." +msgstr[0] "Mensagem demasiado extensa - máx. %1$d caracteres, enviou %2$d." +msgstr[1] "Mensagem demasiado extensa - máx. %1$d caracteres, enviou %2$d." #. TRANS: Error text shown sending a direct message fails with an unknown reason. -#: lib/command.php:514 +#: lib/command.php:516 msgid "Error sending direct message." msgstr "Erro no envio da mensagem directa." #. TRANS: Message given having repeated a notice from another user. #. TRANS: %s is the name of the user for which the notice was repeated. -#: lib/command.php:551 +#: lib/command.php:553 #, php-format msgid "Notice from %s repeated." msgstr "Nota de %s repetida." #. TRANS: Error text shown when repeating a notice fails with an unknown reason. -#: lib/command.php:554 +#: lib/command.php:556 msgid "Error repeating notice." msgstr "Erro ao repetir nota." -#. TRANS: Message given if content of a notice for a reply is too long. +#. TRANS: Message given if content of a notice for a reply is too long. %1$d is used for plural. #. TRANS: %1$d is the maximum number of characters, %2$d is the number of submitted characters. -#: lib/command.php:589 -#, php-format -msgid "Notice too long - maximum is %1$d characters, you sent %2$d." -msgstr "Nota demasiado extensa - máx. %1$d caracteres, enviou %2$d." +#: lib/command.php:591 +#, fuzzy, php-format +msgid "Notice too long - maximum is %1$d character, you sent %2$d." +msgid_plural "Notice too long - maximum is %1$d characters, you sent %2$d." +msgstr[0] "Nota demasiado extensa - máx. %1$d caracteres, enviou %2$d." +msgstr[1] "Nota demasiado extensa - máx. %1$d caracteres, enviou %2$d." #. TRANS: Text shown having sent a reply to a notice successfully. #. TRANS: %s is the nickname of the user of the notice the reply was sent to. -#: lib/command.php:600 +#: lib/command.php:604 #, php-format msgid "Reply to %s sent." msgstr "Resposta a %s enviada." #. TRANS: Error text shown when a reply to a notice fails with an unknown reason. -#: lib/command.php:603 +#: lib/command.php:607 msgid "Error saving notice." msgstr "Erro ao gravar nota." #. TRANS: Error text shown when no username was provided when issuing a subscribe command. -#: lib/command.php:650 +#: lib/command.php:654 msgid "Specify the name of the user to subscribe to." msgstr "Introduza o nome do utilizador para subscrever." #. TRANS: Command exception text shown when trying to subscribe to an OMB profile using the subscribe command. -#: lib/command.php:659 +#: lib/command.php:663 msgid "Can't subscribe to OMB profiles by command." msgstr "Não pode subscrever perfis OMB por comando." #. TRANS: Text shown after having subscribed to another user successfully. #. TRANS: %s is the name of the user the subscription was requested for. -#: lib/command.php:667 +#: lib/command.php:671 #, php-format msgid "Subscribed to %s." msgstr "Subscreveu %s." #. TRANS: Error text shown when no username was provided when issuing an unsubscribe command. #. TRANS: Error text shown when no username was provided when issuing the command. -#: lib/command.php:688 lib/command.php:799 +#: lib/command.php:692 lib/command.php:803 msgid "Specify the name of the user to unsubscribe from." msgstr "Introduza o nome do utilizador para deixar de subscrever." #. TRANS: Text shown after having unsubscribed from another user successfully. #. TRANS: %s is the name of the user the unsubscription was requested for. -#: lib/command.php:699 +#: lib/command.php:703 #, php-format msgid "Unsubscribed from %s." msgstr "Deixou de subscrever %s." #. TRANS: Error text shown when issuing the command "off" with a setting which has not yet been implemented. #. TRANS: Error text shown when issuing the command "on" with a setting which has not yet been implemented. -#: lib/command.php:719 lib/command.php:745 +#: lib/command.php:723 lib/command.php:749 msgid "Command not yet implemented." msgstr "Comando ainda não implementado." #. TRANS: Text shown when issuing the command "off" successfully. -#: lib/command.php:723 +#: lib/command.php:727 msgid "Notification off." msgstr "Notificação desligada." #. TRANS: Error text shown when the command "off" fails for an unknown reason. -#: lib/command.php:726 +#: lib/command.php:730 msgid "Can't turn off notification." msgstr "Não foi possível desligar a notificação." #. TRANS: Text shown when issuing the command "on" successfully. -#: lib/command.php:749 +#: lib/command.php:753 msgid "Notification on." msgstr "Notificação ligada." #. TRANS: Error text shown when the command "on" fails for an unknown reason. -#: lib/command.php:752 +#: lib/command.php:756 msgid "Can't turn on notification." msgstr "Não foi possível ligar a notificação." #. TRANS: Error text shown when issuing the login command while login is disabled. -#: lib/command.php:766 +#: lib/command.php:770 msgid "Login command is disabled." msgstr "Comando para iniciar sessão foi desactivado." #. TRANS: Text shown after issuing the login command successfully. #. TRANS: %s is a logon link.. -#: lib/command.php:779 +#: lib/command.php:783 #, php-format msgid "This link is useable only once and is valid for only 2 minutes: %s." msgstr "O link é utilizável uma única vez e só é válido durante 2 minutos: %s." #. TRANS: Text shown after issuing the lose command successfully (stop another user from following the current user). #. TRANS: %s is the name of the user the unsubscription was requested for. -#: lib/command.php:808 +#: lib/command.php:812 #, php-format msgid "Unsubscribed %s." msgstr "Subscrição de %s cancelada." #. TRANS: Text shown after requesting other users a user is subscribed to without having any subscriptions. -#: lib/command.php:826 +#: lib/command.php:830 msgid "You are not subscribed to anyone." msgstr "Não subscreveu ninguém." #. TRANS: Text shown after requesting other users a user is subscribed to. #. TRANS: This message supports plural forms. This message is followed by a #. TRANS: hard coded space and a comma separated list of subscribed users. -#: lib/command.php:831 +#: lib/command.php:835 msgid "You are subscribed to this person:" msgid_plural "You are subscribed to these people:" msgstr[0] "Subscreveu esta pessoa:" @@ -7065,14 +7161,14 @@ msgstr[1] "Subscreveu estas pessoas:" #. TRANS: Text shown after requesting other users that are subscribed to a user #. TRANS: (followers) without having any subscribers. -#: lib/command.php:853 +#: lib/command.php:857 msgid "No one is subscribed to you." msgstr "Ninguém subscreve as suas notas." #. TRANS: Text shown after requesting other users that are subscribed to a user (followers). #. TRANS: This message supports plural forms. This message is followed by a #. TRANS: hard coded space and a comma separated list of subscribing users. -#: lib/command.php:858 +#: lib/command.php:862 msgid "This person is subscribed to you:" msgid_plural "These people are subscribed to you:" msgstr[0] "Esta pessoa subscreve as suas notas:" @@ -7080,21 +7176,21 @@ msgstr[1] "Estas pessoas subscrevem as suas notas:" #. TRANS: Text shown after requesting groups a user is subscribed to without having #. TRANS: any group subscriptions. -#: lib/command.php:880 +#: lib/command.php:884 msgid "You are not a member of any groups." msgstr "Não está em nenhum grupo." #. TRANS: Text shown after requesting groups a user is subscribed to. #. TRANS: This message supports plural forms. This message is followed by a #. TRANS: hard coded space and a comma separated list of subscribed groups. -#: lib/command.php:885 +#: lib/command.php:889 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:" #. TRANS: Help text for commands. Do not translate the command names themselves; they are fixed strings. -#: lib/command.php:900 +#: lib/command.php:904 msgid "" "Commands:\n" "on - turn on notifications\n" @@ -7325,7 +7421,8 @@ 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" #: lib/groupeditform.php:163 -msgid "URL of the homepage or blog of the group or topic" +#, fuzzy +msgid "URL of the homepage or blog of the group or topic." msgstr "URL da página ou do blogue, deste grupo ou assunto" #: lib/groupeditform.php:168 @@ -7333,19 +7430,29 @@ msgid "Describe the group or topic" msgstr "Descreva o grupo ou assunto" #: lib/groupeditform.php:170 -#, php-format -msgid "Describe the group or topic in %d characters" -msgstr "Descreva o grupo ou o assunto em %d caracteres" +#, fuzzy, php-format +msgid "Describe the group or topic in %d character or less" +msgid_plural "Describe the group or topic in %d characters or less" +msgstr[0] "Descreva o grupo ou o assunto em %d caracteres" +msgstr[1] "Descreva o grupo ou o assunto em %d caracteres" -#: lib/groupeditform.php:179 +#: lib/groupeditform.php:182 +#, fuzzy msgid "" -"Location for the group, if any, like \"City, State (or Region), Country\"" +"Location for the group, if any, like \"City, State (or Region), Country\"." msgstr "Localidade do grupo, se aplicável, por ex. \"Cidade, Região, País\"" -#: lib/groupeditform.php:187 -#, php-format -msgid "Extra nicknames for the group, comma- or space- separated, max %d" -msgstr "" +#: lib/groupeditform.php:190 +#, fuzzy, php-format +msgid "" +"Extra nicknames for the group, separated with commas or spaces. Maximum %d " +"alias allowed." +msgid_plural "" +"Extra nicknames for the group, separated with commas or spaces. Maximum %d " +"aliases allowed." +msgstr[0] "" +"Nomes adicionais para o grupo, separados por vírgulas ou espaços, máx. %d" +msgstr[1] "" "Nomes adicionais para o grupo, separados por vírgulas ou espaços, máx. %d" #. TRANS: Menu item in the group navigation page. @@ -7902,7 +8009,7 @@ msgstr "Desculpe, esse não é o seu endereço para receber correio electrónico msgid "Sorry, no incoming email allowed." msgstr "Desculpe, não lhe é permitido receber correio electrónico." -#: lib/mailhandler.php:228 +#: lib/mailhandler.php:229 #, php-format msgid "Unsupported message type: %s" msgstr "Tipo de mensagem não suportado: %s" @@ -8251,16 +8358,17 @@ msgid "Sandbox this user" msgstr "Impedir que notas deste utilizador sejam públicas" #. TRANS: Fieldset legend for the search form. -#: lib/searchaction.php:121 +#: lib/searchaction.php:120 msgid "Search site" msgstr "Pesquisar site" #. TRANS: Used as a field label for the field where one or more keywords #. TRANS: for searching can be entered. -#: lib/searchaction.php:129 +#: lib/searchaction.php:128 msgid "Keyword(s)" msgstr "Categorias" +#. TRANS: Button text for searching site. #: lib/searchaction.php:130 msgctxt "BUTTON" msgid "Search" @@ -8351,8 +8459,8 @@ msgid "The theme file is missing or the upload failed." msgstr "O ficheiro do tema não foi localizado ou o upload falhou." #: lib/themeuploader.php:91 lib/themeuploader.php:102 -#: lib/themeuploader.php:278 lib/themeuploader.php:282 -#: lib/themeuploader.php:290 lib/themeuploader.php:297 +#: lib/themeuploader.php:279 lib/themeuploader.php:283 +#: lib/themeuploader.php:291 lib/themeuploader.php:298 msgid "Failed saving theme." msgstr "Não foi possível gravar o tema." @@ -8361,17 +8469,22 @@ msgid "Invalid theme: bad directory structure." msgstr "Tema inválido: estrutura de directórios incorrecta." #: lib/themeuploader.php:166 -#, php-format -msgid "Uploaded theme is too large; must be less than %d bytes uncompressed." -msgstr "" +#, fuzzy, php-format +msgid "Uploaded theme is too large; must be less than %d byte uncompressed." +msgid_plural "" +"Uploaded theme is too large; must be less than %d bytes uncompressed." +msgstr[0] "" +"O tema carregado é demasiado grande; tem de ter menos de %d bytes " +"descomprimido." +msgstr[1] "" "O tema carregado é demasiado grande; tem de ter menos de %d bytes " "descomprimido." -#: lib/themeuploader.php:178 +#: lib/themeuploader.php:179 msgid "Invalid theme archive: missing file css/display.css" msgstr "Arquivo do tema inválido: falta o ficheiro css/display.css" -#: lib/themeuploader.php:218 +#: lib/themeuploader.php:219 msgid "" "Theme contains invalid file or folder name. Stick with ASCII letters, " "digits, underscore, and minus sign." @@ -8379,16 +8492,16 @@ msgstr "" "Tema contém um nome de ficheiro ou de directório inválido. Use somente " "letras ASCII, algarismos, sublinhados e o sinal de menos." -#: lib/themeuploader.php:224 +#: lib/themeuploader.php:225 msgid "Theme contains unsafe file extension names; may be unsafe." msgstr "O tema contém extensões de ficheiro inseguras; pode não ser seguro." -#: lib/themeuploader.php:241 +#: lib/themeuploader.php:242 #, php-format msgid "Theme contains file of type '.%s', which is not allowed." msgstr "Tema contém um ficheiro do tipo '.%s', o que não é permitido." -#: lib/themeuploader.php:259 +#: lib/themeuploader.php:260 msgid "Error opening theme archive." msgstr "Ocorreu um erro ao abrir o arquivo do tema." @@ -8569,23 +8682,39 @@ msgid_plural "Message too long. Maximum is %1$d characters, you sent %2$d." msgstr[0] "Mensagem demasiado extensa - máx. %1$d caracteres, enviou %2$d." msgstr[1] "Mensagem demasiado extensa - máx. %1$d caracteres, enviou %2$d." -#: scripts/restoreuser.php:82 +#. TRANS: Commandline script output. %s is the filename that contains a backup for a user. +#: scripts/restoreuser.php:61 #, php-format -msgid "Backup file for user %s (%s)" +msgid "Getting backup from file '%s'." msgstr "" -#: scripts/restoreuser.php:88 +#. TRANS: Commandline script output. +#: scripts/restoreuser.php:91 #, fuzzy msgid "No user specified; using backup user." msgstr "Não foi especificado um ID de utilizador." -#: scripts/restoreuser.php:94 +#. TRANS: Commandline script output. %d is the number of entries in the activity stream in backup; used for plural. +#: scripts/restoreuser.php:98 #, php-format -msgid "%d entries in backup." -msgstr "" +msgid "%d entry in backup." +msgid_plural "%d entries in backup." +msgstr[0] "" +msgstr[1] "" -#~ msgid "Description is too long (max %d chars)." -#~ msgstr "Descrição demasiado longa (máx. %d caracteres)." +#, fuzzy +#~ msgid "Name is too long (maximum 255 chars)." +#~ msgstr "Nome é demasiado longo (máx. 255 caracteres)." -#~ msgid "Too many aliases! Maximum %d." -#~ msgstr "Demasiados nomes alternativos! Máx. %d." +#, fuzzy +#~ msgid "Organization is too long (maximum 255 chars)." +#~ msgstr "Organização é demasiado longa (máx. 255 caracteres)." + +#~ msgid "That's too long. Max notice size is %d chars." +#~ msgstr "Demasiado longo. Tamanho máx. das notas é %d caracteres." + +#~ msgid "Max notice size is %d chars, including attachment URL." +#~ msgstr "Tamanho máx. das notas é %d caracteres, incluindo a URL do anexo." + +#~ msgid " tagged %s" +#~ msgstr " categorizou %s" diff --git a/locale/pt_BR/LC_MESSAGES/statusnet.po b/locale/pt_BR/LC_MESSAGES/statusnet.po index c884667c1e..4b84ec3ab6 100644 --- a/locale/pt_BR/LC_MESSAGES/statusnet.po +++ b/locale/pt_BR/LC_MESSAGES/statusnet.po @@ -15,18 +15,18 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet - Core\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-10-30 23:18+0000\n" -"PO-Revision-Date: 2010-10-30 23:20:43+0000\n" +"POT-Creation-Date: 2010-11-02 22:51+0000\n" +"PO-Revision-Date: 2010-11-02 22:53: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 (r75708); Translate extension (2010-09-17)\n" +"X-Generator: MediaWiki 1.17alpha (r75875); Translate extension (2010-09-17)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: pt-br\n" "X-Message-Group: #out-statusnet-core\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" -"X-POT-Import-Date: 2010-10-30 09:48:40+0000\n" +"X-POT-Import-Date: 2010-10-30 23:42:01+0000\n" #. TRANS: Page title for Access admin panel that allows configuring site access. #. TRANS: Menu item for site administration @@ -83,15 +83,20 @@ msgstr "Salvar as configurações de acesso" #. TRANS: Tooltip for button to save access settings in site admin panel. #. TRANS: Button label to save e-mail preferences. #. TRANS: Button label to save IM preferences. +#. TRANS: Button text for saving "Other settings" in profile. #. TRANS: Button text to store form data in the Paths admin panel. #. TRANS: Button to save input in profile settings. +#. TRANS: Button text for saving site notice in admin panel. #. TRANS: Button label to save SMS preferences. #. TRANS: Save button for settings for a profile in a subscriptions list. +#. TRANS: Button text to save user settings in user admin panel. #. TRANS: Button label in the "Edit application" form. #: actions/accessadminpanel.php:193 actions/emailsettings.php:228 -#: actions/imsettings.php:187 actions/pathsadminpanel.php:512 -#: actions/profilesettings.php:201 actions/smssettings.php:209 -#: actions/subscriptions.php:246 lib/applicationeditform.php:355 +#: actions/imsettings.php:187 actions/othersettings.php:134 +#: actions/pathsadminpanel.php:512 actions/profilesettings.php:201 +#: actions/sitenoticeadminpanel.php:197 actions/smssettings.php:209 +#: actions/subscriptions.php:246 actions/useradminpanel.php:298 +#: lib/applicationeditform.php:355 lib/groupeditform.php:207 msgctxt "BUTTON" msgid "Save" msgstr "Salvar" @@ -142,7 +147,7 @@ msgstr "Esta página não existe." #: 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:93 actions/userrss.php:40 -#: actions/xrds.php:71 lib/command.php:495 lib/galleryaction.php:59 +#: actions/xrds.php:71 lib/command.php:497 lib/galleryaction.php:59 #: lib/mailbox.php:82 lib/profileaction.php:77 msgid "No such user." msgstr "Este usuário não existe." @@ -215,7 +220,9 @@ msgstr "" #. TRANS: Encoutagement displayed on empty timeline user pages for anonymous users. #. TRANS: %s is a user nickname. This message contains Markdown links. Keep "](" together. -#: actions/all.php:155 actions/replies.php:210 actions/showstream.php:208 +#. TRANS: Second sentence of empty message for anonymous users. %s is a user nickname. +#. TRANS: This message contains a Markdown link. Keep "](" together. +#: actions/all.php:155 actions/replies.php:210 actions/showstream.php:227 #, php-format msgid "" "Why not [register an account](%%%%action.register%%%%) and then nudge %s or " @@ -338,7 +345,7 @@ msgstr "Não foi possível salvar o perfil." #: actions/apistatusesupdate.php:210 actions/avatarsettings.php:269 #: actions/designadminpanel.php:125 actions/editapplication.php:121 #: actions/newapplication.php:104 actions/newnotice.php:95 -#, fuzzy, php-format +#, php-format msgid "" "The server was unable to handle that much POST data (%s byte) due to its " "current configuration." @@ -346,7 +353,7 @@ msgid_plural "" "The server was unable to handle that much POST data (%s bytes) due to its " "current configuration." msgstr[0] "" -"O servidor não conseguiu manipular a quantidade de dados do POST (%s bytes) " +"O servidor não conseguiu manipular a quantidade de dados do POST (%s byte) " "devido à sua configuração atual." msgstr[1] "" "O servidor não conseguiu manipular a quantidade de dados do POST (%s bytes) " @@ -422,11 +429,11 @@ msgstr "Nenhuma mensagem de texto!" #. TRANS: Form validation error displayed when message content is too long. #. TRANS: %d is the maximum number of characters for a message. #: actions/apidirectmessagenew.php:127 actions/newmessage.php:152 -#, fuzzy, php-format +#, php-format msgid "That's too long. Maximum message size is %d character." msgid_plural "That's too long. Maximum message size is %d characters." msgstr[0] "" -"Isso é muito extenso. O tamanho máximo das mensagens é %d caracteres." +"Isso é muito extenso. O tamanho máximo das mensagens é %d caractere." msgstr[1] "" "Isso é muito extenso. O tamanho máximo das mensagens é %d caracteres." @@ -444,7 +451,6 @@ msgstr "" #. TRANS: Client error displayed trying to direct message self (403). #: actions/apidirectmessagenew.php:154 -#, fuzzy msgid "" "Do not send a message to yourself; just say it to yourself quietly instead." msgstr "" @@ -567,9 +573,8 @@ msgstr "A URL informada não é válida." #: actions/apigroupcreate.php:210 actions/editgroup.php:211 #: actions/newgroup.php:147 actions/profilesettings.php:256 #: actions/register.php:227 -#, fuzzy msgid "Full name is too long (maximum 255 characters)." -msgstr "Nome completo muito extenso (máx. 255 caracteres)" +msgstr "O nome completo é muito extenso (máx. 255 caracteres)" #. TRANS: Client error shown when providing too long a description during group creation. #. TRANS: %d is the maximum number of allowed characters. @@ -577,13 +582,16 @@ msgstr "Nome completo muito extenso (máx. 255 caracteres)" #. TRANS: Group edit form validation error. #. TRANS: Form validation error in New application form. #. TRANS: %d is the maximum number of characters for the description. +#. TRANS: Group create form validation error. +#. TRANS: %d is the maximum number of allowed characters. #: actions/apigroupcreate.php:220 actions/editapplication.php:201 #: actions/editgroup.php:216 actions/newapplication.php:178 -#, fuzzy, php-format +#: actions/newgroup.php:152 +#, php-format msgid "Description is too long (maximum %d character)." msgid_plural "Description is too long (maximum %d characters)." -msgstr[0] "Descrição muito extensa (máximo %d caracteres)." -msgstr[1] "Descrição muito extensa (máximo %d caracteres)." +msgstr[0] "A descrição é muito extensa (máximo %d caractere)." +msgstr[1] "A descrição é muito extensa (máximo %d caracteres)." #. TRANS: Client error shown when providing too long a location during group creation. #. TRANS: Group edit form validation error. @@ -592,9 +600,8 @@ msgstr[1] "Descrição muito extensa (máximo %d caracteres)." #: actions/apigroupcreate.php:234 actions/editgroup.php:223 #: actions/newgroup.php:159 actions/profilesettings.php:269 #: actions/register.php:236 -#, fuzzy msgid "Location is too long (maximum 255 characters)." -msgstr "Localização muito extensa (máx. 255 caracteres)." +msgstr "A localização é muito extensa (máx. 255 caracteres)." #. TRANS: Client error shown when providing too many aliases during group creation. #. TRANS: %d is the maximum number of allowed aliases. @@ -738,14 +745,14 @@ msgstr "Você não está autorizado." #. TRANS: Form validation error in API OAuth authorisation because of an invalid session token. #: actions/apioauthauthorize.php:147 actions/avatarsettings.php:280 -#: actions/deletenotice.php:172 actions/disfavor.php:74 +#: actions/deletenotice.php:177 actions/disfavor.php:74 #: actions/emailsettings.php:271 actions/favor.php:75 actions/geocode.php:55 #: actions/groupblock.php:66 actions/grouplogo.php:312 #: actions/groupunblock.php:65 actions/imsettings.php:230 #: actions/invite.php:59 actions/login.php:137 actions/makeadmin.php:66 #: actions/newmessage.php:135 actions/newnotice.php:105 actions/nudge.php:80 #: actions/oauthappssettings.php:165 actions/oauthconnectionssettings.php:138 -#: actions/othersettings.php:145 actions/passwordsettings.php:138 +#: actions/othersettings.php:153 actions/passwordsettings.php:138 #: actions/profilesettings.php:221 actions/recoverpassword.php:350 #: actions/register.php:172 actions/remotesubscribe.php:77 #: actions/repeat.php:83 actions/smssettings.php:256 actions/subedit.php:40 @@ -929,20 +936,21 @@ msgstr "Você não pode excluir uma mensagem de outro usuário." #. TRANS: Client error displayed trying to repeat a non-existing notice through the API. #. TRANS: Client error displayed trying to display redents of a non-exiting notice. +#. TRANS: Error message displayed trying to delete a non-existing notice. #: actions/apistatusesretweet.php:74 actions/apistatusesretweets.php:70 -#: actions/deletenotice.php:58 actions/shownotice.php:92 +#: actions/deletenotice.php:61 actions/shownotice.php:92 msgid "No such notice." msgstr "Essa mensagem não existe." #. TRANS: Client error displayed trying to repeat an own notice through the API. #. TRANS: Error text shown when trying to repeat an own notice. -#: actions/apistatusesretweet.php:83 lib/command.php:535 +#: actions/apistatusesretweet.php:83 lib/command.php:537 msgid "Cannot repeat your own notice." msgstr "Você não pode repetir a sua própria mensagem." #. TRANS: Client error displayed trying to re-repeat a notice through the API. #. TRANS: Error text shown when trying to repeat an notice that was already repeated by the user. -#: actions/apistatusesretweet.php:92 lib/command.php:541 +#: actions/apistatusesretweet.php:92 lib/command.php:543 msgid "Already repeated that notice." msgstr "Você já repetiu essa mensagem." @@ -963,7 +971,8 @@ msgstr "O cliente tem de fornecer um parâmetro 'status' com um valor." #. TRANS: Client error displayed when the parameter "status" is missing. #. TRANS: %d is the maximum number of character for a notice. -#: actions/apistatusesupdate.php:244 +#: actions/apistatusesupdate.php:244 actions/newnotice.php:161 +#: lib/mailhandler.php:60 #, fuzzy, php-format msgid "That's too long. Maximum notice size is %d character." msgid_plural "That's too long. Maximum notice size is %d characters." @@ -978,7 +987,7 @@ msgstr "O método da API não foi encontrado!" #. TRANS: Client error displayed exceeding the maximum notice length. #. TRANS: %d is the maximum lenth for a notice. -#: actions/apistatusesupdate.php:308 +#: actions/apistatusesupdate.php:308 actions/newnotice.php:184 #, fuzzy, php-format msgid "Maximum notice size is %d character, including attachment URL." msgid_plural "Maximum notice size is %d characters, including attachment URL." @@ -1189,17 +1198,18 @@ msgstr "Selecione uma área quadrada da imagem para ser seu avatar" msgid "Lost our file data." msgstr "Os dados do nosso arquivo foram perdidos." -#: actions/avatarsettings.php:384 +#. TRANS: Success message for having updated a user avatar. +#: actions/avatarsettings.php:385 msgid "Avatar updated." msgstr "O avatar foi atualizado." #. TRANS: Error displayed on the avatar upload page if the avatar could not be updated for an unknown reason. -#: actions/avatarsettings.php:388 +#: actions/avatarsettings.php:389 msgid "Failed updating avatar." msgstr "Não foi possível atualizar o avatar." #. TRANS: Success message for deleting a user avatar. -#: actions/avatarsettings.php:412 +#: actions/avatarsettings.php:413 msgid "Avatar deleted." msgstr "O avatar foi excluído." @@ -1232,8 +1242,8 @@ msgstr "" #. TRANS: Button label on the delete notice form. #. TRANS: Button label on the delete user form. #. TRANS: Button label on the form to block a user from a group. -#: actions/block.php:154 actions/deleteapplication.php:154 -#: actions/deletegroup.php:220 actions/deletenotice.php:150 +#: actions/block.php:154 actions/deleteapplication.php:157 +#: actions/deletegroup.php:220 actions/deletenotice.php:155 #: actions/deleteuser.php:152 actions/groupblock.php:178 msgctxt "BUTTON" msgid "No" @@ -1251,8 +1261,8 @@ msgstr "Não bloquear este usuário" #. TRANS: Button label on the delete notice form. #. TRANS: Button label on the delete user form. #. TRANS: Button label on the form to block a user from a group. -#: actions/block.php:161 actions/deleteapplication.php:161 -#: actions/deletegroup.php:227 actions/deletenotice.php:157 +#: actions/block.php:161 actions/deleteapplication.php:164 +#: actions/deletegroup.php:227 actions/deletenotice.php:162 #: actions/deleteuser.php:159 actions/groupblock.php:185 msgctxt "BUTTON" msgid "Yes" @@ -1369,12 +1379,13 @@ msgstr "Esse endereço já foi confirmado." #. TRANS: Server error thrown on database error removing a registered e-mail address. #. TRANS: Server error thrown on database error updating IM preferences. #. TRANS: Server error thrown on database error removing a registered IM address. +#. TRANS: Server error displayed when "Other" settings in user profile could not be updated on the server. #. TRANS: Server error thrown when user profile settings could not be updated. #. TRANS: Server error thrown on database error updating SMS preferences. #. TRANS: Server error thrown on database error removing a registered SMS phone number. #: actions/confirmaddress.php:118 actions/emailsettings.php:331 #: actions/emailsettings.php:477 actions/imsettings.php:283 -#: actions/imsettings.php:442 actions/othersettings.php:174 +#: actions/imsettings.php:442 actions/othersettings.php:184 #: actions/profilesettings.php:326 actions/smssettings.php:308 #: actions/smssettings.php:464 msgid "Couldn't update user." @@ -1410,16 +1421,19 @@ msgstr "Conversa" msgid "Notices" msgstr "Mensagens" -#: actions/deleteapplication.php:63 +#. TRANS: Client error displayed trying to delete an application while not logged in. +#: actions/deleteapplication.php:62 msgid "You must be logged in to delete an application." msgstr "Você precisa estar autenticado para excluir uma aplicação." +#. TRANS: Client error displayed trying to delete an application that does not exist. #: actions/deleteapplication.php:71 msgid "Application not found." msgstr "A aplicação não foi encontrada." +#. TRANS: Client error displayed trying to delete an application the current user does not own. #. TRANS: Client error displayed trying to edit an application while not being its owner. -#: actions/deleteapplication.php:78 actions/editapplication.php:78 +#: actions/deleteapplication.php:79 actions/editapplication.php:78 #: actions/showapplication.php:94 msgid "You are not the owner of this application." msgstr "Você não é o dono desta aplicação." @@ -1427,15 +1441,18 @@ msgstr "Você não é o dono desta aplicação." #. TRANS: Client error text when there is a problem with the session token. #: actions/deleteapplication.php:102 actions/editapplication.php:131 #: actions/newapplication.php:114 actions/showapplication.php:118 -#: lib/action.php:1354 +#: lib/action.php:1404 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 +#. TRANS: Title for delete application page. +#. TRANS: Fieldset legend on delete application page. +#: actions/deleteapplication.php:124 actions/deleteapplication.php:149 msgid "Delete application" msgstr "Excluir a aplicação" -#: actions/deleteapplication.php:149 +#. TRANS: Confirmation text on delete application page. +#: actions/deleteapplication.php:152 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 " @@ -1446,12 +1463,12 @@ msgstr "" "com os usuários." #. TRANS: Submit button title for 'No' when deleting an application. -#: actions/deleteapplication.php:158 +#: actions/deleteapplication.php:161 msgid "Do not delete this application" msgstr "Não excluir esta aplicação" #. TRANS: Submit button title for 'Yes' when deleting an application. -#: actions/deleteapplication.php:164 +#: actions/deleteapplication.php:167 msgid "Delete this application" msgstr "Excluir esta aplicação" @@ -1487,13 +1504,14 @@ msgstr "Não foi possível atualizar o grupo." msgid "Deleted group %s" msgstr "%1$s deixou o grupo %2$s" -#. TRANS: Title. +#. TRANS: Title of delete group page. #. TRANS: Form legend for deleting a group. #: actions/deletegroup.php:176 actions/deletegroup.php:202 #, fuzzy msgid "Delete group" msgstr "Excluir usuário" +#. TRANS: Warning in form for deleleting a group. #: actions/deletegroup.php:206 #, fuzzy msgid "" @@ -1516,10 +1534,11 @@ msgstr "Não excluir esta mensagem." msgid "Delete this group" msgstr "Excluir este usuário" +#. TRANS: Error message displayed trying to delete a notice while not logged in. #. TRANS: Client error displayed when trying to unblock a user from a group while not logged in. #. TRANS: Client error displayed trying a change a subscription while not logged in. #. TRANS: Client error message thrown when trying to access the admin panel while not logged in. -#: actions/deletenotice.php:50 actions/disfavor.php:61 actions/favor.php:62 +#: actions/deletenotice.php:52 actions/disfavor.php:61 actions/favor.php:62 #: actions/groupblock.php:61 actions/groupunblock.php:60 actions/logout.php:69 #: actions/makeadmin.php:61 actions/newmessage.php:87 actions/newnotice.php:88 #: actions/nudge.php:63 actions/subedit.php:33 actions/subscribe.php:96 @@ -1529,11 +1548,13 @@ msgstr "Excluir este usuário" msgid "Not logged in." msgstr "Você não está autenticado." -#: actions/deletenotice.php:74 +#. TRANS: Error message displayed trying to delete a notice that was not made by the current user. +#: actions/deletenotice.php:78 msgid "Can't delete this notice." msgstr "Não é possível excluir esta mensagem." -#: actions/deletenotice.php:106 +#. TRANS: Instructions for deleting a notice. +#: actions/deletenotice.php:110 msgid "" "You are about to permanently delete a notice. Once this is done, it cannot " "be undone." @@ -1541,21 +1562,24 @@ msgstr "" "Você está prestes a excluir permanentemente uma mensagem. Isso não poderá " "ser desfeito." -#: actions/deletenotice.php:112 actions/deletenotice.php:144 +#. TRANS: Page title when deleting a notice. +#. TRANS: Fieldset legend for the delete notice form. +#: actions/deletenotice.php:117 actions/deletenotice.php:148 msgid "Delete notice" msgstr "Excluir a mensagem" -#: actions/deletenotice.php:147 +#. TRANS: Message for the delete notice form. +#: actions/deletenotice.php:152 msgid "Are you sure you want to delete this notice?" msgstr "Tem certeza que deseja excluir esta mensagem?" #. TRANS: Submit button title for 'No' when deleting a notice. -#: actions/deletenotice.php:154 +#: actions/deletenotice.php:159 msgid "Do not delete this notice" msgstr "Não excluir esta mensagem." #. TRANS: Submit button title for 'Yes' when deleting a notice. -#: actions/deletenotice.php:161 lib/noticelist.php:667 +#: actions/deletenotice.php:166 lib/noticelist.php:667 msgid "Delete this notice" msgstr "Excluir esta mensagem" @@ -1721,11 +1745,9 @@ msgstr "Restaura de volta ao padrão" #. TRANS: Submit button title. #: actions/designadminpanel.php:711 actions/licenseadminpanel.php:319 -#: actions/othersettings.php:126 actions/sessionsadminpanel.php:199 -#: actions/siteadminpanel.php:292 actions/sitenoticeadminpanel.php:195 +#: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:292 #: actions/snapshotadminpanel.php:245 actions/tagother.php:154 -#: actions/useradminpanel.php:295 lib/applicationeditform.php:357 -#: lib/designsettings.php:256 lib/groupeditform.php:202 +#: lib/applicationeditform.php:357 lib/designsettings.php:256 msgid "Save" msgstr "Salvar" @@ -1773,9 +1795,9 @@ msgid "Name is required." msgstr "O nome é obrigatório." #. TRANS: Validation error shown when providing too long a name in the "Edit application" form. -#: actions/editapplication.php:188 +#: actions/editapplication.php:188 actions/newapplication.php:169 #, fuzzy -msgid "Name is too long (max 255 characters)." +msgid "Name is too long (maximum 255 characters)." msgstr "O nome é muito extenso (máx. 255 caracteres)." #. TRANS: Validation error shown when providing a name for an application that already exists in the "Edit application" form. @@ -1804,7 +1826,7 @@ msgid "Organization is required." msgstr "A organização é obrigatória." #. TRANS: Validation error shown when providing too long an arganisation name in the "Edit application" form. -#: actions/editapplication.php:223 +#: actions/editapplication.php:223 actions/newapplication.php:199 #, fuzzy msgid "Organization is too long (maximum 255 characters)." msgstr "A organização é muito extensa (máx. 255 caracteres)." @@ -2609,7 +2631,7 @@ msgid "Publish a MicroID for my Jabber/GTalk address." msgstr "Publique um MicroID para meu endereço de Jabber/Gtalk." #. TRANS: Confirmation message for successful IM preferences save. -#: actions/imsettings.php:290 actions/othersettings.php:180 +#: actions/imsettings.php:290 actions/othersettings.php:190 msgid "Preferences saved." msgstr "As preferências foram salvas." @@ -2735,10 +2757,9 @@ msgstr[1] "Você já está assinando esses usuários:" #. TRANS: Used as list item for already subscribed users (%1$s is nickname, %2$s is e-mail address). #. TRANS: Used as list item for already registered people (%1$s is nickname, %2$s is e-mail address). -#. TRANS: Whois output. -#. TRANS: %1$s nickname of the queried user, %2$s is their profile URL. -#: actions/invite.php:145 actions/invite.php:159 lib/command.php:426 -#, php-format +#: actions/invite.php:145 actions/invite.php:159 +#, fuzzy, php-format +msgctxt "INVITE" msgid "%1$s (%2$s)" msgstr "%1$s (%2$s)" @@ -2921,8 +2942,10 @@ msgid "" msgstr "" #: actions/licenseadminpanel.php:156 -msgid "Invalid license title. Max length is 255 characters." +#, fuzzy +msgid "Invalid license title. Maximum length is 255 characters." msgstr "" +"Mensagem de boas vindas inválida. O comprimento máximo é de 255 caracteres." #: actions/licenseadminpanel.php:168 msgid "Invalid license URL." @@ -3097,20 +3120,10 @@ 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:169 -#, fuzzy -msgid "Name is too long (maximum 255 chars)." -msgstr "O nome é muito extenso (máx. 255 caracteres)." - #: actions/newapplication.php:184 msgid "Source URL is required." msgstr "A URL da fonte é obrigatória." -#: actions/newapplication.php:199 -#, fuzzy -msgid "Organization is too long (maximum 255 chars)." -msgstr "A organização é muito extensa (máx. 255 caracteres)." - #: actions/newapplication.php:266 actions/newapplication.php:275 msgid "Could not create application." msgstr "Não foi possível criar a aplicação." @@ -3130,14 +3143,14 @@ msgid "New message" msgstr "Nova mensagem" #. TRANS: Error text shown when trying to send a direct message to a user without a mutual subscription (each user must be subscribed to the other). -#: actions/newmessage.php:121 actions/newmessage.php:164 lib/command.php:499 +#: actions/newmessage.php:121 actions/newmessage.php:164 lib/command.php:501 msgid "You can't send a message to this user." msgstr "Você não pode enviar mensagens para este usuário." #. TRANS: Command exception text shown when trying to send a direct message to another user without content. #. TRANS: Command exception text shown when trying to reply to a notice without providing content for the reply. #: actions/newmessage.php:144 actions/newnotice.php:140 lib/command.php:478 -#: lib/command.php:579 +#: lib/command.php:581 msgid "No content!" msgstr "Nenhum conteúdo!" @@ -3146,7 +3159,7 @@ msgid "No recipient specified." msgstr "Não foi especificado nenhum destinatário." #. TRANS: Error text shown when trying to send a direct message to self. -#: actions/newmessage.php:167 lib/command.php:503 +#: actions/newmessage.php:167 lib/command.php:505 msgid "" "Don't send a message to yourself; just say it to yourself quietly instead." msgstr "" @@ -3159,12 +3172,12 @@ msgstr "A mensagem foi enviada" #. TRANS: Message given have sent a direct message to another user. #. TRANS: %s is the name of the other user. -#: actions/newmessage.php:188 lib/command.php:511 +#: actions/newmessage.php:188 lib/command.php:513 #, php-format msgid "Direct message to %s sent." msgstr "A mensagem direta para %s foi enviada." -#: actions/newmessage.php:213 actions/newnotice.php:263 +#: actions/newmessage.php:213 actions/newnotice.php:264 msgid "Ajax Error" msgstr "Erro no Ajax" @@ -3172,17 +3185,7 @@ msgstr "Erro no Ajax" msgid "New notice" msgstr "Nova mensagem" -#: actions/newnotice.php:159 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 %d caracteres." - -#: actions/newnotice.php:183 -#, php-format -msgid "Max notice size is %d chars, including attachment URL." -msgstr "O tamanho máximo da mensagem é de %d caracteres" - -#: actions/newnotice.php:229 +#: actions/newnotice.php:230 msgid "Notice posted" msgstr "A mensagem foi publicada" @@ -3352,36 +3355,46 @@ msgstr "Procurar pessoas" msgid "Notice Search" msgstr "Procurar mensagens" -#: actions/othersettings.php:60 +#: actions/othersettings.php:59 msgid "Other settings" msgstr "Outras configurações" +#. TRANS: Instructions for tab "Other" in user profile settings. #: actions/othersettings.php:71 msgid "Manage various other options." msgstr "Gerencia várias outras opções." -#: actions/othersettings.php:108 +#. TRANS: Used as a suffix for free URL shorteners in a dropdown list in the tab "Other" of a +#. TRANS: user's profile settings. This message has one space at the beginning. Use your +#. TRANS: language's word separator here if it has one (most likely a single space). +#: actions/othersettings.php:111 msgid " (free service)" msgstr " (serviço livre)" -#: actions/othersettings.php:116 +#. TRANS: Label for dropdown with URL shortener services. +#: actions/othersettings.php:120 msgid "Shorten URLs with" msgstr "Encolher URLs com" -#: actions/othersettings.php:117 +#. TRANS: Tooltip for for dropdown with URL shortener services. +#: actions/othersettings.php:122 msgid "Automatic shortening service to use." msgstr "Serviço de encolhimento automático a ser utilizado." -#: actions/othersettings.php:122 +#. TRANS: Label for checkbox. +#: actions/othersettings.php:128 msgid "View profile designs" msgstr "Visualizar aparências do perfil" -#: actions/othersettings.php:123 +#. TRANS: Tooltip for checkbox. +#: actions/othersettings.php:130 msgid "Show or hide profile designs." msgstr "Exibir ou esconder as aparências do perfil." -#: actions/othersettings.php:153 -msgid "URL shortening service is too long (max 50 chars)." +#. TRANS: Form validation error for form "Other settings" in user profile. +#: actions/othersettings.php:162 +#, fuzzy +msgid "URL shortening service is too long (maximum 50 characters)." msgstr "O serviço de encolhimento de URL é muito extenso (máx. 50 caracteres)." #: actions/otp.php:69 @@ -3873,7 +3886,7 @@ msgstr "Descrição" #. TRANS: Label for group location (dt). Text hidden by default. #: actions/profilesettings.php:149 actions/register.php:485 #: actions/showgroup.php:267 actions/tagother.php:112 -#: actions/userauthorization.php:166 lib/groupeditform.php:177 +#: actions/userauthorization.php:166 lib/groupeditform.php:180 #: lib/userprofile.php:165 msgid "Location" msgstr "Localização" @@ -4216,7 +4229,8 @@ msgid "Unexpected password reset." msgstr "Restauração inesperada da senha." #: actions/recoverpassword.php:365 -msgid "Password must be 6 chars or more." +#, fuzzy +msgid "Password must be 6 characters or more." msgstr "A senha deve ter 6 ou mais caracteres." #: actions/recoverpassword.php:369 @@ -4595,7 +4609,7 @@ msgstr "Organização" #. TRANS: Form input field label. #: actions/showapplication.php:187 actions/version.php:200 -#: lib/applicationeditform.php:208 lib/groupeditform.php:172 +#: lib/applicationeditform.php:208 lib/groupeditform.php:175 msgid "Description" msgstr "Descrição" @@ -4746,7 +4760,7 @@ msgid "Note" msgstr "Mensagem" #. TRANS: Label for group aliases (dt). Text hidden by default. -#: actions/showgroup.php:298 lib/groupeditform.php:184 +#: actions/showgroup.php:298 lib/groupeditform.php:187 msgid "Aliases" msgstr "Apelidos" @@ -4879,49 +4893,69 @@ msgstr "Mensagem de %1$s no %2$s" msgid "Notice deleted." msgstr "A mensagem excluída." -#: actions/showstream.php:72 -#, php-format -msgid " tagged %s" -msgstr " etiquetada %s" +#. TRANS: Page title showing tagged notices in one user's stream. %1$s is the username, %2$s is the hash tag. +#: actions/showstream.php:70 +#, fuzzy, php-format +msgid "%1$s tagged %2$s" +msgstr "%1$s, pág. %2$d" -#: actions/showstream.php:78 +#. TRANS: Page title showing tagged notices in one user's stream. +#. TRANS: %1$s is the username, %2$s is the hash tag, %1$d is the page number. +#: actions/showstream.php:74 +#, fuzzy, php-format +msgid "%1$s tagged %2$s, page %3$d" +msgstr "Mensagens etiquetadas com %1$s, pág. %2$d" + +#. TRANS: Extended page title showing tagged notices in one user's stream. +#. TRANS: %1$s is the username, %2$d is the page number. +#: actions/showstream.php:82 #, php-format msgid "%1$s, page %2$d" msgstr "%1$s, pág. %2$d" -#: actions/showstream.php:120 +#. TRANS: Title for link to notice feed. +#. TRANS: %1$s is a user nickname, %2$s is a hashtag. +#: actions/showstream.php:127 #, php-format msgid "Notice feed for %1$s tagged %2$s (RSS 1.0)" msgstr "Fonte de mensagens de %1$s etiquetada como %2$s (RSS 1.0)" -#: actions/showstream.php:127 +#. TRANS: Title for link to notice feed. +#. TRANS: %s is a user nickname. +#: actions/showstream.php:136 #, php-format msgid "Notice feed for %s (RSS 1.0)" msgstr "Fonte de mensagens de %s (RSS 1.0)" -#: actions/showstream.php:134 +#. TRANS: Title for link to notice feed. +#. TRANS: %s is a user nickname. +#: actions/showstream.php:145 #, php-format msgid "Notice feed for %s (RSS 2.0)" msgstr "Fonte de mensagens de %s (RSS 2.0)" -#: actions/showstream.php:141 +#: actions/showstream.php:152 #, php-format msgid "Notice feed for %s (Atom)" msgstr "Fonte de mensagens de %s (Atom)" -#: actions/showstream.php:146 +#. TRANS: Title for link to notice feed. FOAF stands for Friend of a Friend. +#. TRANS: More information at http://www.foaf-project.org. %s is a user nickname. +#: actions/showstream.php:159 #, php-format msgid "FOAF for %s" msgstr "FOAF de %s" -#: actions/showstream.php:197 -#, php-format -msgid "This is the timeline for %1$s but %2$s hasn't posted anything yet." +#. TRANS: First sentence of empty list message for a stream. $1%s is a user nickname. +#: actions/showstream.php:211 +#, fuzzy, php-format +msgid "This is the timeline for %1$s, but %1$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:202 +#. TRANS: Second sentence of empty list message for a stream for the user themselves. +#: actions/showstream.php:217 msgid "" "Seen anything interesting recently? You haven't posted any notices yet, now " "would be a good time to start :)" @@ -4929,7 +4963,9 @@ msgstr "" "Viu alguma coisa interessante recentemente? Você ainda não publicou nenhuma " "mensagem. Que tal começar agora? :)" -#: actions/showstream.php:204 +#. TRANS: Second sentence of empty list message for a non-self stream. %1$s is a user nickname, %2$s is a part of a URL. +#. TRANS: This message contains a Markdown link. Keep "](" together. +#: actions/showstream.php:221 #, php-format msgid "" "You can try to nudge %1$s or [post something to them](%%%%action.newnotice%%%" @@ -4938,7 +4974,9 @@ msgstr "" "Seja o primeiro a [publicar sobre este tópico](%%%%action.newnotice%%%%?" "status_textarea=%s)!" -#: actions/showstream.php:243 +#. TRANS: Announcement for anonymous users showing a stream if site registrations are open. +#. TRANS: This message contains a Markdown link. Keep "](" together. +#: actions/showstream.php:264 #, php-format msgid "" "**%s** has an account on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -4952,7 +4990,9 @@ msgstr "" "acompanhar as mensagens de **%s** e muito mais! ([Saiba mais](%%%%doc.help%%%" "%))" -#: actions/showstream.php:248 +#. TRANS: Announcement for anonymous users showing a stream if site registrations are closed or invite only. +#. TRANS: This message contains a Markdown link. Keep "](" together. +#: actions/showstream.php:271 #, php-format msgid "" "**%s** has an account on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -4963,7 +5003,8 @@ msgstr "" "pt.wikipedia.org/wiki/Micro-blogging) baseado no software livre [StatusNet]" "(http://status.net/). " -#: actions/showstream.php:305 +#. TRANS: Link to the author of a repeated notice. %s is a linked nickname. +#: actions/showstream.php:328 #, php-format msgid "Repeat of %s" msgstr "Repetição de %s" @@ -5077,31 +5118,40 @@ msgstr "" "Quanto tempo (em segundos) os usuários devem esperar para publicar a mesma " "coisa novamente." -#: actions/sitenoticeadminpanel.php:56 +#. TRANS: Page title for site-wide notice tab in admin panel. +#: actions/sitenoticeadminpanel.php:55 msgid "Site Notice" msgstr "Avisos do site" -#: actions/sitenoticeadminpanel.php:67 +#. TRANS: Instructions for site-wide notice tab in admin panel. +#: actions/sitenoticeadminpanel.php:66 msgid "Edit site-wide message" msgstr "Editar os avisos do site (exibidos em todas as páginas)" -#: actions/sitenoticeadminpanel.php:103 +#. TRANS: Server error displayed when saving a site-wide notice was impossible. +#: actions/sitenoticeadminpanel.php:101 msgid "Unable to save site notice." msgstr "Não foi possível salvar os avisos do site." -#: actions/sitenoticeadminpanel.php:113 -msgid "Max length for the site-wide notice is 255 chars." +#. TRANS: Client error displayed when a site-wide notice was longer than allowed. +#: actions/sitenoticeadminpanel.php:112 +#, fuzzy +msgid "Maximum length for the site-wide notice is 255 characters." msgstr "O tamanho máximo para os avisos é de 255 caracteres." +#. TRANS: Label for site-wide notice text field in admin panel. #: actions/sitenoticeadminpanel.php:176 msgid "Site notice text" msgstr "Texto dos avisos" -#: actions/sitenoticeadminpanel.php:178 -msgid "Site-wide notice text (255 chars max; HTML okay)" +#. TRANS: Tooltip for site-wide notice text field in admin panel. +#: actions/sitenoticeadminpanel.php:179 +#, fuzzy +msgid "Site-wide notice text (255 characters maximum; HTML allowed)" msgstr "Texto dos avisos do site (no máximo 255 caracteres; pode usar HTML)" -#: actions/sitenoticeadminpanel.php:198 +#. TRANS: Title for button to save site notice in admin panel. +#: actions/sitenoticeadminpanel.php:201 msgid "Save site notice" msgstr "Salvar os avisos do site" @@ -5565,76 +5615,94 @@ msgstr "" "do site." #. TRANS: User admin panel title -#: actions/useradminpanel.php:60 +#: actions/useradminpanel.php:58 msgctxt "TITLE" msgid "User" msgstr "Usuário" -#: actions/useradminpanel.php:71 +#. TRANS: Instruction for user admin panel. +#: actions/useradminpanel.php:69 msgid "User settings for this StatusNet site" msgstr "" -#: actions/useradminpanel.php:150 +#. TRANS: Form validation error in user admin panel when a non-numeric character limit was set. +#: actions/useradminpanel.php:147 msgid "Invalid bio limit. Must be numeric." msgstr "Limite da descrição inválido. Seu valor deve ser numérico." -#: actions/useradminpanel.php:156 -msgid "Invalid welcome text. Max length is 255 characters." +#. TRANS: Form validation error in user admin panel when welcome text is too long. +#: actions/useradminpanel.php:154 +#, fuzzy +msgid "Invalid welcome text. Maximum length is 255 characters." msgstr "" "Mensagem de boas vindas inválida. O comprimento máximo é de 255 caracteres." +#. TRANS: Client error displayed when trying to set a non-existing user as default subscription for new +#. TRANS: users in user admin panel. %1$s is the invalid nickname. #: actions/useradminpanel.php:166 -#, php-format -msgid "Invalid default subscripton: '%1$s' is not user." +#, fuzzy, php-format +msgid "Invalid default subscripton: '%1$s' is not a user." msgstr "Assinatura padrão inválida: '%1$s' não é um usuário." #. TRANS: Link description in user account settings menu. -#: actions/useradminpanel.php:219 lib/accountsettingsaction.php:106 +#: actions/useradminpanel.php:215 lib/accountsettingsaction.php:106 #: lib/personalgroupnav.php:109 msgid "Profile" msgstr "Perfil" -#: actions/useradminpanel.php:223 +#. TRANS: Field label in user admin panel for setting the character limit for the bio field. +#: actions/useradminpanel.php:220 msgid "Bio Limit" msgstr "Limite da descrição" -#: actions/useradminpanel.php:224 +#. TRANS: Tooltip in user admin panel for setting the character limit for the bio field. +#: 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:232 +#. TRANS: Form legend in user admin panel. +#: actions/useradminpanel.php:231 msgid "New users" msgstr "Novos usuários" +#. TRANS: Field label in user admin panel for setting new user welcome text. #: actions/useradminpanel.php:236 msgid "New user welcome" msgstr "Boas vindas aos novos usuários" -#: actions/useradminpanel.php:237 -msgid "Welcome text for new users (Max 255 chars)." +#. TRANS: Tooltip in user admin panel for setting new user welcome text. +#: actions/useradminpanel.php:238 +#, fuzzy +msgid "Welcome text for new users (maximum 255 characters)." msgstr "Texto de boas vindas para os novos usuários (máx. 255 caracteres)." -#: actions/useradminpanel.php:242 +#. TRANS: Field label in user admin panel for setting default subscription for new users. +#: actions/useradminpanel.php:244 msgid "Default subscription" msgstr "Assinatura padrão" -#: actions/useradminpanel.php:243 +#. TRANS: Tooltip in user admin panel for setting default subscription for new users. +#: actions/useradminpanel.php:246 msgid "Automatically subscribe new users to this user." msgstr "Os novos usuários assinam esse usuário automaticamente." -#: actions/useradminpanel.php:252 +#. TRANS: Form legend in user admin panel. +#: actions/useradminpanel.php:256 msgid "Invitations" msgstr "Convites" -#: actions/useradminpanel.php:257 +#. TRANS: Field label for checkbox in user admin panel for allowing users to invite friend using site e-mail. +#: actions/useradminpanel.php:262 msgid "Invitations enabled" msgstr "Convites habilitados" -#: actions/useradminpanel.php:259 +#. TRANS: Tooltip for checkbox in user admin panel for allowing users to invite friend using site e-mail. +#: actions/useradminpanel.php:265 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:295 +#. TRANS: Title for button to save user settings in user admin panel. +#: actions/useradminpanel.php:302 msgid "Save user settings" msgstr "" @@ -5847,7 +5915,7 @@ msgid "Plugins" msgstr "Plugins" #. TRANS: Secondary navigation menu option leading to version information on the StatusNet site. -#: actions/version.php:198 lib/action.php:831 +#: actions/version.php:198 lib/action.php:880 msgid "Version" msgstr "Versão" @@ -6056,16 +6124,23 @@ msgstr "Não foi possível salvar a informação do grupo local." msgid "RT @%1$s %2$s" msgstr "RT @%1$s %2$s" +#. TRANS: Full name of a profile or group followed by nickname in parens +#: classes/Profile.php:164 +#, fuzzy, php-format +msgctxt "FANCYNAME" +msgid "%1$s (%2$s)" +msgstr "%1$s (%2$s)" + #. TRANS: Exception thrown when trying to revoke an existing role for a user that does not exist. #. TRANS: %1$s is the role name, %2$s is the user ID (number). -#: classes/Profile.php:791 +#: classes/Profile.php:812 #, php-format msgid "Cannot revoke role \"%1$s\" for user #%2$d; does not exist." msgstr "Não é possível revogar a função \"%1$s\" do usuário #%2$d; não existe." #. TRANS: Exception thrown when trying to revoke a role for a user with a failing database query. #. TRANS: %1$s is the role name, %2$s is the user ID (number). -#: classes/Profile.php:800 +#: classes/Profile.php:821 #, php-format msgid "Cannot revoke role \"%1$s\" for user #%2$d; database error." msgstr "" @@ -6212,194 +6287,201 @@ msgstr "%1$s - %2$s" msgid "Untitled page" msgstr "Página sem título" +#. TRANS: Localized tooltip for '...' expansion button on overlong remote messages. +#: lib/action.php:310 +msgctxt "TOOLTIP" +msgid "Show more" +msgstr "" + #. TRANS: DT element for primary navigation menu. String is hidden in default CSS. -#: lib/action.php:477 +#: lib/action.php:526 msgid "Primary site navigation" msgstr "Navegação primária no site" #. TRANS: Tooltip for main menu option "Personal" -#: lib/action.php:483 +#: lib/action.php:532 msgctxt "TOOLTIP" msgid "Personal profile and friends timeline" msgstr "Perfil pessoal e fluxo de mensagens dos amigos" #. TRANS: Main menu option when logged in for access to personal profile and friends timeline -#: lib/action.php:486 +#: lib/action.php:535 msgctxt "MENU" msgid "Personal" msgstr "Pessoal" #. TRANS: Tooltip for main menu option "Account" -#: lib/action.php:488 +#: lib/action.php:537 msgctxt "TOOLTIP" msgid "Change your email, avatar, password, profile" msgstr "Altere seu e-mail, avatar, senha, perfil" #. TRANS: Main menu option when logged in for access to user settings -#: lib/action.php:491 +#: lib/action.php:540 msgid "Account" msgstr "Conta" #. TRANS: Tooltip for main menu option "Services" -#: lib/action.php:493 +#: lib/action.php:542 msgctxt "TOOLTIP" msgid "Connect to services" msgstr "Conecte-se a outros serviços" #. TRANS: Main menu option when logged in and connection are possible for access to options to connect to other services -#: lib/action.php:496 +#: lib/action.php:545 msgid "Connect" msgstr "Conectar" #. TRANS: Tooltip for menu option "Admin" -#: lib/action.php:499 +#: lib/action.php:548 msgctxt "TOOLTIP" msgid "Change site configuration" msgstr "Altere as configurações do site" #. TRANS: Main menu option when logged in and site admin for access to site configuration #. TRANS: Menu item in the group navigation page. Only shown for group administrators. -#: lib/action.php:502 lib/groupnav.php:117 +#: lib/action.php:551 lib/groupnav.php:117 msgctxt "MENU" msgid "Admin" msgstr "Administrar" #. TRANS: Tooltip for main menu option "Invite" -#: lib/action.php:506 +#: lib/action.php:555 #, 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" #. TRANS: Main menu option when logged in and invitations are allowed for inviting new users -#: lib/action.php:509 +#: lib/action.php:558 msgctxt "MENU" msgid "Invite" msgstr "Convidar" #. TRANS: Tooltip for main menu option "Logout" -#: lib/action.php:515 +#: lib/action.php:564 msgctxt "TOOLTIP" msgid "Logout from the site" msgstr "Sair do site" #. TRANS: Main menu option when logged in to log out the current user -#: lib/action.php:518 +#: lib/action.php:567 msgctxt "MENU" msgid "Logout" msgstr "Sair" #. TRANS: Tooltip for main menu option "Register" -#: lib/action.php:523 +#: lib/action.php:572 msgctxt "TOOLTIP" msgid "Create an account" msgstr "Criar uma conta" #. TRANS: Main menu option when not logged in to register a new account -#: lib/action.php:526 +#: lib/action.php:575 msgctxt "MENU" msgid "Register" msgstr "Registrar-se" #. TRANS: Tooltip for main menu option "Login" -#: lib/action.php:529 +#: lib/action.php:578 msgctxt "TOOLTIP" msgid "Login to the site" msgstr "Autentique-se no site" #. TRANS: Main menu option when not logged in to log in -#: lib/action.php:532 +#: lib/action.php:581 msgctxt "MENU" msgid "Login" msgstr "Entrar" #. TRANS: Tooltip for main menu option "Help" -#: lib/action.php:535 +#: lib/action.php:584 msgctxt "TOOLTIP" msgid "Help me!" msgstr "Ajudem-me!" #. TRANS: Main menu option for help on the StatusNet site -#: lib/action.php:538 +#: lib/action.php:587 msgctxt "MENU" msgid "Help" msgstr "Ajuda" #. TRANS: Tooltip for main menu option "Search" -#: lib/action.php:541 +#: lib/action.php:590 msgctxt "TOOLTIP" msgid "Search for people or text" msgstr "Procure por pessoas ou textos" #. TRANS: Main menu option when logged in or when the StatusNet instance is not private -#: lib/action.php:544 +#: lib/action.php:593 msgctxt "MENU" msgid "Search" msgstr "Pesquisar" #. TRANS: DT element for site notice. String is hidden in default CSS. #. TRANS: Menu item for site administration -#: lib/action.php:566 lib/adminpanelaction.php:387 +#: lib/action.php:615 lib/adminpanelaction.php:387 msgid "Site notice" msgstr "Avisos do site" #. TRANS: DT element for local views block. String is hidden in default CSS. -#: lib/action.php:633 +#: lib/action.php:682 msgid "Local views" msgstr "Visualizações locais" #. TRANS: DT element for page notice. String is hidden in default CSS. -#: lib/action.php:703 +#: lib/action.php:752 msgid "Page notice" msgstr "Notícia da página" #. TRANS: DT element for secondary navigation menu. String is hidden in default CSS. -#: lib/action.php:804 +#: lib/action.php:853 msgid "Secondary site navigation" msgstr "Navegação secundária no site" #. TRANS: Secondary navigation menu option leading to help on StatusNet. -#: lib/action.php:810 +#: lib/action.php:859 msgid "Help" msgstr "Ajuda" #. TRANS: Secondary navigation menu option leading to text about StatusNet site. -#: lib/action.php:813 +#: lib/action.php:862 msgid "About" msgstr "Sobre" #. TRANS: Secondary navigation menu option leading to Frequently Asked Questions. -#: lib/action.php:816 +#: lib/action.php:865 msgid "FAQ" msgstr "FAQ" #. TRANS: Secondary navigation menu option leading to Terms of Service. -#: lib/action.php:821 +#: lib/action.php:870 msgid "TOS" msgstr "Termos de uso" #. TRANS: Secondary navigation menu option leading to privacy policy. -#: lib/action.php:825 +#: lib/action.php:874 msgid "Privacy" msgstr "Privacidade" -#. TRANS: Secondary navigation menu option. -#: lib/action.php:828 +#. TRANS: Secondary navigation menu option. Leads to information about StatusNet and its license. +#: lib/action.php:877 msgid "Source" msgstr "Fonte" -#. TRANS: Secondary navigation menu option leading to contact information on the StatusNet site. -#: lib/action.php:834 +#. TRANS: Secondary navigation menu option leading to e-mail contact information on the +#. TRANS: StatusNet site, where to report bugs, ... +#: lib/action.php:884 msgid "Contact" msgstr "Contato" -#. TRANS: Secondary navigation menu option. -#: lib/action.php:837 +#. TRANS: Secondary navigation menu option. Leads to information about embedding a timeline widget. +#: lib/action.php:887 msgid "Badge" msgstr "Mini-aplicativo" #. TRANS: DT element for StatusNet software license. -#: lib/action.php:866 +#: lib/action.php:916 msgid "StatusNet software license" msgstr "Licença do software StatusNet" @@ -6407,7 +6489,7 @@ msgstr "Licença do software StatusNet" #. TRANS: Text between [] is a link description, text between () is the link itself. #. TRANS: Make sure there is no whitespace between "]" and "(". #. TRANS: "%%site.broughtby%%" is the value of the variable site.broughtby -#: lib/action.php:873 +#: lib/action.php:923 #, php-format msgid "" "**%%site.name%%** is a microblogging service brought to you by [%%site." @@ -6417,7 +6499,7 @@ msgstr "" "broughtby%%](%%site.broughtbyurl%%). " #. TRANS: First sentence of the StatusNet site license. Used if 'broughtby' is not set. -#: lib/action.php:876 +#: lib/action.php:926 #, php-format msgid "**%%site.name%%** is a microblogging service." msgstr "**%%site.name%%** é um serviço de microblog." @@ -6426,7 +6508,7 @@ msgstr "**%%site.name%%** é um serviço de microblog." #. TRANS: Make sure there is no whitespace between "]" and "(". #. TRANS: Text between [] is a link description, text between () is the link itself. #. TRANS: %s is the version of StatusNet that is being used. -#: lib/action.php:883 +#: lib/action.php:933 #, php-format msgid "" "It runs the [StatusNet](http://status.net/) microblogging software, version %" @@ -6438,26 +6520,26 @@ msgstr "" "fsf.org/licensing/licenses/agpl-3.0.html)." #. TRANS: DT element for StatusNet site content license. -#: lib/action.php:899 +#: lib/action.php:949 msgid "Site content license" msgstr "Licença do conteúdo do site" #. TRANS: Content license displayed when license is set to 'private'. #. TRANS: %1$s is the site name. -#: lib/action.php:906 +#: lib/action.php:956 #, 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." #. TRANS: Content license displayed when license is set to 'allrightsreserved'. #. TRANS: %1$s is the copyright owner. -#: lib/action.php:913 +#: lib/action.php:963 #, 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." #. TRANS: Content license displayed when license is set to 'allrightsreserved' and no owner is set. -#: lib/action.php:917 +#: lib/action.php:967 msgid "Content and data copyright by contributors. All rights reserved." msgstr "" "Conteúdo e dados licenciados pelos colaboradores. Todos os direitos " @@ -6465,25 +6547,25 @@ msgstr "" #. TRANS: license message in footer. #. TRANS: %1$s is the site name, %2$s is a link to the license URL, with a licence name set in configuration. -#: lib/action.php:949 +#: lib/action.php:999 #, php-format msgid "All %1$s content and data are available under the %2$s license." msgstr "Todo o conteúdo e dados de %1$s estão disponíveis sob a licença %2$s." #. TRANS: DT element for pagination (previous/next, etc.). -#: lib/action.php:1285 +#: lib/action.php:1335 msgid "Pagination" msgstr "Paginação" #. TRANS: Pagination message to go to a page displaying information more in the #. TRANS: present than the currently displayed information. -#: lib/action.php:1296 +#: lib/action.php:1346 msgid "After" msgstr "Próximo" #. TRANS: Pagination message to go to a page displaying information more in the #. TRANS: past than the currently displayed information. -#: lib/action.php:1306 +#: lib/action.php:1356 msgid "Before" msgstr "Anterior" @@ -6832,7 +6914,7 @@ msgid "AJAX error" msgstr "Erro no Ajax" #. TRANS: E-mail subject when a command has completed. -#: lib/channel.php:233 lib/mailhandler.php:142 +#: lib/channel.php:233 lib/mailhandler.php:143 msgid "Command complete" msgstr "O comando foi completado" @@ -6848,7 +6930,7 @@ msgstr "Não existe uma mensagem com essa id." #. TRANS: Command exception text shown when a last user notice is requested and it does not exist. #. TRANS: Error text shown when a last user notice is requested and it does not exist. -#: lib/command.php:99 lib/command.php:626 +#: lib/command.php:99 lib/command.php:630 msgid "User has no last notice." msgstr "O usuário não tem nenhuma \"última mensagem\"." @@ -6918,6 +7000,14 @@ msgstr "%1$s associou-se ao grupo %2$s." msgid "%1$s left group %2$s." msgstr "%1$s deixou o grupo %2$s." +#. TRANS: Whois output. +#. TRANS: %1$s nickname of the queried user, %2$s is their profile URL. +#: lib/command.php:426 +#, fuzzy, php-format +msgctxt "WHOIS" +msgid "%1$s (%2$s)" +msgstr "%1$s (%2$s)" + #. TRANS: Whois output. %s is the full name of the queried user. #: lib/command.php:430 #, php-format @@ -6957,115 +7047,121 @@ msgstr "" "%s é um perfil remoto; você pode só pode enviar mensagens diretas para " "usuários do mesmo servidor." -#. TRANS: Message given if content is too long. +#. TRANS: Message given if content is too long. %1$sd is used for plural. #. TRANS: %1$d is the maximum number of characters, %2$d is the number of submitted characters. #: lib/command.php:488 -#, php-format -msgid "Message too long - maximum is %1$d characters, you sent %2$d." -msgstr "" +#, fuzzy, php-format +msgid "Message too long - maximum is %1$d character, you sent %2$d." +msgid_plural "Message too long - maximum is %1$d characters, you sent %2$d." +msgstr[0] "" +"A mensagem é muito extensa - o máximo são %1$d caracteres e você enviou %2$d." +msgstr[1] "" "A mensagem é muito extensa - o máximo são %1$d caracteres e você enviou %2$d." #. TRANS: Error text shown sending a direct message fails with an unknown reason. -#: lib/command.php:514 +#: lib/command.php:516 msgid "Error sending direct message." msgstr "Ocorreu um erro durante o envio da mensagem direta." #. TRANS: Message given having repeated a notice from another user. #. TRANS: %s is the name of the user for which the notice was repeated. -#: lib/command.php:551 +#: lib/command.php:553 #, php-format msgid "Notice from %s repeated." msgstr "A mensagem de %s foi repetida." #. TRANS: Error text shown when repeating a notice fails with an unknown reason. -#: lib/command.php:554 +#: lib/command.php:556 msgid "Error repeating notice." msgstr "Erro na repetição da mensagem." -#. TRANS: Message given if content of a notice for a reply is too long. +#. TRANS: Message given if content of a notice for a reply is too long. %1$d is used for plural. #. TRANS: %1$d is the maximum number of characters, %2$d is the number of submitted characters. -#: lib/command.php:589 -#, php-format -msgid "Notice too long - maximum is %1$d characters, you sent %2$d." -msgstr "" +#: lib/command.php:591 +#, fuzzy, php-format +msgid "Notice too long - maximum is %1$d character, you sent %2$d." +msgid_plural "Notice too long - maximum is %1$d characters, you sent %2$d." +msgstr[0] "" +"A mensagem é muito extensa - o máximo são %1$d caracteres e você enviou %2$d." +msgstr[1] "" "A mensagem é muito extensa - o máximo são %1$d caracteres e você enviou %2$d." #. TRANS: Text shown having sent a reply to a notice successfully. #. TRANS: %s is the nickname of the user of the notice the reply was sent to. -#: lib/command.php:600 +#: lib/command.php:604 #, php-format msgid "Reply to %s sent." msgstr "A resposta para %s foi enviada." #. TRANS: Error text shown when a reply to a notice fails with an unknown reason. -#: lib/command.php:603 +#: lib/command.php:607 msgid "Error saving notice." msgstr "Erro no salvamento da mensagem." #. TRANS: Error text shown when no username was provided when issuing a subscribe command. -#: lib/command.php:650 +#: lib/command.php:654 msgid "Specify the name of the user to subscribe to." msgstr "Especifique o nome do usuário que será assinado." #. TRANS: Command exception text shown when trying to subscribe to an OMB profile using the subscribe command. -#: lib/command.php:659 +#: lib/command.php:663 msgid "Can't subscribe to OMB profiles by command." msgstr "Não é possível assinar perfis OMB com comandos." #. TRANS: Text shown after having subscribed to another user successfully. #. TRANS: %s is the name of the user the subscription was requested for. -#: lib/command.php:667 +#: lib/command.php:671 #, php-format msgid "Subscribed to %s." msgstr "Foi efetuada a assinatura de $s." #. TRANS: Error text shown when no username was provided when issuing an unsubscribe command. #. TRANS: Error text shown when no username was provided when issuing the command. -#: lib/command.php:688 lib/command.php:799 +#: lib/command.php:692 lib/command.php:803 msgid "Specify the name of the user to unsubscribe from." msgstr "Especifique o nome do usuário cuja assinatura será cancelada." #. TRANS: Text shown after having unsubscribed from another user successfully. #. TRANS: %s is the name of the user the unsubscription was requested for. -#: lib/command.php:699 +#: lib/command.php:703 #, php-format msgid "Unsubscribed from %s." msgstr "Foi cancelada a assinatura de %s." #. TRANS: Error text shown when issuing the command "off" with a setting which has not yet been implemented. #. TRANS: Error text shown when issuing the command "on" with a setting which has not yet been implemented. -#: lib/command.php:719 lib/command.php:745 +#: lib/command.php:723 lib/command.php:749 msgid "Command not yet implemented." msgstr "O comando não foi implementado ainda." #. TRANS: Text shown when issuing the command "off" successfully. -#: lib/command.php:723 +#: lib/command.php:727 msgid "Notification off." msgstr "Notificação desligada." #. TRANS: Error text shown when the command "off" fails for an unknown reason. -#: lib/command.php:726 +#: lib/command.php:730 msgid "Can't turn off notification." msgstr "Não é possível desligar a notificação." #. TRANS: Text shown when issuing the command "on" successfully. -#: lib/command.php:749 +#: lib/command.php:753 msgid "Notification on." msgstr "Notificação ligada." #. TRANS: Error text shown when the command "on" fails for an unknown reason. -#: lib/command.php:752 +#: lib/command.php:756 msgid "Can't turn on notification." msgstr "Não é possível ligar a notificação." #. TRANS: Error text shown when issuing the login command while login is disabled. -#: lib/command.php:766 +#: lib/command.php:770 msgid "Login command is disabled." msgstr "O comando para autenticação está desabilitado." #. TRANS: Text shown after issuing the login command successfully. #. TRANS: %s is a logon link.. -#: lib/command.php:779 +#: lib/command.php:783 #, php-format msgid "This link is useable only once and is valid for only 2 minutes: %s." msgstr "" @@ -7074,20 +7170,20 @@ msgstr "" #. TRANS: Text shown after issuing the lose command successfully (stop another user from following the current user). #. TRANS: %s is the name of the user the unsubscription was requested for. -#: lib/command.php:808 +#: lib/command.php:812 #, php-format msgid "Unsubscribed %s." msgstr "Foi cancelada a assinatura de %s." #. TRANS: Text shown after requesting other users a user is subscribed to without having any subscriptions. -#: lib/command.php:826 +#: lib/command.php:830 msgid "You are not subscribed to anyone." msgstr "Você não está assinando ninguém." #. TRANS: Text shown after requesting other users a user is subscribed to. #. TRANS: This message supports plural forms. This message is followed by a #. TRANS: hard coded space and a comma separated list of subscribed users. -#: lib/command.php:831 +#: lib/command.php:835 msgid "You are subscribed to this person:" msgid_plural "You are subscribed to these people:" msgstr[0] "Você já está assinando esta pessoa:" @@ -7095,14 +7191,14 @@ msgstr[1] "Você já está assinando estas pessoas:" #. TRANS: Text shown after requesting other users that are subscribed to a user #. TRANS: (followers) without having any subscribers. -#: lib/command.php:853 +#: lib/command.php:857 msgid "No one is subscribed to you." msgstr "Ninguém o assinou ainda." #. TRANS: Text shown after requesting other users that are subscribed to a user (followers). #. TRANS: This message supports plural forms. This message is followed by a #. TRANS: hard coded space and a comma separated list of subscribing users. -#: lib/command.php:858 +#: lib/command.php:862 msgid "This person is subscribed to you:" msgid_plural "These people are subscribed to you:" msgstr[0] "Esta pessoa está assinando você:" @@ -7110,21 +7206,21 @@ msgstr[1] "Estas pessoas estão assinando você:" #. TRANS: Text shown after requesting groups a user is subscribed to without having #. TRANS: any group subscriptions. -#: lib/command.php:880 +#: lib/command.php:884 msgid "You are not a member of any groups." msgstr "Você não é membro de nenhum grupo." #. TRANS: Text shown after requesting groups a user is subscribed to. #. TRANS: This message supports plural forms. This message is followed by a #. TRANS: hard coded space and a comma separated list of subscribed groups. -#: lib/command.php:885 +#: lib/command.php:889 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:" #. TRANS: Help text for commands. Do not translate the command names themselves; they are fixed strings. -#: lib/command.php:900 +#: lib/command.php:904 msgid "" "Commands:\n" "on - turn on notifications\n" @@ -7355,7 +7451,8 @@ 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" #: lib/groupeditform.php:163 -msgid "URL of the homepage or blog of the group or topic" +#, fuzzy +msgid "URL of the homepage or blog of the group or topic." msgstr "URL para o site ou blog do grupo ou tópico" #: lib/groupeditform.php:168 @@ -7363,21 +7460,31 @@ msgid "Describe the group or topic" msgstr "Descreva o grupo ou tópico" #: lib/groupeditform.php:170 -#, php-format -msgid "Describe the group or topic in %d characters" -msgstr "Descreva o grupo ou tópico em %d caracteres." +#, fuzzy, php-format +msgid "Describe the group or topic in %d character or less" +msgid_plural "Describe the group or topic in %d characters or less" +msgstr[0] "Descreva o grupo ou tópico em %d caracteres." +msgstr[1] "Descreva o grupo ou tópico em %d caracteres." -#: lib/groupeditform.php:179 +#: lib/groupeditform.php:182 +#, fuzzy msgid "" -"Location for the group, if any, like \"City, State (or Region), Country\"" +"Location for the group, if any, like \"City, State (or Region), Country\"." msgstr "" "Localização do grupo, caso tenha alguma, como \"cidade, estado (ou região), " "país\"" -#: lib/groupeditform.php:187 -#, php-format -msgid "Extra nicknames for the group, comma- or space- separated, max %d" -msgstr "" +#: lib/groupeditform.php:190 +#, fuzzy, php-format +msgid "" +"Extra nicknames for the group, separated with commas or spaces. Maximum %d " +"alias allowed." +msgid_plural "" +"Extra nicknames for the group, separated with commas or spaces. Maximum %d " +"aliases allowed." +msgstr[0] "" +"Apelidos extras para o grupo, separado por vírgulas ou espaços, no máximo %d" +msgstr[1] "" "Apelidos extras para o grupo, separado por vírgulas ou espaços, no máximo %d" #. TRANS: Menu item in the group navigation page. @@ -7935,7 +8042,7 @@ msgstr "Desculpe-me, mas este não é seu endereço de e-mail para recebimento." msgid "Sorry, no incoming email allowed." msgstr "Desculpe-me, mas não é permitido o recebimento de e-mails." -#: lib/mailhandler.php:228 +#: lib/mailhandler.php:229 #, php-format msgid "Unsupported message type: %s" msgstr "Tipo de mensagem não suportado: %s" @@ -8286,16 +8393,17 @@ msgid "Sandbox this user" msgstr "Colocar este usuário em isolamento" #. TRANS: Fieldset legend for the search form. -#: lib/searchaction.php:121 +#: lib/searchaction.php:120 msgid "Search site" msgstr "Procurar no site" #. TRANS: Used as a field label for the field where one or more keywords #. TRANS: for searching can be entered. -#: lib/searchaction.php:129 +#: lib/searchaction.php:128 msgid "Keyword(s)" msgstr "Palavra(s)-chave" +#. TRANS: Button text for searching site. #: lib/searchaction.php:130 msgctxt "BUTTON" msgid "Search" @@ -8386,8 +8494,8 @@ msgid "The theme file is missing or the upload failed." msgstr "O arquivo do tema não foi localizado ou ocorreu uma erro no envio." #: lib/themeuploader.php:91 lib/themeuploader.php:102 -#: lib/themeuploader.php:278 lib/themeuploader.php:282 -#: lib/themeuploader.php:290 lib/themeuploader.php:297 +#: lib/themeuploader.php:279 lib/themeuploader.php:283 +#: lib/themeuploader.php:291 lib/themeuploader.php:298 msgid "Failed saving theme." msgstr "Não foi possível salvar o tema." @@ -8396,16 +8504,20 @@ msgid "Invalid theme: bad directory structure." msgstr "Tema inválido: estrutura de diretórios incorreta." #: lib/themeuploader.php:166 -#, php-format -msgid "Uploaded theme is too large; must be less than %d bytes uncompressed." -msgstr "" +#, fuzzy, php-format +msgid "Uploaded theme is too large; must be less than %d byte uncompressed." +msgid_plural "" +"Uploaded theme is too large; must be less than %d bytes uncompressed." +msgstr[0] "" +"O tema enviado é muito grande; ele deve ter menos de %d bytes descomprimido." +msgstr[1] "" "O tema enviado é muito grande; ele deve ter menos de %d bytes descomprimido." -#: lib/themeuploader.php:178 +#: lib/themeuploader.php:179 msgid "Invalid theme archive: missing file css/display.css" msgstr "Arquivo de tema inválido: está faltando o arquivo css/display.css" -#: lib/themeuploader.php:218 +#: lib/themeuploader.php:219 msgid "" "Theme contains invalid file or folder name. Stick with ASCII letters, " "digits, underscore, and minus sign." @@ -8413,16 +8525,16 @@ msgstr "" "O tema contém um nome de arquivo ou de diretório inválido. Use somente " "caracteres ASCII, números e os sinais de sublinhado e hífen." -#: lib/themeuploader.php:224 +#: lib/themeuploader.php:225 msgid "Theme contains unsafe file extension names; may be unsafe." msgstr "O tema contém extensões de arquivo inseguras; pode não ser seguro." -#: lib/themeuploader.php:241 +#: lib/themeuploader.php:242 #, php-format msgid "Theme contains file of type '.%s', which is not allowed." msgstr "O tema contém um arquivo do tipo '.%s', que não é permitido." -#: lib/themeuploader.php:259 +#: lib/themeuploader.php:260 msgid "Error opening theme archive." msgstr "Ocorreu um erro ao abrir o arquivo do tema." @@ -8605,23 +8717,39 @@ msgstr[0] "" msgstr[1] "" "A mensagem é muito extensa - o máximo são %1$d caracteres e você enviou %2$d." -#: scripts/restoreuser.php:82 +#. TRANS: Commandline script output. %s is the filename that contains a backup for a user. +#: scripts/restoreuser.php:61 #, php-format -msgid "Backup file for user %s (%s)" +msgid "Getting backup from file '%s'." msgstr "" -#: scripts/restoreuser.php:88 +#. TRANS: Commandline script output. +#: scripts/restoreuser.php:91 #, fuzzy msgid "No user specified; using backup user." msgstr "Não foi especificado nenhum ID de usuário." -#: scripts/restoreuser.php:94 +#. TRANS: Commandline script output. %d is the number of entries in the activity stream in backup; used for plural. +#: scripts/restoreuser.php:98 #, php-format -msgid "%d entries in backup." -msgstr "" +msgid "%d entry in backup." +msgid_plural "%d entries in backup." +msgstr[0] "" +msgstr[1] "" -#~ msgid "Description is too long (max %d chars)." -#~ msgstr "Descrição muito extensa (máximo %d caracteres)." +#, fuzzy +#~ msgid "Name is too long (maximum 255 chars)." +#~ msgstr "O nome é muito extenso (máx. 255 caracteres)." -#~ msgid "Too many aliases! Maximum %d." -#~ msgstr "Muitos apelidos! O máximo são %d." +#, fuzzy +#~ msgid "Organization is too long (maximum 255 chars)." +#~ msgstr "A organização é muito extensa (máx. 255 caracteres)." + +#~ msgid "That's too long. Max notice size is %d chars." +#~ msgstr "Está muito extenso. O tamanho máximo é de %d caracteres." + +#~ msgid "Max notice size is %d chars, including attachment URL." +#~ msgstr "O tamanho máximo da mensagem é de %d caracteres" + +#~ msgid " tagged %s" +#~ msgstr " etiquetada %s" diff --git a/locale/ru/LC_MESSAGES/statusnet.po b/locale/ru/LC_MESSAGES/statusnet.po index a6f3602335..17a86e3738 100644 --- a/locale/ru/LC_MESSAGES/statusnet.po +++ b/locale/ru/LC_MESSAGES/statusnet.po @@ -14,18 +14,18 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet - Core\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-10-30 23:18+0000\n" -"PO-Revision-Date: 2010-10-30 23:20:44+0000\n" +"POT-Creation-Date: 2010-11-02 22:51+0000\n" +"PO-Revision-Date: 2010-11-02 22:53:42+0000\n" "Language-Team: Russian \n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r75708); Translate extension (2010-09-17)\n" +"X-Generator: MediaWiki 1.17alpha (r75875); Translate extension (2010-09-17)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: ru\n" "X-Message-Group: #out-statusnet-core\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" -"X-POT-Import-Date: 2010-10-30 09:48:40+0000\n" +"X-POT-Import-Date: 2010-10-30 23:42:01+0000\n" #. TRANS: Page title for Access admin panel that allows configuring site access. #. TRANS: Menu item for site administration @@ -83,15 +83,20 @@ msgstr "Сохранить настройки доступа" #. TRANS: Tooltip for button to save access settings in site admin panel. #. TRANS: Button label to save e-mail preferences. #. TRANS: Button label to save IM preferences. +#. TRANS: Button text for saving "Other settings" in profile. #. TRANS: Button text to store form data in the Paths admin panel. #. TRANS: Button to save input in profile settings. +#. TRANS: Button text for saving site notice in admin panel. #. TRANS: Button label to save SMS preferences. #. TRANS: Save button for settings for a profile in a subscriptions list. +#. TRANS: Button text to save user settings in user admin panel. #. TRANS: Button label in the "Edit application" form. #: actions/accessadminpanel.php:193 actions/emailsettings.php:228 -#: actions/imsettings.php:187 actions/pathsadminpanel.php:512 -#: actions/profilesettings.php:201 actions/smssettings.php:209 -#: actions/subscriptions.php:246 lib/applicationeditform.php:355 +#: actions/imsettings.php:187 actions/othersettings.php:134 +#: actions/pathsadminpanel.php:512 actions/profilesettings.php:201 +#: actions/sitenoticeadminpanel.php:197 actions/smssettings.php:209 +#: actions/subscriptions.php:246 actions/useradminpanel.php:298 +#: lib/applicationeditform.php:355 lib/groupeditform.php:207 msgctxt "BUTTON" msgid "Save" msgstr "Сохранить" @@ -142,7 +147,7 @@ msgstr "Нет такой страницы." #: 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:93 actions/userrss.php:40 -#: actions/xrds.php:71 lib/command.php:495 lib/galleryaction.php:59 +#: actions/xrds.php:71 lib/command.php:497 lib/galleryaction.php:59 #: lib/mailbox.php:82 lib/profileaction.php:77 msgid "No such user." msgstr "Нет такого пользователя." @@ -213,7 +218,9 @@ msgstr "" #. TRANS: Encoutagement displayed on empty timeline user pages for anonymous users. #. TRANS: %s is a user nickname. This message contains Markdown links. Keep "](" together. -#: actions/all.php:155 actions/replies.php:210 actions/showstream.php:208 +#. TRANS: Second sentence of empty message for anonymous users. %s is a user nickname. +#. TRANS: This message contains a Markdown link. Keep "](" together. +#: actions/all.php:155 actions/replies.php:210 actions/showstream.php:227 #, php-format msgid "" "Why not [register an account](%%%%action.register%%%%) and then nudge %s or " @@ -576,8 +583,11 @@ msgstr "Полное имя слишком длинное (не больше 255 #. TRANS: Group edit form validation error. #. TRANS: Form validation error in New application form. #. TRANS: %d is the maximum number of characters for the description. +#. TRANS: Group create form validation error. +#. TRANS: %d is the maximum number of allowed characters. #: actions/apigroupcreate.php:220 actions/editapplication.php:201 #: actions/editgroup.php:216 actions/newapplication.php:178 +#: actions/newgroup.php:152 #, fuzzy, php-format msgid "Description is too long (maximum %d character)." msgid_plural "Description is too long (maximum %d characters)." @@ -738,14 +748,14 @@ msgstr "Вы не авторизованы." #. TRANS: Form validation error in API OAuth authorisation because of an invalid session token. #: actions/apioauthauthorize.php:147 actions/avatarsettings.php:280 -#: actions/deletenotice.php:172 actions/disfavor.php:74 +#: actions/deletenotice.php:177 actions/disfavor.php:74 #: actions/emailsettings.php:271 actions/favor.php:75 actions/geocode.php:55 #: actions/groupblock.php:66 actions/grouplogo.php:312 #: actions/groupunblock.php:65 actions/imsettings.php:230 #: actions/invite.php:59 actions/login.php:137 actions/makeadmin.php:66 #: actions/newmessage.php:135 actions/newnotice.php:105 actions/nudge.php:80 #: actions/oauthappssettings.php:165 actions/oauthconnectionssettings.php:138 -#: actions/othersettings.php:145 actions/passwordsettings.php:138 +#: actions/othersettings.php:153 actions/passwordsettings.php:138 #: actions/profilesettings.php:221 actions/recoverpassword.php:350 #: actions/register.php:172 actions/remotesubscribe.php:77 #: actions/repeat.php:83 actions/smssettings.php:256 actions/subedit.php:40 @@ -924,20 +934,21 @@ msgstr "Вы не можете удалять статус других поль #. TRANS: Client error displayed trying to repeat a non-existing notice through the API. #. TRANS: Client error displayed trying to display redents of a non-exiting notice. +#. TRANS: Error message displayed trying to delete a non-existing notice. #: actions/apistatusesretweet.php:74 actions/apistatusesretweets.php:70 -#: actions/deletenotice.php:58 actions/shownotice.php:92 +#: actions/deletenotice.php:61 actions/shownotice.php:92 msgid "No such notice." msgstr "Нет такой записи." #. TRANS: Client error displayed trying to repeat an own notice through the API. #. TRANS: Error text shown when trying to repeat an own notice. -#: actions/apistatusesretweet.php:83 lib/command.php:535 +#: actions/apistatusesretweet.php:83 lib/command.php:537 msgid "Cannot repeat your own notice." msgstr "Невозможно повторить собственную запись." #. TRANS: Client error displayed trying to re-repeat a notice through the API. #. TRANS: Error text shown when trying to repeat an notice that was already repeated by the user. -#: actions/apistatusesretweet.php:92 lib/command.php:541 +#: actions/apistatusesretweet.php:92 lib/command.php:543 msgid "Already repeated that notice." msgstr "Запись уже повторена." @@ -958,7 +969,8 @@ msgstr "Клиент должен предоставить параметр «st #. TRANS: Client error displayed when the parameter "status" is missing. #. TRANS: %d is the maximum number of character for a notice. -#: actions/apistatusesupdate.php:244 +#: actions/apistatusesupdate.php:244 actions/newnotice.php:161 +#: lib/mailhandler.php:60 #, fuzzy, php-format msgid "That's too long. Maximum notice size is %d character." msgid_plural "That's too long. Maximum notice size is %d characters." @@ -974,7 +986,7 @@ msgstr "Метод API не найден." #. TRANS: Client error displayed exceeding the maximum notice length. #. TRANS: %d is the maximum lenth for a notice. -#: actions/apistatusesupdate.php:308 +#: actions/apistatusesupdate.php:308 actions/newnotice.php:184 #, fuzzy, php-format msgid "Maximum notice size is %d character, including attachment URL." msgid_plural "Maximum notice size is %d characters, including attachment URL." @@ -1186,17 +1198,18 @@ msgstr "Подберите нужный квадратный участок дл msgid "Lost our file data." msgstr "Потеряна информация о файле." -#: actions/avatarsettings.php:384 +#. TRANS: Success message for having updated a user avatar. +#: actions/avatarsettings.php:385 msgid "Avatar updated." msgstr "Аватара обновлена." #. TRANS: Error displayed on the avatar upload page if the avatar could not be updated for an unknown reason. -#: actions/avatarsettings.php:388 +#: actions/avatarsettings.php:389 msgid "Failed updating avatar." msgstr "Неудача при обновлении аватары." #. TRANS: Success message for deleting a user avatar. -#: actions/avatarsettings.php:412 +#: actions/avatarsettings.php:413 msgid "Avatar deleted." msgstr "Аватара удалена." @@ -1228,8 +1241,8 @@ msgstr "" #. TRANS: Button label on the delete notice form. #. TRANS: Button label on the delete user form. #. TRANS: Button label on the form to block a user from a group. -#: actions/block.php:154 actions/deleteapplication.php:154 -#: actions/deletegroup.php:220 actions/deletenotice.php:150 +#: actions/block.php:154 actions/deleteapplication.php:157 +#: actions/deletegroup.php:220 actions/deletenotice.php:155 #: actions/deleteuser.php:152 actions/groupblock.php:178 msgctxt "BUTTON" msgid "No" @@ -1247,8 +1260,8 @@ msgstr "Не блокировать этого пользователя" #. TRANS: Button label on the delete notice form. #. TRANS: Button label on the delete user form. #. TRANS: Button label on the form to block a user from a group. -#: actions/block.php:161 actions/deleteapplication.php:161 -#: actions/deletegroup.php:227 actions/deletenotice.php:157 +#: actions/block.php:161 actions/deleteapplication.php:164 +#: actions/deletegroup.php:227 actions/deletenotice.php:162 #: actions/deleteuser.php:159 actions/groupblock.php:185 msgctxt "BUTTON" msgid "Yes" @@ -1365,12 +1378,13 @@ msgstr "Этот адрес уже подтверждён." #. TRANS: Server error thrown on database error removing a registered e-mail address. #. TRANS: Server error thrown on database error updating IM preferences. #. TRANS: Server error thrown on database error removing a registered IM address. +#. TRANS: Server error displayed when "Other" settings in user profile could not be updated on the server. #. TRANS: Server error thrown when user profile settings could not be updated. #. TRANS: Server error thrown on database error updating SMS preferences. #. TRANS: Server error thrown on database error removing a registered SMS phone number. #: actions/confirmaddress.php:118 actions/emailsettings.php:331 #: actions/emailsettings.php:477 actions/imsettings.php:283 -#: actions/imsettings.php:442 actions/othersettings.php:174 +#: actions/imsettings.php:442 actions/othersettings.php:184 #: actions/profilesettings.php:326 actions/smssettings.php:308 #: actions/smssettings.php:464 msgid "Couldn't update user." @@ -1406,16 +1420,19 @@ msgstr "Дискуссия" msgid "Notices" msgstr "Записи" -#: actions/deleteapplication.php:63 +#. TRANS: Client error displayed trying to delete an application while not logged in. +#: actions/deleteapplication.php:62 msgid "You must be logged in to delete an application." msgstr "Вы должны войти в систему, чтобы удалить приложение." +#. TRANS: Client error displayed trying to delete an application that does not exist. #: actions/deleteapplication.php:71 msgid "Application not found." msgstr "Приложение не найдено." +#. TRANS: Client error displayed trying to delete an application the current user does not own. #. TRANS: Client error displayed trying to edit an application while not being its owner. -#: actions/deleteapplication.php:78 actions/editapplication.php:78 +#: actions/deleteapplication.php:79 actions/editapplication.php:78 #: actions/showapplication.php:94 msgid "You are not the owner of this application." msgstr "Вы не являетесь владельцем этого приложения." @@ -1423,15 +1440,18 @@ msgstr "Вы не являетесь владельцем этого прило #. TRANS: Client error text when there is a problem with the session token. #: actions/deleteapplication.php:102 actions/editapplication.php:131 #: actions/newapplication.php:114 actions/showapplication.php:118 -#: lib/action.php:1354 +#: lib/action.php:1404 msgid "There was a problem with your session token." msgstr "Проблема с вашим ключом сессии." -#: actions/deleteapplication.php:123 actions/deleteapplication.php:147 +#. TRANS: Title for delete application page. +#. TRANS: Fieldset legend on delete application page. +#: actions/deleteapplication.php:124 actions/deleteapplication.php:149 msgid "Delete application" msgstr "Удалить приложение" -#: actions/deleteapplication.php:149 +#. TRANS: Confirmation text on delete application page. +#: actions/deleteapplication.php:152 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 " @@ -1442,12 +1462,12 @@ msgstr "" "пользователей." #. TRANS: Submit button title for 'No' when deleting an application. -#: actions/deleteapplication.php:158 +#: actions/deleteapplication.php:161 msgid "Do not delete this application" msgstr "Не удаляйте это приложение" #. TRANS: Submit button title for 'Yes' when deleting an application. -#: actions/deleteapplication.php:164 +#: actions/deleteapplication.php:167 msgid "Delete this application" msgstr "Удалить это приложение" @@ -1483,13 +1503,14 @@ msgstr "Не удаётся обновить информацию о групп msgid "Deleted group %s" msgstr "%1$s покинул группу %2$s" -#. TRANS: Title. +#. TRANS: Title of delete group page. #. TRANS: Form legend for deleting a group. #: actions/deletegroup.php:176 actions/deletegroup.php:202 #, fuzzy msgid "Delete group" msgstr "Удалить пользователя" +#. TRANS: Warning in form for deleleting a group. #: actions/deletegroup.php:206 #, fuzzy msgid "" @@ -1510,10 +1531,11 @@ msgstr "Не удаляйте эту группу" msgid "Delete this group" msgstr "Удалить эту группу" +#. TRANS: Error message displayed trying to delete a notice while not logged in. #. TRANS: Client error displayed when trying to unblock a user from a group while not logged in. #. TRANS: Client error displayed trying a change a subscription while not logged in. #. TRANS: Client error message thrown when trying to access the admin panel while not logged in. -#: actions/deletenotice.php:50 actions/disfavor.php:61 actions/favor.php:62 +#: actions/deletenotice.php:52 actions/disfavor.php:61 actions/favor.php:62 #: actions/groupblock.php:61 actions/groupunblock.php:60 actions/logout.php:69 #: actions/makeadmin.php:61 actions/newmessage.php:87 actions/newnotice.php:88 #: actions/nudge.php:63 actions/subedit.php:33 actions/subscribe.php:96 @@ -1523,11 +1545,13 @@ msgstr "Удалить эту группу" msgid "Not logged in." msgstr "Не авторизован." -#: actions/deletenotice.php:74 +#. TRANS: Error message displayed trying to delete a notice that was not made by the current user. +#: actions/deletenotice.php:78 msgid "Can't delete this notice." msgstr "Не удаётся удалить эту запись." -#: actions/deletenotice.php:106 +#. TRANS: Instructions for deleting a notice. +#: actions/deletenotice.php:110 msgid "" "You are about to permanently delete a notice. Once this is done, it cannot " "be undone." @@ -1535,21 +1559,24 @@ msgstr "" "Вы окончательно удаляете запись. После того, как это будет сделано, " "восстановление будет невозможно." -#: actions/deletenotice.php:112 actions/deletenotice.php:144 +#. TRANS: Page title when deleting a notice. +#. TRANS: Fieldset legend for the delete notice form. +#: actions/deletenotice.php:117 actions/deletenotice.php:148 msgid "Delete notice" msgstr "Удалить запись" -#: actions/deletenotice.php:147 +#. TRANS: Message for the delete notice form. +#: actions/deletenotice.php:152 msgid "Are you sure you want to delete this notice?" msgstr "Вы уверены, что хотите удалить эту запись?" #. TRANS: Submit button title for 'No' when deleting a notice. -#: actions/deletenotice.php:154 +#: actions/deletenotice.php:159 msgid "Do not delete this notice" msgstr "Не удалять эту запись" #. TRANS: Submit button title for 'Yes' when deleting a notice. -#: actions/deletenotice.php:161 lib/noticelist.php:667 +#: actions/deletenotice.php:166 lib/noticelist.php:667 msgid "Delete this notice" msgstr "Удалить эту запись" @@ -1713,11 +1740,9 @@ msgstr "Восстановить значения по умолчанию" #. TRANS: Submit button title. #: actions/designadminpanel.php:711 actions/licenseadminpanel.php:319 -#: actions/othersettings.php:126 actions/sessionsadminpanel.php:199 -#: actions/siteadminpanel.php:292 actions/sitenoticeadminpanel.php:195 +#: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:292 #: actions/snapshotadminpanel.php:245 actions/tagother.php:154 -#: actions/useradminpanel.php:295 lib/applicationeditform.php:357 -#: lib/designsettings.php:256 lib/groupeditform.php:202 +#: lib/applicationeditform.php:357 lib/designsettings.php:256 msgid "Save" msgstr "Сохранить" @@ -1765,9 +1790,9 @@ msgid "Name is required." msgstr "Имя обязательно." #. TRANS: Validation error shown when providing too long a name in the "Edit application" form. -#: actions/editapplication.php:188 +#: actions/editapplication.php:188 actions/newapplication.php:169 #, fuzzy -msgid "Name is too long (max 255 characters)." +msgid "Name is too long (maximum 255 characters)." msgstr "Имя слишком длинное (не больше 255 знаков)." #. TRANS: Validation error shown when providing a name for an application that already exists in the "Edit application" form. @@ -1796,7 +1821,7 @@ msgid "Organization is required." msgstr "Организация обязательна." #. TRANS: Validation error shown when providing too long an arganisation name in the "Edit application" form. -#: actions/editapplication.php:223 +#: actions/editapplication.php:223 actions/newapplication.php:199 #, fuzzy msgid "Organization is too long (maximum 255 characters)." msgstr "Слишком длинное название организации (максимум 255 знаков)." @@ -2604,7 +2629,7 @@ msgid "Publish a MicroID for my Jabber/GTalk address." msgstr "Опубликовать MicroID для моего Jabber/GTalk - адреса." #. TRANS: Confirmation message for successful IM preferences save. -#: actions/imsettings.php:290 actions/othersettings.php:180 +#: actions/imsettings.php:290 actions/othersettings.php:190 msgid "Preferences saved." msgstr "Предпочтения сохранены." @@ -2732,10 +2757,9 @@ msgstr[2] "Вы уже подписаны на пользователя:" #. TRANS: Used as list item for already subscribed users (%1$s is nickname, %2$s is e-mail address). #. TRANS: Used as list item for already registered people (%1$s is nickname, %2$s is e-mail address). -#. TRANS: Whois output. -#. TRANS: %1$s nickname of the queried user, %2$s is their profile URL. -#: actions/invite.php:145 actions/invite.php:159 lib/command.php:426 -#, php-format +#: actions/invite.php:145 actions/invite.php:159 +#, fuzzy, php-format +msgctxt "INVITE" msgid "%1$s (%2$s)" msgstr "%1$s (%2$s)" @@ -2924,7 +2948,8 @@ msgid "" msgstr "" #: actions/licenseadminpanel.php:156 -msgid "Invalid license title. Max length is 255 characters." +#, fuzzy +msgid "Invalid license title. Maximum length is 255 characters." msgstr "Неверное название лицензии. Максимальная длина 255 символов." #: actions/licenseadminpanel.php:168 @@ -3097,20 +3122,10 @@ msgstr "Вы должны авторизоваться, чтобы зареги msgid "Use this form to register a new application." msgstr "Используйте эту форму для создания нового приложения." -#: actions/newapplication.php:169 -#, fuzzy -msgid "Name is too long (maximum 255 chars)." -msgstr "Имя слишком длинное (не больше 255 знаков)." - #: actions/newapplication.php:184 msgid "Source URL is required." msgstr "URL источника обязателен." -#: actions/newapplication.php:199 -#, fuzzy -msgid "Organization is too long (maximum 255 chars)." -msgstr "Слишком длинное название организации (максимум 255 знаков)." - #: actions/newapplication.php:266 actions/newapplication.php:275 msgid "Could not create application." msgstr "Не удаётся создать приложение." @@ -3130,14 +3145,14 @@ msgid "New message" msgstr "Новое сообщение" #. TRANS: Error text shown when trying to send a direct message to a user without a mutual subscription (each user must be subscribed to the other). -#: actions/newmessage.php:121 actions/newmessage.php:164 lib/command.php:499 +#: actions/newmessage.php:121 actions/newmessage.php:164 lib/command.php:501 msgid "You can't send a message to this user." msgstr "Вы не можете послать сообщение этому пользователю." #. TRANS: Command exception text shown when trying to send a direct message to another user without content. #. TRANS: Command exception text shown when trying to reply to a notice without providing content for the reply. #: actions/newmessage.php:144 actions/newnotice.php:140 lib/command.php:478 -#: lib/command.php:579 +#: lib/command.php:581 msgid "No content!" msgstr "Нет контента!" @@ -3146,7 +3161,7 @@ msgid "No recipient specified." msgstr "Нет адресата." #. TRANS: Error text shown when trying to send a direct message to self. -#: actions/newmessage.php:167 lib/command.php:503 +#: actions/newmessage.php:167 lib/command.php:505 msgid "" "Don't send a message to yourself; just say it to yourself quietly instead." msgstr "Не посылайте сообщения сами себе; просто потихоньку скажите это себе." @@ -3157,12 +3172,12 @@ msgstr "Сообщение отправлено" #. TRANS: Message given have sent a direct message to another user. #. TRANS: %s is the name of the other user. -#: actions/newmessage.php:188 lib/command.php:511 +#: actions/newmessage.php:188 lib/command.php:513 #, php-format msgid "Direct message to %s sent." msgstr "Прямое сообщение для %s послано." -#: actions/newmessage.php:213 actions/newnotice.php:263 +#: actions/newmessage.php:213 actions/newnotice.php:264 msgid "Ajax Error" msgstr "Ошибка AJAX" @@ -3170,17 +3185,7 @@ msgstr "Ошибка AJAX" msgid "New notice" msgstr "Новая запись" -#: actions/newnotice.php:159 lib/mailhandler.php:60 -#, php-format -msgid "That's too long. Max notice size is %d chars." -msgstr "Слишком длинная запись. Максимальная длина — %d знаков." - -#: actions/newnotice.php:183 -#, php-format -msgid "Max notice size is %d chars, including attachment URL." -msgstr "Максимальная длина записи — %d символов, включая URL вложения." - -#: actions/newnotice.php:229 +#: actions/newnotice.php:230 msgid "Notice posted" msgstr "Запись опубликована" @@ -3349,36 +3354,46 @@ msgstr "Поиск людей" msgid "Notice Search" msgstr "Поиск в записях" -#: actions/othersettings.php:60 +#: actions/othersettings.php:59 msgid "Other settings" msgstr "Другие настройки" +#. TRANS: Instructions for tab "Other" in user profile settings. #: actions/othersettings.php:71 msgid "Manage various other options." msgstr "Управление другими опциями." -#: actions/othersettings.php:108 +#. TRANS: Used as a suffix for free URL shorteners in a dropdown list in the tab "Other" of a +#. TRANS: user's profile settings. This message has one space at the beginning. Use your +#. TRANS: language's word separator here if it has one (most likely a single space). +#: actions/othersettings.php:111 msgid " (free service)" msgstr " (бесплатный сервис)" -#: actions/othersettings.php:116 +#. TRANS: Label for dropdown with URL shortener services. +#: actions/othersettings.php:120 msgid "Shorten URLs with" msgstr "Сокращать URL с помощью" -#: actions/othersettings.php:117 +#. TRANS: Tooltip for for dropdown with URL shortener services. +#: actions/othersettings.php:122 msgid "Automatic shortening service to use." msgstr "Автоматически использовать выбранный сервис" -#: actions/othersettings.php:122 +#. TRANS: Label for checkbox. +#: actions/othersettings.php:128 msgid "View profile designs" msgstr "Показать оформления профиля" -#: actions/othersettings.php:123 +#. TRANS: Tooltip for checkbox. +#: actions/othersettings.php:130 msgid "Show or hide profile designs." msgstr "Показать или скрыть оформления профиля." -#: actions/othersettings.php:153 -msgid "URL shortening service is too long (max 50 chars)." +#. TRANS: Form validation error for form "Other settings" in user profile. +#: actions/othersettings.php:162 +#, fuzzy +msgid "URL shortening service is too long (maximum 50 characters)." msgstr "Сервис сокращения URL слишком длинный (максимум 50 символов)." #: actions/otp.php:69 @@ -3865,7 +3880,7 @@ msgstr "Биография" #. TRANS: Label for group location (dt). Text hidden by default. #: actions/profilesettings.php:149 actions/register.php:485 #: actions/showgroup.php:267 actions/tagother.php:112 -#: actions/userauthorization.php:166 lib/groupeditform.php:177 +#: actions/userauthorization.php:166 lib/groupeditform.php:180 #: lib/userprofile.php:165 msgid "Location" msgstr "Месторасположение" @@ -4204,7 +4219,8 @@ msgid "Unexpected password reset." msgstr "Нетиповая переустановка пароля." #: actions/recoverpassword.php:365 -msgid "Password must be 6 chars or more." +#, fuzzy +msgid "Password must be 6 characters or more." msgstr "Пароль должен быть длиной не менее 6 символов." #: actions/recoverpassword.php:369 @@ -4582,7 +4598,7 @@ msgstr "Организация" #. TRANS: Form input field label. #: actions/showapplication.php:187 actions/version.php:200 -#: lib/applicationeditform.php:208 lib/groupeditform.php:172 +#: lib/applicationeditform.php:208 lib/groupeditform.php:175 msgid "Description" msgstr "Описание" @@ -4734,7 +4750,7 @@ msgid "Note" msgstr "Запись" #. TRANS: Label for group aliases (dt). Text hidden by default. -#: actions/showgroup.php:298 lib/groupeditform.php:184 +#: actions/showgroup.php:298 lib/groupeditform.php:187 msgid "Aliases" msgstr "Алиасы" @@ -4867,47 +4883,67 @@ msgstr "Сообщение от %1$s на %2$s" msgid "Notice deleted." msgstr "Запись удалена." -#: actions/showstream.php:72 -#, php-format -msgid " tagged %s" -msgstr " с тегом %s" +#. TRANS: Page title showing tagged notices in one user's stream. %1$s is the username, %2$s is the hash tag. +#: actions/showstream.php:70 +#, fuzzy, php-format +msgid "%1$s tagged %2$s" +msgstr "%1$s, страница %2$d" -#: actions/showstream.php:78 +#. TRANS: Page title showing tagged notices in one user's stream. +#. TRANS: %1$s is the username, %2$s is the hash tag, %1$d is the page number. +#: actions/showstream.php:74 +#, fuzzy, php-format +msgid "%1$s tagged %2$s, page %3$d" +msgstr "Записи с тегом %1$s, страница %2$d" + +#. TRANS: Extended page title showing tagged notices in one user's stream. +#. TRANS: %1$s is the username, %2$d is the page number. +#: actions/showstream.php:82 #, php-format msgid "%1$s, page %2$d" msgstr "%1$s, страница %2$d" -#: actions/showstream.php:120 +#. TRANS: Title for link to notice feed. +#. TRANS: %1$s is a user nickname, %2$s is a hashtag. +#: actions/showstream.php:127 #, php-format msgid "Notice feed for %1$s tagged %2$s (RSS 1.0)" msgstr "Лента записей %1$s с тегом %2$s (RSS 1.0)" -#: actions/showstream.php:127 +#. TRANS: Title for link to notice feed. +#. TRANS: %s is a user nickname. +#: actions/showstream.php:136 #, php-format msgid "Notice feed for %s (RSS 1.0)" msgstr "Лента записей для %s (RSS 1.0)" -#: actions/showstream.php:134 +#. TRANS: Title for link to notice feed. +#. TRANS: %s is a user nickname. +#: actions/showstream.php:145 #, php-format msgid "Notice feed for %s (RSS 2.0)" msgstr "Лента записей для %s (RSS 2.0)" -#: actions/showstream.php:141 +#: actions/showstream.php:152 #, php-format msgid "Notice feed for %s (Atom)" msgstr "Лента записей для %s (Atom)" -#: actions/showstream.php:146 +#. TRANS: Title for link to notice feed. FOAF stands for Friend of a Friend. +#. TRANS: More information at http://www.foaf-project.org. %s is a user nickname. +#: actions/showstream.php:159 #, php-format msgid "FOAF for %s" msgstr "FOAF для %s" -#: actions/showstream.php:197 -#, php-format -msgid "This is the timeline for %1$s but %2$s hasn't posted anything yet." +#. TRANS: First sentence of empty list message for a stream. $1%s is a user nickname. +#: actions/showstream.php:211 +#, fuzzy, php-format +msgid "This is the timeline for %1$s, but %1$s hasn't posted anything yet." msgstr "Это лента %1$s, однако %2$s пока ничего не отправил." -#: actions/showstream.php:202 +#. TRANS: Second sentence of empty list message for a stream for the user themselves. +#: actions/showstream.php:217 msgid "" "Seen anything interesting recently? You haven't posted any notices yet, now " "would be a good time to start :)" @@ -4915,7 +4951,9 @@ msgstr "" "Видели недавно что-нибудь интересное? Вы ещё не отправили ни одной записи, " "сейчас хорошее время для начала :)" -#: actions/showstream.php:204 +#. TRANS: Second sentence of empty list message for a non-self stream. %1$s is a user nickname, %2$s is a part of a URL. +#. TRANS: This message contains a Markdown link. Keep "](" together. +#: actions/showstream.php:221 #, php-format msgid "" "You can try to nudge %1$s or [post something to them](%%%%action.newnotice%%%" @@ -4924,7 +4962,9 @@ msgstr "" "Вы можете попробовать «подтолкнуть» %1$s или [написать что-нибудь для них](%%%" "%action.newnotice%%%%?status_textarea=%2$s)." -#: actions/showstream.php:243 +#. TRANS: Announcement for anonymous users showing a stream if site registrations are open. +#. TRANS: This message contains a Markdown link. Keep "](" together. +#: actions/showstream.php:264 #, php-format msgid "" "**%s** has an account on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -4939,7 +4979,9 @@ msgstr "" "сообщения участника **%s** и иметь доступ ко множеству других возможностей! " "([Читать далее](%%%%doc.help%%%%))" -#: actions/showstream.php:248 +#. TRANS: Announcement for anonymous users showing a stream if site registrations are closed or invite only. +#. TRANS: This message contains a Markdown link. Keep "](" together. +#: actions/showstream.php:271 #, php-format msgid "" "**%s** has an account on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -4951,7 +4993,8 @@ msgstr "" "использованием свободного программного обеспечения [StatusNet](http://status." "net/). " -#: actions/showstream.php:305 +#. TRANS: Link to the author of a repeated notice. %s is a linked nickname. +#: actions/showstream.php:328 #, php-format msgid "Repeat of %s" msgstr "Повтор за %s" @@ -5065,31 +5108,40 @@ msgid "How long users must wait (in seconds) to post the same thing again." msgstr "" "Сколько нужно ждать пользователям (в секундах) для отправки того же ещё раз." -#: actions/sitenoticeadminpanel.php:56 +#. TRANS: Page title for site-wide notice tab in admin panel. +#: actions/sitenoticeadminpanel.php:55 msgid "Site Notice" msgstr "Уведомление сайта" -#: actions/sitenoticeadminpanel.php:67 +#. TRANS: Instructions for site-wide notice tab in admin panel. +#: actions/sitenoticeadminpanel.php:66 msgid "Edit site-wide message" msgstr "Изменить уведомление для всего сайта" -#: actions/sitenoticeadminpanel.php:103 +#. TRANS: Server error displayed when saving a site-wide notice was impossible. +#: actions/sitenoticeadminpanel.php:101 msgid "Unable to save site notice." msgstr "Не удаётся сохранить уведомление сайта." -#: actions/sitenoticeadminpanel.php:113 -msgid "Max length for the site-wide notice is 255 chars." +#. TRANS: Client error displayed when a site-wide notice was longer than allowed. +#: actions/sitenoticeadminpanel.php:112 +#, fuzzy +msgid "Maximum length for the site-wide notice is 255 characters." msgstr "Максимальная длина уведомления сайта составляет 255 символов." +#. TRANS: Label for site-wide notice text field in admin panel. #: actions/sitenoticeadminpanel.php:176 msgid "Site notice text" msgstr "Текст уведомления сайта" -#: actions/sitenoticeadminpanel.php:178 -msgid "Site-wide notice text (255 chars max; HTML okay)" +#. TRANS: Tooltip for site-wide notice text field in admin panel. +#: actions/sitenoticeadminpanel.php:179 +#, fuzzy +msgid "Site-wide notice text (255 characters maximum; HTML allowed)" msgstr "Текст уведомления сайта (максимум 255 символов; допустим HTML)" -#: actions/sitenoticeadminpanel.php:198 +#. TRANS: Title for button to save site notice in admin panel. +#: actions/sitenoticeadminpanel.php:201 msgid "Save site notice" msgstr "Сохранить уведомление сайта" @@ -5558,76 +5610,94 @@ msgstr "" "Лицензия просматриваемого потока «%1$s» несовместима с лицензией сайта «%2$s»." #. TRANS: User admin panel title -#: actions/useradminpanel.php:60 +#: actions/useradminpanel.php:58 msgctxt "TITLE" msgid "User" msgstr "Пользователь" -#: actions/useradminpanel.php:71 +#. TRANS: Instruction for user admin panel. +#: actions/useradminpanel.php:69 msgid "User settings for this StatusNet site" msgstr "" -#: actions/useradminpanel.php:150 +#. TRANS: Form validation error in user admin panel when a non-numeric character limit was set. +#: actions/useradminpanel.php:147 msgid "Invalid bio limit. Must be numeric." msgstr "Неверное ограничение биографии. Должно быть числом." -#: actions/useradminpanel.php:156 -msgid "Invalid welcome text. Max length is 255 characters." +#. TRANS: Form validation error in user admin panel when welcome text is too long. +#: actions/useradminpanel.php:154 +#, fuzzy +msgid "Invalid welcome text. Maximum length is 255 characters." msgstr "" "Неверный текст приветствия. Максимальная длина составляет 255 символов." +#. TRANS: Client error displayed when trying to set a non-existing user as default subscription for new +#. TRANS: users in user admin panel. %1$s is the invalid nickname. #: actions/useradminpanel.php:166 -#, php-format -msgid "Invalid default subscripton: '%1$s' is not user." +#, fuzzy, php-format +msgid "Invalid default subscripton: '%1$s' is not a user." msgstr "Неверная подписка по умолчанию: «%1$s» не является пользователем." #. TRANS: Link description in user account settings menu. -#: actions/useradminpanel.php:219 lib/accountsettingsaction.php:106 +#: actions/useradminpanel.php:215 lib/accountsettingsaction.php:106 #: lib/personalgroupnav.php:109 msgid "Profile" msgstr "Профиль" -#: actions/useradminpanel.php:223 +#. TRANS: Field label in user admin panel for setting the character limit for the bio field. +#: actions/useradminpanel.php:220 msgid "Bio Limit" msgstr "Ограничение биографии" -#: actions/useradminpanel.php:224 +#. TRANS: Tooltip in user admin panel for setting the character limit for the bio field. +#: actions/useradminpanel.php:222 msgid "Maximum length of a profile bio in characters." msgstr "Максимальная длина биографии профиля в символах." -#: actions/useradminpanel.php:232 +#. TRANS: Form legend in user admin panel. +#: actions/useradminpanel.php:231 msgid "New users" msgstr "Новые пользователи" +#. TRANS: Field label in user admin panel for setting new user welcome text. #: actions/useradminpanel.php:236 msgid "New user welcome" msgstr "Приветствие новым пользователям" -#: actions/useradminpanel.php:237 -msgid "Welcome text for new users (Max 255 chars)." +#. TRANS: Tooltip in user admin panel for setting new user welcome text. +#: actions/useradminpanel.php:238 +#, fuzzy +msgid "Welcome text for new users (maximum 255 characters)." msgstr "Текст приветствия для новых пользователей (максимум 255 символов)." -#: actions/useradminpanel.php:242 +#. TRANS: Field label in user admin panel for setting default subscription for new users. +#: actions/useradminpanel.php:244 msgid "Default subscription" msgstr "Подписка по умолчанию" -#: actions/useradminpanel.php:243 +#. TRANS: Tooltip in user admin panel for setting default subscription for new users. +#: actions/useradminpanel.php:246 msgid "Automatically subscribe new users to this user." msgstr "Автоматически подписывать новых пользователей на этого пользователя." -#: actions/useradminpanel.php:252 +#. TRANS: Form legend in user admin panel. +#: actions/useradminpanel.php:256 msgid "Invitations" msgstr "Приглашения" -#: actions/useradminpanel.php:257 +#. TRANS: Field label for checkbox in user admin panel for allowing users to invite friend using site e-mail. +#: actions/useradminpanel.php:262 msgid "Invitations enabled" msgstr "Приглашения включены" -#: actions/useradminpanel.php:259 +#. TRANS: Tooltip for checkbox in user admin panel for allowing users to invite friend using site e-mail. +#: actions/useradminpanel.php:265 msgid "Whether to allow users to invite new users." msgstr "Разрешать ли пользователям приглашать новых пользователей." -#: actions/useradminpanel.php:295 +#. TRANS: Title for button to save user settings in user admin panel. +#: actions/useradminpanel.php:302 msgid "Save user settings" msgstr "" @@ -5837,7 +5907,7 @@ msgid "Plugins" msgstr "Плагины" #. TRANS: Secondary navigation menu option leading to version information on the StatusNet site. -#: actions/version.php:198 lib/action.php:831 +#: actions/version.php:198 lib/action.php:880 msgid "Version" msgstr "Версия" @@ -6046,9 +6116,16 @@ msgstr "Не удаётся сохранить информацию о лока msgid "RT @%1$s %2$s" msgstr "RT @%1$s %2$s" +#. TRANS: Full name of a profile or group followed by nickname in parens +#: classes/Profile.php:164 +#, fuzzy, php-format +msgctxt "FANCYNAME" +msgid "%1$s (%2$s)" +msgstr "%1$s (%2$s)" + #. TRANS: Exception thrown when trying to revoke an existing role for a user that does not exist. #. TRANS: %1$s is the role name, %2$s is the user ID (number). -#: classes/Profile.php:791 +#: classes/Profile.php:812 #, php-format msgid "Cannot revoke role \"%1$s\" for user #%2$d; does not exist." msgstr "" @@ -6057,7 +6134,7 @@ msgstr "" #. TRANS: Exception thrown when trying to revoke a role for a user with a failing database query. #. TRANS: %1$s is the role name, %2$s is the user ID (number). -#: classes/Profile.php:800 +#: classes/Profile.php:821 #, php-format msgid "Cannot revoke role \"%1$s\" for user #%2$d; database error." msgstr "" @@ -6203,194 +6280,201 @@ msgstr "%1$s — %2$s" msgid "Untitled page" msgstr "Страница без названия" +#. TRANS: Localized tooltip for '...' expansion button on overlong remote messages. +#: lib/action.php:310 +msgctxt "TOOLTIP" +msgid "Show more" +msgstr "" + #. TRANS: DT element for primary navigation menu. String is hidden in default CSS. -#: lib/action.php:477 +#: lib/action.php:526 msgid "Primary site navigation" msgstr "Главная навигация" #. TRANS: Tooltip for main menu option "Personal" -#: lib/action.php:483 +#: lib/action.php:532 msgctxt "TOOLTIP" msgid "Personal profile and friends timeline" msgstr "Личный профиль и лента друзей" #. TRANS: Main menu option when logged in for access to personal profile and friends timeline -#: lib/action.php:486 +#: lib/action.php:535 msgctxt "MENU" msgid "Personal" msgstr "Личное" #. TRANS: Tooltip for main menu option "Account" -#: lib/action.php:488 +#: lib/action.php:537 msgctxt "TOOLTIP" msgid "Change your email, avatar, password, profile" msgstr "Изменить ваш email, аватар, пароль, профиль" #. TRANS: Main menu option when logged in for access to user settings -#: lib/action.php:491 +#: lib/action.php:540 msgid "Account" msgstr "Настройки" #. TRANS: Tooltip for main menu option "Services" -#: lib/action.php:493 +#: lib/action.php:542 msgctxt "TOOLTIP" msgid "Connect to services" msgstr "Соединить с сервисами" #. TRANS: Main menu option when logged in and connection are possible for access to options to connect to other services -#: lib/action.php:496 +#: lib/action.php:545 msgid "Connect" msgstr "Соединить" #. TRANS: Tooltip for menu option "Admin" -#: lib/action.php:499 +#: lib/action.php:548 msgctxt "TOOLTIP" msgid "Change site configuration" msgstr "Изменить конфигурацию сайта" #. TRANS: Main menu option when logged in and site admin for access to site configuration #. TRANS: Menu item in the group navigation page. Only shown for group administrators. -#: lib/action.php:502 lib/groupnav.php:117 +#: lib/action.php:551 lib/groupnav.php:117 msgctxt "MENU" msgid "Admin" msgstr "Настройки" #. TRANS: Tooltip for main menu option "Invite" -#: lib/action.php:506 +#: lib/action.php:555 #, php-format msgctxt "TOOLTIP" msgid "Invite friends and colleagues to join you on %s" msgstr "Пригласите друзей и коллег стать такими же как Вы участниками %s" #. TRANS: Main menu option when logged in and invitations are allowed for inviting new users -#: lib/action.php:509 +#: lib/action.php:558 msgctxt "MENU" msgid "Invite" msgstr "Пригласить" #. TRANS: Tooltip for main menu option "Logout" -#: lib/action.php:515 +#: lib/action.php:564 msgctxt "TOOLTIP" msgid "Logout from the site" msgstr "Выйти" #. TRANS: Main menu option when logged in to log out the current user -#: lib/action.php:518 +#: lib/action.php:567 msgctxt "MENU" msgid "Logout" msgstr "Выход" #. TRANS: Tooltip for main menu option "Register" -#: lib/action.php:523 +#: lib/action.php:572 msgctxt "TOOLTIP" msgid "Create an account" msgstr "Создать новый аккаунт" #. TRANS: Main menu option when not logged in to register a new account -#: lib/action.php:526 +#: lib/action.php:575 msgctxt "MENU" msgid "Register" msgstr "Регистрация" #. TRANS: Tooltip for main menu option "Login" -#: lib/action.php:529 +#: lib/action.php:578 msgctxt "TOOLTIP" msgid "Login to the site" msgstr "Войти" #. TRANS: Main menu option when not logged in to log in -#: lib/action.php:532 +#: lib/action.php:581 msgctxt "MENU" msgid "Login" msgstr "Вход" #. TRANS: Tooltip for main menu option "Help" -#: lib/action.php:535 +#: lib/action.php:584 msgctxt "TOOLTIP" msgid "Help me!" msgstr "Помощь" #. TRANS: Main menu option for help on the StatusNet site -#: lib/action.php:538 +#: lib/action.php:587 msgctxt "MENU" msgid "Help" msgstr "Помощь" #. TRANS: Tooltip for main menu option "Search" -#: lib/action.php:541 +#: lib/action.php:590 msgctxt "TOOLTIP" msgid "Search for people or text" msgstr "Искать людей или текст" #. TRANS: Main menu option when logged in or when the StatusNet instance is not private -#: lib/action.php:544 +#: lib/action.php:593 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:566 lib/adminpanelaction.php:387 +#: lib/action.php:615 lib/adminpanelaction.php:387 msgid "Site notice" msgstr "Уведомление сайта" #. TRANS: DT element for local views block. String is hidden in default CSS. -#: lib/action.php:633 +#: lib/action.php:682 msgid "Local views" msgstr "Локальные виды" #. TRANS: DT element for page notice. String is hidden in default CSS. -#: lib/action.php:703 +#: lib/action.php:752 msgid "Page notice" msgstr "Новая запись" #. TRANS: DT element for secondary navigation menu. String is hidden in default CSS. -#: lib/action.php:804 +#: lib/action.php:853 msgid "Secondary site navigation" msgstr "Навигация по подпискам" #. TRANS: Secondary navigation menu option leading to help on StatusNet. -#: lib/action.php:810 +#: lib/action.php:859 msgid "Help" msgstr "Помощь" #. TRANS: Secondary navigation menu option leading to text about StatusNet site. -#: lib/action.php:813 +#: lib/action.php:862 msgid "About" msgstr "О проекте" #. TRANS: Secondary navigation menu option leading to Frequently Asked Questions. -#: lib/action.php:816 +#: lib/action.php:865 msgid "FAQ" msgstr "ЧаВо" #. TRANS: Secondary navigation menu option leading to Terms of Service. -#: lib/action.php:821 +#: lib/action.php:870 msgid "TOS" msgstr "TOS" #. TRANS: Secondary navigation menu option leading to privacy policy. -#: lib/action.php:825 +#: lib/action.php:874 msgid "Privacy" msgstr "Пользовательское соглашение" -#. TRANS: Secondary navigation menu option. -#: lib/action.php:828 +#. TRANS: Secondary navigation menu option. Leads to information about StatusNet and its license. +#: lib/action.php:877 msgid "Source" msgstr "Исходный код" -#. TRANS: Secondary navigation menu option leading to contact information on the StatusNet site. -#: lib/action.php:834 +#. TRANS: Secondary navigation menu option leading to e-mail contact information on the +#. TRANS: StatusNet site, where to report bugs, ... +#: lib/action.php:884 msgid "Contact" msgstr "Контактная информация" -#. TRANS: Secondary navigation menu option. -#: lib/action.php:837 +#. TRANS: Secondary navigation menu option. Leads to information about embedding a timeline widget. +#: lib/action.php:887 msgid "Badge" msgstr "Бедж" #. TRANS: DT element for StatusNet software license. -#: lib/action.php:866 +#: lib/action.php:916 msgid "StatusNet software license" msgstr "StatusNet лицензия" @@ -6398,7 +6482,7 @@ msgstr "StatusNet лицензия" #. TRANS: Text between [] is a link description, text between () is the link itself. #. TRANS: Make sure there is no whitespace between "]" and "(". #. TRANS: "%%site.broughtby%%" is the value of the variable site.broughtby -#: lib/action.php:873 +#: lib/action.php:923 #, php-format msgid "" "**%%site.name%%** is a microblogging service brought to you by [%%site." @@ -6408,7 +6492,7 @@ msgstr "" "broughtby%%](%%site.broughtbyurl%%)." #. TRANS: First sentence of the StatusNet site license. Used if 'broughtby' is not set. -#: lib/action.php:876 +#: lib/action.php:926 #, php-format msgid "**%%site.name%%** is a microblogging service." msgstr "**%%site.name%%** — сервис микроблогинга." @@ -6417,7 +6501,7 @@ msgstr "**%%site.name%%** — сервис микроблогинга." #. TRANS: Make sure there is no whitespace between "]" and "(". #. TRANS: Text between [] is a link description, text between () is the link itself. #. TRANS: %s is the version of StatusNet that is being used. -#: lib/action.php:883 +#: lib/action.php:933 #, php-format msgid "" "It runs the [StatusNet](http://status.net/) microblogging software, version %" @@ -6430,27 +6514,27 @@ msgstr "" "licenses/agpl-3.0.html)." #. TRANS: DT element for StatusNet site content license. -#: lib/action.php:899 +#: lib/action.php:949 msgid "Site content license" msgstr "Лицензия содержимого сайта" #. TRANS: Content license displayed when license is set to 'private'. #. TRANS: %1$s is the site name. -#: lib/action.php:906 +#: lib/action.php:956 #, php-format msgid "Content and data of %1$s are private and confidential." msgstr "Содержание и данные %1$s являются личными и конфиденциальными." #. TRANS: Content license displayed when license is set to 'allrightsreserved'. #. TRANS: %1$s is the copyright owner. -#: lib/action.php:913 +#: lib/action.php:963 #, php-format msgid "Content and data copyright by %1$s. All rights reserved." msgstr "" "Авторские права на содержание и данные принадлежат %1$s. Все права защищены." #. TRANS: Content license displayed when license is set to 'allrightsreserved' and no owner is set. -#: lib/action.php:917 +#: lib/action.php:967 msgid "Content and data copyright by contributors. All rights reserved." msgstr "" "Авторские права на содержание и данные принадлежат разработчикам. Все права " @@ -6458,25 +6542,25 @@ msgstr "" #. TRANS: license message in footer. #. TRANS: %1$s is the site name, %2$s is a link to the license URL, with a licence name set in configuration. -#: lib/action.php:949 +#: lib/action.php:999 #, php-format msgid "All %1$s content and data are available under the %2$s license." msgstr "Все материалы и данные %1$s доступны на условиях лицензии %2$s." #. TRANS: DT element for pagination (previous/next, etc.). -#: lib/action.php:1285 +#: lib/action.php:1335 msgid "Pagination" msgstr "Разбиение на страницы" #. TRANS: Pagination message to go to a page displaying information more in the #. TRANS: present than the currently displayed information. -#: lib/action.php:1296 +#: lib/action.php:1346 msgid "After" msgstr "Сюда" #. TRANS: Pagination message to go to a page displaying information more in the #. TRANS: past than the currently displayed information. -#: lib/action.php:1306 +#: lib/action.php:1356 msgid "Before" msgstr "Туда" @@ -6823,7 +6907,7 @@ msgid "AJAX error" msgstr "Ошибка AJAX" #. TRANS: E-mail subject when a command has completed. -#: lib/channel.php:233 lib/mailhandler.php:142 +#: lib/channel.php:233 lib/mailhandler.php:143 msgid "Command complete" msgstr "Команда завершена" @@ -6839,7 +6923,7 @@ msgstr "Записи с таким id не существует." #. TRANS: Command exception text shown when a last user notice is requested and it does not exist. #. TRANS: Error text shown when a last user notice is requested and it does not exist. -#: lib/command.php:99 lib/command.php:626 +#: lib/command.php:99 lib/command.php:630 msgid "User has no last notice." msgstr "У пользователя нет последней записи." @@ -6908,6 +6992,14 @@ msgstr "%1$s присоединился к группе %2$s." msgid "%1$s left group %2$s." msgstr "%1$s покинул группу %2$s." +#. TRANS: Whois output. +#. TRANS: %1$s nickname of the queried user, %2$s is their profile URL. +#: lib/command.php:426 +#, fuzzy, php-format +msgctxt "WHOIS" +msgid "%1$s (%2$s)" +msgstr "%1$s (%2$s)" + #. TRANS: Whois output. %s is the full name of the queried user. #: lib/command.php:430 #, php-format @@ -6947,114 +7039,125 @@ msgstr "" "%s профиль другой системы; вы можете отсылать личное сообщение только " "пользователям этой системы." -#. TRANS: Message given if content is too long. +#. TRANS: Message given if content is too long. %1$sd is used for plural. #. TRANS: %1$d is the maximum number of characters, %2$d is the number of submitted characters. #: lib/command.php:488 -#, php-format -msgid "Message too long - maximum is %1$d characters, you sent %2$d." -msgstr "" +#, fuzzy, php-format +msgid "Message too long - maximum is %1$d character, you sent %2$d." +msgid_plural "Message too long - maximum is %1$d characters, you sent %2$d." +msgstr[0] "" +"Сообщение слишком длинное — не больше %1$d символов, вы отправили %2$d." +msgstr[1] "" +"Сообщение слишком длинное — не больше %1$d символов, вы отправили %2$d." +msgstr[2] "" "Сообщение слишком длинное — не больше %1$d символов, вы отправили %2$d." #. TRANS: Error text shown sending a direct message fails with an unknown reason. -#: lib/command.php:514 +#: lib/command.php:516 msgid "Error sending direct message." msgstr "Ошибка при отправке прямого сообщения." #. TRANS: Message given having repeated a notice from another user. #. TRANS: %s is the name of the user for which the notice was repeated. -#: lib/command.php:551 +#: lib/command.php:553 #, php-format msgid "Notice from %s repeated." msgstr "Запись %s повторена." #. TRANS: Error text shown when repeating a notice fails with an unknown reason. -#: lib/command.php:554 +#: lib/command.php:556 msgid "Error repeating notice." msgstr "Ошибка при повторении записи." -#. TRANS: Message given if content of a notice for a reply is too long. +#. TRANS: Message given if content of a notice for a reply is too long. %1$d is used for plural. #. TRANS: %1$d is the maximum number of characters, %2$d is the number of submitted characters. -#: lib/command.php:589 -#, php-format -msgid "Notice too long - maximum is %1$d characters, you sent %2$d." -msgstr "Запись слишком длинная — не больше %1$d символов, вы отправили %2$d." +#: lib/command.php:591 +#, fuzzy, php-format +msgid "Notice too long - maximum is %1$d character, you sent %2$d." +msgid_plural "Notice too long - maximum is %1$d characters, you sent %2$d." +msgstr[0] "" +"Запись слишком длинная — не больше %1$d символов, вы отправили %2$d." +msgstr[1] "" +"Запись слишком длинная — не больше %1$d символов, вы отправили %2$d." +msgstr[2] "" +"Запись слишком длинная — не больше %1$d символов, вы отправили %2$d." #. TRANS: Text shown having sent a reply to a notice successfully. #. TRANS: %s is the nickname of the user of the notice the reply was sent to. -#: lib/command.php:600 +#: lib/command.php:604 #, php-format msgid "Reply to %s sent." msgstr "Ответ %s отправлен." #. TRANS: Error text shown when a reply to a notice fails with an unknown reason. -#: lib/command.php:603 +#: lib/command.php:607 msgid "Error saving notice." msgstr "Проблемы с сохранением записи." #. TRANS: Error text shown when no username was provided when issuing a subscribe command. -#: lib/command.php:650 +#: lib/command.php:654 msgid "Specify the name of the user to subscribe to." msgstr "Укажите имя пользователя для подписки." #. TRANS: Command exception text shown when trying to subscribe to an OMB profile using the subscribe command. -#: lib/command.php:659 +#: lib/command.php:663 msgid "Can't subscribe to OMB profiles by command." msgstr "Невозможно подписаться командой на профили OMB." #. TRANS: Text shown after having subscribed to another user successfully. #. TRANS: %s is the name of the user the subscription was requested for. -#: lib/command.php:667 +#: lib/command.php:671 #, php-format msgid "Subscribed to %s." msgstr "Подписался на %s." #. TRANS: Error text shown when no username was provided when issuing an unsubscribe command. #. TRANS: Error text shown when no username was provided when issuing the command. -#: lib/command.php:688 lib/command.php:799 +#: lib/command.php:692 lib/command.php:803 msgid "Specify the name of the user to unsubscribe from." msgstr "Укажите имя пользователя для отмены подписки." #. TRANS: Text shown after having unsubscribed from another user successfully. #. TRANS: %s is the name of the user the unsubscription was requested for. -#: lib/command.php:699 +#: lib/command.php:703 #, php-format msgid "Unsubscribed from %s." msgstr "Отписаться от %s." #. TRANS: Error text shown when issuing the command "off" with a setting which has not yet been implemented. #. TRANS: Error text shown when issuing the command "on" with a setting which has not yet been implemented. -#: lib/command.php:719 lib/command.php:745 +#: lib/command.php:723 lib/command.php:749 msgid "Command not yet implemented." msgstr "Команда ещё не выполнена." #. TRANS: Text shown when issuing the command "off" successfully. -#: lib/command.php:723 +#: lib/command.php:727 msgid "Notification off." msgstr "Оповещение отсутствует." #. TRANS: Error text shown when the command "off" fails for an unknown reason. -#: lib/command.php:726 +#: lib/command.php:730 msgid "Can't turn off notification." msgstr "Нет оповещения." #. TRANS: Text shown when issuing the command "on" successfully. -#: lib/command.php:749 +#: lib/command.php:753 msgid "Notification on." msgstr "Есть оповещение." #. TRANS: Error text shown when the command "on" fails for an unknown reason. -#: lib/command.php:752 +#: lib/command.php:756 msgid "Can't turn on notification." msgstr "Есть оповещение." #. TRANS: Error text shown when issuing the login command while login is disabled. -#: lib/command.php:766 +#: lib/command.php:770 msgid "Login command is disabled." msgstr "Команда входа отключена." #. TRANS: Text shown after issuing the login command successfully. #. TRANS: %s is a logon link.. -#: lib/command.php:779 +#: lib/command.php:783 #, php-format msgid "This link is useable only once and is valid for only 2 minutes: %s." msgstr "" @@ -7063,20 +7166,20 @@ msgstr "" #. TRANS: Text shown after issuing the lose command successfully (stop another user from following the current user). #. TRANS: %s is the name of the user the unsubscription was requested for. -#: lib/command.php:808 +#: lib/command.php:812 #, php-format msgid "Unsubscribed %s." msgstr "Отписано %s." #. TRANS: Text shown after requesting other users a user is subscribed to without having any subscriptions. -#: lib/command.php:826 +#: lib/command.php:830 msgid "You are not subscribed to anyone." msgstr "Вы ни на кого не подписаны." #. TRANS: Text shown after requesting other users a user is subscribed to. #. TRANS: This message supports plural forms. This message is followed by a #. TRANS: hard coded space and a comma separated list of subscribed users. -#: lib/command.php:831 +#: lib/command.php:835 msgid "You are subscribed to this person:" msgid_plural "You are subscribed to these people:" msgstr[0] "Вы подписаны на этих людей:" @@ -7085,14 +7188,14 @@ msgstr[2] "Вы подписаны на этих людей:" #. TRANS: Text shown after requesting other users that are subscribed to a user #. TRANS: (followers) without having any subscribers. -#: lib/command.php:853 +#: lib/command.php:857 msgid "No one is subscribed to you." msgstr "Никто не подписан на вас." #. TRANS: Text shown after requesting other users that are subscribed to a user (followers). #. TRANS: This message supports plural forms. This message is followed by a #. TRANS: hard coded space and a comma separated list of subscribing users. -#: lib/command.php:858 +#: lib/command.php:862 msgid "This person is subscribed to you:" msgid_plural "These people are subscribed to you:" msgstr[0] "Эти люди подписались на вас:" @@ -7101,14 +7204,14 @@ msgstr[2] "Эти люди подписались на вас:" #. TRANS: Text shown after requesting groups a user is subscribed to without having #. TRANS: any group subscriptions. -#: lib/command.php:880 +#: lib/command.php:884 msgid "You are not a member of any groups." msgstr "Вы не состоите ни в одной группе." #. TRANS: Text shown after requesting groups a user is subscribed to. #. TRANS: This message supports plural forms. This message is followed by a #. TRANS: hard coded space and a comma separated list of subscribed groups. -#: lib/command.php:885 +#: lib/command.php:889 msgid "You are a member of this group:" msgid_plural "You are a member of these groups:" msgstr[0] "Вы являетесь участником следующих групп:" @@ -7116,7 +7219,7 @@ msgstr[1] "Вы являетесь участником следующих гр msgstr[2] "Вы являетесь участником следующих групп:" #. TRANS: Help text for commands. Do not translate the command names themselves; they are fixed strings. -#: lib/command.php:900 +#: lib/command.php:904 msgid "" "Commands:\n" "on - turn on notifications\n" @@ -7347,7 +7450,8 @@ msgid "1-64 lowercase letters or numbers, no punctuation or spaces" msgstr "1-64 латинских строчных буквы или цифры, без пробелов" #: lib/groupeditform.php:163 -msgid "URL of the homepage or blog of the group or topic" +#, fuzzy +msgid "URL of the homepage or blog of the group or topic." msgstr "Адрес страницы, дневника или профиля группы на другом портале" #: lib/groupeditform.php:168 @@ -7355,19 +7459,34 @@ msgid "Describe the group or topic" msgstr "Опишите группу или тему" #: lib/groupeditform.php:170 -#, php-format -msgid "Describe the group or topic in %d characters" -msgstr "Опишите группу или тему при помощи %d символов" +#, fuzzy, php-format +msgid "Describe the group or topic in %d character or less" +msgid_plural "Describe the group or topic in %d characters or less" +msgstr[0] "Опишите группу или тему при помощи %d символов" +msgstr[1] "Опишите группу или тему при помощи %d символов" +msgstr[2] "Опишите группу или тему при помощи %d символов" -#: lib/groupeditform.php:179 +#: lib/groupeditform.php:182 +#, fuzzy msgid "" -"Location for the group, if any, like \"City, State (or Region), Country\"" +"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/groupeditform.php:190 +#, fuzzy, php-format +msgid "" +"Extra nicknames for the group, separated with commas or spaces. Maximum %d " +"alias allowed." +msgid_plural "" +"Extra nicknames for the group, separated with commas or spaces. Maximum %d " +"aliases allowed." +msgstr[0] "" +"Дополнительные имена для группы, разделённые запятой или пробелом, максимум %" +"d имён" +msgstr[1] "" +"Дополнительные имена для группы, разделённые запятой или пробелом, максимум %" +"d имён" +msgstr[2] "" "Дополнительные имена для группы, разделённые запятой или пробелом, максимум %" "d имён" @@ -7927,7 +8046,7 @@ msgstr "Простите, это не Ваш входящий электронн msgid "Sorry, no incoming email allowed." msgstr "Простите, входящих писем нет." -#: lib/mailhandler.php:228 +#: lib/mailhandler.php:229 #, php-format msgid "Unsupported message type: %s" msgstr "Неподдерживаемый формат файла изображения: %s" @@ -8273,16 +8392,17 @@ msgid "Sandbox this user" msgstr "Установить режим песочницы для этого пользователя" #. TRANS: Fieldset legend for the search form. -#: lib/searchaction.php:121 +#: lib/searchaction.php:120 msgid "Search site" msgstr "Поиск по сайту" #. TRANS: Used as a field label for the field where one or more keywords #. TRANS: for searching can be entered. -#: lib/searchaction.php:129 +#: lib/searchaction.php:128 msgid "Keyword(s)" msgstr "Ключевые слова" +#. TRANS: Button text for searching site. #: lib/searchaction.php:130 msgctxt "BUTTON" msgid "Search" @@ -8372,8 +8492,8 @@ msgid "The theme file is missing or the upload failed." msgstr "Файл темы отсутствует или произошёл сбой при загрузке." #: lib/themeuploader.php:91 lib/themeuploader.php:102 -#: lib/themeuploader.php:278 lib/themeuploader.php:282 -#: lib/themeuploader.php:290 lib/themeuploader.php:297 +#: lib/themeuploader.php:279 lib/themeuploader.php:283 +#: lib/themeuploader.php:291 lib/themeuploader.php:298 msgid "Failed saving theme." msgstr "Ошибка при сохранении темы." @@ -8382,17 +8502,25 @@ msgid "Invalid theme: bad directory structure." msgstr "Ошибочная тема. Плохая структура директорий." #: lib/themeuploader.php:166 -#, php-format -msgid "Uploaded theme is too large; must be less than %d bytes uncompressed." -msgstr "" +#, fuzzy, php-format +msgid "Uploaded theme is too large; must be less than %d byte uncompressed." +msgid_plural "" +"Uploaded theme is too large; must be less than %d bytes uncompressed." +msgstr[0] "" +"Размер загруженной темы слишком велик, в распакованном виде она должна " +"занимать не более %d байт." +msgstr[1] "" +"Размер загруженной темы слишком велик, в распакованном виде она должна " +"занимать не более %d байт." +msgstr[2] "" "Размер загруженной темы слишком велик, в распакованном виде она должна " "занимать не более %d байт." -#: lib/themeuploader.php:178 +#: lib/themeuploader.php:179 msgid "Invalid theme archive: missing file css/display.css" msgstr "Недопустимый архив: темы. Отсутствует файл css/display.css" -#: lib/themeuploader.php:218 +#: lib/themeuploader.php:219 msgid "" "Theme contains invalid file or folder name. Stick with ASCII letters, " "digits, underscore, and minus sign." @@ -8400,16 +8528,16 @@ msgstr "" "Тема содержит недопустимое имя файла или папки. Допустимы буквы ASCII, " "цифры, подчеркивание и знак минуса." -#: lib/themeuploader.php:224 +#: lib/themeuploader.php:225 msgid "Theme contains unsafe file extension names; may be unsafe." msgstr "Тема содержит файлы с опасным расширением; это может быть небезопасно." -#: lib/themeuploader.php:241 +#: lib/themeuploader.php:242 #, php-format msgid "Theme contains file of type '.%s', which is not allowed." msgstr "Тема содержит файл недопустимого типа «.%s»." -#: lib/themeuploader.php:259 +#: lib/themeuploader.php:260 msgid "Error opening theme archive." msgstr "Ошибка открытия архива темы." @@ -8600,23 +8728,40 @@ msgstr[1] "" msgstr[2] "" "Сообщение слишком длинное — не больше %1$d символов, вы отправили %2$d." -#: scripts/restoreuser.php:82 +#. TRANS: Commandline script output. %s is the filename that contains a backup for a user. +#: scripts/restoreuser.php:61 #, php-format -msgid "Backup file for user %s (%s)" +msgid "Getting backup from file '%s'." msgstr "" -#: scripts/restoreuser.php:88 +#. TRANS: Commandline script output. +#: scripts/restoreuser.php:91 #, fuzzy msgid "No user specified; using backup user." msgstr "Не указан идентификатор пользователя." -#: scripts/restoreuser.php:94 +#. TRANS: Commandline script output. %d is the number of entries in the activity stream in backup; used for plural. +#: scripts/restoreuser.php:98 #, php-format -msgid "%d entries in backup." -msgstr "" +msgid "%d entry in backup." +msgid_plural "%d entries in backup." +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" -#~ msgid "Description is too long (max %d chars)." -#~ msgstr "Слишком длинное описание (максимум %d символов)" +#, fuzzy +#~ msgid "Name is too long (maximum 255 chars)." +#~ msgstr "Имя слишком длинное (не больше 255 знаков)." -#~ msgid "Too many aliases! Maximum %d." -#~ msgstr "Слишком много алиасов! Максимальное число — %d." +#, fuzzy +#~ msgid "Organization is too long (maximum 255 chars)." +#~ msgstr "Слишком длинное название организации (максимум 255 знаков)." + +#~ msgid "That's too long. Max notice size is %d chars." +#~ msgstr "Слишком длинная запись. Максимальная длина — %d знаков." + +#~ msgid "Max notice size is %d chars, including attachment URL." +#~ msgstr "Максимальная длина записи — %d символов, включая URL вложения." + +#~ msgid " tagged %s" +#~ msgstr " с тегом %s" diff --git a/locale/statusnet.pot b/locale/statusnet.pot index 375c6bc743..ed52e7f84e 100644 --- a/locale/statusnet.pot +++ b/locale/statusnet.pot @@ -8,7 +8,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-10-30 23:18+0000\n" +"POT-Creation-Date: 2010-11-02 22:51+0000\n" "PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" "Last-Translator: FULL NAME \n" "Language-Team: LANGUAGE \n" @@ -72,15 +72,20 @@ msgstr "" #. TRANS: Tooltip for button to save access settings in site admin panel. #. TRANS: Button label to save e-mail preferences. #. TRANS: Button label to save IM preferences. +#. TRANS: Button text for saving "Other settings" in profile. #. TRANS: Button text to store form data in the Paths admin panel. #. TRANS: Button to save input in profile settings. +#. TRANS: Button text for saving site notice in admin panel. #. TRANS: Button label to save SMS preferences. #. TRANS: Save button for settings for a profile in a subscriptions list. +#. TRANS: Button text to save user settings in user admin panel. #. TRANS: Button label in the "Edit application" form. #: actions/accessadminpanel.php:193 actions/emailsettings.php:228 -#: actions/imsettings.php:187 actions/pathsadminpanel.php:512 -#: actions/profilesettings.php:201 actions/smssettings.php:209 -#: actions/subscriptions.php:246 lib/applicationeditform.php:355 +#: actions/imsettings.php:187 actions/othersettings.php:134 +#: actions/pathsadminpanel.php:512 actions/profilesettings.php:201 +#: actions/sitenoticeadminpanel.php:197 actions/smssettings.php:209 +#: actions/subscriptions.php:246 actions/useradminpanel.php:298 +#: lib/applicationeditform.php:355 lib/groupeditform.php:207 msgctxt "BUTTON" msgid "Save" msgstr "" @@ -131,7 +136,7 @@ msgstr "" #: 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:93 actions/userrss.php:40 -#: actions/xrds.php:71 lib/command.php:495 lib/galleryaction.php:59 +#: actions/xrds.php:71 lib/command.php:497 lib/galleryaction.php:59 #: lib/mailbox.php:82 lib/profileaction.php:77 msgid "No such user." msgstr "" @@ -198,7 +203,9 @@ msgstr "" #. TRANS: Encoutagement displayed on empty timeline user pages for anonymous users. #. TRANS: %s is a user nickname. This message contains Markdown links. Keep "](" together. -#: actions/all.php:155 actions/replies.php:210 actions/showstream.php:208 +#. TRANS: Second sentence of empty message for anonymous users. %s is a user nickname. +#. TRANS: This message contains a Markdown link. Keep "](" together. +#: actions/all.php:155 actions/replies.php:210 actions/showstream.php:227 #, php-format msgid "" "Why not [register an account](%%%%action.register%%%%) and then nudge %s or " @@ -542,8 +549,11 @@ msgstr "" #. TRANS: Group edit form validation error. #. TRANS: Form validation error in New application form. #. TRANS: %d is the maximum number of characters for the description. +#. TRANS: Group create form validation error. +#. TRANS: %d is the maximum number of allowed characters. #: actions/apigroupcreate.php:220 actions/editapplication.php:201 #: actions/editgroup.php:216 actions/newapplication.php:178 +#: actions/newgroup.php:152 #, php-format msgid "Description is too long (maximum %d character)." msgid_plural "Description is too long (maximum %d characters)." @@ -699,14 +709,14 @@ msgstr "" #. TRANS: Form validation error in API OAuth authorisation because of an invalid session token. #: actions/apioauthauthorize.php:147 actions/avatarsettings.php:280 -#: actions/deletenotice.php:172 actions/disfavor.php:74 +#: actions/deletenotice.php:177 actions/disfavor.php:74 #: actions/emailsettings.php:271 actions/favor.php:75 actions/geocode.php:55 #: actions/groupblock.php:66 actions/grouplogo.php:312 #: actions/groupunblock.php:65 actions/imsettings.php:230 #: actions/invite.php:59 actions/login.php:137 actions/makeadmin.php:66 #: actions/newmessage.php:135 actions/newnotice.php:105 actions/nudge.php:80 #: actions/oauthappssettings.php:165 actions/oauthconnectionssettings.php:138 -#: actions/othersettings.php:145 actions/passwordsettings.php:138 +#: actions/othersettings.php:153 actions/passwordsettings.php:138 #: actions/profilesettings.php:221 actions/recoverpassword.php:350 #: actions/register.php:172 actions/remotesubscribe.php:77 #: actions/repeat.php:83 actions/smssettings.php:256 actions/subedit.php:40 @@ -874,20 +884,21 @@ msgstr "" #. TRANS: Client error displayed trying to repeat a non-existing notice through the API. #. TRANS: Client error displayed trying to display redents of a non-exiting notice. +#. TRANS: Error message displayed trying to delete a non-existing notice. #: actions/apistatusesretweet.php:74 actions/apistatusesretweets.php:70 -#: actions/deletenotice.php:58 actions/shownotice.php:92 +#: actions/deletenotice.php:61 actions/shownotice.php:92 msgid "No such notice." msgstr "" #. TRANS: Client error displayed trying to repeat an own notice through the API. #. TRANS: Error text shown when trying to repeat an own notice. -#: actions/apistatusesretweet.php:83 lib/command.php:535 +#: actions/apistatusesretweet.php:83 lib/command.php:537 msgid "Cannot repeat your own notice." msgstr "" #. TRANS: Client error displayed trying to re-repeat a notice through the API. #. TRANS: Error text shown when trying to repeat an notice that was already repeated by the user. -#: actions/apistatusesretweet.php:92 lib/command.php:541 +#: actions/apistatusesretweet.php:92 lib/command.php:543 msgid "Already repeated that notice." msgstr "" @@ -908,7 +919,8 @@ msgstr "" #. TRANS: Client error displayed when the parameter "status" is missing. #. TRANS: %d is the maximum number of character for a notice. -#: actions/apistatusesupdate.php:244 +#: actions/apistatusesupdate.php:244 actions/newnotice.php:161 +#: lib/mailhandler.php:60 #, php-format msgid "That's too long. Maximum notice size is %d character." msgid_plural "That's too long. Maximum notice size is %d characters." @@ -922,7 +934,7 @@ msgstr "" #. TRANS: Client error displayed exceeding the maximum notice length. #. TRANS: %d is the maximum lenth for a notice. -#: actions/apistatusesupdate.php:308 +#: actions/apistatusesupdate.php:308 actions/newnotice.php:184 #, php-format msgid "Maximum notice size is %d character, including attachment URL." msgid_plural "Maximum notice size is %d characters, including attachment URL." @@ -1128,17 +1140,18 @@ msgstr "" msgid "Lost our file data." msgstr "" -#: actions/avatarsettings.php:384 +#. TRANS: Success message for having updated a user avatar. +#: actions/avatarsettings.php:385 msgid "Avatar updated." msgstr "" #. TRANS: Error displayed on the avatar upload page if the avatar could not be updated for an unknown reason. -#: actions/avatarsettings.php:388 +#: actions/avatarsettings.php:389 msgid "Failed updating avatar." msgstr "" #. TRANS: Success message for deleting a user avatar. -#: actions/avatarsettings.php:412 +#: actions/avatarsettings.php:413 msgid "Avatar deleted." msgstr "" @@ -1167,8 +1180,8 @@ msgstr "" #. TRANS: Button label on the delete notice form. #. TRANS: Button label on the delete user form. #. TRANS: Button label on the form to block a user from a group. -#: actions/block.php:154 actions/deleteapplication.php:154 -#: actions/deletegroup.php:220 actions/deletenotice.php:150 +#: actions/block.php:154 actions/deleteapplication.php:157 +#: actions/deletegroup.php:220 actions/deletenotice.php:155 #: actions/deleteuser.php:152 actions/groupblock.php:178 msgctxt "BUTTON" msgid "No" @@ -1186,8 +1199,8 @@ msgstr "" #. TRANS: Button label on the delete notice form. #. TRANS: Button label on the delete user form. #. TRANS: Button label on the form to block a user from a group. -#: actions/block.php:161 actions/deleteapplication.php:161 -#: actions/deletegroup.php:227 actions/deletenotice.php:157 +#: actions/block.php:161 actions/deleteapplication.php:164 +#: actions/deletegroup.php:227 actions/deletenotice.php:162 #: actions/deleteuser.php:159 actions/groupblock.php:185 msgctxt "BUTTON" msgid "Yes" @@ -1303,12 +1316,13 @@ msgstr "" #. TRANS: Server error thrown on database error removing a registered e-mail address. #. TRANS: Server error thrown on database error updating IM preferences. #. TRANS: Server error thrown on database error removing a registered IM address. +#. TRANS: Server error displayed when "Other" settings in user profile could not be updated on the server. #. TRANS: Server error thrown when user profile settings could not be updated. #. TRANS: Server error thrown on database error updating SMS preferences. #. TRANS: Server error thrown on database error removing a registered SMS phone number. #: actions/confirmaddress.php:118 actions/emailsettings.php:331 #: actions/emailsettings.php:477 actions/imsettings.php:283 -#: actions/imsettings.php:442 actions/othersettings.php:174 +#: actions/imsettings.php:442 actions/othersettings.php:184 #: actions/profilesettings.php:326 actions/smssettings.php:308 #: actions/smssettings.php:464 msgid "Couldn't update user." @@ -1343,16 +1357,19 @@ msgstr "" msgid "Notices" msgstr "" -#: actions/deleteapplication.php:63 +#. TRANS: Client error displayed trying to delete an application while not logged in. +#: actions/deleteapplication.php:62 msgid "You must be logged in to delete an application." msgstr "" +#. TRANS: Client error displayed trying to delete an application that does not exist. #: actions/deleteapplication.php:71 msgid "Application not found." msgstr "" +#. TRANS: Client error displayed trying to delete an application the current user does not own. #. TRANS: Client error displayed trying to edit an application while not being its owner. -#: actions/deleteapplication.php:78 actions/editapplication.php:78 +#: actions/deleteapplication.php:79 actions/editapplication.php:78 #: actions/showapplication.php:94 msgid "You are not the owner of this application." msgstr "" @@ -1360,15 +1377,18 @@ msgstr "" #. TRANS: Client error text when there is a problem with the session token. #: actions/deleteapplication.php:102 actions/editapplication.php:131 #: actions/newapplication.php:114 actions/showapplication.php:118 -#: lib/action.php:1354 +#: lib/action.php:1404 msgid "There was a problem with your session token." msgstr "" -#: actions/deleteapplication.php:123 actions/deleteapplication.php:147 +#. TRANS: Title for delete application page. +#. TRANS: Fieldset legend on delete application page. +#: actions/deleteapplication.php:124 actions/deleteapplication.php:149 msgid "Delete application" msgstr "" -#: actions/deleteapplication.php:149 +#. TRANS: Confirmation text on delete application page. +#: actions/deleteapplication.php:152 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 " @@ -1376,12 +1396,12 @@ msgid "" msgstr "" #. TRANS: Submit button title for 'No' when deleting an application. -#: actions/deleteapplication.php:158 +#: actions/deleteapplication.php:161 msgid "Do not delete this application" msgstr "" #. TRANS: Submit button title for 'Yes' when deleting an application. -#: actions/deleteapplication.php:164 +#: actions/deleteapplication.php:167 msgid "Delete this application" msgstr "" @@ -1415,12 +1435,13 @@ msgstr "" msgid "Deleted group %s" msgstr "" -#. TRANS: Title. +#. TRANS: Title of delete group page. #. TRANS: Form legend for deleting a group. #: actions/deletegroup.php:176 actions/deletegroup.php:202 msgid "Delete group" msgstr "" +#. TRANS: Warning in form for deleleting a group. #: actions/deletegroup.php:206 msgid "" "Are you sure you want to delete this group? This will clear all data about " @@ -1438,10 +1459,11 @@ msgstr "" msgid "Delete this group" msgstr "" +#. TRANS: Error message displayed trying to delete a notice while not logged in. #. TRANS: Client error displayed when trying to unblock a user from a group while not logged in. #. TRANS: Client error displayed trying a change a subscription while not logged in. #. TRANS: Client error message thrown when trying to access the admin panel while not logged in. -#: actions/deletenotice.php:50 actions/disfavor.php:61 actions/favor.php:62 +#: actions/deletenotice.php:52 actions/disfavor.php:61 actions/favor.php:62 #: actions/groupblock.php:61 actions/groupunblock.php:60 actions/logout.php:69 #: actions/makeadmin.php:61 actions/newmessage.php:87 actions/newnotice.php:88 #: actions/nudge.php:63 actions/subedit.php:33 actions/subscribe.php:96 @@ -1451,31 +1473,36 @@ msgstr "" msgid "Not logged in." msgstr "" -#: actions/deletenotice.php:74 +#. TRANS: Error message displayed trying to delete a notice that was not made by the current user. +#: actions/deletenotice.php:78 msgid "Can't delete this notice." msgstr "" -#: actions/deletenotice.php:106 +#. TRANS: Instructions for deleting a notice. +#: actions/deletenotice.php:110 msgid "" "You are about to permanently delete a notice. Once this is done, it cannot " "be undone." msgstr "" -#: actions/deletenotice.php:112 actions/deletenotice.php:144 +#. TRANS: Page title when deleting a notice. +#. TRANS: Fieldset legend for the delete notice form. +#: actions/deletenotice.php:117 actions/deletenotice.php:148 msgid "Delete notice" msgstr "" -#: actions/deletenotice.php:147 +#. TRANS: Message for the delete notice form. +#: actions/deletenotice.php:152 msgid "Are you sure you want to delete this notice?" msgstr "" #. TRANS: Submit button title for 'No' when deleting a notice. -#: actions/deletenotice.php:154 +#: actions/deletenotice.php:159 msgid "Do not delete this notice" msgstr "" #. TRANS: Submit button title for 'Yes' when deleting a notice. -#: actions/deletenotice.php:161 lib/noticelist.php:667 +#: actions/deletenotice.php:166 lib/noticelist.php:667 msgid "Delete this notice" msgstr "" @@ -1633,11 +1660,9 @@ msgstr "" #. TRANS: Submit button title. #: actions/designadminpanel.php:711 actions/licenseadminpanel.php:319 -#: actions/othersettings.php:126 actions/sessionsadminpanel.php:199 -#: actions/siteadminpanel.php:292 actions/sitenoticeadminpanel.php:195 +#: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:292 #: actions/snapshotadminpanel.php:245 actions/tagother.php:154 -#: actions/useradminpanel.php:295 lib/applicationeditform.php:357 -#: lib/designsettings.php:256 lib/groupeditform.php:202 +#: lib/applicationeditform.php:357 lib/designsettings.php:256 msgid "Save" msgstr "" @@ -1685,8 +1710,8 @@ msgid "Name is required." msgstr "" #. TRANS: Validation error shown when providing too long a name in the "Edit application" form. -#: actions/editapplication.php:188 -msgid "Name is too long (max 255 characters)." +#: actions/editapplication.php:188 actions/newapplication.php:169 +msgid "Name is too long (maximum 255 characters)." msgstr "" #. TRANS: Validation error shown when providing a name for an application that already exists in the "Edit application" form. @@ -1715,7 +1740,7 @@ msgid "Organization is required." msgstr "" #. TRANS: Validation error shown when providing too long an arganisation name in the "Edit application" form. -#: actions/editapplication.php:223 +#: actions/editapplication.php:223 actions/newapplication.php:199 msgid "Organization is too long (maximum 255 characters)." msgstr "" @@ -2474,7 +2499,7 @@ msgid "Publish a MicroID for my Jabber/GTalk address." msgstr "" #. TRANS: Confirmation message for successful IM preferences save. -#: actions/imsettings.php:290 actions/othersettings.php:180 +#: actions/imsettings.php:290 actions/othersettings.php:190 msgid "Preferences saved." msgstr "" @@ -2593,10 +2618,9 @@ msgstr[1] "" #. TRANS: Used as list item for already subscribed users (%1$s is nickname, %2$s is e-mail address). #. TRANS: Used as list item for already registered people (%1$s is nickname, %2$s is e-mail address). -#. TRANS: Whois output. -#. TRANS: %1$s nickname of the queried user, %2$s is their profile URL. -#: actions/invite.php:145 actions/invite.php:159 lib/command.php:426 +#: actions/invite.php:145 actions/invite.php:159 #, php-format +msgctxt "INVITE" msgid "%1$s (%2$s)" msgstr "" @@ -2747,7 +2771,7 @@ msgid "" msgstr "" #: actions/licenseadminpanel.php:156 -msgid "Invalid license title. Max length is 255 characters." +msgid "Invalid license title. Maximum length is 255 characters." msgstr "" #: actions/licenseadminpanel.php:168 @@ -2915,18 +2939,10 @@ msgstr "" msgid "Use this form to register a new application." msgstr "" -#: actions/newapplication.php:169 -msgid "Name is too long (maximum 255 chars)." -msgstr "" - #: actions/newapplication.php:184 msgid "Source URL is required." msgstr "" -#: actions/newapplication.php:199 -msgid "Organization is too long (maximum 255 chars)." -msgstr "" - #: actions/newapplication.php:266 actions/newapplication.php:275 msgid "Could not create application." msgstr "" @@ -2946,14 +2962,14 @@ msgid "New message" msgstr "" #. TRANS: Error text shown when trying to send a direct message to a user without a mutual subscription (each user must be subscribed to the other). -#: actions/newmessage.php:121 actions/newmessage.php:164 lib/command.php:499 +#: actions/newmessage.php:121 actions/newmessage.php:164 lib/command.php:501 msgid "You can't send a message to this user." msgstr "" #. TRANS: Command exception text shown when trying to send a direct message to another user without content. #. TRANS: Command exception text shown when trying to reply to a notice without providing content for the reply. #: actions/newmessage.php:144 actions/newnotice.php:140 lib/command.php:478 -#: lib/command.php:579 +#: lib/command.php:581 msgid "No content!" msgstr "" @@ -2962,7 +2978,7 @@ msgid "No recipient specified." msgstr "" #. TRANS: Error text shown when trying to send a direct message to self. -#: actions/newmessage.php:167 lib/command.php:503 +#: actions/newmessage.php:167 lib/command.php:505 msgid "" "Don't send a message to yourself; just say it to yourself quietly instead." msgstr "" @@ -2973,12 +2989,12 @@ msgstr "" #. TRANS: Message given have sent a direct message to another user. #. TRANS: %s is the name of the other user. -#: actions/newmessage.php:188 lib/command.php:511 +#: actions/newmessage.php:188 lib/command.php:513 #, php-format msgid "Direct message to %s sent." msgstr "" -#: actions/newmessage.php:213 actions/newnotice.php:263 +#: actions/newmessage.php:213 actions/newnotice.php:264 msgid "Ajax Error" msgstr "" @@ -2986,17 +3002,7 @@ msgstr "" msgid "New notice" msgstr "" -#: actions/newnotice.php:159 lib/mailhandler.php:60 -#, php-format -msgid "That's too long. Max notice size is %d chars." -msgstr "" - -#: actions/newnotice.php:183 -#, php-format -msgid "Max notice size is %d chars, including attachment URL." -msgstr "" - -#: actions/newnotice.php:229 +#: actions/newnotice.php:230 msgid "Notice posted" msgstr "" @@ -3156,36 +3162,45 @@ msgstr "" msgid "Notice Search" msgstr "" -#: actions/othersettings.php:60 +#: actions/othersettings.php:59 msgid "Other settings" msgstr "" +#. TRANS: Instructions for tab "Other" in user profile settings. #: actions/othersettings.php:71 msgid "Manage various other options." msgstr "" -#: actions/othersettings.php:108 +#. TRANS: Used as a suffix for free URL shorteners in a dropdown list in the tab "Other" of a +#. TRANS: user's profile settings. This message has one space at the beginning. Use your +#. TRANS: language's word separator here if it has one (most likely a single space). +#: actions/othersettings.php:111 msgid " (free service)" msgstr "" -#: actions/othersettings.php:116 +#. TRANS: Label for dropdown with URL shortener services. +#: actions/othersettings.php:120 msgid "Shorten URLs with" msgstr "" -#: actions/othersettings.php:117 +#. TRANS: Tooltip for for dropdown with URL shortener services. +#: actions/othersettings.php:122 msgid "Automatic shortening service to use." msgstr "" -#: actions/othersettings.php:122 +#. TRANS: Label for checkbox. +#: actions/othersettings.php:128 msgid "View profile designs" msgstr "" -#: actions/othersettings.php:123 +#. TRANS: Tooltip for checkbox. +#: actions/othersettings.php:130 msgid "Show or hide profile designs." msgstr "" -#: actions/othersettings.php:153 -msgid "URL shortening service is too long (max 50 chars)." +#. TRANS: Form validation error for form "Other settings" in user profile. +#: actions/othersettings.php:162 +msgid "URL shortening service is too long (maximum 50 characters)." msgstr "" #: actions/otp.php:69 @@ -3649,7 +3664,7 @@ msgstr "" #. TRANS: Label for group location (dt). Text hidden by default. #: actions/profilesettings.php:149 actions/register.php:485 #: actions/showgroup.php:267 actions/tagother.php:112 -#: actions/userauthorization.php:166 lib/groupeditform.php:177 +#: actions/userauthorization.php:166 lib/groupeditform.php:180 #: lib/userprofile.php:165 msgid "Location" msgstr "" @@ -3968,7 +3983,7 @@ msgid "Unexpected password reset." msgstr "" #: actions/recoverpassword.php:365 -msgid "Password must be 6 chars or more." +msgid "Password must be 6 characters or more." msgstr "" #: actions/recoverpassword.php:369 @@ -4310,7 +4325,7 @@ msgstr "" #. TRANS: Form input field label. #: actions/showapplication.php:187 actions/version.php:200 -#: lib/applicationeditform.php:208 lib/groupeditform.php:172 +#: lib/applicationeditform.php:208 lib/groupeditform.php:175 msgid "Description" msgstr "" @@ -4452,7 +4467,7 @@ msgid "Note" msgstr "" #. TRANS: Label for group aliases (dt). Text hidden by default. -#: actions/showgroup.php:298 lib/groupeditform.php:184 +#: actions/showgroup.php:298 lib/groupeditform.php:187 msgid "Aliases" msgstr "" @@ -4573,60 +4588,84 @@ msgstr "" msgid "Notice deleted." msgstr "" -#: actions/showstream.php:72 +#. TRANS: Page title showing tagged notices in one user's stream. %1$s is the username, %2$s is the hash tag. +#: actions/showstream.php:70 #, php-format -msgid " tagged %s" +msgid "%1$s tagged %2$s" msgstr "" -#: actions/showstream.php:78 +#. TRANS: Page title showing tagged notices in one user's stream. +#. TRANS: %1$s is the username, %2$s is the hash tag, %1$d is the page number. +#: actions/showstream.php:74 +#, php-format +msgid "%1$s tagged %2$s, page %3$d" +msgstr "" + +#. TRANS: Extended page title showing tagged notices in one user's stream. +#. TRANS: %1$s is the username, %2$d is the page number. +#: actions/showstream.php:82 #, php-format msgid "%1$s, page %2$d" msgstr "" -#: actions/showstream.php:120 +#. TRANS: Title for link to notice feed. +#. TRANS: %1$s is a user nickname, %2$s is a hashtag. +#: actions/showstream.php:127 #, php-format msgid "Notice feed for %1$s tagged %2$s (RSS 1.0)" msgstr "" -#: actions/showstream.php:127 +#. TRANS: Title for link to notice feed. +#. TRANS: %s is a user nickname. +#: actions/showstream.php:136 #, php-format msgid "Notice feed for %s (RSS 1.0)" msgstr "" -#: actions/showstream.php:134 +#. TRANS: Title for link to notice feed. +#. TRANS: %s is a user nickname. +#: actions/showstream.php:145 #, php-format msgid "Notice feed for %s (RSS 2.0)" msgstr "" -#: actions/showstream.php:141 +#: actions/showstream.php:152 #, php-format msgid "Notice feed for %s (Atom)" msgstr "" -#: actions/showstream.php:146 +#. TRANS: Title for link to notice feed. FOAF stands for Friend of a Friend. +#. TRANS: More information at http://www.foaf-project.org. %s is a user nickname. +#: actions/showstream.php:159 #, php-format msgid "FOAF for %s" msgstr "" -#: actions/showstream.php:197 +#. TRANS: First sentence of empty list message for a stream. $1%s is a user nickname. +#: actions/showstream.php:211 #, php-format -msgid "This is the timeline for %1$s but %2$s hasn't posted anything yet." +msgid "This is the timeline for %1$s, but %1$s hasn't posted anything yet." msgstr "" -#: actions/showstream.php:202 +#. TRANS: Second sentence of empty list message for a stream for the user themselves. +#: actions/showstream.php:217 msgid "" "Seen anything interesting recently? You haven't posted any notices yet, now " "would be a good time to start :)" msgstr "" -#: actions/showstream.php:204 +#. TRANS: Second sentence of empty list message for a non-self stream. %1$s is a user nickname, %2$s is a part of a URL. +#. TRANS: This message contains a Markdown link. Keep "](" together. +#: actions/showstream.php:221 #, php-format msgid "" "You can try to nudge %1$s or [post something to them](%%%%action.newnotice%%%" "%?status_textarea=%2$s)." msgstr "" -#: actions/showstream.php:243 +#. TRANS: Announcement for anonymous users showing a stream if site registrations are open. +#. TRANS: This message contains a Markdown link. Keep "](" together. +#: actions/showstream.php:264 #, php-format msgid "" "**%s** has an account on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -4635,7 +4674,9 @@ msgid "" "follow **%s**'s notices and many more! ([Read more](%%%%doc.help%%%%))" msgstr "" -#: actions/showstream.php:248 +#. TRANS: Announcement for anonymous users showing a stream if site registrations are closed or invite only. +#. TRANS: This message contains a Markdown link. Keep "](" together. +#: actions/showstream.php:271 #, php-format msgid "" "**%s** has an account on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -4643,7 +4684,8 @@ msgid "" "[StatusNet](http://status.net/) tool. " msgstr "" -#: actions/showstream.php:305 +#. TRANS: Link to the author of a repeated notice. %s is a linked nickname. +#: actions/showstream.php:328 #, php-format msgid "Repeat of %s" msgstr "" @@ -4753,31 +4795,38 @@ msgstr "" msgid "How long users must wait (in seconds) to post the same thing again." msgstr "" -#: actions/sitenoticeadminpanel.php:56 +#. TRANS: Page title for site-wide notice tab in admin panel. +#: actions/sitenoticeadminpanel.php:55 msgid "Site Notice" msgstr "" -#: actions/sitenoticeadminpanel.php:67 +#. TRANS: Instructions for site-wide notice tab in admin panel. +#: actions/sitenoticeadminpanel.php:66 msgid "Edit site-wide message" msgstr "" -#: actions/sitenoticeadminpanel.php:103 +#. TRANS: Server error displayed when saving a site-wide notice was impossible. +#: actions/sitenoticeadminpanel.php:101 msgid "Unable to save site notice." msgstr "" -#: actions/sitenoticeadminpanel.php:113 -msgid "Max length for the site-wide notice is 255 chars." +#. TRANS: Client error displayed when a site-wide notice was longer than allowed. +#: actions/sitenoticeadminpanel.php:112 +msgid "Maximum length for the site-wide notice is 255 characters." msgstr "" +#. TRANS: Label for site-wide notice text field in admin panel. #: actions/sitenoticeadminpanel.php:176 msgid "Site notice text" msgstr "" -#: actions/sitenoticeadminpanel.php:178 -msgid "Site-wide notice text (255 chars max; HTML okay)" +#. TRANS: Tooltip for site-wide notice text field in admin panel. +#: actions/sitenoticeadminpanel.php:179 +msgid "Site-wide notice text (255 characters maximum; HTML allowed)" msgstr "" -#: actions/sitenoticeadminpanel.php:198 +#. TRANS: Title for button to save site notice in admin panel. +#: actions/sitenoticeadminpanel.php:201 msgid "Save site notice" msgstr "" @@ -5218,75 +5267,91 @@ msgid "" msgstr "" #. TRANS: User admin panel title -#: actions/useradminpanel.php:60 +#: actions/useradminpanel.php:58 msgctxt "TITLE" msgid "User" msgstr "" -#: actions/useradminpanel.php:71 +#. TRANS: Instruction for user admin panel. +#: actions/useradminpanel.php:69 msgid "User settings for this StatusNet site" msgstr "" -#: actions/useradminpanel.php:150 +#. TRANS: Form validation error in user admin panel when a non-numeric character limit was set. +#: actions/useradminpanel.php:147 msgid "Invalid bio limit. Must be numeric." msgstr "" -#: actions/useradminpanel.php:156 -msgid "Invalid welcome text. Max length is 255 characters." +#. TRANS: Form validation error in user admin panel when welcome text is too long. +#: actions/useradminpanel.php:154 +msgid "Invalid welcome text. Maximum length is 255 characters." msgstr "" +#. TRANS: Client error displayed when trying to set a non-existing user as default subscription for new +#. TRANS: users in user admin panel. %1$s is the invalid nickname. #: actions/useradminpanel.php:166 #, php-format -msgid "Invalid default subscripton: '%1$s' is not user." +msgid "Invalid default subscripton: '%1$s' is not a user." msgstr "" #. TRANS: Link description in user account settings menu. -#: actions/useradminpanel.php:219 lib/accountsettingsaction.php:106 +#: actions/useradminpanel.php:215 lib/accountsettingsaction.php:106 #: lib/personalgroupnav.php:109 msgid "Profile" msgstr "" -#: actions/useradminpanel.php:223 +#. TRANS: Field label in user admin panel for setting the character limit for the bio field. +#: actions/useradminpanel.php:220 msgid "Bio Limit" msgstr "" -#: actions/useradminpanel.php:224 +#. TRANS: Tooltip in user admin panel for setting the character limit for the bio field. +#: actions/useradminpanel.php:222 msgid "Maximum length of a profile bio in characters." msgstr "" -#: actions/useradminpanel.php:232 +#. TRANS: Form legend in user admin panel. +#: actions/useradminpanel.php:231 msgid "New users" msgstr "" +#. TRANS: Field label in user admin panel for setting new user welcome text. #: actions/useradminpanel.php:236 msgid "New user welcome" msgstr "" -#: actions/useradminpanel.php:237 -msgid "Welcome text for new users (Max 255 chars)." +#. TRANS: Tooltip in user admin panel for setting new user welcome text. +#: actions/useradminpanel.php:238 +msgid "Welcome text for new users (maximum 255 characters)." msgstr "" -#: actions/useradminpanel.php:242 +#. TRANS: Field label in user admin panel for setting default subscription for new users. +#: actions/useradminpanel.php:244 msgid "Default subscription" msgstr "" -#: actions/useradminpanel.php:243 +#. TRANS: Tooltip in user admin panel for setting default subscription for new users. +#: actions/useradminpanel.php:246 msgid "Automatically subscribe new users to this user." msgstr "" -#: actions/useradminpanel.php:252 +#. TRANS: Form legend in user admin panel. +#: actions/useradminpanel.php:256 msgid "Invitations" msgstr "" -#: actions/useradminpanel.php:257 +#. TRANS: Field label for checkbox in user admin panel for allowing users to invite friend using site e-mail. +#: actions/useradminpanel.php:262 msgid "Invitations enabled" msgstr "" -#: actions/useradminpanel.php:259 +#. TRANS: Tooltip for checkbox in user admin panel for allowing users to invite friend using site e-mail. +#: actions/useradminpanel.php:265 msgid "Whether to allow users to invite new users." msgstr "" -#: actions/useradminpanel.php:295 +#. TRANS: Title for button to save user settings in user admin panel. +#: actions/useradminpanel.php:302 msgid "Save user settings" msgstr "" @@ -5474,7 +5539,7 @@ msgid "Plugins" msgstr "" #. TRANS: Secondary navigation menu option leading to version information on the StatusNet site. -#: actions/version.php:198 lib/action.php:831 +#: actions/version.php:198 lib/action.php:880 msgid "Version" msgstr "" @@ -5677,16 +5742,23 @@ msgstr "" msgid "RT @%1$s %2$s" msgstr "" +#. TRANS: Full name of a profile or group followed by nickname in parens +#: classes/Profile.php:164 +#, php-format +msgctxt "FANCYNAME" +msgid "%1$s (%2$s)" +msgstr "" + #. TRANS: Exception thrown when trying to revoke an existing role for a user that does not exist. #. TRANS: %1$s is the role name, %2$s is the user ID (number). -#: classes/Profile.php:791 +#: classes/Profile.php:812 #, php-format msgid "Cannot revoke role \"%1$s\" for user #%2$d; does not exist." msgstr "" #. TRANS: Exception thrown when trying to revoke a role for a user with a failing database query. #. TRANS: %1$s is the role name, %2$s is the user ID (number). -#: classes/Profile.php:800 +#: classes/Profile.php:821 #, php-format msgid "Cannot revoke role \"%1$s\" for user #%2$d; database error." msgstr "" @@ -5831,194 +5903,201 @@ msgstr "" msgid "Untitled page" msgstr "" +#. TRANS: Localized tooltip for '...' expansion button on overlong remote messages. +#: lib/action.php:310 +msgctxt "TOOLTIP" +msgid "Show more" +msgstr "" + #. TRANS: DT element for primary navigation menu. String is hidden in default CSS. -#: lib/action.php:477 +#: lib/action.php:526 msgid "Primary site navigation" msgstr "" #. TRANS: Tooltip for main menu option "Personal" -#: lib/action.php:483 +#: lib/action.php:532 msgctxt "TOOLTIP" msgid "Personal profile and friends timeline" msgstr "" #. TRANS: Main menu option when logged in for access to personal profile and friends timeline -#: lib/action.php:486 +#: lib/action.php:535 msgctxt "MENU" msgid "Personal" msgstr "" #. TRANS: Tooltip for main menu option "Account" -#: lib/action.php:488 +#: lib/action.php:537 msgctxt "TOOLTIP" msgid "Change your email, avatar, password, profile" msgstr "" #. TRANS: Main menu option when logged in for access to user settings -#: lib/action.php:491 +#: lib/action.php:540 msgid "Account" msgstr "" #. TRANS: Tooltip for main menu option "Services" -#: lib/action.php:493 +#: lib/action.php:542 msgctxt "TOOLTIP" msgid "Connect to services" msgstr "" #. TRANS: Main menu option when logged in and connection are possible for access to options to connect to other services -#: lib/action.php:496 +#: lib/action.php:545 msgid "Connect" msgstr "" #. TRANS: Tooltip for menu option "Admin" -#: lib/action.php:499 +#: lib/action.php:548 msgctxt "TOOLTIP" msgid "Change site configuration" msgstr "" #. TRANS: Main menu option when logged in and site admin for access to site configuration #. TRANS: Menu item in the group navigation page. Only shown for group administrators. -#: lib/action.php:502 lib/groupnav.php:117 +#: lib/action.php:551 lib/groupnav.php:117 msgctxt "MENU" msgid "Admin" msgstr "" #. TRANS: Tooltip for main menu option "Invite" -#: lib/action.php:506 +#: lib/action.php:555 #, php-format msgctxt "TOOLTIP" msgid "Invite friends and colleagues to join you on %s" msgstr "" #. TRANS: Main menu option when logged in and invitations are allowed for inviting new users -#: lib/action.php:509 +#: lib/action.php:558 msgctxt "MENU" msgid "Invite" msgstr "" #. TRANS: Tooltip for main menu option "Logout" -#: lib/action.php:515 +#: lib/action.php:564 msgctxt "TOOLTIP" msgid "Logout from the site" msgstr "" #. TRANS: Main menu option when logged in to log out the current user -#: lib/action.php:518 +#: lib/action.php:567 msgctxt "MENU" msgid "Logout" msgstr "" #. TRANS: Tooltip for main menu option "Register" -#: lib/action.php:523 +#: lib/action.php:572 msgctxt "TOOLTIP" msgid "Create an account" msgstr "" #. TRANS: Main menu option when not logged in to register a new account -#: lib/action.php:526 +#: lib/action.php:575 msgctxt "MENU" msgid "Register" msgstr "" #. TRANS: Tooltip for main menu option "Login" -#: lib/action.php:529 +#: lib/action.php:578 msgctxt "TOOLTIP" msgid "Login to the site" msgstr "" #. TRANS: Main menu option when not logged in to log in -#: lib/action.php:532 +#: lib/action.php:581 msgctxt "MENU" msgid "Login" msgstr "" #. TRANS: Tooltip for main menu option "Help" -#: lib/action.php:535 +#: lib/action.php:584 msgctxt "TOOLTIP" msgid "Help me!" msgstr "" #. TRANS: Main menu option for help on the StatusNet site -#: lib/action.php:538 +#: lib/action.php:587 msgctxt "MENU" msgid "Help" msgstr "" #. TRANS: Tooltip for main menu option "Search" -#: lib/action.php:541 +#: lib/action.php:590 msgctxt "TOOLTIP" msgid "Search for people or text" msgstr "" #. TRANS: Main menu option when logged in or when the StatusNet instance is not private -#: lib/action.php:544 +#: lib/action.php:593 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:566 lib/adminpanelaction.php:387 +#: lib/action.php:615 lib/adminpanelaction.php:387 msgid "Site notice" msgstr "" #. TRANS: DT element for local views block. String is hidden in default CSS. -#: lib/action.php:633 +#: lib/action.php:682 msgid "Local views" msgstr "" #. TRANS: DT element for page notice. String is hidden in default CSS. -#: lib/action.php:703 +#: lib/action.php:752 msgid "Page notice" msgstr "" #. TRANS: DT element for secondary navigation menu. String is hidden in default CSS. -#: lib/action.php:804 +#: lib/action.php:853 msgid "Secondary site navigation" msgstr "" #. TRANS: Secondary navigation menu option leading to help on StatusNet. -#: lib/action.php:810 +#: lib/action.php:859 msgid "Help" msgstr "" #. TRANS: Secondary navigation menu option leading to text about StatusNet site. -#: lib/action.php:813 +#: lib/action.php:862 msgid "About" msgstr "" #. TRANS: Secondary navigation menu option leading to Frequently Asked Questions. -#: lib/action.php:816 +#: lib/action.php:865 msgid "FAQ" msgstr "" #. TRANS: Secondary navigation menu option leading to Terms of Service. -#: lib/action.php:821 +#: lib/action.php:870 msgid "TOS" msgstr "" #. TRANS: Secondary navigation menu option leading to privacy policy. -#: lib/action.php:825 +#: lib/action.php:874 msgid "Privacy" msgstr "" -#. TRANS: Secondary navigation menu option. -#: lib/action.php:828 +#. TRANS: Secondary navigation menu option. Leads to information about StatusNet and its license. +#: lib/action.php:877 msgid "Source" msgstr "" -#. TRANS: Secondary navigation menu option leading to contact information on the StatusNet site. -#: lib/action.php:834 +#. TRANS: Secondary navigation menu option leading to e-mail contact information on the +#. TRANS: StatusNet site, where to report bugs, ... +#: lib/action.php:884 msgid "Contact" msgstr "" -#. TRANS: Secondary navigation menu option. -#: lib/action.php:837 +#. TRANS: Secondary navigation menu option. Leads to information about embedding a timeline widget. +#: lib/action.php:887 msgid "Badge" msgstr "" #. TRANS: DT element for StatusNet software license. -#: lib/action.php:866 +#: lib/action.php:916 msgid "StatusNet software license" msgstr "" @@ -6026,7 +6105,7 @@ msgstr "" #. TRANS: Text between [] is a link description, text between () is the link itself. #. TRANS: Make sure there is no whitespace between "]" and "(". #. TRANS: "%%site.broughtby%%" is the value of the variable site.broughtby -#: lib/action.php:873 +#: lib/action.php:923 #, php-format msgid "" "**%%site.name%%** is a microblogging service brought to you by [%%site." @@ -6034,7 +6113,7 @@ msgid "" msgstr "" #. TRANS: First sentence of the StatusNet site license. Used if 'broughtby' is not set. -#: lib/action.php:876 +#: lib/action.php:926 #, php-format msgid "**%%site.name%%** is a microblogging service." msgstr "" @@ -6043,7 +6122,7 @@ msgstr "" #. TRANS: Make sure there is no whitespace between "]" and "(". #. TRANS: Text between [] is a link description, text between () is the link itself. #. TRANS: %s is the version of StatusNet that is being used. -#: lib/action.php:883 +#: lib/action.php:933 #, php-format msgid "" "It runs the [StatusNet](http://status.net/) microblogging software, version %" @@ -6052,50 +6131,50 @@ msgid "" msgstr "" #. TRANS: DT element for StatusNet site content license. -#: lib/action.php:899 +#: lib/action.php:949 msgid "Site content license" msgstr "" #. TRANS: Content license displayed when license is set to 'private'. #. TRANS: %1$s is the site name. -#: lib/action.php:906 +#: lib/action.php:956 #, php-format msgid "Content and data of %1$s are private and confidential." msgstr "" #. TRANS: Content license displayed when license is set to 'allrightsreserved'. #. TRANS: %1$s is the copyright owner. -#: lib/action.php:913 +#: lib/action.php:963 #, php-format msgid "Content and data copyright by %1$s. All rights reserved." msgstr "" #. TRANS: Content license displayed when license is set to 'allrightsreserved' and no owner is set. -#: lib/action.php:917 +#: lib/action.php:967 msgid "Content and data copyright by contributors. All rights reserved." msgstr "" #. TRANS: license message in footer. #. TRANS: %1$s is the site name, %2$s is a link to the license URL, with a licence name set in configuration. -#: lib/action.php:949 +#: lib/action.php:999 #, php-format msgid "All %1$s content and data are available under the %2$s license." msgstr "" #. TRANS: DT element for pagination (previous/next, etc.). -#: lib/action.php:1285 +#: lib/action.php:1335 msgid "Pagination" msgstr "" #. TRANS: Pagination message to go to a page displaying information more in the #. TRANS: present than the currently displayed information. -#: lib/action.php:1296 +#: lib/action.php:1346 msgid "After" msgstr "" #. TRANS: Pagination message to go to a page displaying information more in the #. TRANS: past than the currently displayed information. -#: lib/action.php:1306 +#: lib/action.php:1356 msgid "Before" msgstr "" @@ -6432,7 +6511,7 @@ msgid "AJAX error" msgstr "" #. TRANS: E-mail subject when a command has completed. -#: lib/channel.php:233 lib/mailhandler.php:142 +#: lib/channel.php:233 lib/mailhandler.php:143 msgid "Command complete" msgstr "" @@ -6448,7 +6527,7 @@ msgstr "" #. TRANS: Command exception text shown when a last user notice is requested and it does not exist. #. TRANS: Error text shown when a last user notice is requested and it does not exist. -#: lib/command.php:99 lib/command.php:626 +#: lib/command.php:99 lib/command.php:630 msgid "User has no last notice." msgstr "" @@ -6514,6 +6593,14 @@ msgstr "" msgid "%1$s left group %2$s." msgstr "" +#. TRANS: Whois output. +#. TRANS: %1$s nickname of the queried user, %2$s is their profile URL. +#: lib/command.php:426 +#, php-format +msgctxt "WHOIS" +msgid "%1$s (%2$s)" +msgstr "" + #. TRANS: Whois output. %s is the full name of the queried user. #: lib/command.php:430 #, php-format @@ -6551,133 +6638,137 @@ msgid "" "same server." msgstr "" -#. TRANS: Message given if content is too long. +#. TRANS: Message given if content is too long. %1$sd is used for plural. #. TRANS: %1$d is the maximum number of characters, %2$d is the number of submitted characters. #: lib/command.php:488 #, php-format -msgid "Message too long - maximum is %1$d characters, you sent %2$d." -msgstr "" +msgid "Message too long - maximum is %1$d character, you sent %2$d." +msgid_plural "Message too long - maximum is %1$d characters, you sent %2$d." +msgstr[0] "" +msgstr[1] "" #. TRANS: Error text shown sending a direct message fails with an unknown reason. -#: lib/command.php:514 +#: lib/command.php:516 msgid "Error sending direct message." msgstr "" #. TRANS: Message given having repeated a notice from another user. #. TRANS: %s is the name of the user for which the notice was repeated. -#: lib/command.php:551 +#: lib/command.php:553 #, php-format msgid "Notice from %s repeated." msgstr "" #. TRANS: Error text shown when repeating a notice fails with an unknown reason. -#: lib/command.php:554 +#: lib/command.php:556 msgid "Error repeating notice." msgstr "" -#. TRANS: Message given if content of a notice for a reply is too long. +#. TRANS: Message given if content of a notice for a reply is too long. %1$d is used for plural. #. TRANS: %1$d is the maximum number of characters, %2$d is the number of submitted characters. -#: lib/command.php:589 +#: lib/command.php:591 #, php-format -msgid "Notice too long - maximum is %1$d characters, you sent %2$d." -msgstr "" +msgid "Notice too long - maximum is %1$d character, you sent %2$d." +msgid_plural "Notice too long - maximum is %1$d characters, you sent %2$d." +msgstr[0] "" +msgstr[1] "" #. TRANS: Text shown having sent a reply to a notice successfully. #. TRANS: %s is the nickname of the user of the notice the reply was sent to. -#: lib/command.php:600 +#: lib/command.php:604 #, php-format msgid "Reply to %s sent." msgstr "" #. TRANS: Error text shown when a reply to a notice fails with an unknown reason. -#: lib/command.php:603 +#: lib/command.php:607 msgid "Error saving notice." msgstr "" #. TRANS: Error text shown when no username was provided when issuing a subscribe command. -#: lib/command.php:650 +#: lib/command.php:654 msgid "Specify the name of the user to subscribe to." msgstr "" #. TRANS: Command exception text shown when trying to subscribe to an OMB profile using the subscribe command. -#: lib/command.php:659 +#: lib/command.php:663 msgid "Can't subscribe to OMB profiles by command." msgstr "" #. TRANS: Text shown after having subscribed to another user successfully. #. TRANS: %s is the name of the user the subscription was requested for. -#: lib/command.php:667 +#: lib/command.php:671 #, php-format msgid "Subscribed to %s." msgstr "" #. TRANS: Error text shown when no username was provided when issuing an unsubscribe command. #. TRANS: Error text shown when no username was provided when issuing the command. -#: lib/command.php:688 lib/command.php:799 +#: lib/command.php:692 lib/command.php:803 msgid "Specify the name of the user to unsubscribe from." msgstr "" #. TRANS: Text shown after having unsubscribed from another user successfully. #. TRANS: %s is the name of the user the unsubscription was requested for. -#: lib/command.php:699 +#: lib/command.php:703 #, php-format msgid "Unsubscribed from %s." msgstr "" #. TRANS: Error text shown when issuing the command "off" with a setting which has not yet been implemented. #. TRANS: Error text shown when issuing the command "on" with a setting which has not yet been implemented. -#: lib/command.php:719 lib/command.php:745 +#: lib/command.php:723 lib/command.php:749 msgid "Command not yet implemented." msgstr "" #. TRANS: Text shown when issuing the command "off" successfully. -#: lib/command.php:723 +#: lib/command.php:727 msgid "Notification off." msgstr "" #. TRANS: Error text shown when the command "off" fails for an unknown reason. -#: lib/command.php:726 +#: lib/command.php:730 msgid "Can't turn off notification." msgstr "" #. TRANS: Text shown when issuing the command "on" successfully. -#: lib/command.php:749 +#: lib/command.php:753 msgid "Notification on." msgstr "" #. TRANS: Error text shown when the command "on" fails for an unknown reason. -#: lib/command.php:752 +#: lib/command.php:756 msgid "Can't turn on notification." msgstr "" #. TRANS: Error text shown when issuing the login command while login is disabled. -#: lib/command.php:766 +#: lib/command.php:770 msgid "Login command is disabled." msgstr "" #. TRANS: Text shown after issuing the login command successfully. #. TRANS: %s is a logon link.. -#: lib/command.php:779 +#: lib/command.php:783 #, php-format msgid "This link is useable only once and is valid for only 2 minutes: %s." msgstr "" #. TRANS: Text shown after issuing the lose command successfully (stop another user from following the current user). #. TRANS: %s is the name of the user the unsubscription was requested for. -#: lib/command.php:808 +#: lib/command.php:812 #, php-format msgid "Unsubscribed %s." msgstr "" #. TRANS: Text shown after requesting other users a user is subscribed to without having any subscriptions. -#: lib/command.php:826 +#: lib/command.php:830 msgid "You are not subscribed to anyone." msgstr "" #. TRANS: Text shown after requesting other users a user is subscribed to. #. TRANS: This message supports plural forms. This message is followed by a #. TRANS: hard coded space and a comma separated list of subscribed users. -#: lib/command.php:831 +#: lib/command.php:835 msgid "You are subscribed to this person:" msgid_plural "You are subscribed to these people:" msgstr[0] "" @@ -6685,14 +6776,14 @@ msgstr[1] "" #. TRANS: Text shown after requesting other users that are subscribed to a user #. TRANS: (followers) without having any subscribers. -#: lib/command.php:853 +#: lib/command.php:857 msgid "No one is subscribed to you." msgstr "" #. TRANS: Text shown after requesting other users that are subscribed to a user (followers). #. TRANS: This message supports plural forms. This message is followed by a #. TRANS: hard coded space and a comma separated list of subscribing users. -#: lib/command.php:858 +#: lib/command.php:862 msgid "This person is subscribed to you:" msgid_plural "These people are subscribed to you:" msgstr[0] "" @@ -6700,21 +6791,21 @@ msgstr[1] "" #. TRANS: Text shown after requesting groups a user is subscribed to without having #. TRANS: any group subscriptions. -#: lib/command.php:880 +#: lib/command.php:884 msgid "You are not a member of any groups." msgstr "" #. TRANS: Text shown after requesting groups a user is subscribed to. #. TRANS: This message supports plural forms. This message is followed by a #. TRANS: hard coded space and a comma separated list of subscribed groups. -#: lib/command.php:885 +#: lib/command.php:889 msgid "You are a member of this group:" msgid_plural "You are a member of these groups:" msgstr[0] "" msgstr[1] "" #. TRANS: Help text for commands. Do not translate the command names themselves; they are fixed strings. -#: lib/command.php:900 +#: lib/command.php:904 msgid "" "Commands:\n" "on - turn on notifications\n" @@ -6898,7 +6989,7 @@ msgid "1-64 lowercase letters or numbers, no punctuation or spaces" msgstr "" #: lib/groupeditform.php:163 -msgid "URL of the homepage or blog of the group or topic" +msgid "URL of the homepage or blog of the group or topic." msgstr "" #: lib/groupeditform.php:168 @@ -6907,18 +6998,26 @@ msgstr "" #: lib/groupeditform.php:170 #, php-format -msgid "Describe the group or topic in %d characters" -msgstr "" +msgid "Describe the group or topic in %d character or less" +msgid_plural "Describe the group or topic in %d characters or less" +msgstr[0] "" +msgstr[1] "" -#: lib/groupeditform.php:179 +#: lib/groupeditform.php:182 msgid "" -"Location for the group, if any, like \"City, State (or Region), Country\"" +"Location for the group, if any, like \"City, State (or Region), Country\"." msgstr "" -#: lib/groupeditform.php:187 +#: lib/groupeditform.php:190 #, php-format -msgid "Extra nicknames for the group, comma- or space- separated, max %d" -msgstr "" +msgid "" +"Extra nicknames for the group, separated with commas or spaces. Maximum %d " +"alias allowed." +msgid_plural "" +"Extra nicknames for the group, separated with commas or spaces. Maximum %d " +"aliases allowed." +msgstr[0] "" +msgstr[1] "" #. TRANS: Menu item in the group navigation page. #: lib/groupnav.php:86 @@ -7370,7 +7469,7 @@ msgstr "" msgid "Sorry, no incoming email allowed." msgstr "" -#: lib/mailhandler.php:228 +#: lib/mailhandler.php:229 #, php-format msgid "Unsupported message type: %s" msgstr "" @@ -7710,16 +7809,17 @@ msgid "Sandbox this user" msgstr "" #. TRANS: Fieldset legend for the search form. -#: lib/searchaction.php:121 +#: lib/searchaction.php:120 msgid "Search site" msgstr "" #. TRANS: Used as a field label for the field where one or more keywords #. TRANS: for searching can be entered. -#: lib/searchaction.php:129 +#: lib/searchaction.php:128 msgid "Keyword(s)" msgstr "" +#. TRANS: Button text for searching site. #: lib/searchaction.php:130 msgctxt "BUTTON" msgid "Search" @@ -7809,8 +7909,8 @@ msgid "The theme file is missing or the upload failed." msgstr "" #: lib/themeuploader.php:91 lib/themeuploader.php:102 -#: lib/themeuploader.php:278 lib/themeuploader.php:282 -#: lib/themeuploader.php:290 lib/themeuploader.php:297 +#: lib/themeuploader.php:279 lib/themeuploader.php:283 +#: lib/themeuploader.php:291 lib/themeuploader.php:298 msgid "Failed saving theme." msgstr "" @@ -7820,29 +7920,32 @@ msgstr "" #: lib/themeuploader.php:166 #, php-format -msgid "Uploaded theme is too large; must be less than %d bytes uncompressed." -msgstr "" +msgid "Uploaded theme is too large; must be less than %d byte uncompressed." +msgid_plural "" +"Uploaded theme is too large; must be less than %d bytes uncompressed." +msgstr[0] "" +msgstr[1] "" -#: lib/themeuploader.php:178 +#: lib/themeuploader.php:179 msgid "Invalid theme archive: missing file css/display.css" msgstr "" -#: lib/themeuploader.php:218 +#: lib/themeuploader.php:219 msgid "" "Theme contains invalid file or folder name. Stick with ASCII letters, " "digits, underscore, and minus sign." msgstr "" -#: lib/themeuploader.php:224 +#: lib/themeuploader.php:225 msgid "Theme contains unsafe file extension names; may be unsafe." msgstr "" -#: lib/themeuploader.php:241 +#: lib/themeuploader.php:242 #, php-format msgid "Theme contains file of type '.%s', which is not allowed." msgstr "" -#: lib/themeuploader.php:259 +#: lib/themeuploader.php:260 msgid "Error opening theme archive." msgstr "" @@ -8022,16 +8125,21 @@ msgid_plural "Message too long. Maximum is %1$d characters, you sent %2$d." msgstr[0] "" msgstr[1] "" -#: scripts/restoreuser.php:82 +#. TRANS: Commandline script output. %s is the filename that contains a backup for a user. +#: scripts/restoreuser.php:61 #, php-format -msgid "Backup file for user %s (%s)" +msgid "Getting backup from file '%s'." msgstr "" -#: scripts/restoreuser.php:88 +#. TRANS: Commandline script output. +#: scripts/restoreuser.php:91 msgid "No user specified; using backup user." msgstr "" -#: scripts/restoreuser.php:94 +#. TRANS: Commandline script output. %d is the number of entries in the activity stream in backup; used for plural. +#: scripts/restoreuser.php:98 #, php-format -msgid "%d entries in backup." -msgstr "" +msgid "%d entry in backup." +msgid_plural "%d entries in backup." +msgstr[0] "" +msgstr[1] "" diff --git a/locale/sv/LC_MESSAGES/statusnet.po b/locale/sv/LC_MESSAGES/statusnet.po index 902a554baa..9cc6991dc6 100644 --- a/locale/sv/LC_MESSAGES/statusnet.po +++ b/locale/sv/LC_MESSAGES/statusnet.po @@ -11,17 +11,17 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet - Core\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-10-30 23:18+0000\n" -"PO-Revision-Date: 2010-10-30 23:20:46+0000\n" +"POT-Creation-Date: 2010-11-02 22:51+0000\n" +"PO-Revision-Date: 2010-11-02 22:53:43+0000\n" "Language-Team: Swedish \n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r75708); Translate extension (2010-09-17)\n" +"X-Generator: MediaWiki 1.17alpha (r75875); Translate extension (2010-09-17)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: sv\n" "X-Message-Group: #out-statusnet-core\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-POT-Import-Date: 2010-10-30 09:48:40+0000\n" +"X-POT-Import-Date: 2010-10-30 23:42:01+0000\n" #. TRANS: Page title for Access admin panel that allows configuring site access. #. TRANS: Menu item for site administration @@ -79,15 +79,20 @@ msgstr "Spara inställningar för åtkomst" #. TRANS: Tooltip for button to save access settings in site admin panel. #. TRANS: Button label to save e-mail preferences. #. TRANS: Button label to save IM preferences. +#. TRANS: Button text for saving "Other settings" in profile. #. TRANS: Button text to store form data in the Paths admin panel. #. TRANS: Button to save input in profile settings. +#. TRANS: Button text for saving site notice in admin panel. #. TRANS: Button label to save SMS preferences. #. TRANS: Save button for settings for a profile in a subscriptions list. +#. TRANS: Button text to save user settings in user admin panel. #. TRANS: Button label in the "Edit application" form. #: actions/accessadminpanel.php:193 actions/emailsettings.php:228 -#: actions/imsettings.php:187 actions/pathsadminpanel.php:512 -#: actions/profilesettings.php:201 actions/smssettings.php:209 -#: actions/subscriptions.php:246 lib/applicationeditform.php:355 +#: actions/imsettings.php:187 actions/othersettings.php:134 +#: actions/pathsadminpanel.php:512 actions/profilesettings.php:201 +#: actions/sitenoticeadminpanel.php:197 actions/smssettings.php:209 +#: actions/subscriptions.php:246 actions/useradminpanel.php:298 +#: lib/applicationeditform.php:355 lib/groupeditform.php:207 msgctxt "BUTTON" msgid "Save" msgstr "Spara" @@ -138,7 +143,7 @@ msgstr "Ingen sådan sida" #: 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:93 actions/userrss.php:40 -#: actions/xrds.php:71 lib/command.php:495 lib/galleryaction.php:59 +#: actions/xrds.php:71 lib/command.php:497 lib/galleryaction.php:59 #: lib/mailbox.php:82 lib/profileaction.php:77 msgid "No such user." msgstr "Ingen sådan användare." @@ -209,7 +214,9 @@ msgstr "" #. TRANS: Encoutagement displayed on empty timeline user pages for anonymous users. #. TRANS: %s is a user nickname. This message contains Markdown links. Keep "](" together. -#: actions/all.php:155 actions/replies.php:210 actions/showstream.php:208 +#. TRANS: Second sentence of empty message for anonymous users. %s is a user nickname. +#. TRANS: This message contains a Markdown link. Keep "](" together. +#: actions/all.php:155 actions/replies.php:210 actions/showstream.php:227 #, php-format msgid "" "Why not [register an account](%%%%action.register%%%%) and then nudge %s or " @@ -564,8 +571,11 @@ msgstr "Fullständigt namn är för långt (max 255 tecken)." #. TRANS: Group edit form validation error. #. TRANS: Form validation error in New application form. #. TRANS: %d is the maximum number of characters for the description. +#. TRANS: Group create form validation error. +#. TRANS: %d is the maximum number of allowed characters. #: actions/apigroupcreate.php:220 actions/editapplication.php:201 #: actions/editgroup.php:216 actions/newapplication.php:178 +#: actions/newgroup.php:152 #, fuzzy, php-format msgid "Description is too long (maximum %d character)." msgid_plural "Description is too long (maximum %d characters)." @@ -725,14 +735,14 @@ msgstr "Du har inte tillstånd." #. TRANS: Form validation error in API OAuth authorisation because of an invalid session token. #: actions/apioauthauthorize.php:147 actions/avatarsettings.php:280 -#: actions/deletenotice.php:172 actions/disfavor.php:74 +#: actions/deletenotice.php:177 actions/disfavor.php:74 #: actions/emailsettings.php:271 actions/favor.php:75 actions/geocode.php:55 #: actions/groupblock.php:66 actions/grouplogo.php:312 #: actions/groupunblock.php:65 actions/imsettings.php:230 #: actions/invite.php:59 actions/login.php:137 actions/makeadmin.php:66 #: actions/newmessage.php:135 actions/newnotice.php:105 actions/nudge.php:80 #: actions/oauthappssettings.php:165 actions/oauthconnectionssettings.php:138 -#: actions/othersettings.php:145 actions/passwordsettings.php:138 +#: actions/othersettings.php:153 actions/passwordsettings.php:138 #: actions/profilesettings.php:221 actions/recoverpassword.php:350 #: actions/register.php:172 actions/remotesubscribe.php:77 #: actions/repeat.php:83 actions/smssettings.php:256 actions/subedit.php:40 @@ -912,20 +922,21 @@ msgstr "Du kan inte ta bort en annan användares status." #. TRANS: Client error displayed trying to repeat a non-existing notice through the API. #. TRANS: Client error displayed trying to display redents of a non-exiting notice. +#. TRANS: Error message displayed trying to delete a non-existing notice. #: actions/apistatusesretweet.php:74 actions/apistatusesretweets.php:70 -#: actions/deletenotice.php:58 actions/shownotice.php:92 +#: actions/deletenotice.php:61 actions/shownotice.php:92 msgid "No such notice." msgstr "Ingen sådan notis." #. TRANS: Client error displayed trying to repeat an own notice through the API. #. TRANS: Error text shown when trying to repeat an own notice. -#: actions/apistatusesretweet.php:83 lib/command.php:535 +#: actions/apistatusesretweet.php:83 lib/command.php:537 msgid "Cannot repeat your own notice." msgstr "Kan inte upprepa din egen notis." #. TRANS: Client error displayed trying to re-repeat a notice through the API. #. TRANS: Error text shown when trying to repeat an notice that was already repeated by the user. -#: actions/apistatusesretweet.php:92 lib/command.php:541 +#: actions/apistatusesretweet.php:92 lib/command.php:543 msgid "Already repeated that notice." msgstr "Redan upprepat denna notis." @@ -946,7 +957,8 @@ msgstr "Klient måste tillhandahålla en 'status'-parameter med ett värde." #. TRANS: Client error displayed when the parameter "status" is missing. #. TRANS: %d is the maximum number of character for a notice. -#: actions/apistatusesupdate.php:244 +#: actions/apistatusesupdate.php:244 actions/newnotice.php:161 +#: lib/mailhandler.php:60 #, fuzzy, php-format msgid "That's too long. Maximum notice size is %d character." msgid_plural "That's too long. Maximum notice size is %d characters." @@ -961,7 +973,7 @@ msgstr "API-metod hittades inte." #. TRANS: Client error displayed exceeding the maximum notice length. #. TRANS: %d is the maximum lenth for a notice. -#: actions/apistatusesupdate.php:308 +#: actions/apistatusesupdate.php:308 actions/newnotice.php:184 #, fuzzy, php-format msgid "Maximum notice size is %d character, including attachment URL." msgid_plural "Maximum notice size is %d characters, including attachment URL." @@ -1172,17 +1184,18 @@ msgstr "Välj ett kvadratiskt område i bilden som din avatar" msgid "Lost our file data." msgstr "Förlorade vår fildata." -#: actions/avatarsettings.php:384 +#. TRANS: Success message for having updated a user avatar. +#: actions/avatarsettings.php:385 msgid "Avatar updated." msgstr "Avatar uppdaterad." #. TRANS: Error displayed on the avatar upload page if the avatar could not be updated for an unknown reason. -#: actions/avatarsettings.php:388 +#: actions/avatarsettings.php:389 msgid "Failed updating avatar." msgstr "Misslyckades uppdatera avatar." #. TRANS: Success message for deleting a user avatar. -#: actions/avatarsettings.php:412 +#: actions/avatarsettings.php:413 msgid "Avatar deleted." msgstr "Avatar borttagen." @@ -1214,8 +1227,8 @@ msgstr "" #. TRANS: Button label on the delete notice form. #. TRANS: Button label on the delete user form. #. TRANS: Button label on the form to block a user from a group. -#: actions/block.php:154 actions/deleteapplication.php:154 -#: actions/deletegroup.php:220 actions/deletenotice.php:150 +#: actions/block.php:154 actions/deleteapplication.php:157 +#: actions/deletegroup.php:220 actions/deletenotice.php:155 #: actions/deleteuser.php:152 actions/groupblock.php:178 msgctxt "BUTTON" msgid "No" @@ -1233,8 +1246,8 @@ msgstr "Blockera inte denna användare" #. TRANS: Button label on the delete notice form. #. TRANS: Button label on the delete user form. #. TRANS: Button label on the form to block a user from a group. -#: actions/block.php:161 actions/deleteapplication.php:161 -#: actions/deletegroup.php:227 actions/deletenotice.php:157 +#: actions/block.php:161 actions/deleteapplication.php:164 +#: actions/deletegroup.php:227 actions/deletenotice.php:162 #: actions/deleteuser.php:159 actions/groupblock.php:185 msgctxt "BUTTON" msgid "Yes" @@ -1352,12 +1365,13 @@ msgstr "Denna adress har redan blivit bekräftad." #. TRANS: Server error thrown on database error removing a registered e-mail address. #. TRANS: Server error thrown on database error updating IM preferences. #. TRANS: Server error thrown on database error removing a registered IM address. +#. TRANS: Server error displayed when "Other" settings in user profile could not be updated on the server. #. TRANS: Server error thrown when user profile settings could not be updated. #. TRANS: Server error thrown on database error updating SMS preferences. #. TRANS: Server error thrown on database error removing a registered SMS phone number. #: actions/confirmaddress.php:118 actions/emailsettings.php:331 #: actions/emailsettings.php:477 actions/imsettings.php:283 -#: actions/imsettings.php:442 actions/othersettings.php:174 +#: actions/imsettings.php:442 actions/othersettings.php:184 #: actions/profilesettings.php:326 actions/smssettings.php:308 #: actions/smssettings.php:464 msgid "Couldn't update user." @@ -1393,16 +1407,19 @@ msgstr "Konversationer" msgid "Notices" msgstr "Notiser" -#: actions/deleteapplication.php:63 +#. TRANS: Client error displayed trying to delete an application while not logged in. +#: actions/deleteapplication.php:62 msgid "You must be logged in to delete an application." msgstr "Du måste vara inloggad för att ta bort en applikation." +#. TRANS: Client error displayed trying to delete an application that does not exist. #: actions/deleteapplication.php:71 msgid "Application not found." msgstr "Applikation hittades inte." +#. TRANS: Client error displayed trying to delete an application the current user does not own. #. TRANS: Client error displayed trying to edit an application while not being its owner. -#: actions/deleteapplication.php:78 actions/editapplication.php:78 +#: actions/deleteapplication.php:79 actions/editapplication.php:78 #: actions/showapplication.php:94 msgid "You are not the owner of this application." msgstr "Du är inte ägaren av denna applikation." @@ -1410,15 +1427,18 @@ msgstr "Du är inte ägaren av denna applikation." #. TRANS: Client error text when there is a problem with the session token. #: actions/deleteapplication.php:102 actions/editapplication.php:131 #: actions/newapplication.php:114 actions/showapplication.php:118 -#: lib/action.php:1354 +#: lib/action.php:1404 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 +#. TRANS: Title for delete application page. +#. TRANS: Fieldset legend on delete application page. +#: actions/deleteapplication.php:124 actions/deleteapplication.php:149 msgid "Delete application" msgstr "Ta bort applikation" -#: actions/deleteapplication.php:149 +#. TRANS: Confirmation text on delete application page. +#: actions/deleteapplication.php:152 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 " @@ -1429,12 +1449,12 @@ msgstr "" "användaranslutningar." #. TRANS: Submit button title for 'No' when deleting an application. -#: actions/deleteapplication.php:158 +#: actions/deleteapplication.php:161 msgid "Do not delete this application" msgstr "Ta inte bort denna applikation" #. TRANS: Submit button title for 'Yes' when deleting an application. -#: actions/deleteapplication.php:164 +#: actions/deleteapplication.php:167 msgid "Delete this application" msgstr "Ta bort denna applikation" @@ -1470,13 +1490,14 @@ msgstr "Kunde inte uppdatera grupp." msgid "Deleted group %s" msgstr "%1$s lämnade grupp %2$s" -#. TRANS: Title. +#. TRANS: Title of delete group page. #. TRANS: Form legend for deleting a group. #: actions/deletegroup.php:176 actions/deletegroup.php:202 #, fuzzy msgid "Delete group" msgstr "Ta bort användare" +#. TRANS: Warning in form for deleleting a group. #: actions/deletegroup.php:206 #, fuzzy msgid "" @@ -1499,10 +1520,11 @@ msgstr "Ta inte bort denna notis" msgid "Delete this group" msgstr "Ta bort denna användare" +#. TRANS: Error message displayed trying to delete a notice while not logged in. #. TRANS: Client error displayed when trying to unblock a user from a group while not logged in. #. TRANS: Client error displayed trying a change a subscription while not logged in. #. TRANS: Client error message thrown when trying to access the admin panel while not logged in. -#: actions/deletenotice.php:50 actions/disfavor.php:61 actions/favor.php:62 +#: actions/deletenotice.php:52 actions/disfavor.php:61 actions/favor.php:62 #: actions/groupblock.php:61 actions/groupunblock.php:60 actions/logout.php:69 #: actions/makeadmin.php:61 actions/newmessage.php:87 actions/newnotice.php:88 #: actions/nudge.php:63 actions/subedit.php:33 actions/subscribe.php:96 @@ -1512,11 +1534,13 @@ msgstr "Ta bort denna användare" msgid "Not logged in." msgstr "Inte inloggad." -#: actions/deletenotice.php:74 +#. TRANS: Error message displayed trying to delete a notice that was not made by the current user. +#: actions/deletenotice.php:78 msgid "Can't delete this notice." msgstr "Kan inte ta bort denna notis." -#: actions/deletenotice.php:106 +#. TRANS: Instructions for deleting a notice. +#: actions/deletenotice.php:110 msgid "" "You are about to permanently delete a notice. Once this is done, it cannot " "be undone." @@ -1524,21 +1548,24 @@ msgstr "" "Du håller på att ta bort en notis permanent. När det väl är gjort kan du " "inte ångra dig." -#: actions/deletenotice.php:112 actions/deletenotice.php:144 +#. TRANS: Page title when deleting a notice. +#. TRANS: Fieldset legend for the delete notice form. +#: actions/deletenotice.php:117 actions/deletenotice.php:148 msgid "Delete notice" msgstr "Ta bort notis" -#: actions/deletenotice.php:147 +#. TRANS: Message for the delete notice form. +#: actions/deletenotice.php:152 msgid "Are you sure you want to delete this notice?" msgstr "Är du säker på att du vill ta bort denna notis?" #. TRANS: Submit button title for 'No' when deleting a notice. -#: actions/deletenotice.php:154 +#: actions/deletenotice.php:159 msgid "Do not delete this notice" msgstr "Ta inte bort denna notis" #. TRANS: Submit button title for 'Yes' when deleting a notice. -#: actions/deletenotice.php:161 lib/noticelist.php:667 +#: actions/deletenotice.php:166 lib/noticelist.php:667 msgid "Delete this notice" msgstr "Ta bort denna notis" @@ -1702,11 +1729,9 @@ msgstr "Återställ till standardvärde" #. TRANS: Submit button title. #: actions/designadminpanel.php:711 actions/licenseadminpanel.php:319 -#: actions/othersettings.php:126 actions/sessionsadminpanel.php:199 -#: actions/siteadminpanel.php:292 actions/sitenoticeadminpanel.php:195 +#: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:292 #: actions/snapshotadminpanel.php:245 actions/tagother.php:154 -#: actions/useradminpanel.php:295 lib/applicationeditform.php:357 -#: lib/designsettings.php:256 lib/groupeditform.php:202 +#: lib/applicationeditform.php:357 lib/designsettings.php:256 msgid "Save" msgstr "Spara" @@ -1754,9 +1779,9 @@ msgid "Name is required." msgstr "Namn krävs." #. TRANS: Validation error shown when providing too long a name in the "Edit application" form. -#: actions/editapplication.php:188 +#: actions/editapplication.php:188 actions/newapplication.php:169 #, fuzzy -msgid "Name is too long (max 255 characters)." +msgid "Name is too long (maximum 255 characters)." msgstr "Namnet är för långt (max 255 tecken)." #. TRANS: Validation error shown when providing a name for an application that already exists in the "Edit application" form. @@ -1785,7 +1810,7 @@ msgid "Organization is required." msgstr "Organisation krävs." #. TRANS: Validation error shown when providing too long an arganisation name in the "Edit application" form. -#: actions/editapplication.php:223 +#: actions/editapplication.php:223 actions/newapplication.php:199 #, fuzzy msgid "Organization is too long (maximum 255 characters)." msgstr "Organisation är för lång (max 255 tecken)." @@ -2583,7 +2608,7 @@ msgid "Publish a MicroID for my Jabber/GTalk address." msgstr "Publicera ett MicroID för min Jabber/GTalk-adress." #. TRANS: Confirmation message for successful IM preferences save. -#: actions/imsettings.php:290 actions/othersettings.php:180 +#: actions/imsettings.php:290 actions/othersettings.php:190 msgid "Preferences saved." msgstr "Inställningar sparade." @@ -2707,10 +2732,9 @@ msgstr[1] "Du prenumererar redan på dessa användare:" #. TRANS: Used as list item for already subscribed users (%1$s is nickname, %2$s is e-mail address). #. TRANS: Used as list item for already registered people (%1$s is nickname, %2$s is e-mail address). -#. TRANS: Whois output. -#. TRANS: %1$s nickname of the queried user, %2$s is their profile URL. -#: actions/invite.php:145 actions/invite.php:159 lib/command.php:426 -#, php-format +#: actions/invite.php:145 actions/invite.php:159 +#, fuzzy, php-format +msgctxt "INVITE" msgid "%1$s (%2$s)" msgstr "%1$s (%2$s)" @@ -2897,8 +2921,9 @@ msgid "" msgstr "" #: actions/licenseadminpanel.php:156 -msgid "Invalid license title. Max length is 255 characters." -msgstr "" +#, fuzzy +msgid "Invalid license title. Maximum length is 255 characters." +msgstr "Ogiltig välkomsttext. Maximal längd är 255 tecken." #: actions/licenseadminpanel.php:168 msgid "Invalid license URL." @@ -3069,20 +3094,10 @@ 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:169 -#, fuzzy -msgid "Name is too long (maximum 255 chars)." -msgstr "Namnet är för långt (max 255 tecken)." - #: actions/newapplication.php:184 msgid "Source URL is required." msgstr "Webbadress till källa krävs." -#: actions/newapplication.php:199 -#, fuzzy -msgid "Organization is too long (maximum 255 chars)." -msgstr "Organisation är för lång (max 255 tecken)." - #: actions/newapplication.php:266 actions/newapplication.php:275 msgid "Could not create application." msgstr "Kunde inte skapa applikation." @@ -3102,14 +3117,14 @@ msgid "New message" msgstr "Nytt meddelande" #. TRANS: Error text shown when trying to send a direct message to a user without a mutual subscription (each user must be subscribed to the other). -#: actions/newmessage.php:121 actions/newmessage.php:164 lib/command.php:499 +#: actions/newmessage.php:121 actions/newmessage.php:164 lib/command.php:501 msgid "You can't send a message to this user." msgstr "Du kan inte skicka ett meddelande till den användaren." #. TRANS: Command exception text shown when trying to send a direct message to another user without content. #. TRANS: Command exception text shown when trying to reply to a notice without providing content for the reply. #: actions/newmessage.php:144 actions/newnotice.php:140 lib/command.php:478 -#: lib/command.php:579 +#: lib/command.php:581 msgid "No content!" msgstr "Inget innehåll!" @@ -3118,7 +3133,7 @@ msgid "No recipient specified." msgstr "Ingen mottagare angiven." #. TRANS: Error text shown when trying to send a direct message to self. -#: actions/newmessage.php:167 lib/command.php:503 +#: actions/newmessage.php:167 lib/command.php:505 msgid "" "Don't send a message to yourself; just say it to yourself quietly instead." msgstr "" @@ -3131,12 +3146,12 @@ msgstr "Meddelande skickat" #. TRANS: Message given have sent a direct message to another user. #. TRANS: %s is the name of the other user. -#: actions/newmessage.php:188 lib/command.php:511 +#: actions/newmessage.php:188 lib/command.php:513 #, php-format msgid "Direct message to %s sent." msgstr "Direktmeddelande till %s skickat." -#: actions/newmessage.php:213 actions/newnotice.php:263 +#: actions/newmessage.php:213 actions/newnotice.php:264 msgid "Ajax Error" msgstr "AJAX-fel" @@ -3144,17 +3159,7 @@ msgstr "AJAX-fel" msgid "New notice" msgstr "Ny notis" -#: actions/newnotice.php:159 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/newnotice.php:183 -#, php-format -msgid "Max notice size is %d chars, including attachment URL." -msgstr "Maximal notisstorlek är %d tecken, inklusive webbadress för bilaga." - -#: actions/newnotice.php:229 +#: actions/newnotice.php:230 msgid "Notice posted" msgstr "Notis postad" @@ -3323,36 +3328,46 @@ msgstr "Personsökning" msgid "Notice Search" msgstr "Notissökning" -#: actions/othersettings.php:60 +#: actions/othersettings.php:59 msgid "Other settings" msgstr "Övriga inställningar" +#. TRANS: Instructions for tab "Other" in user profile settings. #: actions/othersettings.php:71 msgid "Manage various other options." msgstr "Hantera diverse andra alternativ." -#: actions/othersettings.php:108 +#. TRANS: Used as a suffix for free URL shorteners in a dropdown list in the tab "Other" of a +#. TRANS: user's profile settings. This message has one space at the beginning. Use your +#. TRANS: language's word separator here if it has one (most likely a single space). +#: actions/othersettings.php:111 msgid " (free service)" -msgstr "(fri tjänst)" +msgstr " (fri tjänst)" -#: actions/othersettings.php:116 +#. TRANS: Label for dropdown with URL shortener services. +#: actions/othersettings.php:120 msgid "Shorten URLs with" msgstr "Förkorta URL:er med" -#: actions/othersettings.php:117 +#. TRANS: Tooltip for for dropdown with URL shortener services. +#: actions/othersettings.php:122 msgid "Automatic shortening service to use." msgstr "Automatiska förkortningstjänster att använda." -#: actions/othersettings.php:122 +#. TRANS: Label for checkbox. +#: actions/othersettings.php:128 msgid "View profile designs" msgstr "Visa profilutseenden" -#: actions/othersettings.php:123 +#. TRANS: Tooltip for checkbox. +#: actions/othersettings.php:130 msgid "Show or hide profile designs." msgstr "Visa eller göm profilutseenden." -#: actions/othersettings.php:153 -msgid "URL shortening service is too long (max 50 chars)." +#. TRANS: Form validation error for form "Other settings" in user profile. +#: actions/othersettings.php:162 +#, fuzzy +msgid "URL shortening service is too long (maximum 50 characters)." msgstr "Namnet på URL-förkortningstjänsen är för långt (max 50 tecken)." #: actions/otp.php:69 @@ -3841,7 +3856,7 @@ msgstr "Biografi" #. TRANS: Label for group location (dt). Text hidden by default. #: actions/profilesettings.php:149 actions/register.php:485 #: actions/showgroup.php:267 actions/tagother.php:112 -#: actions/userauthorization.php:166 lib/groupeditform.php:177 +#: actions/userauthorization.php:166 lib/groupeditform.php:180 #: lib/userprofile.php:165 msgid "Location" msgstr "Plats" @@ -4183,7 +4198,8 @@ msgid "Unexpected password reset." msgstr "Oväntad återställning av lösenord." #: actions/recoverpassword.php:365 -msgid "Password must be 6 chars or more." +#, fuzzy +msgid "Password must be 6 characters or more." msgstr "Lösenordet måste vara minst 6 tecken." #: actions/recoverpassword.php:369 @@ -4560,7 +4576,7 @@ msgstr "Organisation" #. TRANS: Form input field label. #: actions/showapplication.php:187 actions/version.php:200 -#: lib/applicationeditform.php:208 lib/groupeditform.php:172 +#: lib/applicationeditform.php:208 lib/groupeditform.php:175 msgid "Description" msgstr "Beskrivning" @@ -4712,7 +4728,7 @@ msgid "Note" msgstr "Notis" #. TRANS: Label for group aliases (dt). Text hidden by default. -#: actions/showgroup.php:298 lib/groupeditform.php:184 +#: actions/showgroup.php:298 lib/groupeditform.php:187 msgid "Aliases" msgstr "Alias" @@ -4844,47 +4860,67 @@ msgstr "Meddelande från %1$s på %2$s" msgid "Notice deleted." msgstr "Notis borttagen." -#: actions/showstream.php:72 -#, php-format -msgid " tagged %s" -msgstr "taggade %s" +#. TRANS: Page title showing tagged notices in one user's stream. %1$s is the username, %2$s is the hash tag. +#: actions/showstream.php:70 +#, fuzzy, php-format +msgid "%1$s tagged %2$s" +msgstr "%1$s, sida %2$d" -#: actions/showstream.php:78 +#. TRANS: Page title showing tagged notices in one user's stream. +#. TRANS: %1$s is the username, %2$s is the hash tag, %1$d is the page number. +#: actions/showstream.php:74 +#, fuzzy, php-format +msgid "%1$s tagged %2$s, page %3$d" +msgstr "Notiser taggade med %1$s, sida %2$d" + +#. TRANS: Extended page title showing tagged notices in one user's stream. +#. TRANS: %1$s is the username, %2$d is the page number. +#: actions/showstream.php:82 #, php-format msgid "%1$s, page %2$d" msgstr "%1$s, sida %2$d" -#: actions/showstream.php:120 +#. TRANS: Title for link to notice feed. +#. TRANS: %1$s is a user nickname, %2$s is a hashtag. +#: actions/showstream.php:127 #, php-format msgid "Notice feed for %1$s tagged %2$s (RSS 1.0)" msgstr "Flöde av notiser för %1$s taggade %2$s (RSS 1.0)" -#: actions/showstream.php:127 +#. TRANS: Title for link to notice feed. +#. TRANS: %s is a user nickname. +#: actions/showstream.php:136 #, php-format msgid "Notice feed for %s (RSS 1.0)" msgstr "Flöde av notiser för %s (RSS 1.0)" -#: actions/showstream.php:134 +#. TRANS: Title for link to notice feed. +#. TRANS: %s is a user nickname. +#: actions/showstream.php:145 #, php-format msgid "Notice feed for %s (RSS 2.0)" msgstr "Flöde av notiser för %s (RSS 2.0)" -#: actions/showstream.php:141 +#: actions/showstream.php:152 #, php-format msgid "Notice feed for %s (Atom)" msgstr "Flöde av notiser för %s (Atom)" -#: actions/showstream.php:146 +#. TRANS: Title for link to notice feed. FOAF stands for Friend of a Friend. +#. TRANS: More information at http://www.foaf-project.org. %s is a user nickname. +#: actions/showstream.php:159 #, php-format msgid "FOAF for %s" msgstr "FOAF för %s" -#: actions/showstream.php:197 -#, php-format -msgid "This is the timeline for %1$s but %2$s hasn't posted anything yet." +#. TRANS: First sentence of empty list message for a stream. $1%s is a user nickname. +#: actions/showstream.php:211 +#, fuzzy, php-format +msgid "This is the timeline for %1$s, but %1$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:202 +#. TRANS: Second sentence of empty list message for a stream for the user themselves. +#: actions/showstream.php:217 msgid "" "Seen anything interesting recently? You haven't posted any notices yet, now " "would be a good time to start :)" @@ -4892,7 +4928,9 @@ msgstr "" "Sett något intressant nyligen? Du har inte postat några notiser än. Varför " "inte börja nu?" -#: actions/showstream.php:204 +#. TRANS: Second sentence of empty list message for a non-self stream. %1$s is a user nickname, %2$s is a part of a URL. +#. TRANS: This message contains a Markdown link. Keep "](" together. +#: actions/showstream.php:221 #, php-format msgid "" "You can try to nudge %1$s or [post something to them](%%%%action.newnotice%%%" @@ -4901,7 +4939,9 @@ msgstr "" "Var den första att [skriva i detta ämne](%%%%action.newnotice%%%%?" "status_textarea=%s)!" -#: actions/showstream.php:243 +#. TRANS: Announcement for anonymous users showing a stream if site registrations are open. +#. TRANS: This message contains a Markdown link. Keep "](" together. +#: actions/showstream.php:264 #, php-format msgid "" "**%s** has an account on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -4914,7 +4954,9 @@ 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:248 +#. TRANS: Announcement for anonymous users showing a stream if site registrations are closed or invite only. +#. TRANS: This message contains a Markdown link. Keep "](" together. +#: actions/showstream.php:271 #, php-format msgid "" "**%s** has an account on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -4925,7 +4967,8 @@ msgstr "" "wikipedia.org/wiki/Mikroblogg)tjänst baserad på den fria programvaran " "[StatusNet](http://status.net/). " -#: actions/showstream.php:305 +#. TRANS: Link to the author of a repeated notice. %s is a linked nickname. +#: actions/showstream.php:328 #, php-format msgid "Repeat of %s" msgstr "Upprepning av %s" @@ -5038,31 +5081,40 @@ 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 +#. TRANS: Page title for site-wide notice tab in admin panel. +#: actions/sitenoticeadminpanel.php:55 msgid "Site Notice" msgstr "Webbplatsnotis" -#: actions/sitenoticeadminpanel.php:67 +#. TRANS: Instructions for site-wide notice tab in admin panel. +#: actions/sitenoticeadminpanel.php:66 msgid "Edit site-wide message" msgstr "Redigera webbplastsnotis" -#: actions/sitenoticeadminpanel.php:103 +#. TRANS: Server error displayed when saving a site-wide notice was impossible. +#: actions/sitenoticeadminpanel.php:101 msgid "Unable to save site notice." msgstr "Kunde inte spara webbplatsnotis." -#: actions/sitenoticeadminpanel.php:113 -msgid "Max length for the site-wide notice is 255 chars." +#. TRANS: Client error displayed when a site-wide notice was longer than allowed. +#: actions/sitenoticeadminpanel.php:112 +#, fuzzy +msgid "Maximum length for the site-wide notice is 255 characters." msgstr "Maximal längd för webbplatsnotisen är 255 tecken." +#. TRANS: Label for site-wide notice text field in admin panel. #: actions/sitenoticeadminpanel.php:176 msgid "Site notice text" msgstr "Text för webbplatsnotis" -#: actions/sitenoticeadminpanel.php:178 -msgid "Site-wide notice text (255 chars max; HTML okay)" +#. TRANS: Tooltip for site-wide notice text field in admin panel. +#: actions/sitenoticeadminpanel.php:179 +#, fuzzy +msgid "Site-wide notice text (255 characters maximum; HTML allowed)" msgstr "Text för webbplatsnotis (max 255 tecken; HTML ok)" -#: actions/sitenoticeadminpanel.php:198 +#. TRANS: Title for button to save site notice in admin panel. +#: actions/sitenoticeadminpanel.php:201 msgid "Save site notice" msgstr "Spara webbplatsnotis" @@ -5528,77 +5580,95 @@ msgstr "" "2$s'." #. TRANS: User admin panel title -#: actions/useradminpanel.php:60 +#: actions/useradminpanel.php:58 msgctxt "TITLE" msgid "User" msgstr "Användare" -#: actions/useradminpanel.php:71 +#. TRANS: Instruction for user admin panel. +#: actions/useradminpanel.php:69 msgid "User settings for this StatusNet site" msgstr "" -#: actions/useradminpanel.php:150 +#. TRANS: Form validation error in user admin panel when a non-numeric character limit was set. +#: actions/useradminpanel.php:147 msgid "Invalid bio limit. Must be numeric." msgstr "Ogiltig begränsning av biografi. Måste vara numerisk." -#: actions/useradminpanel.php:156 -msgid "Invalid welcome text. Max length is 255 characters." +#. TRANS: Form validation error in user admin panel when welcome text is too long. +#: actions/useradminpanel.php:154 +#, fuzzy +msgid "Invalid welcome text. Maximum length is 255 characters." msgstr "Ogiltig välkomsttext. Maximal längd är 255 tecken." +#. TRANS: Client error displayed when trying to set a non-existing user as default subscription for new +#. TRANS: users in user admin panel. %1$s is the invalid nickname. #: actions/useradminpanel.php:166 -#, php-format -msgid "Invalid default subscripton: '%1$s' is not user." +#, fuzzy, php-format +msgid "Invalid default subscripton: '%1$s' is not a user." msgstr "Ogiltig standardprenumeration: '%1$s' är inte användare." #. TRANS: Link description in user account settings menu. -#: actions/useradminpanel.php:219 lib/accountsettingsaction.php:106 +#: actions/useradminpanel.php:215 lib/accountsettingsaction.php:106 #: lib/personalgroupnav.php:109 msgid "Profile" msgstr "Profil" -#: actions/useradminpanel.php:223 +#. TRANS: Field label in user admin panel for setting the character limit for the bio field. +#: actions/useradminpanel.php:220 msgid "Bio Limit" msgstr "Begränsning av biografi" -#: actions/useradminpanel.php:224 +#. TRANS: Tooltip in user admin panel for setting the character limit for the bio field. +#: actions/useradminpanel.php:222 msgid "Maximum length of a profile bio in characters." msgstr "Maximal teckenlängd av profilbiografi." -#: actions/useradminpanel.php:232 +#. TRANS: Form legend in user admin panel. +#: actions/useradminpanel.php:231 msgid "New users" msgstr "Nya användare" +#. TRANS: Field label in user admin panel for setting new user welcome text. #: actions/useradminpanel.php:236 msgid "New user welcome" msgstr "Välkomnande av ny användare" -#: actions/useradminpanel.php:237 -msgid "Welcome text for new users (Max 255 chars)." +#. TRANS: Tooltip in user admin panel for setting new user welcome text. +#: actions/useradminpanel.php:238 +#, fuzzy +msgid "Welcome text for new users (maximum 255 characters)." msgstr "Välkomsttext för nya användare (max 255 tecken)." -#: actions/useradminpanel.php:242 +#. TRANS: Field label in user admin panel for setting default subscription for new users. +#: actions/useradminpanel.php:244 msgid "Default subscription" msgstr "Standardprenumerationer" -#: actions/useradminpanel.php:243 +#. TRANS: Tooltip in user admin panel for setting default subscription for new users. +#: actions/useradminpanel.php:246 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:252 +#. TRANS: Form legend in user admin panel. +#: actions/useradminpanel.php:256 msgid "Invitations" msgstr "Inbjudningar" -#: actions/useradminpanel.php:257 +#. TRANS: Field label for checkbox in user admin panel for allowing users to invite friend using site e-mail. +#: actions/useradminpanel.php:262 msgid "Invitations enabled" msgstr "Inbjudningar aktiverade" -#: actions/useradminpanel.php:259 +#. TRANS: Tooltip for checkbox in user admin panel for allowing users to invite friend using site e-mail. +#: actions/useradminpanel.php:265 msgid "Whether to allow users to invite new users." msgstr "Hurvida användare skall tillåtas bjuda in nya användare." -#: actions/useradminpanel.php:295 +#. TRANS: Title for button to save user settings in user admin panel. +#: actions/useradminpanel.php:302 msgid "Save user settings" msgstr "" @@ -5809,7 +5879,7 @@ msgid "Plugins" msgstr "Insticksmoduler" #. TRANS: Secondary navigation menu option leading to version information on the StatusNet site. -#: actions/version.php:198 lib/action.php:831 +#: actions/version.php:198 lib/action.php:880 msgid "Version" msgstr "Version" @@ -6018,16 +6088,23 @@ msgstr "Kunde inte spara lokal gruppinformation." msgid "RT @%1$s %2$s" msgstr "RT @%1$s %2$s" +#. TRANS: Full name of a profile or group followed by nickname in parens +#: classes/Profile.php:164 +#, fuzzy, php-format +msgctxt "FANCYNAME" +msgid "%1$s (%2$s)" +msgstr "%1$s (%2$s)" + #. TRANS: Exception thrown when trying to revoke an existing role for a user that does not exist. #. TRANS: %1$s is the role name, %2$s is the user ID (number). -#: classes/Profile.php:791 +#: classes/Profile.php:812 #, php-format msgid "Cannot revoke role \"%1$s\" for user #%2$d; does not exist." msgstr "Kan inte återkalla roll \"%1$s\" för användare #%2$d; finns inte." #. TRANS: Exception thrown when trying to revoke a role for a user with a failing database query. #. TRANS: %1$s is the role name, %2$s is the user ID (number). -#: classes/Profile.php:800 +#: classes/Profile.php:821 #, php-format msgid "Cannot revoke role \"%1$s\" for user #%2$d; database error." msgstr "Kan inte återkalla roll \"%1$s\" för användare #%2$d; databasfel." @@ -6172,194 +6249,201 @@ msgstr "%1$s - %2$s" msgid "Untitled page" msgstr "Namnlös sida" +#. TRANS: Localized tooltip for '...' expansion button on overlong remote messages. +#: lib/action.php:310 +msgctxt "TOOLTIP" +msgid "Show more" +msgstr "" + #. TRANS: DT element for primary navigation menu. String is hidden in default CSS. -#: lib/action.php:477 +#: lib/action.php:526 msgid "Primary site navigation" msgstr "Primär webbplatsnavigation" #. TRANS: Tooltip for main menu option "Personal" -#: lib/action.php:483 +#: lib/action.php:532 msgctxt "TOOLTIP" msgid "Personal profile and friends timeline" msgstr "Personlig profil och vänners tidslinje" #. TRANS: Main menu option when logged in for access to personal profile and friends timeline -#: lib/action.php:486 +#: lib/action.php:535 msgctxt "MENU" msgid "Personal" msgstr "Personligt" #. TRANS: Tooltip for main menu option "Account" -#: lib/action.php:488 +#: lib/action.php:537 msgctxt "TOOLTIP" msgid "Change your email, avatar, password, profile" msgstr "Ändra din e-post, avatar, lösenord, profil" #. TRANS: Main menu option when logged in for access to user settings -#: lib/action.php:491 +#: lib/action.php:540 msgid "Account" msgstr "Konto" #. TRANS: Tooltip for main menu option "Services" -#: lib/action.php:493 +#: lib/action.php:542 msgctxt "TOOLTIP" msgid "Connect to services" msgstr "Anslut till tjänster" #. TRANS: Main menu option when logged in and connection are possible for access to options to connect to other services -#: lib/action.php:496 +#: lib/action.php:545 msgid "Connect" msgstr "Anslut" #. TRANS: Tooltip for menu option "Admin" -#: lib/action.php:499 +#: lib/action.php:548 msgctxt "TOOLTIP" msgid "Change site configuration" msgstr "Ändra webbplatskonfiguration" #. TRANS: Main menu option when logged in and site admin for access to site configuration #. TRANS: Menu item in the group navigation page. Only shown for group administrators. -#: lib/action.php:502 lib/groupnav.php:117 +#: lib/action.php:551 lib/groupnav.php:117 msgctxt "MENU" msgid "Admin" msgstr "Administratör" #. TRANS: Tooltip for main menu option "Invite" -#: lib/action.php:506 +#: lib/action.php:555 #, 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" #. TRANS: Main menu option when logged in and invitations are allowed for inviting new users -#: lib/action.php:509 +#: lib/action.php:558 msgctxt "MENU" msgid "Invite" msgstr "Bjud in" #. TRANS: Tooltip for main menu option "Logout" -#: lib/action.php:515 +#: lib/action.php:564 msgctxt "TOOLTIP" msgid "Logout from the site" msgstr "Logga ut från webbplatsen" #. TRANS: Main menu option when logged in to log out the current user -#: lib/action.php:518 +#: lib/action.php:567 msgctxt "MENU" msgid "Logout" msgstr "Logga ut" #. TRANS: Tooltip for main menu option "Register" -#: lib/action.php:523 +#: lib/action.php:572 msgctxt "TOOLTIP" msgid "Create an account" msgstr "Skapa ett konto" #. TRANS: Main menu option when not logged in to register a new account -#: lib/action.php:526 +#: lib/action.php:575 msgctxt "MENU" msgid "Register" msgstr "Registrera" #. TRANS: Tooltip for main menu option "Login" -#: lib/action.php:529 +#: lib/action.php:578 msgctxt "TOOLTIP" msgid "Login to the site" msgstr "Logga in på webbplatsen" #. TRANS: Main menu option when not logged in to log in -#: lib/action.php:532 +#: lib/action.php:581 msgctxt "MENU" msgid "Login" msgstr "Logga in" #. TRANS: Tooltip for main menu option "Help" -#: lib/action.php:535 +#: lib/action.php:584 msgctxt "TOOLTIP" msgid "Help me!" msgstr "Hjälp mig!" #. TRANS: Main menu option for help on the StatusNet site -#: lib/action.php:538 +#: lib/action.php:587 msgctxt "MENU" msgid "Help" msgstr "Hjälp" #. TRANS: Tooltip for main menu option "Search" -#: lib/action.php:541 +#: lib/action.php:590 msgctxt "TOOLTIP" msgid "Search for people or text" msgstr "Sök efter personer eller text" #. TRANS: Main menu option when logged in or when the StatusNet instance is not private -#: lib/action.php:544 +#: lib/action.php:593 msgctxt "MENU" msgid "Search" msgstr "Sök" #. TRANS: DT element for site notice. String is hidden in default CSS. #. TRANS: Menu item for site administration -#: lib/action.php:566 lib/adminpanelaction.php:387 +#: lib/action.php:615 lib/adminpanelaction.php:387 msgid "Site notice" msgstr "Webbplatsnotis" #. TRANS: DT element for local views block. String is hidden in default CSS. -#: lib/action.php:633 +#: lib/action.php:682 msgid "Local views" msgstr "Lokala vyer" #. TRANS: DT element for page notice. String is hidden in default CSS. -#: lib/action.php:703 +#: lib/action.php:752 msgid "Page notice" msgstr "Sidnotis" #. TRANS: DT element for secondary navigation menu. String is hidden in default CSS. -#: lib/action.php:804 +#: lib/action.php:853 msgid "Secondary site navigation" msgstr "Sekundär webbplatsnavigation" #. TRANS: Secondary navigation menu option leading to help on StatusNet. -#: lib/action.php:810 +#: lib/action.php:859 msgid "Help" msgstr "Hjälp" #. TRANS: Secondary navigation menu option leading to text about StatusNet site. -#: lib/action.php:813 +#: lib/action.php:862 msgid "About" msgstr "Om" #. TRANS: Secondary navigation menu option leading to Frequently Asked Questions. -#: lib/action.php:816 +#: lib/action.php:865 msgid "FAQ" msgstr "Frågor & svar" #. TRANS: Secondary navigation menu option leading to Terms of Service. -#: lib/action.php:821 +#: lib/action.php:870 msgid "TOS" msgstr "Användarvillkor" #. TRANS: Secondary navigation menu option leading to privacy policy. -#: lib/action.php:825 +#: lib/action.php:874 msgid "Privacy" msgstr "Sekretess" -#. TRANS: Secondary navigation menu option. -#: lib/action.php:828 +#. TRANS: Secondary navigation menu option. Leads to information about StatusNet and its license. +#: lib/action.php:877 msgid "Source" msgstr "Källa" -#. TRANS: Secondary navigation menu option leading to contact information on the StatusNet site. -#: lib/action.php:834 +#. TRANS: Secondary navigation menu option leading to e-mail contact information on the +#. TRANS: StatusNet site, where to report bugs, ... +#: lib/action.php:884 msgid "Contact" msgstr "Kontakt" -#. TRANS: Secondary navigation menu option. -#: lib/action.php:837 +#. TRANS: Secondary navigation menu option. Leads to information about embedding a timeline widget. +#: lib/action.php:887 msgid "Badge" msgstr "Emblem" #. TRANS: DT element for StatusNet software license. -#: lib/action.php:866 +#: lib/action.php:916 msgid "StatusNet software license" msgstr "Programvarulicens för StatusNet" @@ -6367,7 +6451,7 @@ msgstr "Programvarulicens för StatusNet" #. TRANS: Text between [] is a link description, text between () is the link itself. #. TRANS: Make sure there is no whitespace between "]" and "(". #. TRANS: "%%site.broughtby%%" is the value of the variable site.broughtby -#: lib/action.php:873 +#: lib/action.php:923 #, php-format msgid "" "**%%site.name%%** is a microblogging service brought to you by [%%site." @@ -6377,7 +6461,7 @@ msgstr "" "%%](%%site.broughtbyurl%%)." #. TRANS: First sentence of the StatusNet site license. Used if 'broughtby' is not set. -#: lib/action.php:876 +#: lib/action.php:926 #, php-format msgid "**%%site.name%%** is a microblogging service." msgstr "**%%site.name%%** är en mikrobloggtjänst." @@ -6386,7 +6470,7 @@ msgstr "**%%site.name%%** är en mikrobloggtjänst." #. TRANS: Make sure there is no whitespace between "]" and "(". #. TRANS: Text between [] is a link description, text between () is the link itself. #. TRANS: %s is the version of StatusNet that is being used. -#: lib/action.php:883 +#: lib/action.php:933 #, php-format msgid "" "It runs the [StatusNet](http://status.net/) microblogging software, version %" @@ -6398,51 +6482,51 @@ msgstr "" "fsf.org/licensing/licenses/agpl-3.0.html)." #. TRANS: DT element for StatusNet site content license. -#: lib/action.php:899 +#: lib/action.php:949 msgid "Site content license" msgstr "Licens för webbplatsinnehåll" #. TRANS: Content license displayed when license is set to 'private'. #. TRANS: %1$s is the site name. -#: lib/action.php:906 +#: lib/action.php:956 #, 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." #. TRANS: Content license displayed when license is set to 'allrightsreserved'. #. TRANS: %1$s is the copyright owner. -#: lib/action.php:913 +#: lib/action.php:963 #, 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." #. TRANS: Content license displayed when license is set to 'allrightsreserved' and no owner is set. -#: lib/action.php:917 +#: lib/action.php:967 msgid "Content and data copyright by contributors. All rights reserved." msgstr "" "Innehåll och data copyright av medarbetare. Alla rättigheter reserverade." #. TRANS: license message in footer. #. TRANS: %1$s is the site name, %2$s is a link to the license URL, with a licence name set in configuration. -#: lib/action.php:949 +#: lib/action.php:999 #, php-format msgid "All %1$s content and data are available under the %2$s license." msgstr "Innehåll och data på %1$s är tillgänglig under licensen %2$s." #. TRANS: DT element for pagination (previous/next, etc.). -#: lib/action.php:1285 +#: lib/action.php:1335 msgid "Pagination" msgstr "Numrering av sidor" #. TRANS: Pagination message to go to a page displaying information more in the #. TRANS: present than the currently displayed information. -#: lib/action.php:1296 +#: lib/action.php:1346 msgid "After" msgstr "Senare" #. TRANS: Pagination message to go to a page displaying information more in the #. TRANS: past than the currently displayed information. -#: lib/action.php:1306 +#: lib/action.php:1356 msgid "Before" msgstr "Tidigare" @@ -6787,7 +6871,7 @@ msgid "AJAX error" msgstr "AJAX-fel" #. TRANS: E-mail subject when a command has completed. -#: lib/channel.php:233 lib/mailhandler.php:142 +#: lib/channel.php:233 lib/mailhandler.php:143 msgid "Command complete" msgstr "Kommando komplett" @@ -6803,7 +6887,7 @@ msgstr "Notis med den ID:n finns inte." #. TRANS: Command exception text shown when a last user notice is requested and it does not exist. #. TRANS: Error text shown when a last user notice is requested and it does not exist. -#: lib/command.php:99 lib/command.php:626 +#: lib/command.php:99 lib/command.php:630 msgid "User has no last notice." msgstr "Användare har ingen sista notis." @@ -6872,6 +6956,14 @@ msgstr "%1$s gick med i grupp %2$s." msgid "%1$s left group %2$s." msgstr "%1$s lämnade grupp %2$s." +#. TRANS: Whois output. +#. TRANS: %1$s nickname of the queried user, %2$s is their profile URL. +#: lib/command.php:426 +#, fuzzy, php-format +msgctxt "WHOIS" +msgid "%1$s (%2$s)" +msgstr "%1$s (%2$s)" + #. TRANS: Whois output. %s is the full name of the queried user. #: lib/command.php:430 #, php-format @@ -6911,113 +7003,117 @@ msgstr "" "%s är en fjärrprofil; du kan bara skicka direktmeddelanden till användare på " "samma server." -#. TRANS: Message given if content is too long. +#. TRANS: Message given if content is too long. %1$sd is used for plural. #. TRANS: %1$d is the maximum number of characters, %2$d is the number of submitted characters. #: lib/command.php:488 -#, 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." +#, fuzzy, php-format +msgid "Message too long - maximum is %1$d character, you sent %2$d." +msgid_plural "Message too long - maximum is %1$d characters, you sent %2$d." +msgstr[0] "Meddelande för långt - maximum är %1$d tecken, du skickade %2$d." +msgstr[1] "Meddelande för långt - maximum är %1$d tecken, du skickade %2$d." #. TRANS: Error text shown sending a direct message fails with an unknown reason. -#: lib/command.php:514 +#: lib/command.php:516 msgid "Error sending direct message." msgstr "Fel vid sändning av direktmeddelande." #. TRANS: Message given having repeated a notice from another user. #. TRANS: %s is the name of the user for which the notice was repeated. -#: lib/command.php:551 +#: lib/command.php:553 #, php-format msgid "Notice from %s repeated." msgstr "Notis från %s upprepad." #. TRANS: Error text shown when repeating a notice fails with an unknown reason. -#: lib/command.php:554 +#: lib/command.php:556 msgid "Error repeating notice." msgstr "Fel vid upprepning av notis." -#. TRANS: Message given if content of a notice for a reply is too long. +#. TRANS: Message given if content of a notice for a reply is too long. %1$d is used for plural. #. TRANS: %1$d is the maximum number of characters, %2$d is the number of submitted characters. -#: lib/command.php:589 -#, php-format -msgid "Notice too long - maximum is %1$d characters, you sent %2$d." -msgstr "Notis för långt - maximum är %1$d tecken, du skickade %2$d." +#: lib/command.php:591 +#, fuzzy, php-format +msgid "Notice too long - maximum is %1$d character, you sent %2$d." +msgid_plural "Notice too long - maximum is %1$d characters, you sent %2$d." +msgstr[0] "Notis för långt - maximum är %1$d tecken, du skickade %2$d." +msgstr[1] "Notis för långt - maximum är %1$d tecken, du skickade %2$d." #. TRANS: Text shown having sent a reply to a notice successfully. #. TRANS: %s is the nickname of the user of the notice the reply was sent to. -#: lib/command.php:600 +#: lib/command.php:604 #, php-format msgid "Reply to %s sent." msgstr "Svar på %s skickat." #. TRANS: Error text shown when a reply to a notice fails with an unknown reason. -#: lib/command.php:603 +#: lib/command.php:607 msgid "Error saving notice." msgstr "Fel vid sparande av notis." #. TRANS: Error text shown when no username was provided when issuing a subscribe command. -#: lib/command.php:650 +#: lib/command.php:654 msgid "Specify the name of the user to subscribe to." msgstr "Ange namnet på användaren att prenumerara på." #. TRANS: Command exception text shown when trying to subscribe to an OMB profile using the subscribe command. -#: lib/command.php:659 +#: lib/command.php:663 msgid "Can't subscribe to OMB profiles by command." msgstr "Kan inte prenumera på OMB-profiler via kommando." #. TRANS: Text shown after having subscribed to another user successfully. #. TRANS: %s is the name of the user the subscription was requested for. -#: lib/command.php:667 +#: lib/command.php:671 #, php-format msgid "Subscribed to %s." msgstr "Prenumererar på %s." #. TRANS: Error text shown when no username was provided when issuing an unsubscribe command. #. TRANS: Error text shown when no username was provided when issuing the command. -#: lib/command.php:688 lib/command.php:799 +#: lib/command.php:692 lib/command.php:803 msgid "Specify the name of the user to unsubscribe from." msgstr "Ange namnet på användaren att avsluta prenumeration på." #. TRANS: Text shown after having unsubscribed from another user successfully. #. TRANS: %s is the name of the user the unsubscription was requested for. -#: lib/command.php:699 +#: lib/command.php:703 #, php-format msgid "Unsubscribed from %s." msgstr "Prenumeration på %s avslutad." #. TRANS: Error text shown when issuing the command "off" with a setting which has not yet been implemented. #. TRANS: Error text shown when issuing the command "on" with a setting which has not yet been implemented. -#: lib/command.php:719 lib/command.php:745 +#: lib/command.php:723 lib/command.php:749 msgid "Command not yet implemented." msgstr "Kommando inte implementerat än." #. TRANS: Text shown when issuing the command "off" successfully. -#: lib/command.php:723 +#: lib/command.php:727 msgid "Notification off." msgstr "Notifikation av." #. TRANS: Error text shown when the command "off" fails for an unknown reason. -#: lib/command.php:726 +#: lib/command.php:730 msgid "Can't turn off notification." msgstr "Kan inte sätta på notifikation." #. TRANS: Text shown when issuing the command "on" successfully. -#: lib/command.php:749 +#: lib/command.php:753 msgid "Notification on." msgstr "Notifikation på." #. TRANS: Error text shown when the command "on" fails for an unknown reason. -#: lib/command.php:752 +#: lib/command.php:756 msgid "Can't turn on notification." msgstr "Kan inte stänga av notifikation." #. TRANS: Error text shown when issuing the login command while login is disabled. -#: lib/command.php:766 +#: lib/command.php:770 msgid "Login command is disabled." msgstr "Inloggningskommando är inaktiverat." #. TRANS: Text shown after issuing the login command successfully. #. TRANS: %s is a logon link.. -#: lib/command.php:779 +#: lib/command.php:783 #, php-format msgid "This link is useable only once and is valid for only 2 minutes: %s." msgstr "" @@ -7025,20 +7121,20 @@ msgstr "" #. TRANS: Text shown after issuing the lose command successfully (stop another user from following the current user). #. TRANS: %s is the name of the user the unsubscription was requested for. -#: lib/command.php:808 +#: lib/command.php:812 #, php-format msgid "Unsubscribed %s." msgstr "%ss prenumeration avslutad." #. TRANS: Text shown after requesting other users a user is subscribed to without having any subscriptions. -#: lib/command.php:826 +#: lib/command.php:830 msgid "You are not subscribed to anyone." msgstr "Du prenumererar inte på någon." #. TRANS: Text shown after requesting other users a user is subscribed to. #. TRANS: This message supports plural forms. This message is followed by a #. TRANS: hard coded space and a comma separated list of subscribed users. -#: lib/command.php:831 +#: lib/command.php:835 msgid "You are subscribed to this person:" msgid_plural "You are subscribed to these people:" msgstr[0] "Du prenumererar på denna person:" @@ -7046,14 +7142,14 @@ msgstr[1] "Du prenumererar på dessa personer:" #. TRANS: Text shown after requesting other users that are subscribed to a user #. TRANS: (followers) without having any subscribers. -#: lib/command.php:853 +#: lib/command.php:857 msgid "No one is subscribed to you." msgstr "Ingen prenumerar på dig." #. TRANS: Text shown after requesting other users that are subscribed to a user (followers). #. TRANS: This message supports plural forms. This message is followed by a #. TRANS: hard coded space and a comma separated list of subscribing users. -#: lib/command.php:858 +#: lib/command.php:862 msgid "This person is subscribed to you:" msgid_plural "These people are subscribed to you:" msgstr[0] "Denna person prenumererar på dig:" @@ -7061,21 +7157,21 @@ msgstr[1] "Dessa personer prenumererar på dig:" #. TRANS: Text shown after requesting groups a user is subscribed to without having #. TRANS: any group subscriptions. -#: lib/command.php:880 +#: lib/command.php:884 msgid "You are not a member of any groups." msgstr "Du är inte medlem i några grupper." #. TRANS: Text shown after requesting groups a user is subscribed to. #. TRANS: This message supports plural forms. This message is followed by a #. TRANS: hard coded space and a comma separated list of subscribed groups. -#: lib/command.php:885 +#: lib/command.php:889 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:" #. TRANS: Help text for commands. Do not translate the command names themselves; they are fixed strings. -#: lib/command.php:900 +#: lib/command.php:904 msgid "" "Commands:\n" "on - turn on notifications\n" @@ -7306,7 +7402,8 @@ msgid "1-64 lowercase letters or numbers, no punctuation or spaces" msgstr "1-64 små bokstäver eller nummer, inga punkter eller mellanslag" #: lib/groupeditform.php:163 -msgid "URL of the homepage or blog of the group or topic" +#, fuzzy +msgid "URL of the homepage or blog of the group or topic." msgstr "URL till gruppen eller ämnets hemsida eller blogg" #: lib/groupeditform.php:168 @@ -7314,19 +7411,30 @@ msgid "Describe the group or topic" msgstr "Beskriv gruppen eller ämnet" #: lib/groupeditform.php:170 -#, php-format -msgid "Describe the group or topic in %d characters" -msgstr "Beskriv gruppen eller ämnet med högst %d tecken" +#, fuzzy, php-format +msgid "Describe the group or topic in %d character or less" +msgid_plural "Describe the group or topic in %d characters or less" +msgstr[0] "Beskriv gruppen eller ämnet med högst %d tecken" +msgstr[1] "Beskriv gruppen eller ämnet med högst %d tecken" -#: lib/groupeditform.php:179 +#: lib/groupeditform.php:182 +#, fuzzy msgid "" -"Location for the group, if any, like \"City, State (or Region), Country\"" +"Location for the group, if any, like \"City, State (or Region), Country\"." msgstr "Plats för gruppen, om den finns, såsom \"Stad, Län, Land\"" -#: lib/groupeditform.php:187 -#, php-format -msgid "Extra nicknames for the group, comma- or space- separated, max %d" -msgstr "Extra smeknamn för gruppen, komma- eller mellanslagsseparerade, max &d" +#: lib/groupeditform.php:190 +#, fuzzy, php-format +msgid "" +"Extra nicknames for the group, separated with commas or spaces. Maximum %d " +"alias allowed." +msgid_plural "" +"Extra nicknames for the group, separated with commas or spaces. Maximum %d " +"aliases allowed." +msgstr[0] "" +"Extra smeknamn för gruppen, komma- eller mellanslagsseparerade, max &d" +msgstr[1] "" +"Extra smeknamn för gruppen, komma- eller mellanslagsseparerade, max &d" #. TRANS: Menu item in the group navigation page. #: lib/groupnav.php:86 @@ -7880,7 +7988,7 @@ msgstr "Tyvärr, det är inte din inkommande e-postadress." msgid "Sorry, no incoming email allowed." msgstr "Tyvärr, ingen inkommande e-post tillåts." -#: lib/mailhandler.php:228 +#: lib/mailhandler.php:229 #, php-format msgid "Unsupported message type: %s" msgstr "Formatet %s för meddelande stödjs inte." @@ -8229,16 +8337,17 @@ msgid "Sandbox this user" msgstr "Flytta denna användare till sandlådan" #. TRANS: Fieldset legend for the search form. -#: lib/searchaction.php:121 +#: lib/searchaction.php:120 msgid "Search site" msgstr "Sök webbplats" #. TRANS: Used as a field label for the field where one or more keywords #. TRANS: for searching can be entered. -#: lib/searchaction.php:129 +#: lib/searchaction.php:128 msgid "Keyword(s)" msgstr "Nyckelord" +#. TRANS: Button text for searching site. #: lib/searchaction.php:130 msgctxt "BUTTON" msgid "Search" @@ -8328,8 +8437,8 @@ msgid "The theme file is missing or the upload failed." msgstr "Temafilen saknas eller uppladdningen misslyckades." #: lib/themeuploader.php:91 lib/themeuploader.php:102 -#: lib/themeuploader.php:278 lib/themeuploader.php:282 -#: lib/themeuploader.php:290 lib/themeuploader.php:297 +#: lib/themeuploader.php:279 lib/themeuploader.php:283 +#: lib/themeuploader.php:291 lib/themeuploader.php:298 msgid "Failed saving theme." msgstr "Kunde inte spara tema." @@ -8338,16 +8447,20 @@ msgid "Invalid theme: bad directory structure." msgstr "Ogiltigt tema: dålig katalogstruktur." #: lib/themeuploader.php:166 -#, php-format -msgid "Uploaded theme is too large; must be less than %d bytes uncompressed." -msgstr "" +#, fuzzy, php-format +msgid "Uploaded theme is too large; must be less than %d byte uncompressed." +msgid_plural "" +"Uploaded theme is too large; must be less than %d bytes uncompressed." +msgstr[0] "" +"Uppladdat tema är för stort, måste vara mindre än %d byte okomprimerat." +msgstr[1] "" "Uppladdat tema är för stort, måste vara mindre än %d byte okomprimerat." -#: lib/themeuploader.php:178 +#: lib/themeuploader.php:179 msgid "Invalid theme archive: missing file css/display.css" msgstr "Ogiltigt temaarkiv: filen css/display.css saknas" -#: lib/themeuploader.php:218 +#: lib/themeuploader.php:219 msgid "" "Theme contains invalid file or folder name. Stick with ASCII letters, " "digits, underscore, and minus sign." @@ -8355,16 +8468,16 @@ msgstr "" "Tema innehåller ogiltigt fil- eller mappnamn. Använd bara ASCII-bokstäver, " "siffror, understreck och minustecken." -#: lib/themeuploader.php:224 +#: lib/themeuploader.php:225 msgid "Theme contains unsafe file extension names; may be unsafe." msgstr "Tema innehåller osäkra filtilläggsnamn; kan vara osäkert." -#: lib/themeuploader.php:241 +#: lib/themeuploader.php:242 #, php-format msgid "Theme contains file of type '.%s', which is not allowed." msgstr "Tema innehåller fil av typen '.%s', vilket inte är tillåtet." -#: lib/themeuploader.php:259 +#: lib/themeuploader.php:260 msgid "Error opening theme archive." msgstr "Fel vid öppning temaarkiv." @@ -8545,23 +8658,39 @@ msgid_plural "Message too long. Maximum is %1$d characters, you sent %2$d." msgstr[0] "Meddelande för långt - maximum är %1$d tecken, du skickade %2$d." msgstr[1] "Meddelande för långt - maximum är %1$d tecken, du skickade %2$d." -#: scripts/restoreuser.php:82 +#. TRANS: Commandline script output. %s is the filename that contains a backup for a user. +#: scripts/restoreuser.php:61 #, php-format -msgid "Backup file for user %s (%s)" +msgid "Getting backup from file '%s'." msgstr "" -#: scripts/restoreuser.php:88 +#. TRANS: Commandline script output. +#: scripts/restoreuser.php:91 #, fuzzy msgid "No user specified; using backup user." msgstr "Ingen användar-ID angiven." -#: scripts/restoreuser.php:94 +#. TRANS: Commandline script output. %d is the number of entries in the activity stream in backup; used for plural. +#: scripts/restoreuser.php:98 #, php-format -msgid "%d entries in backup." -msgstr "" +msgid "%d entry in backup." +msgid_plural "%d entries in backup." +msgstr[0] "" +msgstr[1] "" -#~ msgid "Description is too long (max %d chars)." -#~ msgstr "Beskrivning är för lång (max %d tecken)." +#, fuzzy +#~ msgid "Name is too long (maximum 255 chars)." +#~ msgstr "Namnet är för långt (max 255 tecken)." -#~ msgid "Too many aliases! Maximum %d." -#~ msgstr "För många alias! Maximum %d." +#, fuzzy +#~ msgid "Organization is too long (maximum 255 chars)." +#~ msgstr "Organisation är för lång (max 255 tecken)." + +#~ msgid "That's too long. Max notice size is %d chars." +#~ msgstr "Det är för långt. Maximal notisstorlek är %d tecken." + +#~ msgid "Max notice size is %d chars, including attachment URL." +#~ msgstr "Maximal notisstorlek är %d tecken, inklusive webbadress för bilaga." + +#~ msgid " tagged %s" +#~ msgstr "taggade %s" diff --git a/locale/te/LC_MESSAGES/statusnet.po b/locale/te/LC_MESSAGES/statusnet.po index ac8fe24a27..5057577d14 100644 --- a/locale/te/LC_MESSAGES/statusnet.po +++ b/locale/te/LC_MESSAGES/statusnet.po @@ -10,17 +10,17 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet - Core\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-10-30 23:18+0000\n" -"PO-Revision-Date: 2010-10-30 23:20:47+0000\n" +"POT-Creation-Date: 2010-11-02 22:51+0000\n" +"PO-Revision-Date: 2010-11-02 22:53:45+0000\n" "Language-Team: Telugu \n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r75708); Translate extension (2010-09-17)\n" +"X-Generator: MediaWiki 1.17alpha (r75875); Translate extension (2010-09-17)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: te\n" "X-Message-Group: #out-statusnet-core\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-POT-Import-Date: 2010-10-30 09:48:40+0000\n" +"X-POT-Import-Date: 2010-10-30 23:42:01+0000\n" #. TRANS: Page title for Access admin panel that allows configuring site access. #. TRANS: Menu item for site administration @@ -77,15 +77,20 @@ msgstr "అందుబాటు అమరికలను భద్రపరచ #. TRANS: Tooltip for button to save access settings in site admin panel. #. TRANS: Button label to save e-mail preferences. #. TRANS: Button label to save IM preferences. +#. TRANS: Button text for saving "Other settings" in profile. #. TRANS: Button text to store form data in the Paths admin panel. #. TRANS: Button to save input in profile settings. +#. TRANS: Button text for saving site notice in admin panel. #. TRANS: Button label to save SMS preferences. #. TRANS: Save button for settings for a profile in a subscriptions list. +#. TRANS: Button text to save user settings in user admin panel. #. TRANS: Button label in the "Edit application" form. #: actions/accessadminpanel.php:193 actions/emailsettings.php:228 -#: actions/imsettings.php:187 actions/pathsadminpanel.php:512 -#: actions/profilesettings.php:201 actions/smssettings.php:209 -#: actions/subscriptions.php:246 lib/applicationeditform.php:355 +#: actions/imsettings.php:187 actions/othersettings.php:134 +#: actions/pathsadminpanel.php:512 actions/profilesettings.php:201 +#: actions/sitenoticeadminpanel.php:197 actions/smssettings.php:209 +#: actions/subscriptions.php:246 actions/useradminpanel.php:298 +#: lib/applicationeditform.php:355 lib/groupeditform.php:207 msgctxt "BUTTON" msgid "Save" msgstr "భద్రపరచు" @@ -136,7 +141,7 @@ msgstr "అటువంటి పేజీ లేదు." #: 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:93 actions/userrss.php:40 -#: actions/xrds.php:71 lib/command.php:495 lib/galleryaction.php:59 +#: actions/xrds.php:71 lib/command.php:497 lib/galleryaction.php:59 #: lib/mailbox.php:82 lib/profileaction.php:77 msgid "No such user." msgstr "అటువంటి వాడుకరి లేరు." @@ -204,7 +209,9 @@ msgstr "" #. TRANS: Encoutagement displayed on empty timeline user pages for anonymous users. #. TRANS: %s is a user nickname. This message contains Markdown links. Keep "](" together. -#: actions/all.php:155 actions/replies.php:210 actions/showstream.php:208 +#. TRANS: Second sentence of empty message for anonymous users. %s is a user nickname. +#. TRANS: This message contains a Markdown link. Keep "](" together. +#: actions/all.php:155 actions/replies.php:210 actions/showstream.php:227 #, fuzzy, php-format msgid "" "Why not [register an account](%%%%action.register%%%%) and then nudge %s or " @@ -555,8 +562,11 @@ msgstr "పూర్తి పేరు చాలా పెద్దగా ఉ #. TRANS: Group edit form validation error. #. TRANS: Form validation error in New application form. #. TRANS: %d is the maximum number of characters for the description. +#. TRANS: Group create form validation error. +#. TRANS: %d is the maximum number of allowed characters. #: actions/apigroupcreate.php:220 actions/editapplication.php:201 #: actions/editgroup.php:216 actions/newapplication.php:178 +#: actions/newgroup.php:152 #, fuzzy, php-format msgid "Description is too long (maximum %d character)." msgid_plural "Description is too long (maximum %d characters)." @@ -716,14 +726,14 @@ msgstr "మీకు అధీకరణ లేదు." #. TRANS: Form validation error in API OAuth authorisation because of an invalid session token. #: actions/apioauthauthorize.php:147 actions/avatarsettings.php:280 -#: actions/deletenotice.php:172 actions/disfavor.php:74 +#: actions/deletenotice.php:177 actions/disfavor.php:74 #: actions/emailsettings.php:271 actions/favor.php:75 actions/geocode.php:55 #: actions/groupblock.php:66 actions/grouplogo.php:312 #: actions/groupunblock.php:65 actions/imsettings.php:230 #: actions/invite.php:59 actions/login.php:137 actions/makeadmin.php:66 #: actions/newmessage.php:135 actions/newnotice.php:105 actions/nudge.php:80 #: actions/oauthappssettings.php:165 actions/oauthconnectionssettings.php:138 -#: actions/othersettings.php:145 actions/passwordsettings.php:138 +#: actions/othersettings.php:153 actions/passwordsettings.php:138 #: actions/profilesettings.php:221 actions/recoverpassword.php:350 #: actions/register.php:172 actions/remotesubscribe.php:77 #: actions/repeat.php:83 actions/smssettings.php:256 actions/subedit.php:40 @@ -894,20 +904,21 @@ msgstr "ఇతర వాడుకరుల స్థితిని మీరు #. TRANS: Client error displayed trying to repeat a non-existing notice through the API. #. TRANS: Client error displayed trying to display redents of a non-exiting notice. +#. TRANS: Error message displayed trying to delete a non-existing notice. #: actions/apistatusesretweet.php:74 actions/apistatusesretweets.php:70 -#: actions/deletenotice.php:58 actions/shownotice.php:92 +#: actions/deletenotice.php:61 actions/shownotice.php:92 msgid "No such notice." msgstr "అటువంటి సందేశమేమీ లేదు." #. TRANS: Client error displayed trying to repeat an own notice through the API. #. TRANS: Error text shown when trying to repeat an own notice. -#: actions/apistatusesretweet.php:83 lib/command.php:535 +#: actions/apistatusesretweet.php:83 lib/command.php:537 msgid "Cannot repeat your own notice." msgstr "మీ నోటీసుని మీరే పునరావృతించలేరు." #. TRANS: Client error displayed trying to re-repeat a notice through the API. #. TRANS: Error text shown when trying to repeat an notice that was already repeated by the user. -#: actions/apistatusesretweet.php:92 lib/command.php:541 +#: actions/apistatusesretweet.php:92 lib/command.php:543 msgid "Already repeated that notice." msgstr "ఇప్పటికే ఆ నోటీసుని పునరావృతించారు." @@ -928,7 +939,8 @@ msgstr "" #. TRANS: Client error displayed when the parameter "status" is missing. #. TRANS: %d is the maximum number of character for a notice. -#: actions/apistatusesupdate.php:244 +#: actions/apistatusesupdate.php:244 actions/newnotice.php:161 +#: lib/mailhandler.php:60 #, fuzzy, php-format msgid "That's too long. Maximum notice size is %d character." msgid_plural "That's too long. Maximum notice size is %d characters." @@ -943,7 +955,7 @@ msgstr "నిర్ధారణ సంకేతం కనబడలేదు." #. TRANS: Client error displayed exceeding the maximum notice length. #. TRANS: %d is the maximum lenth for a notice. -#: actions/apistatusesupdate.php:308 +#: actions/apistatusesupdate.php:308 actions/newnotice.php:184 #, fuzzy, php-format msgid "Maximum notice size is %d character, including attachment URL." msgid_plural "Maximum notice size is %d characters, including attachment URL." @@ -1155,17 +1167,18 @@ msgstr "మీ అవతారానికి గానూ ఈ చిత్ర msgid "Lost our file data." msgstr "" -#: actions/avatarsettings.php:384 +#. TRANS: Success message for having updated a user avatar. +#: actions/avatarsettings.php:385 msgid "Avatar updated." msgstr "అవతారాన్ని తాజాకరించాం." #. TRANS: Error displayed on the avatar upload page if the avatar could not be updated for an unknown reason. -#: actions/avatarsettings.php:388 +#: actions/avatarsettings.php:389 msgid "Failed updating avatar." msgstr "అవతారపు తాజాకరణ విఫలమైంది." #. TRANS: Success message for deleting a user avatar. -#: actions/avatarsettings.php:412 +#: actions/avatarsettings.php:413 msgid "Avatar deleted." msgstr "అవతారాన్ని తొలగించాం." @@ -1196,8 +1209,8 @@ msgstr "" #. TRANS: Button label on the delete notice form. #. TRANS: Button label on the delete user form. #. TRANS: Button label on the form to block a user from a group. -#: actions/block.php:154 actions/deleteapplication.php:154 -#: actions/deletegroup.php:220 actions/deletenotice.php:150 +#: actions/block.php:154 actions/deleteapplication.php:157 +#: actions/deletegroup.php:220 actions/deletenotice.php:155 #: actions/deleteuser.php:152 actions/groupblock.php:178 msgctxt "BUTTON" msgid "No" @@ -1215,8 +1228,8 @@ msgstr "ఈ వాడుకరిని నిరోధించకు" #. TRANS: Button label on the delete notice form. #. TRANS: Button label on the delete user form. #. TRANS: Button label on the form to block a user from a group. -#: actions/block.php:161 actions/deleteapplication.php:161 -#: actions/deletegroup.php:227 actions/deletenotice.php:157 +#: actions/block.php:161 actions/deleteapplication.php:164 +#: actions/deletegroup.php:227 actions/deletenotice.php:162 #: actions/deleteuser.php:159 actions/groupblock.php:185 msgctxt "BUTTON" msgid "Yes" @@ -1333,12 +1346,13 @@ msgstr "ఆ చిరునామా ఇప్పటికే నిర్ధా #. TRANS: Server error thrown on database error removing a registered e-mail address. #. TRANS: Server error thrown on database error updating IM preferences. #. TRANS: Server error thrown on database error removing a registered IM address. +#. TRANS: Server error displayed when "Other" settings in user profile could not be updated on the server. #. TRANS: Server error thrown when user profile settings could not be updated. #. TRANS: Server error thrown on database error updating SMS preferences. #. TRANS: Server error thrown on database error removing a registered SMS phone number. #: actions/confirmaddress.php:118 actions/emailsettings.php:331 #: actions/emailsettings.php:477 actions/imsettings.php:283 -#: actions/imsettings.php:442 actions/othersettings.php:174 +#: actions/imsettings.php:442 actions/othersettings.php:184 #: actions/profilesettings.php:326 actions/smssettings.php:308 #: actions/smssettings.php:464 msgid "Couldn't update user." @@ -1374,16 +1388,19 @@ msgstr "సంభాషణ" msgid "Notices" msgstr "సందేశాలు" -#: actions/deleteapplication.php:63 +#. TRANS: Client error displayed trying to delete an application while not logged in. +#: actions/deleteapplication.php:62 msgid "You must be logged in to delete an application." msgstr "ఉపకరణాలని తొలగించడానికి మీరు ప్రవేశించి ఉండాలి." +#. TRANS: Client error displayed trying to delete an application that does not exist. #: actions/deleteapplication.php:71 msgid "Application not found." msgstr "ఉపకరణం కనబడలేదు." +#. TRANS: Client error displayed trying to delete an application the current user does not own. #. TRANS: Client error displayed trying to edit an application while not being its owner. -#: actions/deleteapplication.php:78 actions/editapplication.php:78 +#: actions/deleteapplication.php:79 actions/editapplication.php:78 #: actions/showapplication.php:94 msgid "You are not the owner of this application." msgstr "మీరు ఈ ఉపకరణం యొక్క యజమాని కాదు." @@ -1391,15 +1408,18 @@ msgstr "మీరు ఈ ఉపకరణం యొక్క యజమాని #. TRANS: Client error text when there is a problem with the session token. #: actions/deleteapplication.php:102 actions/editapplication.php:131 #: actions/newapplication.php:114 actions/showapplication.php:118 -#: lib/action.php:1354 +#: lib/action.php:1404 msgid "There was a problem with your session token." msgstr "" -#: actions/deleteapplication.php:123 actions/deleteapplication.php:147 +#. TRANS: Title for delete application page. +#. TRANS: Fieldset legend on delete application page. +#: actions/deleteapplication.php:124 actions/deleteapplication.php:149 msgid "Delete application" msgstr "ఉపకరణ తొలగింపు" -#: actions/deleteapplication.php:149 +#. TRANS: Confirmation text on delete application page. +#: actions/deleteapplication.php:152 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 " @@ -1409,12 +1429,12 @@ msgstr "" "వాడుకరుల అనుసంధానాలతో సహా, డాటాబేసు నుండి తొలగిస్తుంది." #. TRANS: Submit button title for 'No' when deleting an application. -#: actions/deleteapplication.php:158 +#: actions/deleteapplication.php:161 msgid "Do not delete this application" msgstr "ఈ ఉపకరణాన్ని తొలగించకు" #. TRANS: Submit button title for 'Yes' when deleting an application. -#: actions/deleteapplication.php:164 +#: actions/deleteapplication.php:167 msgid "Delete this application" msgstr "ఈ ఉపకరణాన్ని తొలగించు" @@ -1450,12 +1470,13 @@ msgstr "గుంపుని తాజాకరించలేకున్న msgid "Deleted group %s" msgstr "%2$s గుంపు నుండి %1$s వైదొలిగారు" -#. TRANS: Title. +#. TRANS: Title of delete group page. #. TRANS: Form legend for deleting a group. #: actions/deletegroup.php:176 actions/deletegroup.php:202 msgid "Delete group" msgstr "గుంపు తొలగింపు" +#. TRANS: Warning in form for deleleting a group. #: actions/deletegroup.php:206 #, fuzzy msgid "" @@ -1476,10 +1497,11 @@ msgstr "ఈ గుంపును తొలగించకు" msgid "Delete this group" msgstr "ఈ గుంపుని తొలగించు" +#. TRANS: Error message displayed trying to delete a notice while not logged in. #. TRANS: Client error displayed when trying to unblock a user from a group while not logged in. #. TRANS: Client error displayed trying a change a subscription while not logged in. #. TRANS: Client error message thrown when trying to access the admin panel while not logged in. -#: actions/deletenotice.php:50 actions/disfavor.php:61 actions/favor.php:62 +#: actions/deletenotice.php:52 actions/disfavor.php:61 actions/favor.php:62 #: actions/groupblock.php:61 actions/groupunblock.php:60 actions/logout.php:69 #: actions/makeadmin.php:61 actions/newmessage.php:87 actions/newnotice.php:88 #: actions/nudge.php:63 actions/subedit.php:33 actions/subscribe.php:96 @@ -1489,31 +1511,36 @@ msgstr "ఈ గుంపుని తొలగించు" msgid "Not logged in." msgstr "లోనికి ప్రవేశించలేదు." -#: actions/deletenotice.php:74 +#. TRANS: Error message displayed trying to delete a notice that was not made by the current user. +#: actions/deletenotice.php:78 msgid "Can't delete this notice." msgstr "ఈ నోటీసుని తొలగించలేము." -#: actions/deletenotice.php:106 +#. TRANS: Instructions for deleting a notice. +#: actions/deletenotice.php:110 msgid "" "You are about to permanently delete a notice. Once this is done, it cannot " "be undone." msgstr "మీరు ఒక నోటీసుని శాశ్వతంగా తొలగించబోతున్నారు. ఇది ఒక్కసారి పూర్తయితే, దాన్నిక వెనక్కి తేలేరు." -#: actions/deletenotice.php:112 actions/deletenotice.php:144 +#. TRANS: Page title when deleting a notice. +#. TRANS: Fieldset legend for the delete notice form. +#: actions/deletenotice.php:117 actions/deletenotice.php:148 msgid "Delete notice" msgstr "నోటీసుని తొలగించు" -#: actions/deletenotice.php:147 +#. TRANS: Message for the delete notice form. +#: actions/deletenotice.php:152 msgid "Are you sure you want to delete this notice?" msgstr "మీరు నిజంగానే ఈ నోటీసుని తొలగించాలనుకుంటున్నారా?" #. TRANS: Submit button title for 'No' when deleting a notice. -#: actions/deletenotice.php:154 +#: actions/deletenotice.php:159 msgid "Do not delete this notice" msgstr "ఈ నోటీసుని తొలగించకు" #. TRANS: Submit button title for 'Yes' when deleting a notice. -#: actions/deletenotice.php:161 lib/noticelist.php:667 +#: actions/deletenotice.php:166 lib/noticelist.php:667 msgid "Delete this notice" msgstr "ఈ నోటీసుని తొలగించు" @@ -1680,11 +1707,9 @@ msgstr "అప్రమేయాలని ఉపయోగించు" #. TRANS: Submit button title. #: actions/designadminpanel.php:711 actions/licenseadminpanel.php:319 -#: actions/othersettings.php:126 actions/sessionsadminpanel.php:199 -#: actions/siteadminpanel.php:292 actions/sitenoticeadminpanel.php:195 +#: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:292 #: actions/snapshotadminpanel.php:245 actions/tagother.php:154 -#: actions/useradminpanel.php:295 lib/applicationeditform.php:357 -#: lib/designsettings.php:256 lib/groupeditform.php:202 +#: lib/applicationeditform.php:357 lib/designsettings.php:256 msgid "Save" msgstr "భద్రపరచు" @@ -1732,9 +1757,9 @@ msgid "Name is required." msgstr "పేరు తప్పనిసరి." #. TRANS: Validation error shown when providing too long a name in the "Edit application" form. -#: actions/editapplication.php:188 +#: actions/editapplication.php:188 actions/newapplication.php:169 #, fuzzy -msgid "Name is too long (max 255 characters)." +msgid "Name is too long (maximum 255 characters)." msgstr "పేరు చాలా పెద్దగా ఉంది (గరిష్ఠంగా 255 అక్షరాలు)." #. TRANS: Validation error shown when providing a name for an application that already exists in the "Edit application" form. @@ -1764,7 +1789,7 @@ msgid "Organization is required." msgstr "సంస్థ తప్పనిసరి." #. TRANS: Validation error shown when providing too long an arganisation name in the "Edit application" form. -#: actions/editapplication.php:223 +#: actions/editapplication.php:223 actions/newapplication.php:199 #, fuzzy msgid "Organization is too long (maximum 255 characters)." msgstr "సంస్థ పేరు మరీ పెద్దగా ఉంది (255 అక్షరాలు గరిష్ఠం)." @@ -2558,7 +2583,7 @@ msgid "Publish a MicroID for my Jabber/GTalk address." msgstr "ప్రస్తుతం నిర్ధారించిన Jabber/GTalk చిరునామా" #. TRANS: Confirmation message for successful IM preferences save. -#: actions/imsettings.php:290 actions/othersettings.php:180 +#: actions/imsettings.php:290 actions/othersettings.php:190 msgid "Preferences saved." msgstr "అభిరుచులు భద్రమయ్యాయి." @@ -2680,10 +2705,9 @@ msgstr[1] "మీరు ఇప్పటికే ఈ వాడుకరులక #. TRANS: Used as list item for already subscribed users (%1$s is nickname, %2$s is e-mail address). #. TRANS: Used as list item for already registered people (%1$s is nickname, %2$s is e-mail address). -#. TRANS: Whois output. -#. TRANS: %1$s nickname of the queried user, %2$s is their profile URL. -#: actions/invite.php:145 actions/invite.php:159 lib/command.php:426 -#, php-format +#: actions/invite.php:145 actions/invite.php:159 +#, fuzzy, php-format +msgctxt "INVITE" msgid "%1$s (%2$s)" msgstr "%1$s (%2$s)" @@ -2860,8 +2884,9 @@ msgid "" msgstr "" #: actions/licenseadminpanel.php:156 -msgid "Invalid license title. Max length is 255 characters." -msgstr "" +#, fuzzy +msgid "Invalid license title. Maximum length is 255 characters." +msgstr "చెల్లని స్వాగత పాఠ్యం. గరిష్ఠ పొడవు 255 అక్షరాలు." #: actions/licenseadminpanel.php:168 msgid "Invalid license URL." @@ -3029,20 +3054,11 @@ msgstr "ఉపకరణాలని నమోదుచేసుకోడాన msgid "Use this form to register a new application." msgstr "కొత్త ఉపకరణాన్ని నమోదుచేసుకోడానికి ఈ ఫారాన్ని ఉపయోగించండి." -#: actions/newapplication.php:169 -msgid "Name is too long (maximum 255 chars)." -msgstr "పేరు చాలా పెద్దగా ఉంది (గరిష్ఠంగా 255 అక్షరాలు)." - #: actions/newapplication.php:184 #, fuzzy msgid "Source URL is required." msgstr "పేరు తప్పనిసరి." -#: actions/newapplication.php:199 -#, fuzzy -msgid "Organization is too long (maximum 255 chars)." -msgstr "సంస్థ పేరు మరీ పెద్దగా ఉంది (255 అక్షరాలు గరిష్ఠం)." - #: actions/newapplication.php:266 actions/newapplication.php:275 msgid "Could not create application." msgstr "ఉపకరణాన్ని సృష్టించలేకపోయాం." @@ -3062,14 +3078,14 @@ msgid "New message" msgstr "కొత్త సందేశం" #. TRANS: Error text shown when trying to send a direct message to a user without a mutual subscription (each user must be subscribed to the other). -#: actions/newmessage.php:121 actions/newmessage.php:164 lib/command.php:499 +#: actions/newmessage.php:121 actions/newmessage.php:164 lib/command.php:501 msgid "You can't send a message to this user." msgstr "ఈ వాడుకరికి మీరు సందేశాన్ని పంపించలేరు." #. TRANS: Command exception text shown when trying to send a direct message to another user without content. #. TRANS: Command exception text shown when trying to reply to a notice without providing content for the reply. #: actions/newmessage.php:144 actions/newnotice.php:140 lib/command.php:478 -#: lib/command.php:579 +#: lib/command.php:581 msgid "No content!" msgstr "విషయం లేదు!" @@ -3078,7 +3094,7 @@ msgid "No recipient specified." msgstr "ఎవరికి పంపించాలో పేర్కొనలేదు." #. TRANS: Error text shown when trying to send a direct message to self. -#: actions/newmessage.php:167 lib/command.php:503 +#: actions/newmessage.php:167 lib/command.php:505 msgid "" "Don't send a message to yourself; just say it to yourself quietly instead." msgstr "మీకు మీరే సందేశాన్ని పంపుకోకండి; దాని బదులు మీలో మీరే మెల్లగా చెప్పుకోండి." @@ -3089,12 +3105,12 @@ msgstr "సందేశాన్ని పంపించాం" #. TRANS: Message given have sent a direct message to another user. #. TRANS: %s is the name of the other user. -#: actions/newmessage.php:188 lib/command.php:511 +#: actions/newmessage.php:188 lib/command.php:513 #, php-format msgid "Direct message to %s sent." msgstr "%sకి నేరు సందేశాన్ని పంపించాం." -#: actions/newmessage.php:213 actions/newnotice.php:263 +#: actions/newmessage.php:213 actions/newnotice.php:264 msgid "Ajax Error" msgstr "అజాక్స్ పొరపాటు" @@ -3102,17 +3118,7 @@ msgstr "అజాక్స్ పొరపాటు" msgid "New notice" msgstr "కొత్త సందేశం" -#: actions/newnotice.php:159 lib/mailhandler.php:60 -#, php-format -msgid "That's too long. Max notice size is %d chars." -msgstr "అది చాలా పొడవుంది. గరిష్ఠ నోటీసు పరిమాణం %d అక్షరాలు." - -#: actions/newnotice.php:183 -#, php-format -msgid "Max notice size is %d chars, including attachment URL." -msgstr "గరిష్ఠ నోటీసు పొడవు %d అక్షరాలు, జోడింపు URLని కలుపుకుని." - -#: actions/newnotice.php:229 +#: actions/newnotice.php:230 msgid "Notice posted" msgstr "నోటీసుని పునరావృతించారు" @@ -3279,37 +3285,47 @@ msgstr "ప్రజల అన్వేషణ" msgid "Notice Search" msgstr "నోటీసుల అన్వేషణ" -#: actions/othersettings.php:60 +#: actions/othersettings.php:59 msgid "Other settings" msgstr "ఇతర అమరికలు" +#. TRANS: Instructions for tab "Other" in user profile settings. #: actions/othersettings.php:71 msgid "Manage various other options." msgstr "వేరే ఇతర ఎంపికలని సంభాళించండి." -#: actions/othersettings.php:108 +#. TRANS: Used as a suffix for free URL shorteners in a dropdown list in the tab "Other" of a +#. TRANS: user's profile settings. This message has one space at the beginning. Use your +#. TRANS: language's word separator here if it has one (most likely a single space). +#: actions/othersettings.php:111 msgid " (free service)" msgstr " (స్వేచ్ఛా సేవ)" -#: actions/othersettings.php:116 +#. TRANS: Label for dropdown with URL shortener services. +#: actions/othersettings.php:120 msgid "Shorten URLs with" msgstr "URL కుదింపు సేవ" -#: actions/othersettings.php:117 +#. TRANS: Tooltip for for dropdown with URL shortener services. +#: actions/othersettings.php:122 msgid "Automatic shortening service to use." msgstr "ఉపయోగించాల్సిన యాంత్రిక కుదింపు సేవ." -#: actions/othersettings.php:122 +#. TRANS: Label for checkbox. +#: actions/othersettings.php:128 msgid "View profile designs" msgstr "ఫ్రొఫైలు రూపురేఖలు" -#: actions/othersettings.php:123 +#. TRANS: Tooltip for checkbox. +#: actions/othersettings.php:130 #, fuzzy msgid "Show or hide profile designs." msgstr "ఫ్రొఫైలు రూపురేఖలు" -#: actions/othersettings.php:153 -msgid "URL shortening service is too long (max 50 chars)." +#. TRANS: Form validation error for form "Other settings" in user profile. +#: actions/othersettings.php:162 +#, fuzzy +msgid "URL shortening service is too long (maximum 50 characters)." msgstr "URL కుదింపు సేవ మరీ పెద్దగా ఉంది (50 అక్షరాలు గరిష్ఠం)." #: actions/otp.php:69 @@ -3798,7 +3814,7 @@ msgstr "స్వపరిచయం" #. TRANS: Label for group location (dt). Text hidden by default. #: actions/profilesettings.php:149 actions/register.php:485 #: actions/showgroup.php:267 actions/tagother.php:112 -#: actions/userauthorization.php:166 lib/groupeditform.php:177 +#: actions/userauthorization.php:166 lib/groupeditform.php:180 #: lib/userprofile.php:165 msgid "Location" msgstr "ప్రాంతం" @@ -4136,7 +4152,8 @@ msgid "Unexpected password reset." msgstr "" #: actions/recoverpassword.php:365 -msgid "Password must be 6 chars or more." +#, fuzzy +msgid "Password must be 6 characters or more." msgstr "సంకేతపదం 6 లేదా అంతకంటే ఎక్కవ అక్షరాలుండాలి." #: actions/recoverpassword.php:369 @@ -4505,7 +4522,7 @@ msgstr "సంస్ధ" #. TRANS: Form input field label. #: actions/showapplication.php:187 actions/version.php:200 -#: lib/applicationeditform.php:208 lib/groupeditform.php:172 +#: lib/applicationeditform.php:208 lib/groupeditform.php:175 msgid "Description" msgstr "వివరణ" @@ -4652,7 +4669,7 @@ msgid "Note" msgstr "గమనిక" #. TRANS: Label for group aliases (dt). Text hidden by default. -#: actions/showgroup.php:298 lib/groupeditform.php:184 +#: actions/showgroup.php:298 lib/groupeditform.php:187 msgid "Aliases" msgstr "మారుపేర్లు" @@ -4787,54 +4804,76 @@ msgstr "%2$sలో %1$sకి స్పందనలు!" msgid "Notice deleted." msgstr "నోటీసుని తొలగించాం." -#: actions/showstream.php:72 -#, php-format -msgid " tagged %s" -msgstr "" +#. TRANS: Page title showing tagged notices in one user's stream. %1$s is the username, %2$s is the hash tag. +#: actions/showstream.php:70 +#, fuzzy, php-format +msgid "%1$s tagged %2$s" +msgstr "%1$s, %2$dవ పేజీ" -#: actions/showstream.php:78 +#. TRANS: Page title showing tagged notices in one user's stream. +#. TRANS: %1$s is the username, %2$s is the hash tag, %1$d is the page number. +#: actions/showstream.php:74 +#, fuzzy, php-format +msgid "%1$s tagged %2$s, page %3$d" +msgstr "%2$sలో %1$s అనే ట్యాగుతో ఉన్న నోటీసులు!" + +#. TRANS: Extended page title showing tagged notices in one user's stream. +#. TRANS: %1$s is the username, %2$d is the page number. +#: actions/showstream.php:82 #, php-format msgid "%1$s, page %2$d" msgstr "%1$s, %2$dవ పేజీ" -#: actions/showstream.php:120 +#. TRANS: Title for link to notice feed. +#. TRANS: %1$s is a user nickname, %2$s is a hashtag. +#: actions/showstream.php:127 #, php-format msgid "Notice feed for %1$s tagged %2$s (RSS 1.0)" msgstr "%s కొరకు స్పందనల ఫీడు (RSS 1.0)" -#: actions/showstream.php:127 +#. TRANS: Title for link to notice feed. +#. TRANS: %s is a user nickname. +#: actions/showstream.php:136 #, php-format msgid "Notice feed for %s (RSS 1.0)" msgstr "%s కొరకు స్పందనల ఫీడు (RSS 1.0)" -#: actions/showstream.php:134 +#. TRANS: Title for link to notice feed. +#. TRANS: %s is a user nickname. +#: actions/showstream.php:145 #, php-format msgid "Notice feed for %s (RSS 2.0)" msgstr "%s కొరకు స్పందనల ఫీడు (RSS 2.0)" -#: actions/showstream.php:141 +#: actions/showstream.php:152 #, php-format msgid "Notice feed for %s (Atom)" msgstr "%s కొరకు స్పందనల ఫీడు (ఆటమ్)" -#: actions/showstream.php:146 +#. TRANS: Title for link to notice feed. FOAF stands for Friend of a Friend. +#. TRANS: More information at http://www.foaf-project.org. %s is a user nickname. +#: actions/showstream.php:159 #, fuzzy, php-format msgid "FOAF for %s" msgstr "%s గుంపు" -#: actions/showstream.php:197 -#, php-format -msgid "This is the timeline for %1$s but %2$s hasn't posted anything yet." +#. TRANS: First sentence of empty list message for a stream. $1%s is a user nickname. +#: actions/showstream.php:211 +#, fuzzy, php-format +msgid "This is the timeline for %1$s, but %1$s hasn't posted anything yet." msgstr "ఇది %1$s యొక్క కాలరేఖ కానీ %2$s ఇంకా ఏమీ రాయలేదు." -#: actions/showstream.php:202 +#. TRANS: Second sentence of empty list message for a stream for the user themselves. +#: actions/showstream.php:217 msgid "" "Seen anything interesting recently? You haven't posted any notices yet, now " "would be a good time to start :)" msgstr "" "ఈమధ్యే ఏదైనా ఆసక్తికరమైనది చూసారా? మీరు ఇంకా నోటీసులేమీ వ్రాయలేదు, మొదలుపెట్టడానికి ఇదే మంచి సమయం :)" -#: actions/showstream.php:204 +#. TRANS: Second sentence of empty list message for a non-self stream. %1$s is a user nickname, %2$s is a part of a URL. +#. TRANS: This message contains a Markdown link. Keep "](" together. +#: actions/showstream.php:221 #, fuzzy, php-format msgid "" "You can try to nudge %1$s or [post something to them](%%%%action.newnotice%%%" @@ -4842,7 +4881,9 @@ msgid "" msgstr "" "[ఈ విషయంపై](%%%%action.newnotice%%%%?status_textarea=%s) వ్రాసే మొదటివారు మీరే అవ్వండి!" -#: actions/showstream.php:243 +#. TRANS: Announcement for anonymous users showing a stream if site registrations are open. +#. TRANS: This message contains a Markdown link. Keep "](" together. +#: actions/showstream.php:264 #, fuzzy, php-format msgid "" "**%s** has an account on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -4857,7 +4898,9 @@ msgstr "" "చాల వాటిలో భాగస్తులవ్వడానికి [ఇప్పుడే చేరండి](%%%%action.register%%%%)! ([మరింత చదవండి](%%%%" "doc.help%%%%))" -#: actions/showstream.php:248 +#. TRANS: Announcement for anonymous users showing a stream if site registrations are closed or invite only. +#. TRANS: This message contains a Markdown link. Keep "](" together. +#: actions/showstream.php:271 #, fuzzy, php-format msgid "" "**%s** has an account on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -4867,7 +4910,8 @@ msgstr "" "ఇది %%site.name%%, స్వేచ్ఛా మృదూపకరమైన [స్టేటస్‌నెట్](http://status.net/) అనే పనిముట్టుపై " "ఆధారపడిన ఒక [మైక్రో-బ్లాగింగు](http://en.wikipedia.org/wiki/Micro-blogging) సేవ." -#: actions/showstream.php:305 +#. TRANS: Link to the author of a repeated notice. %s is a linked nickname. +#: actions/showstream.php:328 #, php-format msgid "Repeat of %s" msgstr "%s యొక్క పునరావృతం" @@ -4980,32 +5024,41 @@ msgstr "పాఠ్యపు పరిమితి" msgid "How long users must wait (in seconds) to post the same thing again." msgstr "అదే విషయాన్ని మళ్ళీ టపా చేయడానికి వాడుకరులు ఎంత సమయం (క్షణాల్లో) వేచివుండాలి." -#: actions/sitenoticeadminpanel.php:56 +#. TRANS: Page title for site-wide notice tab in admin panel. +#: actions/sitenoticeadminpanel.php:55 msgid "Site Notice" msgstr "సైటు గమనిక" -#: actions/sitenoticeadminpanel.php:67 +#. TRANS: Instructions for site-wide notice tab in admin panel. +#: actions/sitenoticeadminpanel.php:66 #, fuzzy msgid "Edit site-wide message" msgstr "కొత్త సందేశం" -#: actions/sitenoticeadminpanel.php:103 +#. TRANS: Server error displayed when saving a site-wide notice was impossible. +#: actions/sitenoticeadminpanel.php:101 msgid "Unable to save site notice." msgstr "సైటు గమనికని భద్రపరచు" -#: actions/sitenoticeadminpanel.php:113 -msgid "Max length for the site-wide notice is 255 chars." +#. TRANS: Client error displayed when a site-wide notice was longer than allowed. +#: actions/sitenoticeadminpanel.php:112 +#, fuzzy +msgid "Maximum length for the site-wide notice is 255 characters." msgstr "సైటు-వారీ నోటీసుకి గరిష్ఠ పొడవు 255 అక్షరాలు." +#. TRANS: Label for site-wide notice text field in admin panel. #: actions/sitenoticeadminpanel.php:176 msgid "Site notice text" msgstr "సైటు గమనిక పాఠ్యం" -#: actions/sitenoticeadminpanel.php:178 -msgid "Site-wide notice text (255 chars max; HTML okay)" +#. TRANS: Tooltip for site-wide notice text field in admin panel. +#: actions/sitenoticeadminpanel.php:179 +#, fuzzy +msgid "Site-wide notice text (255 characters maximum; HTML allowed)" msgstr "సైటు-వారీ నోటీసు పాఠ్యం (255 అక్షరాలు గరిష్ఠం; HTML పర్లేదు)" -#: actions/sitenoticeadminpanel.php:198 +#. TRANS: Title for button to save site notice in admin panel. +#: actions/sitenoticeadminpanel.php:201 msgid "Save site notice" msgstr "సైటు గమనికని భద్రపరచు" @@ -5466,76 +5519,94 @@ msgid "" msgstr "" #. TRANS: User admin panel title -#: actions/useradminpanel.php:60 +#: actions/useradminpanel.php:58 msgctxt "TITLE" msgid "User" msgstr "వాడుకరి" -#: actions/useradminpanel.php:71 +#. TRANS: Instruction for user admin panel. +#: actions/useradminpanel.php:69 msgid "User settings for this StatusNet site" msgstr "" -#: actions/useradminpanel.php:150 +#. TRANS: Form validation error in user admin panel when a non-numeric character limit was set. +#: actions/useradminpanel.php:147 msgid "Invalid bio limit. Must be numeric." msgstr "" -#: actions/useradminpanel.php:156 -msgid "Invalid welcome text. Max length is 255 characters." +#. TRANS: Form validation error in user admin panel when welcome text is too long. +#: actions/useradminpanel.php:154 +#, fuzzy +msgid "Invalid welcome text. Maximum length is 255 characters." msgstr "చెల్లని స్వాగత పాఠ్యం. గరిష్ఠ పొడవు 255 అక్షరాలు." +#. TRANS: Client error displayed when trying to set a non-existing user as default subscription for new +#. TRANS: users in user admin panel. %1$s is the invalid nickname. #: actions/useradminpanel.php:166 #, php-format -msgid "Invalid default subscripton: '%1$s' is not user." +msgid "Invalid default subscripton: '%1$s' is not a user." msgstr "" #. TRANS: Link description in user account settings menu. -#: actions/useradminpanel.php:219 lib/accountsettingsaction.php:106 +#: actions/useradminpanel.php:215 lib/accountsettingsaction.php:106 #: lib/personalgroupnav.php:109 msgid "Profile" msgstr "ప్రొఫైలు" -#: actions/useradminpanel.php:223 +#. TRANS: Field label in user admin panel for setting the character limit for the bio field. +#: actions/useradminpanel.php:220 msgid "Bio Limit" msgstr "స్వపరిచయ పరిమితి" -#: actions/useradminpanel.php:224 +#. TRANS: Tooltip in user admin panel for setting the character limit for the bio field. +#: actions/useradminpanel.php:222 msgid "Maximum length of a profile bio in characters." msgstr "స్వపరిచయం యొక్క గరిష్ఠ పొడవు, అక్షరాలలో." -#: actions/useradminpanel.php:232 +#. TRANS: Form legend in user admin panel. +#: actions/useradminpanel.php:231 msgid "New users" msgstr "కొత్త వాడుకరులు" +#. TRANS: Field label in user admin panel for setting new user welcome text. #: actions/useradminpanel.php:236 msgid "New user welcome" msgstr "కొత్త వాడుకరి స్వాగతం" -#: actions/useradminpanel.php:237 -msgid "Welcome text for new users (Max 255 chars)." +#. TRANS: Tooltip in user admin panel for setting new user welcome text. +#: actions/useradminpanel.php:238 +#, fuzzy +msgid "Welcome text for new users (maximum 255 characters)." msgstr "కొత్త వాడుకరులకై స్వాగత సందేశం (255 అక్షరాలు గరిష్ఠం)." -#: actions/useradminpanel.php:242 +#. TRANS: Field label in user admin panel for setting default subscription for new users. +#: actions/useradminpanel.php:244 msgid "Default subscription" msgstr "అప్రమేయ చందా" -#: actions/useradminpanel.php:243 +#. TRANS: Tooltip in user admin panel for setting default subscription for new users. +#: actions/useradminpanel.php:246 #, fuzzy msgid "Automatically subscribe new users to this user." msgstr "ఉపయోగించాల్సిన యాంత్రిక కుదింపు సేవ." -#: actions/useradminpanel.php:252 +#. TRANS: Form legend in user admin panel. +#: actions/useradminpanel.php:256 msgid "Invitations" msgstr "ఆహ్వానాలు" -#: actions/useradminpanel.php:257 +#. TRANS: Field label for checkbox in user admin panel for allowing users to invite friend using site e-mail. +#: actions/useradminpanel.php:262 msgid "Invitations enabled" msgstr "ఆహ్వానాలని చేతనంచేసాం" -#: actions/useradminpanel.php:259 +#. TRANS: Tooltip for checkbox in user admin panel for allowing users to invite friend using site e-mail. +#: actions/useradminpanel.php:265 msgid "Whether to allow users to invite new users." msgstr "వాడుకరులను కొత్త వారిని ఆహ్వానించడానికి అనుమతించాలా వద్దా." -#: actions/useradminpanel.php:295 +#. TRANS: Title for button to save user settings in user admin panel. +#: actions/useradminpanel.php:302 msgid "Save user settings" msgstr "వాడుకరి అమరికలను భద్రపరచు" @@ -5725,7 +5796,7 @@ msgid "Plugins" msgstr "ప్లగిన్లు" #. TRANS: Secondary navigation menu option leading to version information on the StatusNet site. -#: actions/version.php:198 lib/action.php:831 +#: actions/version.php:198 lib/action.php:880 msgid "Version" msgstr "సంచిక" @@ -5932,16 +6003,23 @@ msgstr "స్థానిక గుంపుని తాజాకరించ msgid "RT @%1$s %2$s" msgstr "RT @%1$s %2$s" +#. TRANS: Full name of a profile or group followed by nickname in parens +#: classes/Profile.php:164 +#, fuzzy, php-format +msgctxt "FANCYNAME" +msgid "%1$s (%2$s)" +msgstr "%1$s (%2$s)" + #. TRANS: Exception thrown when trying to revoke an existing role for a user that does not exist. #. TRANS: %1$s is the role name, %2$s is the user ID (number). -#: classes/Profile.php:791 +#: classes/Profile.php:812 #, php-format msgid "Cannot revoke role \"%1$s\" for user #%2$d; does not exist." msgstr "" #. TRANS: Exception thrown when trying to revoke a role for a user with a failing database query. #. TRANS: %1$s is the role name, %2$s is the user ID (number). -#: classes/Profile.php:800 +#: classes/Profile.php:821 #, php-format msgid "Cannot revoke role \"%1$s\" for user #%2$d; database error." msgstr "" @@ -6089,195 +6167,202 @@ msgstr "%1$s - %2$s" msgid "Untitled page" msgstr "శీర్షికలేని పేజీ" +#. TRANS: Localized tooltip for '...' expansion button on overlong remote messages. +#: lib/action.php:310 +msgctxt "TOOLTIP" +msgid "Show more" +msgstr "" + #. TRANS: DT element for primary navigation menu. String is hidden in default CSS. -#: lib/action.php:477 +#: lib/action.php:526 msgid "Primary site navigation" msgstr "ప్రాధమిక సైటు మార్గదర్శిని" #. TRANS: Tooltip for main menu option "Personal" -#: lib/action.php:483 +#: lib/action.php:532 msgctxt "TOOLTIP" msgid "Personal profile and friends timeline" msgstr "" #. TRANS: Main menu option when logged in for access to personal profile and friends timeline -#: lib/action.php:486 +#: lib/action.php:535 msgctxt "MENU" msgid "Personal" msgstr "వ్యక్తిగత" #. TRANS: Tooltip for main menu option "Account" -#: lib/action.php:488 +#: lib/action.php:537 msgctxt "TOOLTIP" msgid "Change your email, avatar, password, profile" msgstr "మీ ఈమెయిలు, అవతారం, సంకేతపదం మరియు ప్రౌఫైళ్ళను మార్చుకోండి" #. TRANS: Main menu option when logged in for access to user settings -#: lib/action.php:491 +#: lib/action.php:540 msgid "Account" msgstr "ఖాతా" #. TRANS: Tooltip for main menu option "Services" -#: lib/action.php:493 +#: lib/action.php:542 #, fuzzy msgctxt "TOOLTIP" msgid "Connect to services" msgstr "అనుసంధానాలు" #. TRANS: Main menu option when logged in and connection are possible for access to options to connect to other services -#: lib/action.php:496 +#: lib/action.php:545 msgid "Connect" msgstr "అనుసంధానించు" #. TRANS: Tooltip for menu option "Admin" -#: lib/action.php:499 +#: lib/action.php:548 msgctxt "TOOLTIP" msgid "Change site configuration" msgstr "సైటు స్వరూపణాన్ని మార్చండి" #. TRANS: Main menu option when logged in and site admin for access to site configuration #. TRANS: Menu item in the group navigation page. Only shown for group administrators. -#: lib/action.php:502 lib/groupnav.php:117 +#: lib/action.php:551 lib/groupnav.php:117 msgctxt "MENU" msgid "Admin" msgstr "నిర్వాహకులు" #. TRANS: Tooltip for main menu option "Invite" -#: lib/action.php:506 +#: lib/action.php:555 #, php-format msgctxt "TOOLTIP" msgid "Invite friends and colleagues to join you on %s" msgstr "%sలో తోడుకై మీ స్నేహితులని మరియు సహోద్యోగులని ఆహ్వానించండి" #. TRANS: Main menu option when logged in and invitations are allowed for inviting new users -#: lib/action.php:509 +#: lib/action.php:558 msgctxt "MENU" msgid "Invite" msgstr "ఆహ్వానించు" #. TRANS: Tooltip for main menu option "Logout" -#: lib/action.php:515 +#: lib/action.php:564 msgctxt "TOOLTIP" msgid "Logout from the site" msgstr "సైటు నుండి నిష్క్రమించు" #. TRANS: Main menu option when logged in to log out the current user -#: lib/action.php:518 +#: lib/action.php:567 msgctxt "MENU" msgid "Logout" msgstr "నిష్క్రమించు" #. TRANS: Tooltip for main menu option "Register" -#: lib/action.php:523 +#: lib/action.php:572 msgctxt "TOOLTIP" msgid "Create an account" msgstr "ఖాతాని సృష్టించుకోండి" #. TRANS: Main menu option when not logged in to register a new account -#: lib/action.php:526 +#: lib/action.php:575 msgctxt "MENU" msgid "Register" msgstr "నమోదు" #. TRANS: Tooltip for main menu option "Login" -#: lib/action.php:529 +#: lib/action.php:578 msgctxt "TOOLTIP" msgid "Login to the site" msgstr "సైటు లోనికి ప్రవేశించండి" #. TRANS: Main menu option when not logged in to log in -#: lib/action.php:532 +#: lib/action.php:581 msgctxt "MENU" msgid "Login" msgstr "ప్రవేశించు" #. TRANS: Tooltip for main menu option "Help" -#: lib/action.php:535 +#: lib/action.php:584 msgctxt "TOOLTIP" msgid "Help me!" msgstr "సహాయం కావాలి!" #. TRANS: Main menu option for help on the StatusNet site -#: lib/action.php:538 +#: lib/action.php:587 msgctxt "MENU" msgid "Help" msgstr "సహాయం" #. TRANS: Tooltip for main menu option "Search" -#: lib/action.php:541 +#: lib/action.php:590 msgctxt "TOOLTIP" msgid "Search for people or text" msgstr "ప్రజలు లేదా పాఠ్యం కొరకు వెతకండి" #. TRANS: Main menu option when logged in or when the StatusNet instance is not private -#: lib/action.php:544 +#: lib/action.php:593 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:566 lib/adminpanelaction.php:387 +#: lib/action.php:615 lib/adminpanelaction.php:387 msgid "Site notice" msgstr "సైటు గమనిక" #. TRANS: DT element for local views block. String is hidden in default CSS. -#: lib/action.php:633 +#: lib/action.php:682 msgid "Local views" msgstr "స్థానిక వీక్షణలు" #. TRANS: DT element for page notice. String is hidden in default CSS. -#: lib/action.php:703 +#: lib/action.php:752 msgid "Page notice" msgstr "పేజీ గమనిక" #. TRANS: DT element for secondary navigation menu. String is hidden in default CSS. -#: lib/action.php:804 +#: lib/action.php:853 msgid "Secondary site navigation" msgstr "ద్వితీయ సైటు మార్గదర్శిని" #. TRANS: Secondary navigation menu option leading to help on StatusNet. -#: lib/action.php:810 +#: lib/action.php:859 msgid "Help" msgstr "సహాయం" #. TRANS: Secondary navigation menu option leading to text about StatusNet site. -#: lib/action.php:813 +#: lib/action.php:862 msgid "About" msgstr "గురించి" #. TRANS: Secondary navigation menu option leading to Frequently Asked Questions. -#: lib/action.php:816 +#: lib/action.php:865 msgid "FAQ" msgstr "ప్రశ్నలు" #. TRANS: Secondary navigation menu option leading to Terms of Service. -#: lib/action.php:821 +#: lib/action.php:870 msgid "TOS" msgstr "సేవా నియమాలు" #. TRANS: Secondary navigation menu option leading to privacy policy. -#: lib/action.php:825 +#: lib/action.php:874 msgid "Privacy" msgstr "అంతరంగికత" -#. TRANS: Secondary navigation menu option. -#: lib/action.php:828 +#. TRANS: Secondary navigation menu option. Leads to information about StatusNet and its license. +#: lib/action.php:877 msgid "Source" msgstr "మూలము" -#. TRANS: Secondary navigation menu option leading to contact information on the StatusNet site. -#: lib/action.php:834 +#. TRANS: Secondary navigation menu option leading to e-mail contact information on the +#. TRANS: StatusNet site, where to report bugs, ... +#: lib/action.php:884 msgid "Contact" msgstr "సంప్రదించు" -#. TRANS: Secondary navigation menu option. -#: lib/action.php:837 +#. TRANS: Secondary navigation menu option. Leads to information about embedding a timeline widget. +#: lib/action.php:887 msgid "Badge" msgstr "బాడ్జి" #. TRANS: DT element for StatusNet software license. -#: lib/action.php:866 +#: lib/action.php:916 msgid "StatusNet software license" msgstr "స్టేటస్‌నెట్ మృదూపకరణ లైసెన్సు" @@ -6285,7 +6370,7 @@ msgstr "స్టేటస్‌నెట్ మృదూపకరణ లైస #. TRANS: Text between [] is a link description, text between () is the link itself. #. TRANS: Make sure there is no whitespace between "]" and "(". #. TRANS: "%%site.broughtby%%" is the value of the variable site.broughtby -#: lib/action.php:873 +#: lib/action.php:923 #, php-format msgid "" "**%%site.name%%** is a microblogging service brought to you by [%%site." @@ -6295,7 +6380,7 @@ msgstr "" "అందిస్తున్న సూక్ష్మ బ్లాగింగు సేవ." #. TRANS: First sentence of the StatusNet site license. Used if 'broughtby' is not set. -#: lib/action.php:876 +#: lib/action.php:926 #, php-format msgid "**%%site.name%%** is a microblogging service." msgstr "**%%site.name%%** అనేది మైక్రో బ్లాగింగు సదుపాయం." @@ -6304,7 +6389,7 @@ msgstr "**%%site.name%%** అనేది మైక్రో బ్లాగి #. TRANS: Make sure there is no whitespace between "]" and "(". #. TRANS: Text between [] is a link description, text between () is the link itself. #. TRANS: %s is the version of StatusNet that is being used. -#: lib/action.php:883 +#: lib/action.php:933 #, php-format msgid "" "It runs the [StatusNet](http://status.net/) microblogging software, version %" @@ -6316,50 +6401,50 @@ msgstr "" "పై నడుస్తుంది." #. TRANS: DT element for StatusNet site content license. -#: lib/action.php:899 +#: lib/action.php:949 msgid "Site content license" msgstr "స్టేటస్‌నెట్ మృదూపకరణ లైసెన్సు" #. TRANS: Content license displayed when license is set to 'private'. #. TRANS: %1$s is the site name. -#: lib/action.php:906 +#: lib/action.php:956 #, php-format msgid "Content and data of %1$s are private and confidential." msgstr "" #. TRANS: Content license displayed when license is set to 'allrightsreserved'. #. TRANS: %1$s is the copyright owner. -#: lib/action.php:913 +#: lib/action.php:963 #, php-format msgid "Content and data copyright by %1$s. All rights reserved." msgstr "" #. TRANS: Content license displayed when license is set to 'allrightsreserved' and no owner is set. -#: lib/action.php:917 +#: lib/action.php:967 msgid "Content and data copyright by contributors. All rights reserved." msgstr "" #. TRANS: license message in footer. #. TRANS: %1$s is the site name, %2$s is a link to the license URL, with a licence name set in configuration. -#: lib/action.php:949 +#: lib/action.php:999 #, php-format msgid "All %1$s content and data are available under the %2$s license." msgstr "" #. TRANS: DT element for pagination (previous/next, etc.). -#: lib/action.php:1285 +#: lib/action.php:1335 msgid "Pagination" msgstr "పేజీకరణ" #. TRANS: Pagination message to go to a page displaying information more in the #. TRANS: present than the currently displayed information. -#: lib/action.php:1296 +#: lib/action.php:1346 msgid "After" msgstr "తర్వాత" #. TRANS: Pagination message to go to a page displaying information more in the #. TRANS: past than the currently displayed information. -#: lib/action.php:1306 +#: lib/action.php:1356 msgid "Before" msgstr "ఇంతక్రితం" @@ -6709,7 +6794,7 @@ msgid "AJAX error" msgstr "అజాక్స్ పొరపాటు" #. TRANS: E-mail subject when a command has completed. -#: lib/channel.php:233 lib/mailhandler.php:142 +#: lib/channel.php:233 lib/mailhandler.php:143 msgid "Command complete" msgstr "ఆదేశం పూర్తయ్యింది" @@ -6726,7 +6811,7 @@ msgstr "ఆ ఈమెయిలు చిరునామా లేదా వా #. TRANS: Command exception text shown when a last user notice is requested and it does not exist. #. TRANS: Error text shown when a last user notice is requested and it does not exist. -#: lib/command.php:99 lib/command.php:626 +#: lib/command.php:99 lib/command.php:630 #, fuzzy msgid "User has no last notice." msgstr "వాడుకరికి ప్రొఫైలు లేదు." @@ -6796,6 +6881,14 @@ msgstr "" msgid "%1$s left group %2$s." msgstr "" +#. TRANS: Whois output. +#. TRANS: %1$s nickname of the queried user, %2$s is their profile URL. +#: lib/command.php:426 +#, fuzzy, php-format +msgctxt "WHOIS" +msgid "%1$s (%2$s)" +msgstr "%1$s (%2$s)" + #. TRANS: Whois output. %s is the full name of the queried user. #: lib/command.php:430 #, php-format @@ -6833,138 +6926,142 @@ msgid "" "same server." msgstr "" -#. TRANS: Message given if content is too long. +#. TRANS: Message given if content is too long. %1$sd is used for plural. #. TRANS: %1$d is the maximum number of characters, %2$d is the number of submitted characters. #: lib/command.php:488 -#, php-format -msgid "Message too long - maximum is %1$d characters, you sent %2$d." -msgstr "నోటిసు చాలా పొడవుగా ఉంది - %1$d అక్షరాలు గరిష్ఠం, మీరు %2$d పంపించారు." +#, fuzzy, php-format +msgid "Message too long - maximum is %1$d character, you sent %2$d." +msgid_plural "Message too long - maximum is %1$d characters, you sent %2$d." +msgstr[0] "నోటిసు చాలా పొడవుగా ఉంది - %1$d అక్షరాలు గరిష్ఠం, మీరు %2$d పంపించారు." +msgstr[1] "నోటిసు చాలా పొడవుగా ఉంది - %1$d అక్షరాలు గరిష్ఠం, మీరు %2$d పంపించారు." #. TRANS: Error text shown sending a direct message fails with an unknown reason. -#: lib/command.php:514 +#: lib/command.php:516 #, fuzzy msgid "Error sending direct message." msgstr "నేరుగా సందేశాలు పంపడం నుండి మిమ్మల్ని నిషేధించారు." #. TRANS: Message given having repeated a notice from another user. #. TRANS: %s is the name of the user for which the notice was repeated. -#: lib/command.php:551 +#: lib/command.php:553 #, fuzzy, php-format msgid "Notice from %s repeated." msgstr "సందేశాలు" #. TRANS: Error text shown when repeating a notice fails with an unknown reason. -#: lib/command.php:554 +#: lib/command.php:556 msgid "Error repeating notice." msgstr "నోటీసుని పునరావృతించడంలో పొరపాటు." -#. TRANS: Message given if content of a notice for a reply is too long. +#. TRANS: Message given if content of a notice for a reply is too long. %1$d is used for plural. #. TRANS: %1$d is the maximum number of characters, %2$d is the number of submitted characters. -#: lib/command.php:589 +#: lib/command.php:591 #, fuzzy, php-format -msgid "Notice too long - maximum is %1$d characters, you sent %2$d." -msgstr "నోటిసు చాలా పొడవుగా ఉంది - %d అక్షరాలు గరిష్ఠం, మీరు %d పంపించారు" +msgid "Notice too long - maximum is %1$d character, you sent %2$d." +msgid_plural "Notice too long - maximum is %1$d characters, you sent %2$d." +msgstr[0] "నోటిసు చాలా పొడవుగా ఉంది - %d అక్షరాలు గరిష్ఠం, మీరు %d పంపించారు" +msgstr[1] "నోటిసు చాలా పొడవుగా ఉంది - %d అక్షరాలు గరిష్ఠం, మీరు %d పంపించారు" #. TRANS: Text shown having sent a reply to a notice successfully. #. TRANS: %s is the nickname of the user of the notice the reply was sent to. -#: lib/command.php:600 +#: lib/command.php:604 #, fuzzy, php-format msgid "Reply to %s sent." msgstr "%sకి స్పందనలు" #. TRANS: Error text shown when a reply to a notice fails with an unknown reason. -#: lib/command.php:603 +#: lib/command.php:607 msgid "Error saving notice." msgstr "నోటీసుని భద్రపరచడంలో పొరపాటు." #. TRANS: Error text shown when no username was provided when issuing a subscribe command. -#: lib/command.php:650 +#: lib/command.php:654 msgid "Specify the name of the user to subscribe to." msgstr "ఏవరికి చందా చేరాలనుకుంటున్నారో ఆ వాడుకరి పేరుని ఇవ్వండి." #. TRANS: Command exception text shown when trying to subscribe to an OMB profile using the subscribe command. -#: lib/command.php:659 +#: lib/command.php:663 msgid "Can't subscribe to OMB profiles by command." msgstr "" #. TRANS: Text shown after having subscribed to another user successfully. #. TRANS: %s is the name of the user the subscription was requested for. -#: lib/command.php:667 +#: lib/command.php:671 #, php-format msgid "Subscribed to %s." msgstr "%sకి చందా చేరారు." #. TRANS: Error text shown when no username was provided when issuing an unsubscribe command. #. TRANS: Error text shown when no username was provided when issuing the command. -#: lib/command.php:688 lib/command.php:799 +#: lib/command.php:692 lib/command.php:803 msgid "Specify the name of the user to unsubscribe from." msgstr "ఎవరినుండైతే చందావిరమించాలనుకుంటున్నారో ఆ వాడుకరి పేరుని ఇవ్వండి." #. TRANS: Text shown after having unsubscribed from another user successfully. #. TRANS: %s is the name of the user the unsubscription was requested for. -#: lib/command.php:699 +#: lib/command.php:703 #, php-format msgid "Unsubscribed from %s." msgstr "" #. TRANS: Error text shown when issuing the command "off" with a setting which has not yet been implemented. #. TRANS: Error text shown when issuing the command "on" with a setting which has not yet been implemented. -#: lib/command.php:719 lib/command.php:745 +#: lib/command.php:723 lib/command.php:749 #, fuzzy msgid "Command not yet implemented." msgstr "క్షమించండి, ఈ ఆదేశం ఇంకా అమలుపరచబడలేదు." #. TRANS: Text shown when issuing the command "off" successfully. -#: lib/command.php:723 +#: lib/command.php:727 #, fuzzy msgid "Notification off." msgstr "నిర్ధారణ సంకేతం లేదు." #. TRANS: Error text shown when the command "off" fails for an unknown reason. -#: lib/command.php:726 +#: lib/command.php:730 msgid "Can't turn off notification." msgstr "" #. TRANS: Text shown when issuing the command "on" successfully. -#: lib/command.php:749 +#: lib/command.php:753 #, fuzzy msgid "Notification on." msgstr "నిర్ధారణ సంకేతం లేదు." #. TRANS: Error text shown when the command "on" fails for an unknown reason. -#: lib/command.php:752 +#: lib/command.php:756 #, fuzzy msgid "Can't turn on notification." msgstr "మీ నోటీసుని మీరే పునరావృతించలేరు." #. TRANS: Error text shown when issuing the login command while login is disabled. -#: lib/command.php:766 +#: lib/command.php:770 msgid "Login command is disabled." msgstr "" #. TRANS: Text shown after issuing the login command successfully. #. TRANS: %s is a logon link.. -#: lib/command.php:779 +#: lib/command.php:783 #, php-format msgid "This link is useable only once and is valid for only 2 minutes: %s." msgstr "ఈ లంకెని ఒకేసారి ఉపయోగించగలరు మరియు అది 2 నిమిషాల వరకు మాత్రమే చెల్లుతుంది: %s." #. TRANS: Text shown after issuing the lose command successfully (stop another user from following the current user). #. TRANS: %s is the name of the user the unsubscription was requested for. -#: lib/command.php:808 +#: lib/command.php:812 #, php-format msgid "Unsubscribed %s." msgstr "" #. TRANS: Text shown after requesting other users a user is subscribed to without having any subscriptions. -#: lib/command.php:826 +#: lib/command.php:830 msgid "You are not subscribed to anyone." msgstr "మీరు ఎవరికీ చందాచేరలేదు." #. TRANS: Text shown after requesting other users a user is subscribed to. #. TRANS: This message supports plural forms. This message is followed by a #. TRANS: hard coded space and a comma separated list of subscribed users. -#: lib/command.php:831 +#: lib/command.php:835 msgid "You are subscribed to this person:" msgid_plural "You are subscribed to these people:" msgstr[0] "%sకి స్పందనలు" @@ -6972,14 +7069,14 @@ msgstr[1] "%sకి స్పందనలు" #. TRANS: Text shown after requesting other users that are subscribed to a user #. TRANS: (followers) without having any subscribers. -#: lib/command.php:853 +#: lib/command.php:857 msgid "No one is subscribed to you." msgstr "మీకు చందాదార్లు ఎవరూ లేరు." #. TRANS: Text shown after requesting other users that are subscribed to a user (followers). #. TRANS: This message supports plural forms. This message is followed by a #. TRANS: hard coded space and a comma separated list of subscribing users. -#: lib/command.php:858 +#: lib/command.php:862 msgid "This person is subscribed to you:" msgid_plural "These people are subscribed to you:" msgstr[0] "%sకి స్పందనలు" @@ -6987,21 +7084,21 @@ msgstr[1] "%sకి స్పందనలు" #. TRANS: Text shown after requesting groups a user is subscribed to without having #. TRANS: any group subscriptions. -#: lib/command.php:880 +#: lib/command.php:884 msgid "You are not a member of any groups." msgstr "మీరు ఏ గుంపులోనూ సభ్యులు కాదు." #. TRANS: Text shown after requesting groups a user is subscribed to. #. TRANS: This message supports plural forms. This message is followed by a #. TRANS: hard coded space and a comma separated list of subscribed groups. -#: lib/command.php:885 +#: lib/command.php:889 msgid "You are a member of this group:" msgid_plural "You are a member of these groups:" msgstr[0] "మీరు ఇప్పటికే లోనికి ప్రవేశించారు!" msgstr[1] "మీరు ఇప్పటికే లోనికి ప్రవేశించారు!" #. TRANS: Help text for commands. Do not translate the command names themselves; they are fixed strings. -#: lib/command.php:900 +#: lib/command.php:904 msgid "" "Commands:\n" "on - turn on notifications\n" @@ -7192,7 +7289,8 @@ msgid "1-64 lowercase letters or numbers, no punctuation or spaces" msgstr "1-64 చిన్నబడి అక్షరాలు లేదా అంకెలు, విరామచిహ్నాలు మరియు ఖాళీలు తప్ప" #: lib/groupeditform.php:163 -msgid "URL of the homepage or blog of the group or topic" +#, fuzzy +msgid "URL of the homepage or blog of the group or topic." msgstr "ఈ ఉపకరణం యొక్క హోమ్‌పేజీ చిరునామా" #: lib/groupeditform.php:168 @@ -7200,19 +7298,28 @@ msgid "Describe the group or topic" msgstr "గుంపుని లేదా విషయాన్ని వివరించండి" #: lib/groupeditform.php:170 -#, php-format -msgid "Describe the group or topic in %d characters" -msgstr "గుంపు లేదా విషయాన్ని గురించి %d అక్షరాల్లో వివరించండి" +#, fuzzy, php-format +msgid "Describe the group or topic in %d character or less" +msgid_plural "Describe the group or topic in %d characters or less" +msgstr[0] "గుంపు లేదా విషయాన్ని గురించి %d అక్షరాల్లో వివరించండి" +msgstr[1] "గుంపు లేదా విషయాన్ని గురించి %d అక్షరాల్లో వివరించండి" -#: lib/groupeditform.php:179 +#: lib/groupeditform.php:182 +#, fuzzy msgid "" -"Location for the group, if any, like \"City, State (or Region), Country\"" +"Location for the group, if any, like \"City, State (or Region), Country\"." msgstr "గుంపు యొక్క ప్రాంతం, ఉంటే, \"నగరం, రాష్ట్రం (లేదా ప్రాంతం), దేశం\"" -#: lib/groupeditform.php:187 +#: lib/groupeditform.php:190 #, php-format -msgid "Extra nicknames for the group, comma- or space- separated, max %d" -msgstr "" +msgid "" +"Extra nicknames for the group, separated with commas or spaces. Maximum %d " +"alias allowed." +msgid_plural "" +"Extra nicknames for the group, separated with commas or spaces. Maximum %d " +"aliases allowed." +msgstr[0] "" +msgstr[1] "" #. TRANS: Menu item in the group navigation page. #: lib/groupnav.php:86 @@ -7756,7 +7863,7 @@ msgstr "క్షమించండి, అది మీ లోనికివ msgid "Sorry, no incoming email allowed." msgstr "క్షమించండి, అది మీ లోనికివచ్చు ఈమెయిలు చిరునామా కాదు." -#: lib/mailhandler.php:228 +#: lib/mailhandler.php:229 #, fuzzy, php-format msgid "Unsupported message type: %s" msgstr "%s కి నేరు సందేశాలు" @@ -8105,16 +8212,17 @@ msgid "Sandbox this user" msgstr "ఈ వాడుకరిని నిరోధించు" #. TRANS: Fieldset legend for the search form. -#: lib/searchaction.php:121 +#: lib/searchaction.php:120 msgid "Search site" msgstr "సైటుని వెతుకు" #. TRANS: Used as a field label for the field where one or more keywords #. TRANS: for searching can be entered. -#: lib/searchaction.php:129 +#: lib/searchaction.php:128 msgid "Keyword(s)" msgstr "కీపదము(లు)" +#. TRANS: Button text for searching site. #: lib/searchaction.php:130 msgctxt "BUTTON" msgid "Search" @@ -8204,8 +8312,8 @@ msgid "The theme file is missing or the upload failed." msgstr "" #: lib/themeuploader.php:91 lib/themeuploader.php:102 -#: lib/themeuploader.php:278 lib/themeuploader.php:282 -#: lib/themeuploader.php:290 lib/themeuploader.php:297 +#: lib/themeuploader.php:279 lib/themeuploader.php:283 +#: lib/themeuploader.php:291 lib/themeuploader.php:298 #, fuzzy msgid "Failed saving theme." msgstr "అవతారపు తాజాకరణ విఫలమైంది." @@ -8216,29 +8324,32 @@ msgstr "" #: lib/themeuploader.php:166 #, php-format -msgid "Uploaded theme is too large; must be less than %d bytes uncompressed." -msgstr "" +msgid "Uploaded theme is too large; must be less than %d byte uncompressed." +msgid_plural "" +"Uploaded theme is too large; must be less than %d bytes uncompressed." +msgstr[0] "" +msgstr[1] "" -#: lib/themeuploader.php:178 +#: lib/themeuploader.php:179 msgid "Invalid theme archive: missing file css/display.css" msgstr "" -#: lib/themeuploader.php:218 +#: lib/themeuploader.php:219 msgid "" "Theme contains invalid file or folder name. Stick with ASCII letters, " "digits, underscore, and minus sign." msgstr "" -#: lib/themeuploader.php:224 +#: lib/themeuploader.php:225 msgid "Theme contains unsafe file extension names; may be unsafe." msgstr "" -#: lib/themeuploader.php:241 +#: lib/themeuploader.php:242 #, php-format msgid "Theme contains file of type '.%s', which is not allowed." msgstr "" -#: lib/themeuploader.php:259 +#: lib/themeuploader.php:260 msgid "Error opening theme archive." msgstr "నిరోధాన్ని తొలగించడంలో పొరపాటు." @@ -8420,23 +8531,35 @@ msgid_plural "Message too long. Maximum is %1$d characters, you sent %2$d." msgstr[0] "నోటిసు చాలా పొడవుగా ఉంది - %1$d అక్షరాలు గరిష్ఠం, మీరు %2$d పంపించారు." msgstr[1] "నోటిసు చాలా పొడవుగా ఉంది - %1$d అక్షరాలు గరిష్ఠం, మీరు %2$d పంపించారు." -#: scripts/restoreuser.php:82 +#. TRANS: Commandline script output. %s is the filename that contains a backup for a user. +#: scripts/restoreuser.php:61 #, php-format -msgid "Backup file for user %s (%s)" +msgid "Getting backup from file '%s'." msgstr "" -#: scripts/restoreuser.php:88 +#. TRANS: Commandline script output. +#: scripts/restoreuser.php:91 #, fuzzy msgid "No user specified; using backup user." msgstr "గుంపు ఏమీ పేర్కొనలేదు." -#: scripts/restoreuser.php:94 +#. TRANS: Commandline script output. %d is the number of entries in the activity stream in backup; used for plural. +#: scripts/restoreuser.php:98 #, php-format -msgid "%d entries in backup." -msgstr "" +msgid "%d entry in backup." +msgid_plural "%d entries in backup." +msgstr[0] "" +msgstr[1] "" -#~ msgid "Description is too long (max %d chars)." -#~ msgstr "వివరణ చాలా పెద్దగా ఉంది (%d అక్షరాలు గరిష్ఠం)." +#~ msgid "Name is too long (maximum 255 chars)." +#~ msgstr "పేరు చాలా పెద్దగా ఉంది (గరిష్ఠంగా 255 అక్షరాలు)." -#~ msgid "Too many aliases! Maximum %d." -#~ msgstr "చాలా మారుపేర్లు! %d గరిష్ఠం." +#, fuzzy +#~ msgid "Organization is too long (maximum 255 chars)." +#~ msgstr "సంస్థ పేరు మరీ పెద్దగా ఉంది (255 అక్షరాలు గరిష్ఠం)." + +#~ msgid "That's too long. Max notice size is %d chars." +#~ msgstr "అది చాలా పొడవుంది. గరిష్ఠ నోటీసు పరిమాణం %d అక్షరాలు." + +#~ msgid "Max notice size is %d chars, including attachment URL." +#~ msgstr "గరిష్ఠ నోటీసు పొడవు %d అక్షరాలు, జోడింపు URLని కలుపుకుని." diff --git a/locale/tr/LC_MESSAGES/statusnet.po b/locale/tr/LC_MESSAGES/statusnet.po index 61def584b9..a99fd9bc4a 100644 --- a/locale/tr/LC_MESSAGES/statusnet.po +++ b/locale/tr/LC_MESSAGES/statusnet.po @@ -11,17 +11,17 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet - Core\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-10-30 23:18+0000\n" -"PO-Revision-Date: 2010-10-30 23:20:49+0000\n" +"POT-Creation-Date: 2010-11-02 22:51+0000\n" +"PO-Revision-Date: 2010-11-02 22:53:46+0000\n" "Language-Team: Turkish \n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r75708); Translate extension (2010-09-17)\n" +"X-Generator: MediaWiki 1.17alpha (r75875); Translate extension (2010-09-17)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: tr\n" "X-Message-Group: #out-statusnet-core\n" "Plural-Forms: nplurals=1; plural=0;\n" -"X-POT-Import-Date: 2010-10-30 09:48:40+0000\n" +"X-POT-Import-Date: 2010-10-30 23:42:01+0000\n" #. TRANS: Page title for Access admin panel that allows configuring site access. #. TRANS: Menu item for site administration @@ -79,15 +79,20 @@ msgstr "Erişim ayarlarını kaydet" #. TRANS: Tooltip for button to save access settings in site admin panel. #. TRANS: Button label to save e-mail preferences. #. TRANS: Button label to save IM preferences. +#. TRANS: Button text for saving "Other settings" in profile. #. TRANS: Button text to store form data in the Paths admin panel. #. TRANS: Button to save input in profile settings. +#. TRANS: Button text for saving site notice in admin panel. #. TRANS: Button label to save SMS preferences. #. TRANS: Save button for settings for a profile in a subscriptions list. +#. TRANS: Button text to save user settings in user admin panel. #. TRANS: Button label in the "Edit application" form. #: actions/accessadminpanel.php:193 actions/emailsettings.php:228 -#: actions/imsettings.php:187 actions/pathsadminpanel.php:512 -#: actions/profilesettings.php:201 actions/smssettings.php:209 -#: actions/subscriptions.php:246 lib/applicationeditform.php:355 +#: actions/imsettings.php:187 actions/othersettings.php:134 +#: actions/pathsadminpanel.php:512 actions/profilesettings.php:201 +#: actions/sitenoticeadminpanel.php:197 actions/smssettings.php:209 +#: actions/subscriptions.php:246 actions/useradminpanel.php:298 +#: lib/applicationeditform.php:355 lib/groupeditform.php:207 msgctxt "BUTTON" msgid "Save" msgstr "Kaydet" @@ -138,7 +143,7 @@ msgstr "Böyle bir kullanıcı yok." #: 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:93 actions/userrss.php:40 -#: actions/xrds.php:71 lib/command.php:495 lib/galleryaction.php:59 +#: actions/xrds.php:71 lib/command.php:497 lib/galleryaction.php:59 #: lib/mailbox.php:82 lib/profileaction.php:77 msgid "No such user." msgstr "Böyle bir kullanıcı yok." @@ -212,7 +217,9 @@ msgstr "" #. TRANS: Encoutagement displayed on empty timeline user pages for anonymous users. #. TRANS: %s is a user nickname. This message contains Markdown links. Keep "](" together. -#: actions/all.php:155 actions/replies.php:210 actions/showstream.php:208 +#. TRANS: Second sentence of empty message for anonymous users. %s is a user nickname. +#. TRANS: This message contains a Markdown link. Keep "](" together. +#: actions/all.php:155 actions/replies.php:210 actions/showstream.php:227 #, php-format msgid "" "Why not [register an account](%%%%action.register%%%%) and then nudge %s or " @@ -567,8 +574,11 @@ msgstr "Tam isim çok uzun (azm: 255 karakter)." #. TRANS: Group edit form validation error. #. TRANS: Form validation error in New application form. #. TRANS: %d is the maximum number of characters for the description. +#. TRANS: Group create form validation error. +#. TRANS: %d is the maximum number of allowed characters. #: actions/apigroupcreate.php:220 actions/editapplication.php:201 #: actions/editgroup.php:216 actions/newapplication.php:178 +#: actions/newgroup.php:152 #, fuzzy, php-format msgid "Description is too long (maximum %d character)." msgid_plural "Description is too long (maximum %d characters)." @@ -726,14 +736,14 @@ msgstr "Takip talebine izin verildi" #. TRANS: Form validation error in API OAuth authorisation because of an invalid session token. #: actions/apioauthauthorize.php:147 actions/avatarsettings.php:280 -#: actions/deletenotice.php:172 actions/disfavor.php:74 +#: actions/deletenotice.php:177 actions/disfavor.php:74 #: actions/emailsettings.php:271 actions/favor.php:75 actions/geocode.php:55 #: actions/groupblock.php:66 actions/grouplogo.php:312 #: actions/groupunblock.php:65 actions/imsettings.php:230 #: actions/invite.php:59 actions/login.php:137 actions/makeadmin.php:66 #: actions/newmessage.php:135 actions/newnotice.php:105 actions/nudge.php:80 #: actions/oauthappssettings.php:165 actions/oauthconnectionssettings.php:138 -#: actions/othersettings.php:145 actions/passwordsettings.php:138 +#: actions/othersettings.php:153 actions/passwordsettings.php:138 #: actions/profilesettings.php:221 actions/recoverpassword.php:350 #: actions/register.php:172 actions/remotesubscribe.php:77 #: actions/repeat.php:83 actions/smssettings.php:256 actions/subedit.php:40 @@ -915,20 +925,21 @@ msgstr "Başka bir kullanıcının durum mesajını silemezsiniz." #. TRANS: Client error displayed trying to repeat a non-existing notice through the API. #. TRANS: Client error displayed trying to display redents of a non-exiting notice. +#. TRANS: Error message displayed trying to delete a non-existing notice. #: actions/apistatusesretweet.php:74 actions/apistatusesretweets.php:70 -#: actions/deletenotice.php:58 actions/shownotice.php:92 +#: actions/deletenotice.php:61 actions/shownotice.php:92 msgid "No such notice." msgstr "Böyle bir durum mesajı yok." #. TRANS: Client error displayed trying to repeat an own notice through the API. #. TRANS: Error text shown when trying to repeat an own notice. -#: actions/apistatusesretweet.php:83 lib/command.php:535 +#: actions/apistatusesretweet.php:83 lib/command.php:537 msgid "Cannot repeat your own notice." msgstr "Kendi durum mesajınızı tekrarlayamazsınız." #. TRANS: Client error displayed trying to re-repeat a notice through the API. #. TRANS: Error text shown when trying to repeat an notice that was already repeated by the user. -#: actions/apistatusesretweet.php:92 lib/command.php:541 +#: actions/apistatusesretweet.php:92 lib/command.php:543 msgid "Already repeated that notice." msgstr "Bu durum mesajı zaten tekrarlanmış." @@ -949,7 +960,8 @@ msgstr "İstemci, bir değere sahip 'status' parametresi sağlamalı." #. TRANS: Client error displayed when the parameter "status" is missing. #. TRANS: %d is the maximum number of character for a notice. -#: actions/apistatusesupdate.php:244 +#: actions/apistatusesupdate.php:244 actions/newnotice.php:161 +#: lib/mailhandler.php:60 #, fuzzy, php-format msgid "That's too long. Maximum notice size is %d character." msgid_plural "That's too long. Maximum notice size is %d characters." @@ -963,7 +975,7 @@ msgstr "Onay kodu bulunamadı." #. TRANS: Client error displayed exceeding the maximum notice length. #. TRANS: %d is the maximum lenth for a notice. -#: actions/apistatusesupdate.php:308 +#: actions/apistatusesupdate.php:308 actions/newnotice.php:184 #, fuzzy, php-format msgid "Maximum notice size is %d character, including attachment URL." msgid_plural "Maximum notice size is %d characters, including attachment URL." @@ -1176,17 +1188,18 @@ msgstr "Resimden kullanıcı resminiz olacak bir kare alanı seçin" msgid "Lost our file data." msgstr "" -#: actions/avatarsettings.php:384 +#. TRANS: Success message for having updated a user avatar. +#: actions/avatarsettings.php:385 msgid "Avatar updated." msgstr "Avatar güncellendi." #. TRANS: Error displayed on the avatar upload page if the avatar could not be updated for an unknown reason. -#: actions/avatarsettings.php:388 +#: actions/avatarsettings.php:389 msgid "Failed updating avatar." msgstr "Avatar güncellemede hata." #. TRANS: Success message for deleting a user avatar. -#: actions/avatarsettings.php:412 +#: actions/avatarsettings.php:413 msgid "Avatar deleted." msgstr "Kullanıcı resmi silindi." @@ -1219,8 +1232,8 @@ msgstr "" #. TRANS: Button label on the delete notice form. #. TRANS: Button label on the delete user form. #. TRANS: Button label on the form to block a user from a group. -#: actions/block.php:154 actions/deleteapplication.php:154 -#: actions/deletegroup.php:220 actions/deletenotice.php:150 +#: actions/block.php:154 actions/deleteapplication.php:157 +#: actions/deletegroup.php:220 actions/deletenotice.php:155 #: actions/deleteuser.php:152 actions/groupblock.php:178 msgctxt "BUTTON" msgid "No" @@ -1238,8 +1251,8 @@ msgstr "Bu kullanıcıyı engelleme" #. TRANS: Button label on the delete notice form. #. TRANS: Button label on the delete user form. #. TRANS: Button label on the form to block a user from a group. -#: actions/block.php:161 actions/deleteapplication.php:161 -#: actions/deletegroup.php:227 actions/deletenotice.php:157 +#: actions/block.php:161 actions/deleteapplication.php:164 +#: actions/deletegroup.php:227 actions/deletenotice.php:162 #: actions/deleteuser.php:159 actions/groupblock.php:185 msgctxt "BUTTON" msgid "Yes" @@ -1356,12 +1369,13 @@ msgstr "O adres daha önce onaylanmış." #. TRANS: Server error thrown on database error removing a registered e-mail address. #. TRANS: Server error thrown on database error updating IM preferences. #. TRANS: Server error thrown on database error removing a registered IM address. +#. TRANS: Server error displayed when "Other" settings in user profile could not be updated on the server. #. TRANS: Server error thrown when user profile settings could not be updated. #. TRANS: Server error thrown on database error updating SMS preferences. #. TRANS: Server error thrown on database error removing a registered SMS phone number. #: actions/confirmaddress.php:118 actions/emailsettings.php:331 #: actions/emailsettings.php:477 actions/imsettings.php:283 -#: actions/imsettings.php:442 actions/othersettings.php:174 +#: actions/imsettings.php:442 actions/othersettings.php:184 #: actions/profilesettings.php:326 actions/smssettings.php:308 #: actions/smssettings.php:464 msgid "Couldn't update user." @@ -1397,16 +1411,19 @@ msgstr "Konuşma" msgid "Notices" msgstr "Durum mesajları" -#: actions/deleteapplication.php:63 +#. TRANS: Client error displayed trying to delete an application while not logged in. +#: actions/deleteapplication.php:62 msgid "You must be logged in to delete an application." msgstr "Bir uygulamayı silmek için giriş yapmış olmanız gerekir." +#. TRANS: Client error displayed trying to delete an application that does not exist. #: actions/deleteapplication.php:71 msgid "Application not found." msgstr "Onay kodu bulunamadı." +#. TRANS: Client error displayed trying to delete an application the current user does not own. #. TRANS: Client error displayed trying to edit an application while not being its owner. -#: actions/deleteapplication.php:78 actions/editapplication.php:78 +#: actions/deleteapplication.php:79 actions/editapplication.php:78 #: actions/showapplication.php:94 msgid "You are not the owner of this application." msgstr "Bu uygulamanın sahibi değilsiniz." @@ -1414,15 +1431,18 @@ msgstr "Bu uygulamanın sahibi değilsiniz." #. TRANS: Client error text when there is a problem with the session token. #: actions/deleteapplication.php:102 actions/editapplication.php:131 #: actions/newapplication.php:114 actions/showapplication.php:118 -#: lib/action.php:1354 +#: lib/action.php:1404 msgid "There was a problem with your session token." msgstr "" -#: actions/deleteapplication.php:123 actions/deleteapplication.php:147 +#. TRANS: Title for delete application page. +#. TRANS: Fieldset legend on delete application page. +#: actions/deleteapplication.php:124 actions/deleteapplication.php:149 msgid "Delete application" msgstr "Uygulamayı sil" -#: actions/deleteapplication.php:149 +#. TRANS: Confirmation text on delete application page. +#: actions/deleteapplication.php:152 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 " @@ -1433,12 +1453,12 @@ msgstr "" "temizleyecektir." #. TRANS: Submit button title for 'No' when deleting an application. -#: actions/deleteapplication.php:158 +#: actions/deleteapplication.php:161 msgid "Do not delete this application" msgstr "Bu uygulamayı silme" #. TRANS: Submit button title for 'Yes' when deleting an application. -#: actions/deleteapplication.php:164 +#: actions/deleteapplication.php:167 msgid "Delete this application" msgstr "Bu uygulamayı sil" @@ -1475,13 +1495,14 @@ msgstr "Grup güncellenemedi." msgid "Deleted group %s" msgstr "%1$s'in %2$s'deki durum mesajları " -#. TRANS: Title. +#. TRANS: Title of delete group page. #. TRANS: Form legend for deleting a group. #: actions/deletegroup.php:176 actions/deletegroup.php:202 #, fuzzy msgid "Delete group" msgstr "Kullanıcıyı sil" +#. TRANS: Warning in form for deleleting a group. #: actions/deletegroup.php:206 #, fuzzy msgid "" @@ -1504,10 +1525,11 @@ msgstr "Bu durum mesajını silme" msgid "Delete this group" msgstr "Bu kullanıcıyı sil" +#. TRANS: Error message displayed trying to delete a notice while not logged in. #. TRANS: Client error displayed when trying to unblock a user from a group while not logged in. #. TRANS: Client error displayed trying a change a subscription while not logged in. #. TRANS: Client error message thrown when trying to access the admin panel while not logged in. -#: actions/deletenotice.php:50 actions/disfavor.php:61 actions/favor.php:62 +#: actions/deletenotice.php:52 actions/disfavor.php:61 actions/favor.php:62 #: actions/groupblock.php:61 actions/groupunblock.php:60 actions/logout.php:69 #: actions/makeadmin.php:61 actions/newmessage.php:87 actions/newnotice.php:88 #: actions/nudge.php:63 actions/subedit.php:33 actions/subscribe.php:96 @@ -1517,11 +1539,13 @@ msgstr "Bu kullanıcıyı sil" msgid "Not logged in." msgstr "Giriş yapılmadı." -#: actions/deletenotice.php:74 +#. TRANS: Error message displayed trying to delete a notice that was not made by the current user. +#: actions/deletenotice.php:78 msgid "Can't delete this notice." msgstr "Bu durum mesajı silinemiyor." -#: actions/deletenotice.php:106 +#. TRANS: Instructions for deleting a notice. +#: actions/deletenotice.php:110 msgid "" "You are about to permanently delete a notice. Once this is done, it cannot " "be undone." @@ -1529,21 +1553,24 @@ msgstr "" "Bir durum mesajını kalıcı olarak silmek üzeresiniz. Bu bir kez yapıldığında, " "geri alınamaz." -#: actions/deletenotice.php:112 actions/deletenotice.php:144 +#. TRANS: Page title when deleting a notice. +#. TRANS: Fieldset legend for the delete notice form. +#: actions/deletenotice.php:117 actions/deletenotice.php:148 msgid "Delete notice" msgstr "Durum mesajını sil" -#: actions/deletenotice.php:147 +#. TRANS: Message for the delete notice form. +#: actions/deletenotice.php:152 msgid "Are you sure you want to delete this notice?" msgstr "Bu durum mesajını silmek istediğinizden emin misiniz?" #. TRANS: Submit button title for 'No' when deleting a notice. -#: actions/deletenotice.php:154 +#: actions/deletenotice.php:159 msgid "Do not delete this notice" msgstr "Bu durum mesajını silme" #. TRANS: Submit button title for 'Yes' when deleting a notice. -#: actions/deletenotice.php:161 lib/noticelist.php:667 +#: actions/deletenotice.php:166 lib/noticelist.php:667 msgid "Delete this notice" msgstr "Bu durum mesajını sil" @@ -1707,11 +1734,9 @@ msgstr "Öntanımlıya geri dön" #. TRANS: Submit button title. #: actions/designadminpanel.php:711 actions/licenseadminpanel.php:319 -#: actions/othersettings.php:126 actions/sessionsadminpanel.php:199 -#: actions/siteadminpanel.php:292 actions/sitenoticeadminpanel.php:195 +#: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:292 #: actions/snapshotadminpanel.php:245 actions/tagother.php:154 -#: actions/useradminpanel.php:295 lib/applicationeditform.php:357 -#: lib/designsettings.php:256 lib/groupeditform.php:202 +#: lib/applicationeditform.php:357 lib/designsettings.php:256 msgid "Save" msgstr "Kaydet" @@ -1759,9 +1784,9 @@ msgid "Name is required." msgstr "İsim gereklidir." #. TRANS: Validation error shown when providing too long a name in the "Edit application" form. -#: actions/editapplication.php:188 +#: actions/editapplication.php:188 actions/newapplication.php:169 #, fuzzy -msgid "Name is too long (max 255 characters)." +msgid "Name is too long (maximum 255 characters)." msgstr "İsim çok uzun (maksimum: 255 karakter)." #. TRANS: Validation error shown when providing a name for an application that already exists in the "Edit application" form. @@ -1790,7 +1815,7 @@ msgid "Organization is required." msgstr "Organizasyon gereklidir." #. TRANS: Validation error shown when providing too long an arganisation name in the "Edit application" form. -#: actions/editapplication.php:223 +#: actions/editapplication.php:223 actions/newapplication.php:199 #, fuzzy msgid "Organization is too long (maximum 255 characters)." msgstr "Organizasyon çok uzun (maksimum 255 karakter)." @@ -2588,7 +2613,7 @@ msgid "Publish a MicroID for my Jabber/GTalk address." msgstr "Onaylanmış Jabber/Gtalk adresi." #. TRANS: Confirmation message for successful IM preferences save. -#: actions/imsettings.php:290 actions/othersettings.php:180 +#: actions/imsettings.php:290 actions/othersettings.php:190 msgid "Preferences saved." msgstr "Tercihler kaydedildi." @@ -2712,12 +2737,11 @@ msgstr[0] "Bize o profili yollamadınız" #. TRANS: Used as list item for already subscribed users (%1$s is nickname, %2$s is e-mail address). #. TRANS: Used as list item for already registered people (%1$s is nickname, %2$s is e-mail address). -#. TRANS: Whois output. -#. TRANS: %1$s nickname of the queried user, %2$s is their profile URL. -#: actions/invite.php:145 actions/invite.php:159 lib/command.php:426 -#, php-format +#: actions/invite.php:145 actions/invite.php:159 +#, fuzzy, php-format +msgctxt "INVITE" msgid "%1$s (%2$s)" -msgstr "" +msgstr "%1$s'in %2$s'deki durum mesajları " #. TRANS: Message displayed inviting users to use a StatusNet site while the invited user #. TRANS: already uses a this StatusNet site. Plural form is based on the number of @@ -2865,7 +2889,8 @@ msgid "" msgstr "" #: actions/licenseadminpanel.php:156 -msgid "Invalid license title. Max length is 255 characters." +#, fuzzy +msgid "Invalid license title. Maximum length is 255 characters." msgstr "Geçersiz lisans başlığı. En fazla uzunluk 255 karakterdir." #: actions/licenseadminpanel.php:168 @@ -3043,20 +3068,10 @@ msgstr "" msgid "Use this form to register a new application." msgstr "" -#: actions/newapplication.php:169 -#, fuzzy -msgid "Name is too long (maximum 255 chars)." -msgstr "İsim çok uzun (maksimum: 255 karakter)." - #: actions/newapplication.php:184 msgid "Source URL is required." msgstr "" -#: actions/newapplication.php:199 -#, fuzzy -msgid "Organization is too long (maximum 255 chars)." -msgstr "Organizasyon çok uzun (maksimum 255 karakter)." - #: actions/newapplication.php:266 actions/newapplication.php:275 msgid "Could not create application." msgstr "Eposta onayı silinemedi." @@ -3076,7 +3091,7 @@ msgid "New message" msgstr "Yeni mesaj" #. TRANS: Error text shown when trying to send a direct message to a user without a mutual subscription (each user must be subscribed to the other). -#: actions/newmessage.php:121 actions/newmessage.php:164 lib/command.php:499 +#: actions/newmessage.php:121 actions/newmessage.php:164 lib/command.php:501 #, fuzzy msgid "You can't send a message to this user." msgstr "Bize o profili yollamadınız" @@ -3084,7 +3099,7 @@ msgstr "Bize o profili yollamadınız" #. TRANS: Command exception text shown when trying to send a direct message to another user without content. #. TRANS: Command exception text shown when trying to reply to a notice without providing content for the reply. #: actions/newmessage.php:144 actions/newnotice.php:140 lib/command.php:478 -#: lib/command.php:579 +#: lib/command.php:581 msgid "No content!" msgstr "İçerik yok!" @@ -3093,7 +3108,7 @@ msgid "No recipient specified." msgstr "" #. TRANS: Error text shown when trying to send a direct message to self. -#: actions/newmessage.php:167 lib/command.php:503 +#: actions/newmessage.php:167 lib/command.php:505 msgid "" "Don't send a message to yourself; just say it to yourself quietly instead." msgstr "" @@ -3104,12 +3119,12 @@ msgstr "" #. TRANS: Message given have sent a direct message to another user. #. TRANS: %s is the name of the other user. -#: actions/newmessage.php:188 lib/command.php:511 +#: actions/newmessage.php:188 lib/command.php:513 #, php-format msgid "Direct message to %s sent." msgstr "%s kullanıcısına özel mesaj gönderildi." -#: actions/newmessage.php:213 actions/newnotice.php:263 +#: actions/newmessage.php:213 actions/newnotice.php:264 msgid "Ajax Error" msgstr "Ajax Hatası" @@ -3117,18 +3132,7 @@ msgstr "Ajax Hatası" msgid "New notice" msgstr "Yeni durum mesajı" -#: actions/newnotice.php:159 lib/mailhandler.php:60 -#, php-format -msgid "That's too long. Max notice size is %d chars." -msgstr "Bu çok uzun. Maksimum durum mesajı boyutu %d karakterdir." - -#: actions/newnotice.php:183 -#, php-format -msgid "Max notice size is %d chars, including attachment URL." -msgstr "" -"Maksimum durum mesajı boyutu, eklenti bağlantıları dahil %d karakterdir." - -#: actions/newnotice.php:229 +#: actions/newnotice.php:230 msgid "Notice posted" msgstr "Durum mesajı gönderildi" @@ -3290,37 +3294,46 @@ msgstr "Kişi Arama" msgid "Notice Search" msgstr "Durum Mesajı Arama" -#: actions/othersettings.php:60 +#: actions/othersettings.php:59 msgid "Other settings" msgstr "Profil ayarları" +#. TRANS: Instructions for tab "Other" in user profile settings. #: actions/othersettings.php:71 msgid "Manage various other options." msgstr "" -#: actions/othersettings.php:108 +#. TRANS: Used as a suffix for free URL shorteners in a dropdown list in the tab "Other" of a +#. TRANS: user's profile settings. This message has one space at the beginning. Use your +#. TRANS: language's word separator here if it has one (most likely a single space). +#: actions/othersettings.php:111 msgid " (free service)" msgstr "" -#: actions/othersettings.php:116 +#. TRANS: Label for dropdown with URL shortener services. +#: actions/othersettings.php:120 msgid "Shorten URLs with" msgstr "Bağlantıları şununla kısalt" -#: actions/othersettings.php:117 +#. TRANS: Tooltip for for dropdown with URL shortener services. +#: actions/othersettings.php:122 msgid "Automatic shortening service to use." msgstr "Kullanılacak otomatik kısaltma servisi." -#: actions/othersettings.php:122 +#. TRANS: Label for checkbox. +#: actions/othersettings.php:128 msgid "View profile designs" msgstr "Profil dizaynlarını görüntüle" -#: actions/othersettings.php:123 +#. TRANS: Tooltip for checkbox. +#: actions/othersettings.php:130 msgid "Show or hide profile designs." msgstr "" -#: actions/othersettings.php:153 +#. TRANS: Form validation error for form "Other settings" in user profile. +#: actions/othersettings.php:162 #, fuzzy -msgid "URL shortening service is too long (max 50 chars)." +msgid "URL shortening service is too long (maximum 50 characters)." msgstr "Yer bilgisi çok uzun (azm: 255 karakter)." #: actions/otp.php:69 @@ -3814,7 +3827,7 @@ msgstr "Hakkında" #. TRANS: Label for group location (dt). Text hidden by default. #: actions/profilesettings.php:149 actions/register.php:485 #: actions/showgroup.php:267 actions/tagother.php:112 -#: actions/userauthorization.php:166 lib/groupeditform.php:177 +#: actions/userauthorization.php:166 lib/groupeditform.php:180 #: lib/userprofile.php:165 msgid "Location" msgstr "Yer" @@ -4152,7 +4165,8 @@ msgid "Unexpected password reset." msgstr "Beklemeğen parola sıfırlaması." #: actions/recoverpassword.php:365 -msgid "Password must be 6 chars or more." +#, fuzzy +msgid "Password must be 6 characters or more." msgstr "Parola 6 veya daha fazla karakterden oluşmalıdır." #: actions/recoverpassword.php:369 @@ -4516,7 +4530,7 @@ msgstr "Organizasyon" #. TRANS: Form input field label. #: actions/showapplication.php:187 actions/version.php:200 -#: lib/applicationeditform.php:208 lib/groupeditform.php:172 +#: lib/applicationeditform.php:208 lib/groupeditform.php:175 msgid "Description" msgstr "Tanım" @@ -4659,7 +4673,7 @@ msgid "Note" msgstr "Not" #. TRANS: Label for group aliases (dt). Text hidden by default. -#: actions/showgroup.php:298 lib/groupeditform.php:184 +#: actions/showgroup.php:298 lib/groupeditform.php:187 msgid "Aliases" msgstr "Diğerisimler" @@ -4782,60 +4796,86 @@ msgstr "" msgid "Notice deleted." msgstr "Durum mesajı silindi." -#: actions/showstream.php:72 -#, php-format -msgid " tagged %s" -msgstr "" +#. TRANS: Page title showing tagged notices in one user's stream. %1$s is the username, %2$s is the hash tag. +#: actions/showstream.php:70 +#, fuzzy, php-format +msgid "%1$s tagged %2$s" +msgstr "%s ve arkadaşları" -#: actions/showstream.php:78 +#. TRANS: Page title showing tagged notices in one user's stream. +#. TRANS: %1$s is the username, %2$s is the hash tag, %1$d is the page number. +#: actions/showstream.php:74 +#, fuzzy, php-format +msgid "%1$s tagged %2$s, page %3$d" +msgstr "%s adli kullanicinin durum mesajlari" + +#. TRANS: Extended page title showing tagged notices in one user's stream. +#. TRANS: %1$s is the username, %2$d is the page number. +#: actions/showstream.php:82 #, fuzzy, php-format msgid "%1$s, page %2$d" msgstr "%s ve arkadaşları" -#: actions/showstream.php:120 +#. TRANS: Title for link to notice feed. +#. TRANS: %1$s is a user nickname, %2$s is a hashtag. +#: actions/showstream.php:127 #, fuzzy, php-format msgid "Notice feed for %1$s tagged %2$s (RSS 1.0)" msgstr "%s için durum RSS beslemesi" -#: actions/showstream.php:127 +#. TRANS: Title for link to notice feed. +#. TRANS: %s is a user nickname. +#: actions/showstream.php:136 #, fuzzy, php-format msgid "Notice feed for %s (RSS 1.0)" msgstr "%s için durum RSS beslemesi" -#: actions/showstream.php:134 +#. TRANS: Title for link to notice feed. +#. TRANS: %s is a user nickname. +#: actions/showstream.php:145 #, fuzzy, php-format msgid "Notice feed for %s (RSS 2.0)" msgstr "%s için durum RSS beslemesi" -#: actions/showstream.php:141 +#: actions/showstream.php:152 #, fuzzy, php-format msgid "Notice feed for %s (Atom)" msgstr "%s için durum RSS beslemesi" -#: actions/showstream.php:146 +#. TRANS: Title for link to notice feed. FOAF stands for Friend of a Friend. +#. TRANS: More information at http://www.foaf-project.org. %s is a user nickname. +#: actions/showstream.php:159 #, php-format msgid "FOAF for %s" msgstr "" -#: actions/showstream.php:197 -#, php-format -msgid "This is the timeline for %1$s but %2$s hasn't posted anything yet." +#. TRANS: First sentence of empty list message for a stream. $1%s is a user nickname. +#: actions/showstream.php:211 +#, fuzzy, php-format +msgid "This is the timeline for %1$s, but %1$s hasn't posted anything yet." msgstr "" +"Bu, %s ve arkadaşlarının zaman çizelgesi ama henüz hiç kimse bir şey " +"göndermemiş." -#: actions/showstream.php:202 +#. TRANS: Second sentence of empty list message for a stream for the user themselves. +#: actions/showstream.php:217 msgid "" "Seen anything interesting recently? You haven't posted any notices yet, now " "would be a good time to start :)" msgstr "" -#: actions/showstream.php:204 +#. TRANS: Second sentence of empty list message for a non-self stream. %1$s is a user nickname, %2$s is a part of a URL. +#. TRANS: This message contains a Markdown link. Keep "](" together. +#: actions/showstream.php:221 #, php-format msgid "" "You can try to nudge %1$s or [post something to them](%%%%action.newnotice%%%" "%?status_textarea=%2$s)." msgstr "" -#: actions/showstream.php:243 +#. TRANS: Announcement for anonymous users showing a stream if site registrations are open. +#. TRANS: This message contains a Markdown link. Keep "](" together. +#: actions/showstream.php:264 #, php-format msgid "" "**%s** has an account on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -4844,7 +4884,9 @@ msgid "" "follow **%s**'s notices and many more! ([Read more](%%%%doc.help%%%%))" msgstr "" -#: actions/showstream.php:248 +#. TRANS: Announcement for anonymous users showing a stream if site registrations are closed or invite only. +#. TRANS: This message contains a Markdown link. Keep "](" together. +#: actions/showstream.php:271 #, php-format msgid "" "**%s** has an account on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -4852,7 +4894,8 @@ msgid "" "[StatusNet](http://status.net/) tool. " msgstr "" -#: actions/showstream.php:305 +#. TRANS: Link to the author of a repeated notice. %s is a linked nickname. +#: actions/showstream.php:328 #, fuzzy, php-format msgid "Repeat of %s" msgstr "%s için cevaplar" @@ -4965,33 +5008,41 @@ msgstr "" msgid "How long users must wait (in seconds) to post the same thing again." msgstr "" -#: actions/sitenoticeadminpanel.php:56 +#. TRANS: Page title for site-wide notice tab in admin panel. +#: actions/sitenoticeadminpanel.php:55 msgid "Site Notice" msgstr "Durum mesajları" -#: actions/sitenoticeadminpanel.php:67 +#. TRANS: Instructions for site-wide notice tab in admin panel. +#: actions/sitenoticeadminpanel.php:66 msgid "Edit site-wide message" msgstr "" -#: actions/sitenoticeadminpanel.php:103 +#. TRANS: Server error displayed when saving a site-wide notice was impossible. +#: actions/sitenoticeadminpanel.php:101 #, fuzzy msgid "Unable to save site notice." msgstr "Durum mesajını kaydederken hata oluştu." -#: actions/sitenoticeadminpanel.php:113 -msgid "Max length for the site-wide notice is 255 chars." -msgstr "" +#. TRANS: Client error displayed when a site-wide notice was longer than allowed. +#: actions/sitenoticeadminpanel.php:112 +#, fuzzy +msgid "Maximum length for the site-wide notice is 255 characters." +msgstr "Geçersiz lisans başlığı. En fazla uzunluk 255 karakterdir." +#. TRANS: Label for site-wide notice text field in admin panel. #: actions/sitenoticeadminpanel.php:176 #, fuzzy msgid "Site notice text" msgstr "Yeni durum mesajı" -#: actions/sitenoticeadminpanel.php:178 -msgid "Site-wide notice text (255 chars max; HTML okay)" +#. TRANS: Tooltip for site-wide notice text field in admin panel. +#: actions/sitenoticeadminpanel.php:179 +msgid "Site-wide notice text (255 characters maximum; HTML allowed)" msgstr "" -#: actions/sitenoticeadminpanel.php:198 +#. TRANS: Title for button to save site notice in admin panel. +#: actions/sitenoticeadminpanel.php:201 #, fuzzy msgid "Save site notice" msgstr "Yeni durum mesajı" @@ -5462,78 +5513,96 @@ msgid "" msgstr "" #. TRANS: User admin panel title -#: actions/useradminpanel.php:60 +#: actions/useradminpanel.php:58 msgctxt "TITLE" msgid "User" msgstr "" -#: actions/useradminpanel.php:71 +#. TRANS: Instruction for user admin panel. +#: actions/useradminpanel.php:69 msgid "User settings for this StatusNet site" msgstr "" -#: actions/useradminpanel.php:150 +#. TRANS: Form validation error in user admin panel when a non-numeric character limit was set. +#: actions/useradminpanel.php:147 msgid "Invalid bio limit. Must be numeric." msgstr "" -#: actions/useradminpanel.php:156 -msgid "Invalid welcome text. Max length is 255 characters." -msgstr "" +#. TRANS: Form validation error in user admin panel when welcome text is too long. +#: actions/useradminpanel.php:154 +#, fuzzy +msgid "Invalid welcome text. Maximum length is 255 characters." +msgstr "Geçersiz lisans başlığı. En fazla uzunluk 255 karakterdir." +#. TRANS: Client error displayed when trying to set a non-existing user as default subscription for new +#. TRANS: users in user admin panel. %1$s is the invalid nickname. #: actions/useradminpanel.php:166 #, php-format -msgid "Invalid default subscripton: '%1$s' is not user." +msgid "Invalid default subscripton: '%1$s' is not a user." msgstr "" #. TRANS: Link description in user account settings menu. -#: actions/useradminpanel.php:219 lib/accountsettingsaction.php:106 +#: actions/useradminpanel.php:215 lib/accountsettingsaction.php:106 #: lib/personalgroupnav.php:109 msgid "Profile" msgstr "Profil" -#: actions/useradminpanel.php:223 +#. TRANS: Field label in user admin panel for setting the character limit for the bio field. +#: actions/useradminpanel.php:220 msgid "Bio Limit" msgstr "" -#: actions/useradminpanel.php:224 +#. TRANS: Tooltip in user admin panel for setting the character limit for the bio field. +#: actions/useradminpanel.php:222 msgid "Maximum length of a profile bio in characters." msgstr "" -#: actions/useradminpanel.php:232 +#. TRANS: Form legend in user admin panel. +#: actions/useradminpanel.php:231 msgid "New users" msgstr "Yeni kullanıcılar" +#. TRANS: Field label in user admin panel for setting new user welcome text. #: actions/useradminpanel.php:236 msgid "New user welcome" msgstr "Yeni kullanıcı karşılaması" -#: actions/useradminpanel.php:237 -msgid "Welcome text for new users (Max 255 chars)." +#. TRANS: Tooltip in user admin panel for setting new user welcome text. +#: actions/useradminpanel.php:238 +#, fuzzy +msgid "Welcome text for new users (maximum 255 characters)." msgstr "Yeni kullanıcılar için hoşgeldiniz metni (En fazla 255 karakter)." -#: actions/useradminpanel.php:242 +#. TRANS: Field label in user admin panel for setting default subscription for new users. +#: actions/useradminpanel.php:244 #, fuzzy msgid "Default subscription" msgstr "Bütün abonelikler" -#: actions/useradminpanel.php:243 +#. TRANS: Tooltip in user admin panel for setting default subscription for new users. +#: actions/useradminpanel.php:246 #, fuzzy msgid "Automatically subscribe new users to this user." msgstr "Takip talebine izin verildi" -#: actions/useradminpanel.php:252 +#. TRANS: Form legend in user admin panel. +#: actions/useradminpanel.php:256 #, fuzzy msgid "Invitations" msgstr "Yer" -#: actions/useradminpanel.php:257 +#. TRANS: Field label for checkbox in user admin panel for allowing users to invite friend using site e-mail. +#: actions/useradminpanel.php:262 msgid "Invitations enabled" msgstr "" -#: actions/useradminpanel.php:259 +#. TRANS: Tooltip for checkbox in user admin panel for allowing users to invite friend using site e-mail. +#: actions/useradminpanel.php:265 msgid "Whether to allow users to invite new users." msgstr "" -#: actions/useradminpanel.php:295 +#. TRANS: Title for button to save user settings in user admin panel. +#: actions/useradminpanel.php:302 msgid "Save user settings" msgstr "" @@ -5726,7 +5795,7 @@ msgid "Plugins" msgstr "Eklentiler" #. TRANS: Secondary navigation menu option leading to version information on the StatusNet site. -#: actions/version.php:198 lib/action.php:831 +#: actions/version.php:198 lib/action.php:880 msgid "Version" msgstr "Sürüm" @@ -5937,16 +6006,23 @@ msgstr "Profil kaydedilemedi." msgid "RT @%1$s %2$s" msgstr "" +#. TRANS: Full name of a profile or group followed by nickname in parens +#: classes/Profile.php:164 +#, fuzzy, php-format +msgctxt "FANCYNAME" +msgid "%1$s (%2$s)" +msgstr "%1$s'in %2$s'deki durum mesajları " + #. TRANS: Exception thrown when trying to revoke an existing role for a user that does not exist. #. TRANS: %1$s is the role name, %2$s is the user ID (number). -#: classes/Profile.php:791 +#: classes/Profile.php:812 #, php-format msgid "Cannot revoke role \"%1$s\" for user #%2$d; does not exist." msgstr "" #. TRANS: Exception thrown when trying to revoke a role for a user with a failing database query. #. TRANS: %1$s is the role name, %2$s is the user ID (number). -#: classes/Profile.php:800 +#: classes/Profile.php:821 #, php-format msgid "Cannot revoke role \"%1$s\" for user #%2$d; database error." msgstr "" @@ -6093,60 +6169,66 @@ msgstr "%1$s'in %2$s'deki durum mesajları " msgid "Untitled page" msgstr "Başlıksız sayfa" +#. TRANS: Localized tooltip for '...' expansion button on overlong remote messages. +#: lib/action.php:310 +msgctxt "TOOLTIP" +msgid "Show more" +msgstr "" + #. TRANS: DT element for primary navigation menu. String is hidden in default CSS. -#: lib/action.php:477 +#: lib/action.php:526 msgid "Primary site navigation" msgstr "" #. TRANS: Tooltip for main menu option "Personal" -#: lib/action.php:483 +#: lib/action.php:532 msgctxt "TOOLTIP" msgid "Personal profile and friends timeline" msgstr "Kişisel profil ve arkadaşların zaman çizelgesi" #. TRANS: Main menu option when logged in for access to personal profile and friends timeline -#: lib/action.php:486 +#: lib/action.php:535 msgctxt "MENU" msgid "Personal" msgstr "Kişisel" #. TRANS: Tooltip for main menu option "Account" -#: lib/action.php:488 +#: lib/action.php:537 msgctxt "TOOLTIP" msgid "Change your email, avatar, password, profile" msgstr "E-postanızı, kullanıcı resminizi, parolanızı, profilinizi değiştirin" #. TRANS: Main menu option when logged in for access to user settings -#: lib/action.php:491 +#: lib/action.php:540 msgid "Account" msgstr "Hesap" #. TRANS: Tooltip for main menu option "Services" -#: lib/action.php:493 +#: lib/action.php:542 msgctxt "TOOLTIP" msgid "Connect to services" msgstr "Servislere bağlan" #. TRANS: Main menu option when logged in and connection are possible for access to options to connect to other services -#: lib/action.php:496 +#: lib/action.php:545 msgid "Connect" msgstr "Bağlan" #. TRANS: Tooltip for menu option "Admin" -#: lib/action.php:499 +#: lib/action.php:548 msgctxt "TOOLTIP" msgid "Change site configuration" msgstr "Site yapılandırmasını değiştir" #. TRANS: Main menu option when logged in and site admin for access to site configuration #. TRANS: Menu item in the group navigation page. Only shown for group administrators. -#: lib/action.php:502 lib/groupnav.php:117 +#: lib/action.php:551 lib/groupnav.php:117 msgctxt "MENU" msgid "Admin" msgstr "Yönetim" #. TRANS: Tooltip for main menu option "Invite" -#: lib/action.php:506 +#: lib/action.php:555 #, php-format msgctxt "TOOLTIP" msgid "Invite friends and colleagues to join you on %s" @@ -6155,138 +6237,139 @@ msgstr "" "edin" #. TRANS: Main menu option when logged in and invitations are allowed for inviting new users -#: lib/action.php:509 +#: lib/action.php:558 msgctxt "MENU" msgid "Invite" msgstr "Davet et" #. TRANS: Tooltip for main menu option "Logout" -#: lib/action.php:515 +#: lib/action.php:564 msgctxt "TOOLTIP" msgid "Logout from the site" msgstr "" #. TRANS: Main menu option when logged in to log out the current user -#: lib/action.php:518 +#: lib/action.php:567 #, fuzzy msgctxt "MENU" msgid "Logout" msgstr "Çıkış" #. TRANS: Tooltip for main menu option "Register" -#: lib/action.php:523 +#: lib/action.php:572 msgctxt "TOOLTIP" msgid "Create an account" msgstr "Bir hesap oluştur" #. TRANS: Main menu option when not logged in to register a new account -#: lib/action.php:526 +#: lib/action.php:575 msgctxt "MENU" msgid "Register" msgstr "Kayıt" #. TRANS: Tooltip for main menu option "Login" -#: lib/action.php:529 +#: lib/action.php:578 msgctxt "TOOLTIP" msgid "Login to the site" msgstr "Siteye giriş" #. TRANS: Main menu option when not logged in to log in -#: lib/action.php:532 +#: lib/action.php:581 msgctxt "MENU" msgid "Login" msgstr "Giriş" #. TRANS: Tooltip for main menu option "Help" -#: lib/action.php:535 +#: lib/action.php:584 msgctxt "TOOLTIP" msgid "Help me!" msgstr "Bana yardım et!" #. TRANS: Main menu option for help on the StatusNet site -#: lib/action.php:538 +#: lib/action.php:587 msgctxt "MENU" msgid "Help" msgstr "Yardım" #. TRANS: Tooltip for main menu option "Search" -#: lib/action.php:541 +#: lib/action.php:590 msgctxt "TOOLTIP" msgid "Search for people or text" msgstr "Kişi ya da yazılar için arama yap" #. TRANS: Main menu option when logged in or when the StatusNet instance is not private -#: lib/action.php:544 +#: lib/action.php:593 msgctxt "MENU" msgid "Search" msgstr "Ara" #. TRANS: DT element for site notice. String is hidden in default CSS. #. TRANS: Menu item for site administration -#: lib/action.php:566 lib/adminpanelaction.php:387 +#: lib/action.php:615 lib/adminpanelaction.php:387 #, fuzzy msgid "Site notice" msgstr "Yeni durum mesajı" #. TRANS: DT element for local views block. String is hidden in default CSS. -#: lib/action.php:633 +#: lib/action.php:682 msgid "Local views" msgstr "" #. TRANS: DT element for page notice. String is hidden in default CSS. -#: lib/action.php:703 +#: lib/action.php:752 #, fuzzy msgid "Page notice" msgstr "Yeni durum mesajı" #. TRANS: DT element for secondary navigation menu. String is hidden in default CSS. -#: lib/action.php:804 +#: lib/action.php:853 #, fuzzy msgid "Secondary site navigation" msgstr "Abonelikler" #. TRANS: Secondary navigation menu option leading to help on StatusNet. -#: lib/action.php:810 +#: lib/action.php:859 msgid "Help" msgstr "Yardım" #. TRANS: Secondary navigation menu option leading to text about StatusNet site. -#: lib/action.php:813 +#: lib/action.php:862 msgid "About" msgstr "Hakkında" #. TRANS: Secondary navigation menu option leading to Frequently Asked Questions. -#: lib/action.php:816 +#: lib/action.php:865 msgid "FAQ" msgstr "SSS" #. TRANS: Secondary navigation menu option leading to Terms of Service. -#: lib/action.php:821 +#: lib/action.php:870 msgid "TOS" msgstr "" #. TRANS: Secondary navigation menu option leading to privacy policy. -#: lib/action.php:825 +#: lib/action.php:874 msgid "Privacy" msgstr "Gizlilik" -#. TRANS: Secondary navigation menu option. -#: lib/action.php:828 +#. TRANS: Secondary navigation menu option. Leads to information about StatusNet and its license. +#: lib/action.php:877 msgid "Source" msgstr "Kaynak" -#. TRANS: Secondary navigation menu option leading to contact information on the StatusNet site. -#: lib/action.php:834 +#. TRANS: Secondary navigation menu option leading to e-mail contact information on the +#. TRANS: StatusNet site, where to report bugs, ... +#: lib/action.php:884 msgid "Contact" msgstr "İletişim" -#. TRANS: Secondary navigation menu option. -#: lib/action.php:837 +#. TRANS: Secondary navigation menu option. Leads to information about embedding a timeline widget. +#: lib/action.php:887 msgid "Badge" msgstr "" #. TRANS: DT element for StatusNet software license. -#: lib/action.php:866 +#: lib/action.php:916 msgid "StatusNet software license" msgstr "StatusNet yazılım lisansı" @@ -6294,7 +6377,7 @@ msgstr "StatusNet yazılım lisansı" #. TRANS: Text between [] is a link description, text between () is the link itself. #. TRANS: Make sure there is no whitespace between "]" and "(". #. TRANS: "%%site.broughtby%%" is the value of the variable site.broughtby -#: lib/action.php:873 +#: lib/action.php:923 #, fuzzy, php-format msgid "" "**%%site.name%%** is a microblogging service brought to you by [%%site." @@ -6304,7 +6387,7 @@ msgstr "" "hazırlanan anında mesajlaşma ağıdır. " #. TRANS: First sentence of the StatusNet site license. Used if 'broughtby' is not set. -#: lib/action.php:876 +#: lib/action.php:926 #, php-format msgid "**%%site.name%%** is a microblogging service." msgstr "**%%site.name%%** bir aninda mesajlaşma sosyal ağıdır." @@ -6313,7 +6396,7 @@ msgstr "**%%site.name%%** bir aninda mesajlaşma sosyal ağıdır." #. TRANS: Make sure there is no whitespace between "]" and "(". #. TRANS: Text between [] is a link description, text between () is the link itself. #. TRANS: %s is the version of StatusNet that is being used. -#: lib/action.php:883 +#: lib/action.php:933 #, php-format msgid "" "It runs the [StatusNet](http://status.net/) microblogging software, version %" @@ -6325,50 +6408,50 @@ msgstr "" "microbloglama yazılımının %s. versiyonunu kullanmaktadır." #. TRANS: DT element for StatusNet site content license. -#: lib/action.php:899 +#: lib/action.php:949 msgid "Site content license" msgstr "Site içeriği lisansı" #. TRANS: Content license displayed when license is set to 'private'. #. TRANS: %1$s is the site name. -#: lib/action.php:906 +#: lib/action.php:956 #, php-format msgid "Content and data of %1$s are private and confidential." msgstr "" #. TRANS: Content license displayed when license is set to 'allrightsreserved'. #. TRANS: %1$s is the copyright owner. -#: lib/action.php:913 +#: lib/action.php:963 #, php-format msgid "Content and data copyright by %1$s. All rights reserved." msgstr "" #. TRANS: Content license displayed when license is set to 'allrightsreserved' and no owner is set. -#: lib/action.php:917 +#: lib/action.php:967 msgid "Content and data copyright by contributors. All rights reserved." msgstr "" #. TRANS: license message in footer. #. TRANS: %1$s is the site name, %2$s is a link to the license URL, with a licence name set in configuration. -#: lib/action.php:949 +#: lib/action.php:999 #, php-format msgid "All %1$s content and data are available under the %2$s license." msgstr "" #. TRANS: DT element for pagination (previous/next, etc.). -#: lib/action.php:1285 +#: lib/action.php:1335 msgid "Pagination" msgstr "" #. TRANS: Pagination message to go to a page displaying information more in the #. TRANS: present than the currently displayed information. -#: lib/action.php:1296 +#: lib/action.php:1346 msgid "After" msgstr "Sonra" #. TRANS: Pagination message to go to a page displaying information more in the #. TRANS: past than the currently displayed information. -#: lib/action.php:1306 +#: lib/action.php:1356 msgid "Before" msgstr "Önce" @@ -6717,7 +6800,7 @@ msgid "AJAX error" msgstr "" #. TRANS: E-mail subject when a command has completed. -#: lib/channel.php:233 lib/mailhandler.php:142 +#: lib/channel.php:233 lib/mailhandler.php:143 msgid "Command complete" msgstr "" @@ -6733,7 +6816,7 @@ msgstr "" #. TRANS: Command exception text shown when a last user notice is requested and it does not exist. #. TRANS: Error text shown when a last user notice is requested and it does not exist. -#: lib/command.php:99 lib/command.php:626 +#: lib/command.php:99 lib/command.php:630 #, fuzzy msgid "User has no last notice." msgstr "Kullanıcının profili yok." @@ -6800,6 +6883,14 @@ msgstr "" msgid "%1$s left group %2$s." msgstr "" +#. TRANS: Whois output. +#. TRANS: %1$s nickname of the queried user, %2$s is their profile URL. +#: lib/command.php:426 +#, fuzzy, php-format +msgctxt "WHOIS" +msgid "%1$s (%2$s)" +msgstr "%1$s'in %2$s'deki durum mesajları " + #. TRANS: Whois output. %s is the full name of the queried user. #: lib/command.php:430 #, php-format @@ -6837,131 +6928,133 @@ msgid "" "same server." msgstr "" -#. TRANS: Message given if content is too long. +#. TRANS: Message given if content is too long. %1$sd is used for plural. #. TRANS: %1$d is the maximum number of characters, %2$d is the number of submitted characters. #: lib/command.php:488 -#, php-format -msgid "Message too long - maximum is %1$d characters, you sent %2$d." -msgstr "" +#, fuzzy, php-format +msgid "Message too long - maximum is %1$d character, you sent %2$d." +msgid_plural "Message too long - maximum is %1$d characters, you sent %2$d." +msgstr[0] "Bu çok uzun. Maksimum durum mesajı boyutu %d karakterdir." #. TRANS: Error text shown sending a direct message fails with an unknown reason. -#: lib/command.php:514 +#: lib/command.php:516 #, fuzzy msgid "Error sending direct message." msgstr "Kullanıcı ayarlamada hata oluştu." #. TRANS: Message given having repeated a notice from another user. #. TRANS: %s is the name of the user for which the notice was repeated. -#: lib/command.php:551 +#: lib/command.php:553 #, fuzzy, php-format msgid "Notice from %s repeated." msgstr "Durum mesajları" #. TRANS: Error text shown when repeating a notice fails with an unknown reason. -#: lib/command.php:554 +#: lib/command.php:556 msgid "Error repeating notice." msgstr "Kullanıcı ayarlamada hata oluştu." -#. TRANS: Message given if content of a notice for a reply is too long. +#. TRANS: Message given if content of a notice for a reply is too long. %1$d is used for plural. #. TRANS: %1$d is the maximum number of characters, %2$d is the number of submitted characters. -#: lib/command.php:589 -#, php-format -msgid "Notice too long - maximum is %1$d characters, you sent %2$d." -msgstr "" +#: lib/command.php:591 +#, fuzzy, php-format +msgid "Notice too long - maximum is %1$d character, you sent %2$d." +msgid_plural "Notice too long - maximum is %1$d characters, you sent %2$d." +msgstr[0] "Bu çok uzun. Maksimum durum mesajı boyutu %d karakterdir." #. TRANS: Text shown having sent a reply to a notice successfully. #. TRANS: %s is the nickname of the user of the notice the reply was sent to. -#: lib/command.php:600 +#: lib/command.php:604 #, fuzzy, php-format msgid "Reply to %s sent." msgstr "%s için cevaplar" #. TRANS: Error text shown when a reply to a notice fails with an unknown reason. -#: lib/command.php:603 +#: lib/command.php:607 #, fuzzy msgid "Error saving notice." msgstr "Durum mesajını kaydederken hata oluştu." #. TRANS: Error text shown when no username was provided when issuing a subscribe command. -#: lib/command.php:650 +#: lib/command.php:654 msgid "Specify the name of the user to subscribe to." msgstr "" #. TRANS: Command exception text shown when trying to subscribe to an OMB profile using the subscribe command. -#: lib/command.php:659 +#: lib/command.php:663 #, fuzzy msgid "Can't subscribe to OMB profiles by command." msgstr "Bize o profili yollamadınız" #. TRANS: Text shown after having subscribed to another user successfully. #. TRANS: %s is the name of the user the subscription was requested for. -#: lib/command.php:667 +#: lib/command.php:671 #, php-format msgid "Subscribed to %s." msgstr "" #. TRANS: Error text shown when no username was provided when issuing an unsubscribe command. #. TRANS: Error text shown when no username was provided when issuing the command. -#: lib/command.php:688 lib/command.php:799 +#: lib/command.php:692 lib/command.php:803 msgid "Specify the name of the user to unsubscribe from." msgstr "" #. TRANS: Text shown after having unsubscribed from another user successfully. #. TRANS: %s is the name of the user the unsubscription was requested for. -#: lib/command.php:699 +#: lib/command.php:703 #, php-format msgid "Unsubscribed from %s." msgstr "" #. TRANS: Error text shown when issuing the command "off" with a setting which has not yet been implemented. #. TRANS: Error text shown when issuing the command "on" with a setting which has not yet been implemented. -#: lib/command.php:719 lib/command.php:745 +#: lib/command.php:723 lib/command.php:749 msgid "Command not yet implemented." msgstr "" #. TRANS: Text shown when issuing the command "off" successfully. -#: lib/command.php:723 +#: lib/command.php:727 #, fuzzy msgid "Notification off." msgstr "Onay kodu yok." #. TRANS: Error text shown when the command "off" fails for an unknown reason. -#: lib/command.php:726 +#: lib/command.php:730 msgid "Can't turn off notification." msgstr "" #. TRANS: Text shown when issuing the command "on" successfully. -#: lib/command.php:749 +#: lib/command.php:753 #, fuzzy msgid "Notification on." msgstr "Onay kodu yok." #. TRANS: Error text shown when the command "on" fails for an unknown reason. -#: lib/command.php:752 +#: lib/command.php:756 msgid "Can't turn on notification." msgstr "" #. TRANS: Error text shown when issuing the login command while login is disabled. -#: lib/command.php:766 +#: lib/command.php:770 msgid "Login command is disabled." msgstr "" #. TRANS: Text shown after issuing the login command successfully. #. TRANS: %s is a logon link.. -#: lib/command.php:779 +#: lib/command.php:783 #, php-format msgid "This link is useable only once and is valid for only 2 minutes: %s." msgstr "" #. TRANS: Text shown after issuing the lose command successfully (stop another user from following the current user). #. TRANS: %s is the name of the user the unsubscription was requested for. -#: lib/command.php:808 +#: lib/command.php:812 #, php-format msgid "Unsubscribed %s." msgstr "" #. TRANS: Text shown after requesting other users a user is subscribed to without having any subscriptions. -#: lib/command.php:826 +#: lib/command.php:830 #, fuzzy msgid "You are not subscribed to anyone." msgstr "Bize o profili yollamadınız" @@ -6969,14 +7062,14 @@ msgstr "Bize o profili yollamadınız" #. TRANS: Text shown after requesting other users a user is subscribed to. #. TRANS: This message supports plural forms. This message is followed by a #. TRANS: hard coded space and a comma separated list of subscribed users. -#: lib/command.php:831 +#: lib/command.php:835 msgid "You are subscribed to this person:" msgid_plural "You are subscribed to these people:" msgstr[0] "Bize o profili yollamadınız" #. TRANS: Text shown after requesting other users that are subscribed to a user #. TRANS: (followers) without having any subscribers. -#: lib/command.php:853 +#: lib/command.php:857 #, fuzzy msgid "No one is subscribed to you." msgstr "Uzaktan abonelik" @@ -6984,14 +7077,14 @@ msgstr "Uzaktan abonelik" #. TRANS: Text shown after requesting other users that are subscribed to a user (followers). #. TRANS: This message supports plural forms. This message is followed by a #. TRANS: hard coded space and a comma separated list of subscribing users. -#: lib/command.php:858 +#: lib/command.php:862 msgid "This person is subscribed to you:" msgid_plural "These people are subscribed to you:" msgstr[0] "Uzaktan abonelik" #. TRANS: Text shown after requesting groups a user is subscribed to without having #. TRANS: any group subscriptions. -#: lib/command.php:880 +#: lib/command.php:884 #, fuzzy msgid "You are not a member of any groups." msgstr "Bize o profili yollamadınız" @@ -6999,13 +7092,13 @@ msgstr "Bize o profili yollamadınız" #. TRANS: Text shown after requesting groups a user is subscribed to. #. TRANS: This message supports plural forms. This message is followed by a #. TRANS: hard coded space and a comma separated list of subscribed groups. -#: lib/command.php:885 +#: lib/command.php:889 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" #. TRANS: Help text for commands. Do not translate the command names themselves; they are fixed strings. -#: lib/command.php:900 +#: lib/command.php:904 msgid "" "Commands:\n" "on - turn on notifications\n" @@ -7200,7 +7293,7 @@ msgstr "" #: lib/groupeditform.php:163 #, fuzzy -msgid "URL of the homepage or blog of the group or topic" +msgid "URL of the homepage or blog of the group or topic." msgstr "" "Web Sitenizin, blogunuzun ya da varsa başka bir sitedeki profilinizin adresi" @@ -7211,19 +7304,25 @@ msgstr "Kendinizi ve ilgi alanlarınızı 140 karakter ile anlatın" #: lib/groupeditform.php:170 #, fuzzy, php-format -msgid "Describe the group or topic in %d characters" -msgstr "Kendinizi ve ilgi alanlarınızı 140 karakter ile anlatın" +msgid "Describe the group or topic in %d character or less" +msgid_plural "Describe the group or topic in %d characters or less" +msgstr[0] "Kendinizi ve ilgi alanlarınızı 140 karakter ile anlatın" -#: lib/groupeditform.php:179 +#: lib/groupeditform.php:182 #, fuzzy msgid "" -"Location for the group, if any, like \"City, State (or Region), Country\"" +"Location for the group, if any, like \"City, State (or Region), Country\"." msgstr "Bulunduğunuz yer, \"Şehir, Eyalet (veya Bölge), Ülke\" gibi" -#: lib/groupeditform.php:187 +#: lib/groupeditform.php:190 #, php-format -msgid "Extra nicknames for the group, comma- or space- separated, max %d" -msgstr "" +msgid "" +"Extra nicknames for the group, separated with commas or spaces. Maximum %d " +"alias allowed." +msgid_plural "" +"Extra nicknames for the group, separated with commas or spaces. Maximum %d " +"aliases allowed." +msgstr[0] "" #. TRANS: Menu item in the group navigation page. #: lib/groupnav.php:86 @@ -7687,7 +7786,7 @@ msgstr "Yanlış IM adresi." msgid "Sorry, no incoming email allowed." msgstr "" -#: lib/mailhandler.php:228 +#: lib/mailhandler.php:229 #, fuzzy, php-format msgid "Unsupported message type: %s" msgstr "Desteklenmeyen görüntü dosyası biçemi." @@ -8043,17 +8142,18 @@ msgid "Sandbox this user" msgstr "Böyle bir kullanıcı yok." #. TRANS: Fieldset legend for the search form. -#: lib/searchaction.php:121 +#: lib/searchaction.php:120 #, fuzzy msgid "Search site" msgstr "Ara" #. TRANS: Used as a field label for the field where one or more keywords #. TRANS: for searching can be entered. -#: lib/searchaction.php:129 +#: lib/searchaction.php:128 msgid "Keyword(s)" msgstr "" +#. TRANS: Button text for searching site. #: lib/searchaction.php:130 msgctxt "BUTTON" msgid "Search" @@ -8147,8 +8247,8 @@ msgid "The theme file is missing or the upload failed." msgstr "" #: lib/themeuploader.php:91 lib/themeuploader.php:102 -#: lib/themeuploader.php:278 lib/themeuploader.php:282 -#: lib/themeuploader.php:290 lib/themeuploader.php:297 +#: lib/themeuploader.php:279 lib/themeuploader.php:283 +#: lib/themeuploader.php:291 lib/themeuploader.php:298 #, fuzzy msgid "Failed saving theme." msgstr "Avatar güncellemede hata." @@ -8159,29 +8259,31 @@ msgstr "" #: lib/themeuploader.php:166 #, php-format -msgid "Uploaded theme is too large; must be less than %d bytes uncompressed." -msgstr "" +msgid "Uploaded theme is too large; must be less than %d byte uncompressed." +msgid_plural "" +"Uploaded theme is too large; must be less than %d bytes uncompressed." +msgstr[0] "" -#: lib/themeuploader.php:178 +#: lib/themeuploader.php:179 msgid "Invalid theme archive: missing file css/display.css" msgstr "" -#: lib/themeuploader.php:218 +#: lib/themeuploader.php:219 msgid "" "Theme contains invalid file or folder name. Stick with ASCII letters, " "digits, underscore, and minus sign." msgstr "" -#: lib/themeuploader.php:224 +#: lib/themeuploader.php:225 msgid "Theme contains unsafe file extension names; may be unsafe." msgstr "" -#: lib/themeuploader.php:241 +#: lib/themeuploader.php:242 #, php-format msgid "Theme contains file of type '.%s', which is not allowed." msgstr "" -#: lib/themeuploader.php:259 +#: lib/themeuploader.php:260 #, fuzzy msgid "Error opening theme archive." msgstr "Uzaktaki profili güncellemede hata oluştu" @@ -8364,23 +8466,36 @@ msgid "Message too long. Maximum is %1$d character, you sent %2$d." msgid_plural "Message too long. Maximum is %1$d characters, you sent %2$d." msgstr[0] "Bu çok uzun. Maksimum durum mesajı boyutu %d karakterdir." -#: scripts/restoreuser.php:82 +#. TRANS: Commandline script output. %s is the filename that contains a backup for a user. +#: scripts/restoreuser.php:61 #, php-format -msgid "Backup file for user %s (%s)" +msgid "Getting backup from file '%s'." msgstr "" -#: scripts/restoreuser.php:88 +#. TRANS: Commandline script output. +#: scripts/restoreuser.php:91 #, fuzzy msgid "No user specified; using backup user." msgstr "Yeni durum mesajı" -#: scripts/restoreuser.php:94 +#. TRANS: Commandline script output. %d is the number of entries in the activity stream in backup; used for plural. +#: scripts/restoreuser.php:98 #, php-format -msgid "%d entries in backup." -msgstr "" +msgid "%d entry in backup." +msgid_plural "%d entries in backup." +msgstr[0] "" -#~ msgid "Description is too long (max %d chars)." -#~ msgstr "Yer bilgisi çok uzun (azm: %d karakter)." +#, fuzzy +#~ msgid "Name is too long (maximum 255 chars)." +#~ msgstr "İsim çok uzun (maksimum: 255 karakter)." -#~ msgid "Too many aliases! Maximum %d." -#~ msgstr "Çok fazla diğerisim! En fazla %d." +#, fuzzy +#~ msgid "Organization is too long (maximum 255 chars)." +#~ msgstr "Organizasyon çok uzun (maksimum 255 karakter)." + +#~ msgid "That's too long. Max notice size is %d chars." +#~ msgstr "Bu çok uzun. Maksimum durum mesajı boyutu %d karakterdir." + +#~ msgid "Max notice size is %d chars, including attachment URL." +#~ msgstr "" +#~ "Maksimum durum mesajı boyutu, eklenti bağlantıları dahil %d karakterdir." diff --git a/locale/uk/LC_MESSAGES/statusnet.po b/locale/uk/LC_MESSAGES/statusnet.po index 4bd646cf35..370d97736c 100644 --- a/locale/uk/LC_MESSAGES/statusnet.po +++ b/locale/uk/LC_MESSAGES/statusnet.po @@ -12,18 +12,18 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet - Core\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-10-30 23:18+0000\n" -"PO-Revision-Date: 2010-10-30 23:20:50+0000\n" +"POT-Creation-Date: 2010-11-02 22:51+0000\n" +"PO-Revision-Date: 2010-11-02 22:53:47+0000\n" "Language-Team: Ukrainian \n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r75708); Translate extension (2010-09-17)\n" +"X-Generator: MediaWiki 1.17alpha (r75875); Translate extension (2010-09-17)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: uk\n" "X-Message-Group: #out-statusnet-core\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" -"X-POT-Import-Date: 2010-10-30 09:48:40+0000\n" +"X-POT-Import-Date: 2010-10-30 23:42:01+0000\n" #. TRANS: Page title for Access admin panel that allows configuring site access. #. TRANS: Menu item for site administration @@ -82,15 +82,20 @@ msgstr "Зберегти параметри доступу" #. TRANS: Tooltip for button to save access settings in site admin panel. #. TRANS: Button label to save e-mail preferences. #. TRANS: Button label to save IM preferences. +#. TRANS: Button text for saving "Other settings" in profile. #. TRANS: Button text to store form data in the Paths admin panel. #. TRANS: Button to save input in profile settings. +#. TRANS: Button text for saving site notice in admin panel. #. TRANS: Button label to save SMS preferences. #. TRANS: Save button for settings for a profile in a subscriptions list. +#. TRANS: Button text to save user settings in user admin panel. #. TRANS: Button label in the "Edit application" form. #: actions/accessadminpanel.php:193 actions/emailsettings.php:228 -#: actions/imsettings.php:187 actions/pathsadminpanel.php:512 -#: actions/profilesettings.php:201 actions/smssettings.php:209 -#: actions/subscriptions.php:246 lib/applicationeditform.php:355 +#: actions/imsettings.php:187 actions/othersettings.php:134 +#: actions/pathsadminpanel.php:512 actions/profilesettings.php:201 +#: actions/sitenoticeadminpanel.php:197 actions/smssettings.php:209 +#: actions/subscriptions.php:246 actions/useradminpanel.php:298 +#: lib/applicationeditform.php:355 lib/groupeditform.php:207 msgctxt "BUTTON" msgid "Save" msgstr "Зберегти" @@ -141,7 +146,7 @@ msgstr "Немає такої сторінки." #: 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:93 actions/userrss.php:40 -#: actions/xrds.php:71 lib/command.php:495 lib/galleryaction.php:59 +#: actions/xrds.php:71 lib/command.php:497 lib/galleryaction.php:59 #: lib/mailbox.php:82 lib/profileaction.php:77 msgid "No such user." msgstr "Такого користувача немає." @@ -212,7 +217,9 @@ msgstr "" #. TRANS: Encoutagement displayed on empty timeline user pages for anonymous users. #. TRANS: %s is a user nickname. This message contains Markdown links. Keep "](" together. -#: actions/all.php:155 actions/replies.php:210 actions/showstream.php:208 +#. TRANS: Second sentence of empty message for anonymous users. %s is a user nickname. +#. TRANS: This message contains a Markdown link. Keep "](" together. +#: actions/all.php:155 actions/replies.php:210 actions/showstream.php:227 #, php-format msgid "" "Why not [register an account](%%%%action.register%%%%) and then nudge %s or " @@ -572,8 +579,11 @@ msgstr "Повне ім’я надто довге (не більше 255 сим #. TRANS: Group edit form validation error. #. TRANS: Form validation error in New application form. #. TRANS: %d is the maximum number of characters for the description. +#. TRANS: Group create form validation error. +#. TRANS: %d is the maximum number of allowed characters. #: actions/apigroupcreate.php:220 actions/editapplication.php:201 #: actions/editgroup.php:216 actions/newapplication.php:178 +#: actions/newgroup.php:152 #, php-format msgid "Description is too long (maximum %d character)." msgid_plural "Description is too long (maximum %d characters)." @@ -731,14 +741,14 @@ msgstr "Токен запиту вже авторизовано." #. TRANS: Form validation error in API OAuth authorisation because of an invalid session token. #: actions/apioauthauthorize.php:147 actions/avatarsettings.php:280 -#: actions/deletenotice.php:172 actions/disfavor.php:74 +#: actions/deletenotice.php:177 actions/disfavor.php:74 #: actions/emailsettings.php:271 actions/favor.php:75 actions/geocode.php:55 #: actions/groupblock.php:66 actions/grouplogo.php:312 #: actions/groupunblock.php:65 actions/imsettings.php:230 #: actions/invite.php:59 actions/login.php:137 actions/makeadmin.php:66 #: actions/newmessage.php:135 actions/newnotice.php:105 actions/nudge.php:80 #: actions/oauthappssettings.php:165 actions/oauthconnectionssettings.php:138 -#: actions/othersettings.php:145 actions/passwordsettings.php:138 +#: actions/othersettings.php:153 actions/passwordsettings.php:138 #: actions/profilesettings.php:221 actions/recoverpassword.php:350 #: actions/register.php:172 actions/remotesubscribe.php:77 #: actions/repeat.php:83 actions/smssettings.php:256 actions/subedit.php:40 @@ -918,20 +928,21 @@ msgstr "Ви не можете видалити статус іншого кор #. TRANS: Client error displayed trying to repeat a non-existing notice through the API. #. TRANS: Client error displayed trying to display redents of a non-exiting notice. +#. TRANS: Error message displayed trying to delete a non-existing notice. #: actions/apistatusesretweet.php:74 actions/apistatusesretweets.php:70 -#: actions/deletenotice.php:58 actions/shownotice.php:92 +#: actions/deletenotice.php:61 actions/shownotice.php:92 msgid "No such notice." msgstr "Такого допису немає." #. TRANS: Client error displayed trying to repeat an own notice through the API. #. TRANS: Error text shown when trying to repeat an own notice. -#: actions/apistatusesretweet.php:83 lib/command.php:535 +#: actions/apistatusesretweet.php:83 lib/command.php:537 msgid "Cannot repeat your own notice." msgstr "Не можна повторювати власні дописи." #. TRANS: Client error displayed trying to re-repeat a notice through the API. #. TRANS: Error text shown when trying to repeat an notice that was already repeated by the user. -#: actions/apistatusesretweet.php:92 lib/command.php:541 +#: actions/apistatusesretweet.php:92 lib/command.php:543 msgid "Already repeated that notice." msgstr "Цей допис вже повторено." @@ -952,7 +963,8 @@ msgstr "Клієнт мусить надати параметр «статус» #. TRANS: Client error displayed when the parameter "status" is missing. #. TRANS: %d is the maximum number of character for a notice. -#: actions/apistatusesupdate.php:244 +#: actions/apistatusesupdate.php:244 actions/newnotice.php:161 +#: lib/mailhandler.php:60 #, php-format msgid "That's too long. Maximum notice size is %d character." msgid_plural "That's too long. Maximum notice size is %d characters." @@ -967,7 +979,7 @@ msgstr "Початковий допис не знайдено." #. TRANS: Client error displayed exceeding the maximum notice length. #. TRANS: %d is the maximum lenth for a notice. -#: actions/apistatusesupdate.php:308 +#: actions/apistatusesupdate.php:308 actions/newnotice.php:184 #, php-format msgid "Maximum notice size is %d character, including attachment URL." msgid_plural "Maximum notice size is %d characters, including attachment URL." @@ -1149,21 +1161,18 @@ msgstr "Перегляд" #. TRANS: Button on avatar upload page to delete current avatar. #: actions/avatarsettings.php:155 -#, fuzzy msgctxt "BUTTON" msgid "Delete" msgstr "Видалити" #. TRANS: Button on avatar upload page to upload an avatar. #: actions/avatarsettings.php:173 -#, fuzzy msgctxt "BUTTON" msgid "Upload" msgstr "Завантажити" #. TRANS: Button on avatar upload crop form to confirm a selected crop as avatar. #: actions/avatarsettings.php:243 -#, fuzzy msgctxt "BUTTON" msgid "Crop" msgstr "Втяти" @@ -1183,17 +1192,18 @@ msgstr "Оберіть квадратну ділянку зображення, msgid "Lost our file data." msgstr "Дані вашого файлу загублено." -#: actions/avatarsettings.php:384 +#. TRANS: Success message for having updated a user avatar. +#: actions/avatarsettings.php:385 msgid "Avatar updated." msgstr "Аватару оновлено." #. TRANS: Error displayed on the avatar upload page if the avatar could not be updated for an unknown reason. -#: actions/avatarsettings.php:388 +#: actions/avatarsettings.php:389 msgid "Failed updating avatar." msgstr "Оновлення аватари невдале." #. TRANS: Success message for deleting a user avatar. -#: actions/avatarsettings.php:412 +#: actions/avatarsettings.php:413 msgid "Avatar deleted." msgstr "Аватару видалено." @@ -1225,8 +1235,8 @@ msgstr "" #. TRANS: Button label on the delete notice form. #. TRANS: Button label on the delete user form. #. TRANS: Button label on the form to block a user from a group. -#: actions/block.php:154 actions/deleteapplication.php:154 -#: actions/deletegroup.php:220 actions/deletenotice.php:150 +#: actions/block.php:154 actions/deleteapplication.php:157 +#: actions/deletegroup.php:220 actions/deletenotice.php:155 #: actions/deleteuser.php:152 actions/groupblock.php:178 msgctxt "BUTTON" msgid "No" @@ -1244,8 +1254,8 @@ msgstr "Не блокувати цього користувача" #. TRANS: Button label on the delete notice form. #. TRANS: Button label on the delete user form. #. TRANS: Button label on the form to block a user from a group. -#: actions/block.php:161 actions/deleteapplication.php:161 -#: actions/deletegroup.php:227 actions/deletenotice.php:157 +#: actions/block.php:161 actions/deleteapplication.php:164 +#: actions/deletegroup.php:227 actions/deletenotice.php:162 #: actions/deleteuser.php:159 actions/groupblock.php:185 msgctxt "BUTTON" msgid "Yes" @@ -1313,7 +1323,6 @@ msgstr "Розблокувати користувача" #. TRANS: Button text for unblocking a user from a group. #: actions/blockedfromgroup.php:323 -#, fuzzy msgctxt "BUTTON" msgid "Unblock" msgstr "Розблокувати" @@ -1362,12 +1371,13 @@ msgstr "Цю адресу вже підтверджено." #. TRANS: Server error thrown on database error removing a registered e-mail address. #. TRANS: Server error thrown on database error updating IM preferences. #. TRANS: Server error thrown on database error removing a registered IM address. +#. TRANS: Server error displayed when "Other" settings in user profile could not be updated on the server. #. TRANS: Server error thrown when user profile settings could not be updated. #. TRANS: Server error thrown on database error updating SMS preferences. #. TRANS: Server error thrown on database error removing a registered SMS phone number. #: actions/confirmaddress.php:118 actions/emailsettings.php:331 #: actions/emailsettings.php:477 actions/imsettings.php:283 -#: actions/imsettings.php:442 actions/othersettings.php:174 +#: actions/imsettings.php:442 actions/othersettings.php:184 #: actions/profilesettings.php:326 actions/smssettings.php:308 #: actions/smssettings.php:464 msgid "Couldn't update user." @@ -1376,9 +1386,8 @@ msgstr "Не вдалося оновити користувача." #. TRANS: Server error displayed when an address confirmation code deletion from the #. TRANS: database fails in the contact address confirmation action. #: actions/confirmaddress.php:132 -#, fuzzy msgid "Could not delete address confirmation." -msgstr "Не вдалося видалити підтвердження ІМ." +msgstr "Не вдалося видалити адресу підтвердження." #. TRANS: Title for the contact address confirmation action. #: actions/confirmaddress.php:150 @@ -1403,16 +1412,19 @@ msgstr "Розмова" msgid "Notices" msgstr "Дописи" -#: actions/deleteapplication.php:63 +#. TRANS: Client error displayed trying to delete an application while not logged in. +#: actions/deleteapplication.php:62 msgid "You must be logged in to delete an application." msgstr "Ви маєте спочатку увійти, аби мати змогу видалити додаток." +#. TRANS: Client error displayed trying to delete an application that does not exist. #: actions/deleteapplication.php:71 msgid "Application not found." msgstr "Додаток не виявлено." +#. TRANS: Client error displayed trying to delete an application the current user does not own. #. TRANS: Client error displayed trying to edit an application while not being its owner. -#: actions/deleteapplication.php:78 actions/editapplication.php:78 +#: actions/deleteapplication.php:79 actions/editapplication.php:78 #: actions/showapplication.php:94 msgid "You are not the owner of this application." msgstr "Ви не є власником цього додатку." @@ -1420,15 +1432,18 @@ msgstr "Ви не є власником цього додатку." #. TRANS: Client error text when there is a problem with the session token. #: actions/deleteapplication.php:102 actions/editapplication.php:131 #: actions/newapplication.php:114 actions/showapplication.php:118 -#: lib/action.php:1354 +#: lib/action.php:1404 msgid "There was a problem with your session token." msgstr "Виникли певні проблеми з токеном поточної сесії." -#: actions/deleteapplication.php:123 actions/deleteapplication.php:147 +#. TRANS: Title for delete application page. +#. TRANS: Fieldset legend on delete application page. +#: actions/deleteapplication.php:124 actions/deleteapplication.php:149 msgid "Delete application" msgstr "Видалити додаток" -#: actions/deleteapplication.php:149 +#. TRANS: Confirmation text on delete application page. +#: actions/deleteapplication.php:152 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 " @@ -1439,12 +1454,12 @@ msgstr "" "додатку користувачів." #. TRANS: Submit button title for 'No' when deleting an application. -#: actions/deleteapplication.php:158 +#: actions/deleteapplication.php:161 msgid "Do not delete this application" msgstr "Не видаляти додаток" #. TRANS: Submit button title for 'Yes' when deleting an application. -#: actions/deleteapplication.php:164 +#: actions/deleteapplication.php:167 msgid "Delete this application" msgstr "Видалити додаток" @@ -1478,12 +1493,13 @@ msgstr "Не вдалося видалити спільноту %s." msgid "Deleted group %s" msgstr "Спільноту %s видалено" -#. TRANS: Title. +#. TRANS: Title of delete group page. #. TRANS: Form legend for deleting a group. #: actions/deletegroup.php:176 actions/deletegroup.php:202 msgid "Delete group" msgstr "Видалити спільноту" +#. TRANS: Warning in form for deleleting a group. #: actions/deletegroup.php:206 msgid "" "Are you sure you want to delete this group? This will clear all data about " @@ -1504,10 +1520,11 @@ msgstr "Не видаляти цю спільноту" msgid "Delete this group" msgstr "Видалити спільноту" +#. TRANS: Error message displayed trying to delete a notice while not logged in. #. TRANS: Client error displayed when trying to unblock a user from a group while not logged in. #. TRANS: Client error displayed trying a change a subscription while not logged in. #. TRANS: Client error message thrown when trying to access the admin panel while not logged in. -#: actions/deletenotice.php:50 actions/disfavor.php:61 actions/favor.php:62 +#: actions/deletenotice.php:52 actions/disfavor.php:61 actions/favor.php:62 #: actions/groupblock.php:61 actions/groupunblock.php:60 actions/logout.php:69 #: actions/makeadmin.php:61 actions/newmessage.php:87 actions/newnotice.php:88 #: actions/nudge.php:63 actions/subedit.php:33 actions/subscribe.php:96 @@ -1517,31 +1534,36 @@ msgstr "Видалити спільноту" msgid "Not logged in." msgstr "Не увійшли." -#: actions/deletenotice.php:74 +#. TRANS: Error message displayed trying to delete a notice that was not made by the current user. +#: actions/deletenotice.php:78 msgid "Can't delete this notice." msgstr "Не можна видалити цей допис." -#: actions/deletenotice.php:106 +#. TRANS: Instructions for deleting a notice. +#: actions/deletenotice.php:110 msgid "" "You are about to permanently delete a notice. Once this is done, it cannot " "be undone." msgstr "Ви видаляєте допис назавжди. Ця дія є незворотною." -#: actions/deletenotice.php:112 actions/deletenotice.php:144 +#. TRANS: Page title when deleting a notice. +#. TRANS: Fieldset legend for the delete notice form. +#: actions/deletenotice.php:117 actions/deletenotice.php:148 msgid "Delete notice" msgstr "Видалити допис" -#: actions/deletenotice.php:147 +#. TRANS: Message for the delete notice form. +#: actions/deletenotice.php:152 msgid "Are you sure you want to delete this notice?" msgstr "Ви впевненні, що бажаєте видалити цей допис?" #. TRANS: Submit button title for 'No' when deleting a notice. -#: actions/deletenotice.php:154 +#: actions/deletenotice.php:159 msgid "Do not delete this notice" msgstr "Не видаляти цей допис" #. TRANS: Submit button title for 'Yes' when deleting a notice. -#: actions/deletenotice.php:161 lib/noticelist.php:667 +#: actions/deletenotice.php:166 lib/noticelist.php:667 msgid "Delete this notice" msgstr "Видалити допис" @@ -1703,11 +1725,9 @@ msgstr "Повернутись до початкових налаштувань" #. TRANS: Submit button title. #: actions/designadminpanel.php:711 actions/licenseadminpanel.php:319 -#: actions/othersettings.php:126 actions/sessionsadminpanel.php:199 -#: actions/siteadminpanel.php:292 actions/sitenoticeadminpanel.php:195 +#: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:292 #: actions/snapshotadminpanel.php:245 actions/tagother.php:154 -#: actions/useradminpanel.php:295 lib/applicationeditform.php:357 -#: lib/designsettings.php:256 lib/groupeditform.php:202 +#: lib/applicationeditform.php:357 lib/designsettings.php:256 msgid "Save" msgstr "Зберегти" @@ -1755,8 +1775,9 @@ msgid "Name is required." msgstr "Потрібне ім’я." #. TRANS: Validation error shown when providing too long a name in the "Edit application" form. -#: actions/editapplication.php:188 -msgid "Name is too long (max 255 characters)." +#: actions/editapplication.php:188 actions/newapplication.php:169 +#, fuzzy +msgid "Name is too long (maximum 255 characters)." msgstr "Ім’я задовге (не більше 255 знаків)." #. TRANS: Validation error shown when providing a name for an application that already exists in the "Edit application" form. @@ -1785,7 +1806,7 @@ msgid "Organization is required." msgstr "Потрібна організація." #. TRANS: Validation error shown when providing too long an arganisation name in the "Edit application" form. -#: actions/editapplication.php:223 +#: actions/editapplication.php:223 actions/newapplication.php:199 msgid "Organization is too long (maximum 255 characters)." msgstr "Назва організації надто довга (не більше 255 знаків)." @@ -2585,7 +2606,7 @@ msgid "Publish a MicroID for my Jabber/GTalk address." msgstr "Позначати міткою MicroID мою адресу Jabber/GTalk." #. TRANS: Confirmation message for successful IM preferences save. -#: actions/imsettings.php:290 actions/othersettings.php:180 +#: actions/imsettings.php:290 actions/othersettings.php:190 msgid "Preferences saved." msgstr "Преференції збережно." @@ -2708,10 +2729,9 @@ msgstr[2] "Ви вже підписані до цих користувачів:" #. TRANS: Used as list item for already subscribed users (%1$s is nickname, %2$s is e-mail address). #. TRANS: Used as list item for already registered people (%1$s is nickname, %2$s is e-mail address). -#. TRANS: Whois output. -#. TRANS: %1$s nickname of the queried user, %2$s is their profile URL. -#: actions/invite.php:145 actions/invite.php:159 lib/command.php:426 -#, php-format +#: actions/invite.php:145 actions/invite.php:159 +#, fuzzy, php-format +msgctxt "INVITE" msgid "%1$s (%2$s)" msgstr "%1$s (%2$s)" @@ -2901,7 +2921,8 @@ msgstr "" "використовувати варіант «Всі права захищені»." #: actions/licenseadminpanel.php:156 -msgid "Invalid license title. Max length is 255 characters." +#, fuzzy +msgid "Invalid license title. Maximum length is 255 characters." msgstr "Помилковий назва ліцензії. Максимальна довжина — 255 символів." #: actions/licenseadminpanel.php:168 @@ -3078,18 +3099,10 @@ msgstr "Ви маєте спочатку увійти, аби мати змог msgid "Use this form to register a new application." msgstr "Скористайтесь цією формою, щоб зареєструвати новий додаток." -#: actions/newapplication.php:169 -msgid "Name is too long (maximum 255 chars)." -msgstr "Ім’я надто довге (не більше 255 символів)." - #: actions/newapplication.php:184 msgid "Source URL is required." msgstr "Потрібна URL-адреса." -#: actions/newapplication.php:199 -msgid "Organization is too long (maximum 255 chars)." -msgstr "Назва організації надто довга (не більше 255 знаків)." - #: actions/newapplication.php:266 actions/newapplication.php:275 msgid "Could not create application." msgstr "Не вдалося створити додаток." @@ -3109,14 +3122,14 @@ msgid "New message" msgstr "Нове повідомлення" #. TRANS: Error text shown when trying to send a direct message to a user without a mutual subscription (each user must be subscribed to the other). -#: actions/newmessage.php:121 actions/newmessage.php:164 lib/command.php:499 +#: actions/newmessage.php:121 actions/newmessage.php:164 lib/command.php:501 msgid "You can't send a message to this user." msgstr "Ви не можете надіслати повідомлення цьому користувачеві." #. TRANS: Command exception text shown when trying to send a direct message to another user without content. #. TRANS: Command exception text shown when trying to reply to a notice without providing content for the reply. #: actions/newmessage.php:144 actions/newnotice.php:140 lib/command.php:478 -#: lib/command.php:579 +#: lib/command.php:581 msgid "No content!" msgstr "Немає змісту!" @@ -3125,7 +3138,7 @@ msgid "No recipient specified." msgstr "Жодного отримувача не визначено." #. TRANS: Error text shown when trying to send a direct message to self. -#: actions/newmessage.php:167 lib/command.php:503 +#: actions/newmessage.php:167 lib/command.php:505 msgid "" "Don't send a message to yourself; just say it to yourself quietly instead." msgstr "" @@ -3137,12 +3150,12 @@ msgstr "Повідомлення надіслано" #. TRANS: Message given have sent a direct message to another user. #. TRANS: %s is the name of the other user. -#: actions/newmessage.php:188 lib/command.php:511 +#: actions/newmessage.php:188 lib/command.php:513 #, php-format msgid "Direct message to %s sent." msgstr "Пряме повідомлення для %s надіслано." -#: actions/newmessage.php:213 actions/newnotice.php:263 +#: actions/newmessage.php:213 actions/newnotice.php:264 msgid "Ajax Error" msgstr "Помилка в Ajax" @@ -3150,19 +3163,7 @@ msgstr "Помилка в Ajax" msgid "New notice" msgstr "Новий допис" -#: actions/newnotice.php:159 lib/mailhandler.php:60 -#, php-format -msgid "That's too long. Max notice size is %d chars." -msgstr "Надто довго. Максимальний розмір допису — %d знаків." - -#: actions/newnotice.php:183 -#, php-format -msgid "Max notice size is %d chars, including attachment URL." -msgstr "" -"Максимальна довжина допису становить %d знаків, включно з URL-адресою " -"вкладення." - -#: actions/newnotice.php:229 +#: actions/newnotice.php:230 msgid "Notice posted" msgstr "Допис надіслано" @@ -3334,36 +3335,46 @@ msgstr "Пошук людей" msgid "Notice Search" msgstr "Пошук дописів" -#: actions/othersettings.php:60 +#: actions/othersettings.php:59 msgid "Other settings" msgstr "Інші опції" +#. TRANS: Instructions for tab "Other" in user profile settings. #: actions/othersettings.php:71 msgid "Manage various other options." msgstr "Керування деякими іншими опціями." -#: actions/othersettings.php:108 +#. TRANS: Used as a suffix for free URL shorteners in a dropdown list in the tab "Other" of a +#. TRANS: user's profile settings. This message has one space at the beginning. Use your +#. TRANS: language's word separator here if it has one (most likely a single space). +#: actions/othersettings.php:111 msgid " (free service)" msgstr " (вільний сервіс)" -#: actions/othersettings.php:116 +#. TRANS: Label for dropdown with URL shortener services. +#: actions/othersettings.php:120 msgid "Shorten URLs with" msgstr "Скорочення URL" -#: actions/othersettings.php:117 +#. TRANS: Tooltip for for dropdown with URL shortener services. +#: actions/othersettings.php:122 msgid "Automatic shortening service to use." msgstr "Доступні сервіси." -#: actions/othersettings.php:122 +#. TRANS: Label for checkbox. +#: actions/othersettings.php:128 msgid "View profile designs" msgstr "Переглядати дизайн користувачів" -#: actions/othersettings.php:123 +#. TRANS: Tooltip for checkbox. +#: actions/othersettings.php:130 msgid "Show or hide profile designs." msgstr "Показувати або приховувати дизайни сторінок окремих користувачів." -#: actions/othersettings.php:153 -msgid "URL shortening service is too long (max 50 chars)." +#. TRANS: Form validation error for form "Other settings" in user profile. +#: actions/othersettings.php:162 +#, fuzzy +msgid "URL shortening service is too long (maximum 50 characters)." msgstr "Сервіс скорочення URL-адрес надто довгий (50 знаків максимум)." #: actions/otp.php:69 @@ -3834,7 +3845,7 @@ msgstr "Про себе" #. TRANS: Label for group location (dt). Text hidden by default. #: actions/profilesettings.php:149 actions/register.php:485 #: actions/showgroup.php:267 actions/tagother.php:112 -#: actions/userauthorization.php:166 lib/groupeditform.php:177 +#: actions/userauthorization.php:166 lib/groupeditform.php:180 #: lib/userprofile.php:165 msgid "Location" msgstr "Розташування" @@ -4175,7 +4186,8 @@ msgid "Unexpected password reset." msgstr "Несподіване скидання паролю." #: actions/recoverpassword.php:365 -msgid "Password must be 6 chars or more." +#, fuzzy +msgid "Password must be 6 characters or more." msgstr "Пароль має складатись з 6-ти або більше знаків." #: actions/recoverpassword.php:369 @@ -4550,7 +4562,7 @@ msgstr "Організація" #. TRANS: Form input field label. #: actions/showapplication.php:187 actions/version.php:200 -#: lib/applicationeditform.php:208 lib/groupeditform.php:172 +#: lib/applicationeditform.php:208 lib/groupeditform.php:175 msgid "Description" msgstr "Опис" @@ -4702,7 +4714,7 @@ msgid "Note" msgstr "Зауваження" #. TRANS: Label for group aliases (dt). Text hidden by default. -#: actions/showgroup.php:298 lib/groupeditform.php:184 +#: actions/showgroup.php:298 lib/groupeditform.php:187 msgid "Aliases" msgstr "Додаткові імена" @@ -4754,14 +4766,12 @@ msgstr "Всі учасники" #. TRANS: Label for creation date in statistics on group page. #: actions/showgroup.php:458 -#, fuzzy msgctxt "LABEL" msgid "Created" msgstr "Створено" #. TRANS: Label for member count in statistics on group page. #: actions/showgroup.php:466 -#, fuzzy msgctxt "LABEL" msgid "Members" msgstr "Учасники" @@ -4835,47 +4845,67 @@ msgstr "Повідомлення від %1$s на %2$s" msgid "Notice deleted." msgstr "Допис видалено." -#: actions/showstream.php:72 -#, php-format -msgid " tagged %s" -msgstr " позначено з %s" +#. TRANS: Page title showing tagged notices in one user's stream. %1$s is the username, %2$s is the hash tag. +#: actions/showstream.php:70 +#, fuzzy, php-format +msgid "%1$s tagged %2$s" +msgstr "%1$s, сторінка %2$d" -#: actions/showstream.php:78 +#. TRANS: Page title showing tagged notices in one user's stream. +#. TRANS: %1$s is the username, %2$s is the hash tag, %1$d is the page number. +#: actions/showstream.php:74 +#, fuzzy, php-format +msgid "%1$s tagged %2$s, page %3$d" +msgstr "Дописи з теґом %1$s, сторінка %2$d" + +#. TRANS: Extended page title showing tagged notices in one user's stream. +#. TRANS: %1$s is the username, %2$d is the page number. +#: actions/showstream.php:82 #, php-format msgid "%1$s, page %2$d" msgstr "%1$s, сторінка %2$d" -#: actions/showstream.php:120 +#. TRANS: Title for link to notice feed. +#. TRANS: %1$s is a user nickname, %2$s is a hashtag. +#: actions/showstream.php:127 #, php-format msgid "Notice feed for %1$s tagged %2$s (RSS 1.0)" msgstr "Стрічка дописів %1$s з теґом «%2$s» (RSS 1.0)" -#: actions/showstream.php:127 +#. TRANS: Title for link to notice feed. +#. TRANS: %s is a user nickname. +#: actions/showstream.php:136 #, php-format msgid "Notice feed for %s (RSS 1.0)" msgstr "Стрічка дописів для %s (RSS 1.0)" -#: actions/showstream.php:134 +#. TRANS: Title for link to notice feed. +#. TRANS: %s is a user nickname. +#: actions/showstream.php:145 #, php-format msgid "Notice feed for %s (RSS 2.0)" msgstr "Стрічка дописів для %s (RSS 2.0)" -#: actions/showstream.php:141 +#: actions/showstream.php:152 #, php-format msgid "Notice feed for %s (Atom)" msgstr "Стрічка дописів для %s (Atom)" -#: actions/showstream.php:146 +#. TRANS: Title for link to notice feed. FOAF stands for Friend of a Friend. +#. TRANS: More information at http://www.foaf-project.org. %s is a user nickname. +#: actions/showstream.php:159 #, php-format msgid "FOAF for %s" msgstr "FOAF для %s" -#: actions/showstream.php:197 -#, php-format -msgid "This is the timeline for %1$s but %2$s hasn't posted anything yet." +#. TRANS: First sentence of empty list message for a stream. $1%s is a user nickname. +#: actions/showstream.php:211 +#, fuzzy, php-format +msgid "This is the timeline for %1$s, but %1$s hasn't posted anything yet." msgstr "Це стрічка дописів %1$s, але %2$s ще нічого не написав." -#: actions/showstream.php:202 +#. TRANS: Second sentence of empty list message for a stream for the user themselves. +#: actions/showstream.php:217 msgid "" "Seen anything interesting recently? You haven't posted any notices yet, now " "would be a good time to start :)" @@ -4883,7 +4913,9 @@ msgstr "" "Побачили щось цікаве нещодавно? Ви ще нічого не написали і це слушна нагода " "аби розпочати! :)" -#: actions/showstream.php:204 +#. TRANS: Second sentence of empty list message for a non-self stream. %1$s is a user nickname, %2$s is a part of a URL. +#. TRANS: This message contains a Markdown link. Keep "](" together. +#: actions/showstream.php:221 #, php-format msgid "" "You can try to nudge %1$s or [post something to them](%%%%action.newnotice%%%" @@ -4892,7 +4924,9 @@ msgstr "" "Ви можете «розштовхати» %1$s або [щось йому написати](%%%%action.newnotice%%%" "%?status_textarea=%2$s)." -#: actions/showstream.php:243 +#. TRANS: Announcement for anonymous users showing a stream if site registrations are open. +#. TRANS: This message contains a Markdown link. Keep "](" together. +#: actions/showstream.php:264 #, php-format msgid "" "**%s** has an account on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -4906,7 +4940,9 @@ msgstr "" "register%%%%) зараз і слідкуйте за дописами **%s**, також на вас чекає " "багато іншого! ([Дізнатися більше](%%%%doc.help%%%%))" -#: actions/showstream.php:248 +#. TRANS: Announcement for anonymous users showing a stream if site registrations are closed or invite only. +#. TRANS: This message contains a Markdown link. Keep "](" together. +#: actions/showstream.php:271 #, php-format msgid "" "**%s** has an account on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -4917,7 +4953,8 @@ msgstr "" "(http://uk.wikipedia.org/wiki/Мікроблогінг), який працює на вільному " "програмному забезпеченні [StatusNet](http://status.net/). " -#: actions/showstream.php:305 +#. TRANS: Link to the author of a repeated notice. %s is a linked nickname. +#: actions/showstream.php:328 #, php-format msgid "Repeat of %s" msgstr "Повторення за %s" @@ -5033,32 +5070,41 @@ msgstr "" "Як довго користувачі мають зачекати (в секундах) аби надіслати той самий " "допис ще раз." -#: actions/sitenoticeadminpanel.php:56 +#. TRANS: Page title for site-wide notice tab in admin panel. +#: actions/sitenoticeadminpanel.php:55 msgid "Site Notice" msgstr "Повідомлення сайту" -#: actions/sitenoticeadminpanel.php:67 +#. TRANS: Instructions for site-wide notice tab in admin panel. +#: actions/sitenoticeadminpanel.php:66 msgid "Edit site-wide message" msgstr "Змінити повідомлення сайту" -#: actions/sitenoticeadminpanel.php:103 +#. TRANS: Server error displayed when saving a site-wide notice was impossible. +#: actions/sitenoticeadminpanel.php:101 msgid "Unable to save site notice." msgstr "Не вдається зберегти повідомлення сайту." -#: actions/sitenoticeadminpanel.php:113 -msgid "Max length for the site-wide notice is 255 chars." +#. TRANS: Client error displayed when a site-wide notice was longer than allowed. +#: actions/sitenoticeadminpanel.php:112 +#, fuzzy +msgid "Maximum length for the site-wide notice is 255 characters." msgstr "Максимальна довжина повідомлення сайту становить 255 символів." +#. TRANS: Label for site-wide notice text field in admin panel. #: actions/sitenoticeadminpanel.php:176 msgid "Site notice text" msgstr "Текст повідомлення" -#: actions/sitenoticeadminpanel.php:178 -msgid "Site-wide notice text (255 chars max; HTML okay)" +#. TRANS: Tooltip for site-wide notice text field in admin panel. +#: actions/sitenoticeadminpanel.php:179 +#, fuzzy +msgid "Site-wide notice text (255 characters maximum; HTML allowed)" msgstr "" "Текст повідомлення сайту (255 символів максимум; деякий HTML дозволено)" -#: actions/sitenoticeadminpanel.php:198 +#. TRANS: Title for button to save site notice in admin panel. +#: actions/sitenoticeadminpanel.php:201 msgid "Save site notice" msgstr "Зберегти повідомлення сайту" @@ -5520,76 +5566,94 @@ msgid "" msgstr "Ліцензія «%1$s» не відповідає ліцензії сайту «%2$s»." #. TRANS: User admin panel title -#: actions/useradminpanel.php:60 +#: actions/useradminpanel.php:58 msgctxt "TITLE" msgid "User" msgstr "Користувач" -#: actions/useradminpanel.php:71 +#. TRANS: Instruction for user admin panel. +#: actions/useradminpanel.php:69 msgid "User settings for this StatusNet site" msgstr "Налаштування користувача даного сайту StatusNet" -#: actions/useradminpanel.php:150 +#. TRANS: Form validation error in user admin panel when a non-numeric character limit was set. +#: actions/useradminpanel.php:147 msgid "Invalid bio limit. Must be numeric." msgstr "Помилкове обмеження біо. Це мають бути цифри." -#: actions/useradminpanel.php:156 -msgid "Invalid welcome text. Max length is 255 characters." +#. TRANS: Form validation error in user admin panel when welcome text is too long. +#: actions/useradminpanel.php:154 +#, fuzzy +msgid "Invalid welcome text. Maximum length is 255 characters." msgstr "Помилковий текст привітання. Максимальна довжина — 255 символів." +#. TRANS: Client error displayed when trying to set a non-existing user as default subscription for new +#. TRANS: users in user admin panel. %1$s is the invalid nickname. #: actions/useradminpanel.php:166 -#, php-format -msgid "Invalid default subscripton: '%1$s' is not user." +#, fuzzy, php-format +msgid "Invalid default subscripton: '%1$s' is not a user." msgstr "Помилкова підписка за замовчуванням: «%1$s» не є користувачем." #. TRANS: Link description in user account settings menu. -#: actions/useradminpanel.php:219 lib/accountsettingsaction.php:106 +#: actions/useradminpanel.php:215 lib/accountsettingsaction.php:106 #: lib/personalgroupnav.php:109 msgid "Profile" msgstr "Профіль" -#: actions/useradminpanel.php:223 +#. TRANS: Field label in user admin panel for setting the character limit for the bio field. +#: actions/useradminpanel.php:220 msgid "Bio Limit" msgstr "Обмеження біо" -#: actions/useradminpanel.php:224 +#. TRANS: Tooltip in user admin panel for setting the character limit for the bio field. +#: actions/useradminpanel.php:222 msgid "Maximum length of a profile bio in characters." msgstr "Максимальна довжина біо користувача в знаках." -#: actions/useradminpanel.php:232 +#. TRANS: Form legend in user admin panel. +#: actions/useradminpanel.php:231 msgid "New users" msgstr "Нові користувачі" +#. TRANS: Field label in user admin panel for setting new user welcome text. #: actions/useradminpanel.php:236 msgid "New user welcome" msgstr "Привітання нового користувача" -#: actions/useradminpanel.php:237 -msgid "Welcome text for new users (Max 255 chars)." +#. TRANS: Tooltip in user admin panel for setting new user welcome text. +#: actions/useradminpanel.php:238 +#, fuzzy +msgid "Welcome text for new users (maximum 255 characters)." msgstr "Текст привітання нових користувачів (255 знаків)." -#: actions/useradminpanel.php:242 +#. TRANS: Field label in user admin panel for setting default subscription for new users. +#: actions/useradminpanel.php:244 msgid "Default subscription" msgstr "Підписка за замовчуванням" -#: actions/useradminpanel.php:243 +#. TRANS: Tooltip in user admin panel for setting default subscription for new users. +#: actions/useradminpanel.php:246 msgid "Automatically subscribe new users to this user." msgstr "Автоматично підписувати нових користувачів до цього користувача." -#: actions/useradminpanel.php:252 +#. TRANS: Form legend in user admin panel. +#: actions/useradminpanel.php:256 msgid "Invitations" msgstr "Запрошення" -#: actions/useradminpanel.php:257 +#. TRANS: Field label for checkbox in user admin panel for allowing users to invite friend using site e-mail. +#: actions/useradminpanel.php:262 msgid "Invitations enabled" msgstr "Запрошення скасовано" -#: actions/useradminpanel.php:259 +#. TRANS: Tooltip for checkbox in user admin panel for allowing users to invite friend using site e-mail. +#: actions/useradminpanel.php:265 msgid "Whether to allow users to invite new users." msgstr "" "В той чи інший спосіб дозволити користувачам вітати нових користувачів." -#: actions/useradminpanel.php:295 +#. TRANS: Title for button to save user settings in user admin panel. +#: actions/useradminpanel.php:302 msgid "Save user settings" msgstr "Зберегти налаштування користувача" @@ -5802,7 +5866,7 @@ msgid "Plugins" msgstr "Додатки" #. TRANS: Secondary navigation menu option leading to version information on the StatusNet site. -#: actions/version.php:198 lib/action.php:831 +#: actions/version.php:198 lib/action.php:880 msgid "Version" msgstr "Версія" @@ -6011,16 +6075,23 @@ msgstr "Не вдалося зберегти відповідь для %1$d, %2$ msgid "RT @%1$s %2$s" msgstr "RT @%1$s %2$s" +#. TRANS: Full name of a profile or group followed by nickname in parens +#: classes/Profile.php:164 +#, fuzzy, php-format +msgctxt "FANCYNAME" +msgid "%1$s (%2$s)" +msgstr "%1$s (%2$s)" + #. TRANS: Exception thrown when trying to revoke an existing role for a user that does not exist. #. TRANS: %1$s is the role name, %2$s is the user ID (number). -#: classes/Profile.php:791 +#: classes/Profile.php:812 #, php-format msgid "Cannot revoke role \"%1$s\" for user #%2$d; does not exist." msgstr "Не вдалося скасувати роль «%s» для користувача #%2$s; не існує." #. TRANS: Exception thrown when trying to revoke a role for a user with a failing database query. #. TRANS: %1$s is the role name, %2$s is the user ID (number). -#: classes/Profile.php:800 +#: classes/Profile.php:821 #, php-format msgid "Cannot revoke role \"%1$s\" for user #%2$d; database error." msgstr "" @@ -6166,194 +6237,201 @@ msgstr "%1$s — %2$s" msgid "Untitled page" msgstr "Сторінка без заголовку" +#. TRANS: Localized tooltip for '...' expansion button on overlong remote messages. +#: lib/action.php:310 +msgctxt "TOOLTIP" +msgid "Show more" +msgstr "" + #. TRANS: DT element for primary navigation menu. String is hidden in default CSS. -#: lib/action.php:477 +#: lib/action.php:526 msgid "Primary site navigation" msgstr "Відправна навігація по сайту" #. TRANS: Tooltip for main menu option "Personal" -#: lib/action.php:483 +#: lib/action.php:532 msgctxt "TOOLTIP" msgid "Personal profile and friends timeline" msgstr "Персональний профіль і стрічка друзів" #. TRANS: Main menu option when logged in for access to personal profile and friends timeline -#: lib/action.php:486 +#: lib/action.php:535 msgctxt "MENU" msgid "Personal" msgstr "Особисте" #. TRANS: Tooltip for main menu option "Account" -#: lib/action.php:488 +#: lib/action.php:537 msgctxt "TOOLTIP" msgid "Change your email, avatar, password, profile" msgstr "Змінити електронну адресу, аватару, пароль, профіль" #. TRANS: Main menu option when logged in for access to user settings -#: lib/action.php:491 +#: lib/action.php:540 msgid "Account" msgstr "Акаунт" #. TRANS: Tooltip for main menu option "Services" -#: lib/action.php:493 +#: lib/action.php:542 msgctxt "TOOLTIP" msgid "Connect to services" msgstr "З’єднання з сервісами" #. TRANS: Main menu option when logged in and connection are possible for access to options to connect to other services -#: lib/action.php:496 +#: lib/action.php:545 msgid "Connect" msgstr "З’єднання" #. TRANS: Tooltip for menu option "Admin" -#: lib/action.php:499 +#: lib/action.php:548 msgctxt "TOOLTIP" msgid "Change site configuration" msgstr "Змінити конфігурацію сайту" #. TRANS: Main menu option when logged in and site admin for access to site configuration #. TRANS: Menu item in the group navigation page. Only shown for group administrators. -#: lib/action.php:502 lib/groupnav.php:117 +#: lib/action.php:551 lib/groupnav.php:117 msgctxt "MENU" msgid "Admin" msgstr "Адмін" #. TRANS: Tooltip for main menu option "Invite" -#: lib/action.php:506 +#: lib/action.php:555 #, php-format msgctxt "TOOLTIP" msgid "Invite friends and colleagues to join you on %s" msgstr "Запросіть друзів та колег приєднатись до вас на %s" #. TRANS: Main menu option when logged in and invitations are allowed for inviting new users -#: lib/action.php:509 +#: lib/action.php:558 msgctxt "MENU" msgid "Invite" msgstr "Запросити" #. TRANS: Tooltip for main menu option "Logout" -#: lib/action.php:515 +#: lib/action.php:564 msgctxt "TOOLTIP" msgid "Logout from the site" msgstr "Вийти з сайту" #. TRANS: Main menu option when logged in to log out the current user -#: lib/action.php:518 +#: lib/action.php:567 msgctxt "MENU" msgid "Logout" msgstr "Вийти" #. TRANS: Tooltip for main menu option "Register" -#: lib/action.php:523 +#: lib/action.php:572 msgctxt "TOOLTIP" msgid "Create an account" msgstr "Створити новий акаунт" #. TRANS: Main menu option when not logged in to register a new account -#: lib/action.php:526 +#: lib/action.php:575 msgctxt "MENU" msgid "Register" msgstr "Реєстрація" #. TRANS: Tooltip for main menu option "Login" -#: lib/action.php:529 +#: lib/action.php:578 msgctxt "TOOLTIP" msgid "Login to the site" msgstr "Увійти на сайт" #. TRANS: Main menu option when not logged in to log in -#: lib/action.php:532 +#: lib/action.php:581 msgctxt "MENU" msgid "Login" msgstr "Увійти" #. TRANS: Tooltip for main menu option "Help" -#: lib/action.php:535 +#: lib/action.php:584 msgctxt "TOOLTIP" msgid "Help me!" msgstr "Допоможіть!" #. TRANS: Main menu option for help on the StatusNet site -#: lib/action.php:538 +#: lib/action.php:587 msgctxt "MENU" msgid "Help" msgstr "Довідка" #. TRANS: Tooltip for main menu option "Search" -#: lib/action.php:541 +#: lib/action.php:590 msgctxt "TOOLTIP" msgid "Search for people or text" msgstr "Пошук людей або текстів" #. TRANS: Main menu option when logged in or when the StatusNet instance is not private -#: lib/action.php:544 +#: lib/action.php:593 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:566 lib/adminpanelaction.php:387 +#: lib/action.php:615 lib/adminpanelaction.php:387 msgid "Site notice" msgstr "Об’яви на сайті" #. TRANS: DT element for local views block. String is hidden in default CSS. -#: lib/action.php:633 +#: lib/action.php:682 msgid "Local views" msgstr "Огляд" #. TRANS: DT element for page notice. String is hidden in default CSS. -#: lib/action.php:703 +#: lib/action.php:752 msgid "Page notice" msgstr "Зауваження сторінки" #. TRANS: DT element for secondary navigation menu. String is hidden in default CSS. -#: lib/action.php:804 +#: lib/action.php:853 msgid "Secondary site navigation" msgstr "Другорядна навігація по сайту" #. TRANS: Secondary navigation menu option leading to help on StatusNet. -#: lib/action.php:810 +#: lib/action.php:859 msgid "Help" msgstr "Допомога" #. TRANS: Secondary navigation menu option leading to text about StatusNet site. -#: lib/action.php:813 +#: lib/action.php:862 msgid "About" msgstr "Про" #. TRANS: Secondary navigation menu option leading to Frequently Asked Questions. -#: lib/action.php:816 +#: lib/action.php:865 msgid "FAQ" msgstr "ЧаП" #. TRANS: Secondary navigation menu option leading to Terms of Service. -#: lib/action.php:821 +#: lib/action.php:870 msgid "TOS" msgstr "Умови" #. TRANS: Secondary navigation menu option leading to privacy policy. -#: lib/action.php:825 +#: lib/action.php:874 msgid "Privacy" msgstr "Приватність" -#. TRANS: Secondary navigation menu option. -#: lib/action.php:828 +#. TRANS: Secondary navigation menu option. Leads to information about StatusNet and its license. +#: lib/action.php:877 msgid "Source" msgstr "Джерело" -#. TRANS: Secondary navigation menu option leading to contact information on the StatusNet site. -#: lib/action.php:834 +#. TRANS: Secondary navigation menu option leading to e-mail contact information on the +#. TRANS: StatusNet site, where to report bugs, ... +#: lib/action.php:884 msgid "Contact" msgstr "Контакт" -#. TRANS: Secondary navigation menu option. -#: lib/action.php:837 +#. TRANS: Secondary navigation menu option. Leads to information about embedding a timeline widget. +#: lib/action.php:887 msgid "Badge" msgstr "Бедж" #. TRANS: DT element for StatusNet software license. -#: lib/action.php:866 +#: lib/action.php:916 msgid "StatusNet software license" msgstr "Ліцензія програмного забезпечення StatusNet" @@ -6361,7 +6439,7 @@ msgstr "Ліцензія програмного забезпечення StatusN #. TRANS: Text between [] is a link description, text between () is the link itself. #. TRANS: Make sure there is no whitespace between "]" and "(". #. TRANS: "%%site.broughtby%%" is the value of the variable site.broughtby -#: lib/action.php:873 +#: lib/action.php:923 #, php-format msgid "" "**%%site.name%%** is a microblogging service brought to you by [%%site." @@ -6371,7 +6449,7 @@ msgstr "" "site.broughtbyurl%%)." #. TRANS: First sentence of the StatusNet site license. Used if 'broughtby' is not set. -#: lib/action.php:876 +#: lib/action.php:926 #, php-format msgid "**%%site.name%%** is a microblogging service." msgstr "**%%site.name%%** — це сервіс мікроблоґів." @@ -6380,7 +6458,7 @@ msgstr "**%%site.name%%** — це сервіс мікроблоґів." #. TRANS: Make sure there is no whitespace between "]" and "(". #. TRANS: Text between [] is a link description, text between () is the link itself. #. TRANS: %s is the version of StatusNet that is being used. -#: lib/action.php:883 +#: lib/action.php:933 #, php-format msgid "" "It runs the [StatusNet](http://status.net/) microblogging software, version %" @@ -6392,51 +6470,51 @@ msgstr "" "License](http://www.fsf.org/licensing/licenses/agpl-3.0.html)." #. TRANS: DT element for StatusNet site content license. -#: lib/action.php:899 +#: lib/action.php:949 msgid "Site content license" msgstr "Ліцензія змісту сайту" #. TRANS: Content license displayed when license is set to 'private'. #. TRANS: %1$s is the site name. -#: lib/action.php:906 +#: lib/action.php:956 #, php-format msgid "Content and data of %1$s are private and confidential." msgstr "Зміст і дані %1$s є приватними і конфіденційними." #. TRANS: Content license displayed when license is set to 'allrightsreserved'. #. TRANS: %1$s is the copyright owner. -#: lib/action.php:913 +#: lib/action.php:963 #, php-format msgid "Content and data copyright by %1$s. All rights reserved." msgstr "Авторські права на зміст і дані належать %1$s. Всі права захищено." #. TRANS: Content license displayed when license is set to 'allrightsreserved' and no owner is set. -#: lib/action.php:917 +#: lib/action.php:967 msgid "Content and data copyright by contributors. All rights reserved." msgstr "" "Авторські права на зміст і дані належать розробникам. Всі права захищено." #. TRANS: license message in footer. #. TRANS: %1$s is the site name, %2$s is a link to the license URL, with a licence name set in configuration. -#: lib/action.php:949 +#: lib/action.php:999 #, php-format msgid "All %1$s content and data are available under the %2$s license." msgstr "Весь зміст і дані %1$s доступні на умовах ліцензії %2$s." #. TRANS: DT element for pagination (previous/next, etc.). -#: lib/action.php:1285 +#: lib/action.php:1335 msgid "Pagination" msgstr "Нумерація сторінок" #. TRANS: Pagination message to go to a page displaying information more in the #. TRANS: present than the currently displayed information. -#: lib/action.php:1296 +#: lib/action.php:1346 msgid "After" msgstr "Вперед" #. TRANS: Pagination message to go to a page displaying information more in the #. TRANS: past than the currently displayed information. -#: lib/action.php:1306 +#: lib/action.php:1356 msgid "Before" msgstr "Назад" @@ -6781,7 +6859,7 @@ msgid "AJAX error" msgstr "Помилка в Ajax" #. TRANS: E-mail subject when a command has completed. -#: lib/channel.php:233 lib/mailhandler.php:142 +#: lib/channel.php:233 lib/mailhandler.php:143 msgid "Command complete" msgstr "Команду виконано" @@ -6797,7 +6875,7 @@ msgstr "Допису з таким id не існує." #. TRANS: Command exception text shown when a last user notice is requested and it does not exist. #. TRANS: Error text shown when a last user notice is requested and it does not exist. -#: lib/command.php:99 lib/command.php:626 +#: lib/command.php:99 lib/command.php:630 msgid "User has no last notice." msgstr "Користувач не має останнього допису." @@ -6866,6 +6944,14 @@ msgstr "%1$s приєднався до спільноти %2$s." msgid "%1$s left group %2$s." msgstr "%1$s залишив спільноту %2$s." +#. TRANS: Whois output. +#. TRANS: %1$s nickname of the queried user, %2$s is their profile URL. +#: lib/command.php:426 +#, fuzzy, php-format +msgctxt "WHOIS" +msgid "%1$s (%2$s)" +msgstr "%1$s (%2$s)" + #. TRANS: Whois output. %s is the full name of the queried user. #: lib/command.php:430 #, php-format @@ -6905,116 +6991,128 @@ msgstr "" "%s — це віддалений профіль; ви можете надсилати приватні повідомлення лише " "користувачам одного з вами сервісу." -#. TRANS: Message given if content is too long. +#. TRANS: Message given if content is too long. %1$sd is used for plural. #. TRANS: %1$d is the maximum number of characters, %2$d is the number of submitted characters. #: lib/command.php:488 -#, php-format -msgid "Message too long - maximum is %1$d characters, you sent %2$d." -msgstr "" +#, fuzzy, php-format +msgid "Message too long - maximum is %1$d character, you sent %2$d." +msgid_plural "Message too long - maximum is %1$d characters, you sent %2$d." +msgstr[0] "" +"Повідомлення надто довге, максимум становить %1$d символів, натомість ви " +"надсилаєте %2$d." +msgstr[1] "" +"Повідомлення надто довге, максимум становить %1$d символів, натомість ви " +"надсилаєте %2$d." +msgstr[2] "" "Повідомлення надто довге, максимум становить %1$d символів, натомість ви " "надсилаєте %2$d." #. TRANS: Error text shown sending a direct message fails with an unknown reason. -#: lib/command.php:514 +#: lib/command.php:516 msgid "Error sending direct message." msgstr "Помилка при відправці прямого повідомлення." #. TRANS: Message given having repeated a notice from another user. #. TRANS: %s is the name of the user for which the notice was repeated. -#: lib/command.php:551 +#: lib/command.php:553 #, php-format msgid "Notice from %s repeated." msgstr "Допису від %s вторували." #. TRANS: Error text shown when repeating a notice fails with an unknown reason. -#: lib/command.php:554 +#: lib/command.php:556 msgid "Error repeating notice." msgstr "Помилка при повторенні допису." -#. TRANS: Message given if content of a notice for a reply is too long. +#. TRANS: Message given if content of a notice for a reply is too long. %1$d is used for plural. #. TRANS: %1$d is the maximum number of characters, %2$d is the number of submitted characters. -#: lib/command.php:589 -#, php-format -msgid "Notice too long - maximum is %1$d characters, you sent %2$d." -msgstr "" +#: lib/command.php:591 +#, fuzzy, php-format +msgid "Notice too long - maximum is %1$d character, you sent %2$d." +msgid_plural "Notice too long - maximum is %1$d characters, you sent %2$d." +msgstr[0] "" +"Допис надто довгий, максимум становить %1$d символів, а ви надсилаєте %2$d." +msgstr[1] "" +"Допис надто довгий, максимум становить %1$d символів, а ви надсилаєте %2$d." +msgstr[2] "" "Допис надто довгий, максимум становить %1$d символів, а ви надсилаєте %2$d." #. TRANS: Text shown having sent a reply to a notice successfully. #. TRANS: %s is the nickname of the user of the notice the reply was sent to. -#: lib/command.php:600 +#: lib/command.php:604 #, php-format msgid "Reply to %s sent." msgstr "Відповідь для %s надіслано." #. TRANS: Error text shown when a reply to a notice fails with an unknown reason. -#: lib/command.php:603 +#: lib/command.php:607 msgid "Error saving notice." msgstr "Проблема при збереженні допису." #. TRANS: Error text shown when no username was provided when issuing a subscribe command. -#: lib/command.php:650 +#: lib/command.php:654 msgid "Specify the name of the user to subscribe to." msgstr "Зазначте ім’я користувача, до якого бажаєте підписатись." #. TRANS: Command exception text shown when trying to subscribe to an OMB profile using the subscribe command. -#: lib/command.php:659 +#: lib/command.php:663 msgid "Can't subscribe to OMB profiles by command." msgstr "Не можу підписатись до профілю OMB за командою." #. TRANS: Text shown after having subscribed to another user successfully. #. TRANS: %s is the name of the user the subscription was requested for. -#: lib/command.php:667 +#: lib/command.php:671 #, php-format msgid "Subscribed to %s." msgstr "Тепер ви підписані на дописи %s." #. TRANS: Error text shown when no username was provided when issuing an unsubscribe command. #. TRANS: Error text shown when no username was provided when issuing the command. -#: lib/command.php:688 lib/command.php:799 +#: lib/command.php:692 lib/command.php:803 msgid "Specify the name of the user to unsubscribe from." msgstr "Зазначте ім’я користувача, від якого бажаєте відписатись." #. TRANS: Text shown after having unsubscribed from another user successfully. #. TRANS: %s is the name of the user the unsubscription was requested for. -#: lib/command.php:699 +#: lib/command.php:703 #, php-format msgid "Unsubscribed from %s." msgstr "Підписку на дописи від %s скасовано." #. TRANS: Error text shown when issuing the command "off" with a setting which has not yet been implemented. #. TRANS: Error text shown when issuing the command "on" with a setting which has not yet been implemented. -#: lib/command.php:719 lib/command.php:745 +#: lib/command.php:723 lib/command.php:749 msgid "Command not yet implemented." msgstr "Виконання команди ще не завершено." #. TRANS: Text shown when issuing the command "off" successfully. -#: lib/command.php:723 +#: lib/command.php:727 msgid "Notification off." msgstr "Сповіщення вимкнуто." #. TRANS: Error text shown when the command "off" fails for an unknown reason. -#: lib/command.php:726 +#: lib/command.php:730 msgid "Can't turn off notification." msgstr "Не можна вимкнути сповіщення." #. TRANS: Text shown when issuing the command "on" successfully. -#: lib/command.php:749 +#: lib/command.php:753 msgid "Notification on." msgstr "Сповіщення увімкнуто." #. TRANS: Error text shown when the command "on" fails for an unknown reason. -#: lib/command.php:752 +#: lib/command.php:756 msgid "Can't turn on notification." msgstr "Не можна увімкнути сповіщення." #. TRANS: Error text shown when issuing the login command while login is disabled. -#: lib/command.php:766 +#: lib/command.php:770 msgid "Login command is disabled." msgstr "Команду входу відключено." #. TRANS: Text shown after issuing the login command successfully. #. TRANS: %s is a logon link.. -#: lib/command.php:779 +#: lib/command.php:783 #, php-format msgid "This link is useable only once and is valid for only 2 minutes: %s." msgstr "" @@ -7022,20 +7120,20 @@ msgstr "" #. TRANS: Text shown after issuing the lose command successfully (stop another user from following the current user). #. TRANS: %s is the name of the user the unsubscription was requested for. -#: lib/command.php:808 +#: lib/command.php:812 #, php-format msgid "Unsubscribed %s." msgstr "Підписку %s скасовано." #. TRANS: Text shown after requesting other users a user is subscribed to without having any subscriptions. -#: lib/command.php:826 +#: lib/command.php:830 msgid "You are not subscribed to anyone." msgstr "Ви не маєте жодних підписок." #. TRANS: Text shown after requesting other users a user is subscribed to. #. TRANS: This message supports plural forms. This message is followed by a #. TRANS: hard coded space and a comma separated list of subscribed users. -#: lib/command.php:831 +#: lib/command.php:835 msgid "You are subscribed to this person:" msgid_plural "You are subscribed to these people:" msgstr[0] "Ви підписані до цієї особи:" @@ -7044,14 +7142,14 @@ msgstr[2] "Ви підписані до цих людей:" #. TRANS: Text shown after requesting other users that are subscribed to a user #. TRANS: (followers) without having any subscribers. -#: lib/command.php:853 +#: lib/command.php:857 msgid "No one is subscribed to you." msgstr "Ніхто до вас не підписаний." #. TRANS: Text shown after requesting other users that are subscribed to a user (followers). #. TRANS: This message supports plural forms. This message is followed by a #. TRANS: hard coded space and a comma separated list of subscribing users. -#: lib/command.php:858 +#: lib/command.php:862 msgid "This person is subscribed to you:" msgid_plural "These people are subscribed to you:" msgstr[0] "Ця особа є підписаною до вас:" @@ -7060,14 +7158,14 @@ msgstr[2] "Ці люди підписані до вас:" #. TRANS: Text shown after requesting groups a user is subscribed to without having #. TRANS: any group subscriptions. -#: lib/command.php:880 +#: lib/command.php:884 msgid "You are not a member of any groups." msgstr "Ви не залучені до жодної спільноти." #. TRANS: Text shown after requesting groups a user is subscribed to. #. TRANS: This message supports plural forms. This message is followed by a #. TRANS: hard coded space and a comma separated list of subscribed groups. -#: lib/command.php:885 +#: lib/command.php:889 msgid "You are a member of this group:" msgid_plural "You are a member of these groups:" msgstr[0] "Ви є учасником спільноти:" @@ -7075,7 +7173,7 @@ msgstr[1] "Ви є учасником таких спільнот:" msgstr[2] "Ви є учасником таких спільнот:" #. TRANS: Help text for commands. Do not translate the command names themselves; they are fixed strings. -#: lib/command.php:900 +#: lib/command.php:904 msgid "" "Commands:\n" "on - turn on notifications\n" @@ -7302,7 +7400,8 @@ msgstr "" "1-64 літери нижнього регістру і цифри, ніякої пунктуації або інтервалів" #: lib/groupeditform.php:163 -msgid "URL of the homepage or blog of the group or topic" +#, fuzzy +msgid "URL of the homepage or blog of the group or topic." msgstr "URL-адреса веб-сторінки або тематичного блоґу сільноти" #: lib/groupeditform.php:168 @@ -7310,19 +7409,34 @@ msgid "Describe the group or topic" msgstr "Опишіть спільноту або тему" #: lib/groupeditform.php:170 -#, php-format -msgid "Describe the group or topic in %d characters" -msgstr "Опишіть спільноту або тему, вкладаючись у %d знаків" +#, fuzzy, php-format +msgid "Describe the group or topic in %d character or less" +msgid_plural "Describe the group or topic in %d characters or less" +msgstr[0] "Опишіть спільноту або тему, вкладаючись у %d знаків" +msgstr[1] "Опишіть спільноту або тему, вкладаючись у %d знаків" +msgstr[2] "Опишіть спільноту або тему, вкладаючись у %d знаків" -#: lib/groupeditform.php:179 +#: lib/groupeditform.php:182 +#, fuzzy msgid "" -"Location for the group, if any, like \"City, State (or Region), Country\"" +"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/groupeditform.php:190 +#, fuzzy, php-format +msgid "" +"Extra nicknames for the group, separated with commas or spaces. Maximum %d " +"alias allowed." +msgid_plural "" +"Extra nicknames for the group, separated with commas or spaces. Maximum %d " +"aliases allowed." +msgstr[0] "" +"Додаткові імена для спільноти, відокремлювати комами або пробілами, максимум " +"— %d імені" +msgstr[1] "" +"Додаткові імена для спільноти, відокремлювати комами або пробілами, максимум " +"— %d імені" +msgstr[2] "" "Додаткові імена для спільноти, відокремлювати комами або пробілами, максимум " "— %d імені" @@ -7454,30 +7568,30 @@ msgstr "Тип файлу не підтримується" #. TRANS: Number of megabytes. %d is the number. #: lib/imagefile.php:248 -#, fuzzy, php-format +#, php-format msgid "%dMB" msgid_plural "%dMB" -msgstr[0] "Мб" -msgstr[1] "Мб" -msgstr[2] "Мб" +msgstr[0] "%d Мб" +msgstr[1] "%d Мб" +msgstr[2] "%d Мб" #. TRANS: Number of kilobytes. %d is the number. #: lib/imagefile.php:252 -#, fuzzy, php-format +#, php-format msgid "%dkB" msgid_plural "%dkB" -msgstr[0] "кб" -msgstr[1] "кб" -msgstr[2] "кб" +msgstr[0] "%d кб" +msgstr[1] "%d кб" +msgstr[2] "%d кб" #. TRANS: Number of bytes. %d is the number. #: lib/imagefile.php:255 #, php-format msgid "%dB" msgid_plural "%dB" -msgstr[0] "" -msgstr[1] "" -msgstr[2] "" +msgstr[0] "%d б" +msgstr[1] "%d б" +msgstr[2] "%d б" #: lib/jabber.php:387 #, php-format @@ -7885,7 +7999,7 @@ msgid "Sorry, no incoming email allowed." msgstr "" "Вибачте, але не затверджено жодної електронної адреси для вхідної пошти." -#: lib/mailhandler.php:228 +#: lib/mailhandler.php:229 #, php-format msgid "Unsupported message type: %s" msgstr "Формат повідомлення не підтримується: %s" @@ -8231,16 +8345,17 @@ msgid "Sandbox this user" msgstr "Ізолювати, відіслати користувача гратися у пісочниці" #. TRANS: Fieldset legend for the search form. -#: lib/searchaction.php:121 +#: lib/searchaction.php:120 msgid "Search site" msgstr "Пошук" #. TRANS: Used as a field label for the field where one or more keywords #. TRANS: for searching can be entered. -#: lib/searchaction.php:129 +#: lib/searchaction.php:128 msgid "Keyword(s)" msgstr "Ключові слова" +#. TRANS: Button text for searching site. #: lib/searchaction.php:130 msgctxt "BUTTON" msgid "Search" @@ -8330,8 +8445,8 @@ msgid "The theme file is missing or the upload failed." msgstr "Файл теми відсутній, або стався збій при завантаженні." #: lib/themeuploader.php:91 lib/themeuploader.php:102 -#: lib/themeuploader.php:278 lib/themeuploader.php:282 -#: lib/themeuploader.php:290 lib/themeuploader.php:297 +#: lib/themeuploader.php:279 lib/themeuploader.php:283 +#: lib/themeuploader.php:291 lib/themeuploader.php:298 msgid "Failed saving theme." msgstr "Помилка при збереженні теми." @@ -8340,17 +8455,25 @@ msgid "Invalid theme: bad directory structure." msgstr "Невірна тема: хибна структура каталогів." #: lib/themeuploader.php:166 -#, php-format -msgid "Uploaded theme is too large; must be less than %d bytes uncompressed." -msgstr "" +#, fuzzy, php-format +msgid "Uploaded theme is too large; must be less than %d byte uncompressed." +msgid_plural "" +"Uploaded theme is too large; must be less than %d bytes uncompressed." +msgstr[0] "" +"Тема, що її було завантажено, надто велика; без компресії розмір має " +"становити менше ніж %d байтів." +msgstr[1] "" +"Тема, що її було завантажено, надто велика; без компресії розмір має " +"становити менше ніж %d байтів." +msgstr[2] "" "Тема, що її було завантажено, надто велика; без компресії розмір має " "становити менше ніж %d байтів." -#: lib/themeuploader.php:178 +#: lib/themeuploader.php:179 msgid "Invalid theme archive: missing file css/display.css" msgstr "В архіві з темою є помилка: відсутній файл css/display.css" -#: lib/themeuploader.php:218 +#: lib/themeuploader.php:219 msgid "" "Theme contains invalid file or folder name. Stick with ASCII letters, " "digits, underscore, and minus sign." @@ -8358,18 +8481,18 @@ msgstr "" "Тема містить неприпустиме ім’я файлу або теки. Використовуйте літери " "стандарту ASCII, цифри, знаки підкреслення та мінусу." -#: lib/themeuploader.php:224 +#: lib/themeuploader.php:225 msgid "Theme contains unsafe file extension names; may be unsafe." msgstr "" "У темі містяться файли, що мають небезпечні розширення; це може виявитися " "небезпечним." -#: lib/themeuploader.php:241 +#: lib/themeuploader.php:242 #, php-format msgid "Theme contains file of type '.%s', which is not allowed." msgstr "Тема містить файл типу «.%s», який є неприпустимим." -#: lib/themeuploader.php:259 +#: lib/themeuploader.php:260 msgid "Error opening theme archive." msgstr "Помилка при відкритті архіву з темою." @@ -8379,7 +8502,6 @@ msgstr "Топ-дописувачі" #. TRANS: Title for the form to unblock a user. #: lib/unblockform.php:67 -#, fuzzy msgctxt "TITLE" msgid "Unblock" msgstr "Розблокувати" @@ -8562,24 +8684,44 @@ msgstr[2] "" "Повідомлення надто довге. Максимум становить %1$d символів, натомість ви " "надсилаєте %2$d." -#: scripts/restoreuser.php:82 +#. TRANS: Commandline script output. %s is the filename that contains a backup for a user. +#: scripts/restoreuser.php:61 #, php-format -msgid "Backup file for user %s (%s)" -msgstr "Резервна копія файлів користувача %s (%s)" +msgid "Getting backup from file '%s'." +msgstr "" -#: scripts/restoreuser.php:88 +#. TRANS: Commandline script output. +#: scripts/restoreuser.php:91 msgid "No user specified; using backup user." msgstr "" "Користувача не зазначено; для створення резервної копії потрібно зазначити " "користувача." -#: scripts/restoreuser.php:94 -#, php-format -msgid "%d entries in backup." -msgstr "У резервному файлі збережено %d дописів." +#. TRANS: Commandline script output. %d is the number of entries in the activity stream in backup; used for plural. +#: scripts/restoreuser.php:98 +#, fuzzy, php-format +msgid "%d entry in backup." +msgid_plural "%d entries in backup." +msgstr[0] "У резервному файлі збережено %d дописів." +msgstr[1] "У резервному файлі збережено %d дописів." +msgstr[2] "У резервному файлі збережено %d дописів." -#~ msgid "Description is too long (max %d chars)." -#~ msgstr "Опис надто довгий (%d знаків максимум)." +#~ msgid "Name is too long (maximum 255 chars)." +#~ msgstr "Ім’я надто довге (не більше 255 символів)." -#~ msgid "Too many aliases! Maximum %d." -#~ msgstr "Забагато додаткових імен! Максимум становить %d." +#~ msgid "Organization is too long (maximum 255 chars)." +#~ msgstr "Назва організації надто довга (не більше 255 знаків)." + +#~ msgid "That's too long. Max notice size is %d chars." +#~ msgstr "Надто довго. Максимальний розмір допису — %d знаків." + +#~ msgid "Max notice size is %d chars, including attachment URL." +#~ msgstr "" +#~ "Максимальна довжина допису становить %d знаків, включно з URL-адресою " +#~ "вкладення." + +#~ msgid " tagged %s" +#~ msgstr " позначено з %s" + +#~ msgid "Backup file for user %s (%s)" +#~ msgstr "Резервна копія файлів користувача %s (%s)" diff --git a/locale/zh_CN/LC_MESSAGES/statusnet.po b/locale/zh_CN/LC_MESSAGES/statusnet.po index f20bc803d5..bd61cabda6 100644 --- a/locale/zh_CN/LC_MESSAGES/statusnet.po +++ b/locale/zh_CN/LC_MESSAGES/statusnet.po @@ -14,18 +14,18 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet - Core\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-10-30 23:18+0000\n" -"PO-Revision-Date: 2010-10-30 23:20:54+0000\n" +"POT-Creation-Date: 2010-11-02 22:51+0000\n" +"PO-Revision-Date: 2010-11-02 22:53:48+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 (r75708); Translate extension (2010-09-17)\n" +"X-Generator: MediaWiki 1.17alpha (r75875); Translate extension (2010-09-17)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: zh-hans\n" "X-Message-Group: #out-statusnet-core\n" "Plural-Forms: nplurals=1; plural=0;\n" -"X-POT-Import-Date: 2010-10-30 09:48:40+0000\n" +"X-POT-Import-Date: 2010-10-30 23:42:01+0000\n" #. TRANS: Page title for Access admin panel that allows configuring site access. #. TRANS: Menu item for site administration @@ -82,15 +82,20 @@ msgstr "保存访问设置" #. TRANS: Tooltip for button to save access settings in site admin panel. #. TRANS: Button label to save e-mail preferences. #. TRANS: Button label to save IM preferences. +#. TRANS: Button text for saving "Other settings" in profile. #. TRANS: Button text to store form data in the Paths admin panel. #. TRANS: Button to save input in profile settings. +#. TRANS: Button text for saving site notice in admin panel. #. TRANS: Button label to save SMS preferences. #. TRANS: Save button for settings for a profile in a subscriptions list. +#. TRANS: Button text to save user settings in user admin panel. #. TRANS: Button label in the "Edit application" form. #: actions/accessadminpanel.php:193 actions/emailsettings.php:228 -#: actions/imsettings.php:187 actions/pathsadminpanel.php:512 -#: actions/profilesettings.php:201 actions/smssettings.php:209 -#: actions/subscriptions.php:246 lib/applicationeditform.php:355 +#: actions/imsettings.php:187 actions/othersettings.php:134 +#: actions/pathsadminpanel.php:512 actions/profilesettings.php:201 +#: actions/sitenoticeadminpanel.php:197 actions/smssettings.php:209 +#: actions/subscriptions.php:246 actions/useradminpanel.php:298 +#: lib/applicationeditform.php:355 lib/groupeditform.php:207 msgctxt "BUTTON" msgid "Save" msgstr "保存" @@ -141,7 +146,7 @@ msgstr "没有这个页面。" #: 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:93 actions/userrss.php:40 -#: actions/xrds.php:71 lib/command.php:495 lib/galleryaction.php:59 +#: actions/xrds.php:71 lib/command.php:497 lib/galleryaction.php:59 #: lib/mailbox.php:82 lib/profileaction.php:77 msgid "No such user." msgstr "没有这个用户。" @@ -211,7 +216,9 @@ msgstr "" #. TRANS: Encoutagement displayed on empty timeline user pages for anonymous users. #. TRANS: %s is a user nickname. This message contains Markdown links. Keep "](" together. -#: actions/all.php:155 actions/replies.php:210 actions/showstream.php:208 +#. TRANS: Second sentence of empty message for anonymous users. %s is a user nickname. +#. TRANS: This message contains a Markdown link. Keep "](" together. +#: actions/all.php:155 actions/replies.php:210 actions/showstream.php:227 #, php-format msgid "" "Why not [register an account](%%%%action.register%%%%) and then nudge %s or " @@ -557,8 +564,11 @@ msgstr "全名过长(不能超过 255 个字符)。" #. TRANS: Group edit form validation error. #. TRANS: Form validation error in New application form. #. TRANS: %d is the maximum number of characters for the description. +#. TRANS: Group create form validation error. +#. TRANS: %d is the maximum number of allowed characters. #: actions/apigroupcreate.php:220 actions/editapplication.php:201 #: actions/editgroup.php:216 actions/newapplication.php:178 +#: actions/newgroup.php:152 #, fuzzy, php-format msgid "Description is too long (maximum %d character)." msgid_plural "Description is too long (maximum %d characters)." @@ -716,14 +726,14 @@ msgstr "你没有被授权。" #. TRANS: Form validation error in API OAuth authorisation because of an invalid session token. #: actions/apioauthauthorize.php:147 actions/avatarsettings.php:280 -#: actions/deletenotice.php:172 actions/disfavor.php:74 +#: actions/deletenotice.php:177 actions/disfavor.php:74 #: actions/emailsettings.php:271 actions/favor.php:75 actions/geocode.php:55 #: actions/groupblock.php:66 actions/grouplogo.php:312 #: actions/groupunblock.php:65 actions/imsettings.php:230 #: actions/invite.php:59 actions/login.php:137 actions/makeadmin.php:66 #: actions/newmessage.php:135 actions/newnotice.php:105 actions/nudge.php:80 #: actions/oauthappssettings.php:165 actions/oauthconnectionssettings.php:138 -#: actions/othersettings.php:145 actions/passwordsettings.php:138 +#: actions/othersettings.php:153 actions/passwordsettings.php:138 #: actions/profilesettings.php:221 actions/recoverpassword.php:350 #: actions/register.php:172 actions/remotesubscribe.php:77 #: actions/repeat.php:83 actions/smssettings.php:256 actions/subedit.php:40 @@ -901,20 +911,21 @@ msgstr "你不能删除其他用户的消息。" #. TRANS: Client error displayed trying to repeat a non-existing notice through the API. #. TRANS: Client error displayed trying to display redents of a non-exiting notice. +#. TRANS: Error message displayed trying to delete a non-existing notice. #: actions/apistatusesretweet.php:74 actions/apistatusesretweets.php:70 -#: actions/deletenotice.php:58 actions/shownotice.php:92 +#: actions/deletenotice.php:61 actions/shownotice.php:92 msgid "No such notice." msgstr "没有这条消息。" #. TRANS: Client error displayed trying to repeat an own notice through the API. #. TRANS: Error text shown when trying to repeat an own notice. -#: actions/apistatusesretweet.php:83 lib/command.php:535 +#: actions/apistatusesretweet.php:83 lib/command.php:537 msgid "Cannot repeat your own notice." msgstr "不能转发你自己的消息。" #. TRANS: Client error displayed trying to re-repeat a notice through the API. #. TRANS: Error text shown when trying to repeat an notice that was already repeated by the user. -#: actions/apistatusesretweet.php:92 lib/command.php:541 +#: actions/apistatusesretweet.php:92 lib/command.php:543 msgid "Already repeated that notice." msgstr "已转发了该消息。" @@ -935,7 +946,8 @@ msgstr "客户端必须提供一个包含内容的“状态”参数。" #. TRANS: Client error displayed when the parameter "status" is missing. #. TRANS: %d is the maximum number of character for a notice. -#: actions/apistatusesupdate.php:244 +#: actions/apistatusesupdate.php:244 actions/newnotice.php:161 +#: lib/mailhandler.php:60 #, fuzzy, php-format msgid "That's too long. Maximum notice size is %d character." msgid_plural "That's too long. Maximum notice size is %d characters." @@ -949,7 +961,7 @@ msgstr "API方法没有找到。" #. TRANS: Client error displayed exceeding the maximum notice length. #. TRANS: %d is the maximum lenth for a notice. -#: actions/apistatusesupdate.php:308 +#: actions/apistatusesupdate.php:308 actions/newnotice.php:184 #, fuzzy, php-format msgid "Maximum notice size is %d character, including attachment URL." msgid_plural "Maximum notice size is %d characters, including attachment URL." @@ -1158,17 +1170,18 @@ msgstr "请选择一块方形区域作为你的头像" msgid "Lost our file data." msgstr "文件数据丢失" -#: actions/avatarsettings.php:384 +#. TRANS: Success message for having updated a user avatar. +#: actions/avatarsettings.php:385 msgid "Avatar updated." msgstr "头像已更新。" #. TRANS: Error displayed on the avatar upload page if the avatar could not be updated for an unknown reason. -#: actions/avatarsettings.php:388 +#: actions/avatarsettings.php:389 msgid "Failed updating avatar." msgstr "更新头像失败。" #. TRANS: Success message for deleting a user avatar. -#: actions/avatarsettings.php:412 +#: actions/avatarsettings.php:413 msgid "Avatar deleted." msgstr "头像已删除。" @@ -1199,8 +1212,8 @@ msgstr "" #. TRANS: Button label on the delete notice form. #. TRANS: Button label on the delete user form. #. TRANS: Button label on the form to block a user from a group. -#: actions/block.php:154 actions/deleteapplication.php:154 -#: actions/deletegroup.php:220 actions/deletenotice.php:150 +#: actions/block.php:154 actions/deleteapplication.php:157 +#: actions/deletegroup.php:220 actions/deletenotice.php:155 #: actions/deleteuser.php:152 actions/groupblock.php:178 msgctxt "BUTTON" msgid "No" @@ -1218,8 +1231,8 @@ msgstr "不要屏蔽这个用户" #. TRANS: Button label on the delete notice form. #. TRANS: Button label on the delete user form. #. TRANS: Button label on the form to block a user from a group. -#: actions/block.php:161 actions/deleteapplication.php:161 -#: actions/deletegroup.php:227 actions/deletenotice.php:157 +#: actions/block.php:161 actions/deleteapplication.php:164 +#: actions/deletegroup.php:227 actions/deletenotice.php:162 #: actions/deleteuser.php:159 actions/groupblock.php:185 msgctxt "BUTTON" msgid "Yes" @@ -1336,12 +1349,13 @@ msgstr "此地址已被确认过了。" #. TRANS: Server error thrown on database error removing a registered e-mail address. #. TRANS: Server error thrown on database error updating IM preferences. #. TRANS: Server error thrown on database error removing a registered IM address. +#. TRANS: Server error displayed when "Other" settings in user profile could not be updated on the server. #. TRANS: Server error thrown when user profile settings could not be updated. #. TRANS: Server error thrown on database error updating SMS preferences. #. TRANS: Server error thrown on database error removing a registered SMS phone number. #: actions/confirmaddress.php:118 actions/emailsettings.php:331 #: actions/emailsettings.php:477 actions/imsettings.php:283 -#: actions/imsettings.php:442 actions/othersettings.php:174 +#: actions/imsettings.php:442 actions/othersettings.php:184 #: actions/profilesettings.php:326 actions/smssettings.php:308 #: actions/smssettings.php:464 msgid "Couldn't update user." @@ -1377,16 +1391,19 @@ msgstr "对话" msgid "Notices" msgstr "消息" -#: actions/deleteapplication.php:63 +#. TRANS: Client error displayed trying to delete an application while not logged in. +#: actions/deleteapplication.php:62 msgid "You must be logged in to delete an application." msgstr "你必须登录后才能删除应用。" +#. TRANS: Client error displayed trying to delete an application that does not exist. #: actions/deleteapplication.php:71 msgid "Application not found." msgstr "未找到应用。" +#. TRANS: Client error displayed trying to delete an application the current user does not own. #. TRANS: Client error displayed trying to edit an application while not being its owner. -#: actions/deleteapplication.php:78 actions/editapplication.php:78 +#: actions/deleteapplication.php:79 actions/editapplication.php:78 #: actions/showapplication.php:94 msgid "You are not the owner of this application." msgstr "你不是该应用的拥有者。" @@ -1394,15 +1411,18 @@ msgstr "你不是该应用的拥有者。" #. TRANS: Client error text when there is a problem with the session token. #: actions/deleteapplication.php:102 actions/editapplication.php:131 #: actions/newapplication.php:114 actions/showapplication.php:118 -#: lib/action.php:1354 +#: lib/action.php:1404 msgid "There was a problem with your session token." msgstr "你的 session token 出现了问题。" -#: actions/deleteapplication.php:123 actions/deleteapplication.php:147 +#. TRANS: Title for delete application page. +#. TRANS: Fieldset legend on delete application page. +#: actions/deleteapplication.php:124 actions/deleteapplication.php:149 msgid "Delete application" msgstr "删除应用" -#: actions/deleteapplication.php:149 +#. TRANS: Confirmation text on delete application page. +#: actions/deleteapplication.php:152 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 " @@ -1412,12 +1432,12 @@ msgstr "" "用户关联。" #. TRANS: Submit button title for 'No' when deleting an application. -#: actions/deleteapplication.php:158 +#: actions/deleteapplication.php:161 msgid "Do not delete this application" msgstr "不删除该应用" #. TRANS: Submit button title for 'Yes' when deleting an application. -#: actions/deleteapplication.php:164 +#: actions/deleteapplication.php:167 msgid "Delete this application" msgstr "删除这个应用" @@ -1453,13 +1473,14 @@ msgstr "无法更新小组" msgid "Deleted group %s" msgstr "%1$s离开了%2$s小组。" -#. TRANS: Title. +#. TRANS: Title of delete group page. #. TRANS: Form legend for deleting a group. #: actions/deletegroup.php:176 actions/deletegroup.php:202 #, fuzzy msgid "Delete group" msgstr "删除用户" +#. TRANS: Warning in form for deleleting a group. #: actions/deletegroup.php:206 #, fuzzy msgid "" @@ -1481,10 +1502,11 @@ msgstr "不要删除这个消息" msgid "Delete this group" msgstr "删除这个用户" +#. TRANS: Error message displayed trying to delete a notice while not logged in. #. TRANS: Client error displayed when trying to unblock a user from a group while not logged in. #. TRANS: Client error displayed trying a change a subscription while not logged in. #. TRANS: Client error message thrown when trying to access the admin panel while not logged in. -#: actions/deletenotice.php:50 actions/disfavor.php:61 actions/favor.php:62 +#: actions/deletenotice.php:52 actions/disfavor.php:61 actions/favor.php:62 #: actions/groupblock.php:61 actions/groupunblock.php:60 actions/logout.php:69 #: actions/makeadmin.php:61 actions/newmessage.php:87 actions/newnotice.php:88 #: actions/nudge.php:63 actions/subedit.php:33 actions/subscribe.php:96 @@ -1494,31 +1516,36 @@ msgstr "删除这个用户" msgid "Not logged in." msgstr "未登录。" -#: actions/deletenotice.php:74 +#. TRANS: Error message displayed trying to delete a notice that was not made by the current user. +#: actions/deletenotice.php:78 msgid "Can't delete this notice." msgstr "无法删除这条消息。" -#: actions/deletenotice.php:106 +#. TRANS: Instructions for deleting a notice. +#: actions/deletenotice.php:110 msgid "" "You are about to permanently delete a notice. Once this is done, it cannot " "be undone." msgstr "你即将永久删除一条消息,此操作无法撤销。" -#: actions/deletenotice.php:112 actions/deletenotice.php:144 +#. TRANS: Page title when deleting a notice. +#. TRANS: Fieldset legend for the delete notice form. +#: actions/deletenotice.php:117 actions/deletenotice.php:148 msgid "Delete notice" msgstr "删除消息" -#: actions/deletenotice.php:147 +#. TRANS: Message for the delete notice form. +#: actions/deletenotice.php:152 msgid "Are you sure you want to delete this notice?" msgstr "你确定要删除这条消息吗?" #. TRANS: Submit button title for 'No' when deleting a notice. -#: actions/deletenotice.php:154 +#: actions/deletenotice.php:159 msgid "Do not delete this notice" msgstr "不要删除这个消息" #. TRANS: Submit button title for 'Yes' when deleting a notice. -#: actions/deletenotice.php:161 lib/noticelist.php:667 +#: actions/deletenotice.php:166 lib/noticelist.php:667 msgid "Delete this notice" msgstr "删除" @@ -1679,11 +1706,9 @@ msgstr "重置到默认" #. TRANS: Submit button title. #: actions/designadminpanel.php:711 actions/licenseadminpanel.php:319 -#: actions/othersettings.php:126 actions/sessionsadminpanel.php:199 -#: actions/siteadminpanel.php:292 actions/sitenoticeadminpanel.php:195 +#: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:292 #: actions/snapshotadminpanel.php:245 actions/tagother.php:154 -#: actions/useradminpanel.php:295 lib/applicationeditform.php:357 -#: lib/designsettings.php:256 lib/groupeditform.php:202 +#: lib/applicationeditform.php:357 lib/designsettings.php:256 msgid "Save" msgstr "保存" @@ -1731,9 +1756,9 @@ msgid "Name is required." msgstr "名字为必填项。" #. TRANS: Validation error shown when providing too long a name in the "Edit application" form. -#: actions/editapplication.php:188 +#: actions/editapplication.php:188 actions/newapplication.php:169 #, fuzzy -msgid "Name is too long (max 255 characters)." +msgid "Name is too long (maximum 255 characters)." msgstr "名称过长(不能超过255个字符)。" #. TRANS: Validation error shown when providing a name for an application that already exists in the "Edit application" form. @@ -1762,7 +1787,7 @@ msgid "Organization is required." msgstr "组织名称必填。" #. TRANS: Validation error shown when providing too long an arganisation name in the "Edit application" form. -#: actions/editapplication.php:223 +#: actions/editapplication.php:223 actions/newapplication.php:199 #, fuzzy msgid "Organization is too long (maximum 255 characters)." msgstr "组织名称过长(不能超过255个字符)。" @@ -2542,7 +2567,7 @@ msgid "Publish a MicroID for my Jabber/GTalk address." msgstr "公开 Jabber/GTalk 帐号的 MicroID。" #. TRANS: Confirmation message for successful IM preferences save. -#: actions/imsettings.php:290 actions/othersettings.php:180 +#: actions/imsettings.php:290 actions/othersettings.php:190 msgid "Preferences saved." msgstr "首选项已保存。" @@ -2662,10 +2687,9 @@ msgstr[0] "你已经关注了这些用户:" #. TRANS: Used as list item for already subscribed users (%1$s is nickname, %2$s is e-mail address). #. TRANS: Used as list item for already registered people (%1$s is nickname, %2$s is e-mail address). -#. TRANS: Whois output. -#. TRANS: %1$s nickname of the queried user, %2$s is their profile URL. -#: actions/invite.php:145 actions/invite.php:159 lib/command.php:426 -#, php-format +#: actions/invite.php:145 actions/invite.php:159 +#, fuzzy, php-format +msgctxt "INVITE" msgid "%1$s (%2$s)" msgstr "%1$s (%2$s)" @@ -2838,7 +2862,8 @@ msgid "" msgstr "当使用版权所有的许可协议时,你必须指定内容的所有者。" #: actions/licenseadminpanel.php:156 -msgid "Invalid license title. Max length is 255 characters." +#, fuzzy +msgid "Invalid license title. Maximum length is 255 characters." msgstr "无效的许可协议标题。最大长度255个字符。" #: actions/licenseadminpanel.php:168 @@ -3007,20 +3032,10 @@ msgstr "你必须登录才能登记你的应用。" msgid "Use this form to register a new application." msgstr "通过此表单登记一个新的应用。" -#: actions/newapplication.php:169 -#, fuzzy -msgid "Name is too long (maximum 255 chars)." -msgstr "名称过长(不能超过255个字符)。" - #: actions/newapplication.php:184 msgid "Source URL is required." msgstr "Source URL 必填。" -#: actions/newapplication.php:199 -#, fuzzy -msgid "Organization is too long (maximum 255 chars)." -msgstr "组织名称过长(不能超过255个字符)。" - #: actions/newapplication.php:266 actions/newapplication.php:275 msgid "Could not create application." msgstr "无法创建应用。" @@ -3040,14 +3055,14 @@ msgid "New message" msgstr "新消息" #. TRANS: Error text shown when trying to send a direct message to a user without a mutual subscription (each user must be subscribed to the other). -#: actions/newmessage.php:121 actions/newmessage.php:164 lib/command.php:499 +#: actions/newmessage.php:121 actions/newmessage.php:164 lib/command.php:501 msgid "You can't send a message to this user." msgstr "无法向此用户发送消息。" #. TRANS: Command exception text shown when trying to send a direct message to another user without content. #. TRANS: Command exception text shown when trying to reply to a notice without providing content for the reply. #: actions/newmessage.php:144 actions/newnotice.php:140 lib/command.php:478 -#: lib/command.php:579 +#: lib/command.php:581 msgid "No content!" msgstr "没有内容!" @@ -3056,7 +3071,7 @@ msgid "No recipient specified." msgstr "没有收件人。" #. TRANS: Error text shown when trying to send a direct message to self. -#: actions/newmessage.php:167 lib/command.php:503 +#: actions/newmessage.php:167 lib/command.php:505 msgid "" "Don't send a message to yourself; just say it to yourself quietly instead." msgstr "不要向自己发送消息;跟自己悄悄说就得了。" @@ -3067,12 +3082,12 @@ msgstr "消息已发送" #. TRANS: Message given have sent a direct message to another user. #. TRANS: %s is the name of the other user. -#: actions/newmessage.php:188 lib/command.php:511 +#: actions/newmessage.php:188 lib/command.php:513 #, php-format msgid "Direct message to %s sent." msgstr "向%s发送私信成功。" -#: actions/newmessage.php:213 actions/newnotice.php:263 +#: actions/newmessage.php:213 actions/newnotice.php:264 msgid "Ajax Error" msgstr "Ajax错误" @@ -3080,17 +3095,7 @@ msgstr "Ajax错误" msgid "New notice" msgstr "新消息" -#: actions/newnotice.php:159 lib/mailhandler.php:60 -#, php-format -msgid "That's too long. Max notice size is %d chars." -msgstr "太长了。最长的消息长度是%d个字符。" - -#: actions/newnotice.php:183 -#, php-format -msgid "Max notice size is %d chars, including attachment URL." -msgstr "每条消息最长%d字符,包括附件的链接 URL。" - -#: actions/newnotice.php:229 +#: actions/newnotice.php:230 msgid "Notice posted" msgstr "消息已发布。" @@ -3258,36 +3263,46 @@ msgstr "搜索用户" msgid "Notice Search" msgstr "搜索消息" -#: actions/othersettings.php:60 +#: actions/othersettings.php:59 msgid "Other settings" msgstr "其他设置" +#. TRANS: Instructions for tab "Other" in user profile settings. #: actions/othersettings.php:71 msgid "Manage various other options." msgstr "管理其他选项。" -#: actions/othersettings.php:108 +#. TRANS: Used as a suffix for free URL shorteners in a dropdown list in the tab "Other" of a +#. TRANS: user's profile settings. This message has one space at the beginning. Use your +#. TRANS: language's word separator here if it has one (most likely a single space). +#: actions/othersettings.php:111 msgid " (free service)" msgstr "(免费服务)" -#: actions/othersettings.php:116 +#. TRANS: Label for dropdown with URL shortener services. +#: actions/othersettings.php:120 msgid "Shorten URLs with" msgstr "缩短 URL 使用" -#: actions/othersettings.php:117 +#. TRANS: Tooltip for for dropdown with URL shortener services. +#: actions/othersettings.php:122 msgid "Automatic shortening service to use." msgstr "要使用的自动短网址服务。" -#: actions/othersettings.php:122 +#. TRANS: Label for checkbox. +#: actions/othersettings.php:128 msgid "View profile designs" msgstr "查看个人页面外观" -#: actions/othersettings.php:123 +#. TRANS: Tooltip for checkbox. +#: actions/othersettings.php:130 msgid "Show or hide profile designs." msgstr "显示或隐藏个人页面外观。" -#: actions/othersettings.php:153 -msgid "URL shortening service is too long (max 50 chars)." +#. TRANS: Form validation error for form "Other settings" in user profile. +#: actions/othersettings.php:162 +#, fuzzy +msgid "URL shortening service is too long (maximum 50 characters)." msgstr "短网址服务过长(不能超过50个字符)。" #: actions/otp.php:69 @@ -3772,7 +3787,7 @@ msgstr "自述" #. TRANS: Label for group location (dt). Text hidden by default. #: actions/profilesettings.php:149 actions/register.php:485 #: actions/showgroup.php:267 actions/tagother.php:112 -#: actions/userauthorization.php:166 lib/groupeditform.php:177 +#: actions/userauthorization.php:166 lib/groupeditform.php:180 #: lib/userprofile.php:165 msgid "Location" msgstr "位置" @@ -4097,7 +4112,8 @@ msgid "Unexpected password reset." msgstr "未预料的密码重置。" #: actions/recoverpassword.php:365 -msgid "Password must be 6 chars or more." +#, fuzzy +msgid "Password must be 6 characters or more." msgstr "密码必须是 6 个字符或更多。" #: actions/recoverpassword.php:369 @@ -4460,7 +4476,7 @@ msgstr "组织名称必填。" #. TRANS: Form input field label. #: actions/showapplication.php:187 actions/version.php:200 -#: lib/applicationeditform.php:208 lib/groupeditform.php:172 +#: lib/applicationeditform.php:208 lib/groupeditform.php:175 msgid "Description" msgstr "描述" @@ -4606,7 +4622,7 @@ msgid "Note" msgstr "注释" #. TRANS: Label for group aliases (dt). Text hidden by default. -#: actions/showgroup.php:298 lib/groupeditform.php:184 +#: actions/showgroup.php:298 lib/groupeditform.php:187 msgid "Aliases" msgstr "别名" @@ -4738,53 +4754,75 @@ msgstr "来自 %1$s 的 %2$s 消息" msgid "Notice deleted." msgstr "消息已删除" -#: actions/showstream.php:72 -#, php-format -msgid " tagged %s" -msgstr "带%s标签的" +#. TRANS: Page title showing tagged notices in one user's stream. %1$s is the username, %2$s is the hash tag. +#: actions/showstream.php:70 +#, fuzzy, php-format +msgid "%1$s tagged %2$s" +msgstr "%1$s,第%2$d页" -#: actions/showstream.php:78 +#. TRANS: Page title showing tagged notices in one user's stream. +#. TRANS: %1$s is the username, %2$s is the hash tag, %1$d is the page number. +#: actions/showstream.php:74 +#, fuzzy, php-format +msgid "%1$s tagged %2$s, page %3$d" +msgstr "带%1$s标签的消息,第%2$d页" + +#. TRANS: Extended page title showing tagged notices in one user's stream. +#. TRANS: %1$s is the username, %2$d is the page number. +#: actions/showstream.php:82 #, php-format msgid "%1$s, page %2$d" msgstr "%1$s,第%2$d页" -#: actions/showstream.php:120 +#. TRANS: Title for link to notice feed. +#. TRANS: %1$s is a user nickname, %2$s is a hashtag. +#: actions/showstream.php:127 #, php-format msgid "Notice feed for %1$s tagged %2$s (RSS 1.0)" msgstr "%1$s的有%2$s标签的消息聚合 (RSS 1.0)" -#: actions/showstream.php:127 +#. TRANS: Title for link to notice feed. +#. TRANS: %s is a user nickname. +#: actions/showstream.php:136 #, php-format msgid "Notice feed for %s (RSS 1.0)" msgstr "%s的消息聚合 (RSS 1.0)" -#: actions/showstream.php:134 +#. TRANS: Title for link to notice feed. +#. TRANS: %s is a user nickname. +#: actions/showstream.php:145 #, php-format msgid "Notice feed for %s (RSS 2.0)" msgstr "%s的消息聚合 (RSS 2.0)" -#: actions/showstream.php:141 +#: actions/showstream.php:152 #, php-format msgid "Notice feed for %s (Atom)" msgstr "%s的消息聚合 (Atom)" -#: actions/showstream.php:146 +#. TRANS: Title for link to notice feed. FOAF stands for Friend of a Friend. +#. TRANS: More information at http://www.foaf-project.org. %s is a user nickname. +#: actions/showstream.php:159 #, php-format msgid "FOAF for %s" msgstr "%s的FOAF" -#: actions/showstream.php:197 -#, php-format -msgid "This is the timeline for %1$s but %2$s hasn't posted anything yet." +#. TRANS: First sentence of empty list message for a stream. $1%s is a user nickname. +#: actions/showstream.php:211 +#, fuzzy, php-format +msgid "This is the timeline for %1$s, but %1$s hasn't posted anything yet." msgstr "这是%1$s的时间线,但是%2$s还没有发布任何内容。" -#: actions/showstream.php:202 +#. TRANS: Second sentence of empty list message for a stream for the user themselves. +#: actions/showstream.php:217 msgid "" "Seen anything interesting recently? You haven't posted any notices yet, now " "would be a good time to start :)" msgstr "最近看到了什么有趣的消息了么?你还没有发布消息呢,现在开始吧 :)" -#: actions/showstream.php:204 +#. TRANS: Second sentence of empty list message for a non-self stream. %1$s is a user nickname, %2$s is a part of a URL. +#. TRANS: This message contains a Markdown link. Keep "](" together. +#: actions/showstream.php:221 #, php-format msgid "" "You can try to nudge %1$s or [post something to them](%%%%action.newnotice%%%" @@ -4793,7 +4831,9 @@ msgstr "" "你可以试着呼叫%1$s或给他们 [发一些消息](%%%%action.newnotice%%%%?" "status_textarea=%2$s)。" -#: actions/showstream.php:243 +#. TRANS: Announcement for anonymous users showing a stream if site registrations are open. +#. TRANS: This message contains a Markdown link. Keep "](" together. +#: actions/showstream.php:264 #, php-format msgid "" "**%s** has an account on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -4806,7 +4846,9 @@ msgstr "" "E5%BE%AE%E5%8D%9A%E5%AE%A2)服务。[现在加入](%%%%action.register%%%%)并关注**%" "s**的消息和享受更多乐趣! ([阅读更多](%%%%doc.help%%%%))" -#: actions/showstream.php:248 +#. TRANS: Announcement for anonymous users showing a stream if site registrations are closed or invite only. +#. TRANS: This message contains a Markdown link. Keep "](" together. +#: actions/showstream.php:271 #, php-format msgid "" "**%s** has an account on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -4817,7 +4859,8 @@ msgstr "" "[StatusNet](http://status.net/)的[微博客](http://zh.wikipedia.org/zh-hans/%" "E5%BE%AE%E5%8D%9A%E5%AE%A2)。" -#: actions/showstream.php:305 +#. TRANS: Link to the author of a repeated notice. %s is a linked nickname. +#: actions/showstream.php:328 #, php-format msgid "Repeat of %s" msgstr "%s 的转发" @@ -4927,31 +4970,40 @@ msgstr "防刷新限制" msgid "How long users must wait (in seconds) to post the same thing again." msgstr "用户再次发布相同内容时需要等待的时间(秒)。" -#: actions/sitenoticeadminpanel.php:56 +#. TRANS: Page title for site-wide notice tab in admin panel. +#: actions/sitenoticeadminpanel.php:55 msgid "Site Notice" msgstr "网站公告" -#: actions/sitenoticeadminpanel.php:67 +#. TRANS: Instructions for site-wide notice tab in admin panel. +#: actions/sitenoticeadminpanel.php:66 msgid "Edit site-wide message" msgstr "编辑整个网站的公告" -#: actions/sitenoticeadminpanel.php:103 +#. TRANS: Server error displayed when saving a site-wide notice was impossible. +#: actions/sitenoticeadminpanel.php:101 msgid "Unable to save site notice." msgstr "无法保存网站公告。" -#: actions/sitenoticeadminpanel.php:113 -msgid "Max length for the site-wide notice is 255 chars." +#. TRANS: Client error displayed when a site-wide notice was longer than allowed. +#: actions/sitenoticeadminpanel.php:112 +#, fuzzy +msgid "Maximum length for the site-wide notice is 255 characters." msgstr "整个网站的公告最长限制为255字符。" +#. TRANS: Label for site-wide notice text field in admin panel. #: actions/sitenoticeadminpanel.php:176 msgid "Site notice text" msgstr "网站公告文字" -#: actions/sitenoticeadminpanel.php:178 -msgid "Site-wide notice text (255 chars max; HTML okay)" +#. TRANS: Tooltip for site-wide notice text field in admin panel. +#: actions/sitenoticeadminpanel.php:179 +#, fuzzy +msgid "Site-wide notice text (255 characters maximum; HTML allowed)" msgstr "整个网站的公告文字(最长255字符;可使用HTML)" -#: actions/sitenoticeadminpanel.php:198 +#. TRANS: Title for button to save site notice in admin panel. +#: actions/sitenoticeadminpanel.php:201 msgid "Save site notice" msgstr "保存网站公告" @@ -5403,75 +5455,93 @@ msgid "" msgstr "Listenee stream 许可证“‘%1$s” 与本网站的许可证 “%2$s”不兼容。" #. TRANS: User admin panel title -#: actions/useradminpanel.php:60 +#: actions/useradminpanel.php:58 msgctxt "TITLE" msgid "User" msgstr "用户" -#: actions/useradminpanel.php:71 +#. TRANS: Instruction for user admin panel. +#: actions/useradminpanel.php:69 msgid "User settings for this StatusNet site" msgstr "这个 StatusNet 网站的用户设置" -#: actions/useradminpanel.php:150 +#. TRANS: Form validation error in user admin panel when a non-numeric character limit was set. +#: actions/useradminpanel.php:147 msgid "Invalid bio limit. Must be numeric." msgstr "无效的自述限制,必须为数字。" -#: actions/useradminpanel.php:156 -msgid "Invalid welcome text. Max length is 255 characters." +#. TRANS: Form validation error in user admin panel when welcome text is too long. +#: actions/useradminpanel.php:154 +#, fuzzy +msgid "Invalid welcome text. Maximum length is 255 characters." msgstr "无效的欢迎文字。最大长度255个字符。" +#. TRANS: Client error displayed when trying to set a non-existing user as default subscription for new +#. TRANS: users in user admin panel. %1$s is the invalid nickname. #: actions/useradminpanel.php:166 -#, php-format -msgid "Invalid default subscripton: '%1$s' is not user." +#, fuzzy, php-format +msgid "Invalid default subscripton: '%1$s' is not a user." msgstr "无效的默认关注:“%1$s”不是一个用户。" #. TRANS: Link description in user account settings menu. -#: actions/useradminpanel.php:219 lib/accountsettingsaction.php:106 +#: actions/useradminpanel.php:215 lib/accountsettingsaction.php:106 #: lib/personalgroupnav.php:109 msgid "Profile" msgstr "个人信息" -#: actions/useradminpanel.php:223 +#. TRANS: Field label in user admin panel for setting the character limit for the bio field. +#: actions/useradminpanel.php:220 msgid "Bio Limit" msgstr "自述限制" -#: actions/useradminpanel.php:224 +#. TRANS: Tooltip in user admin panel for setting the character limit for the bio field. +#: actions/useradminpanel.php:222 msgid "Maximum length of a profile bio in characters." msgstr "个人资料自述最长的字符数。" -#: actions/useradminpanel.php:232 +#. TRANS: Form legend in user admin panel. +#: actions/useradminpanel.php:231 msgid "New users" msgstr "新用户" +#. TRANS: Field label in user admin panel for setting new user welcome text. #: actions/useradminpanel.php:236 msgid "New user welcome" msgstr "新用户欢迎" -#: actions/useradminpanel.php:237 -msgid "Welcome text for new users (Max 255 chars)." +#. TRANS: Tooltip in user admin panel for setting new user welcome text. +#: actions/useradminpanel.php:238 +#, fuzzy +msgid "Welcome text for new users (maximum 255 characters)." msgstr "给新用户的欢迎文字(不能超过255个字符)。" -#: actions/useradminpanel.php:242 +#. TRANS: Field label in user admin panel for setting default subscription for new users. +#: actions/useradminpanel.php:244 msgid "Default subscription" msgstr "默认关注" -#: actions/useradminpanel.php:243 +#. TRANS: Tooltip in user admin panel for setting default subscription for new users. +#: actions/useradminpanel.php:246 msgid "Automatically subscribe new users to this user." msgstr "自动关注所有关注我的人 (这个选项适合机器人)" -#: actions/useradminpanel.php:252 +#. TRANS: Form legend in user admin panel. +#: actions/useradminpanel.php:256 msgid "Invitations" msgstr "邀请" -#: actions/useradminpanel.php:257 +#. TRANS: Field label for checkbox in user admin panel for allowing users to invite friend using site e-mail. +#: actions/useradminpanel.php:262 msgid "Invitations enabled" msgstr "邀请已启用" -#: actions/useradminpanel.php:259 +#. TRANS: Tooltip for checkbox in user admin panel for allowing users to invite friend using site e-mail. +#: actions/useradminpanel.php:265 msgid "Whether to allow users to invite new users." msgstr "是否允许用户发送注册邀请。" -#: actions/useradminpanel.php:295 +#. TRANS: Title for button to save user settings in user admin panel. +#: actions/useradminpanel.php:302 msgid "Save user settings" msgstr "保存用户设置" @@ -5668,7 +5738,7 @@ msgid "Plugins" msgstr "插件" #. TRANS: Secondary navigation menu option leading to version information on the StatusNet site. -#: actions/version.php:198 lib/action.php:831 +#: actions/version.php:198 lib/action.php:880 msgid "Version" msgstr "版本" @@ -5872,16 +5942,23 @@ msgstr "无法保存回复,%1$d 对 %2$d。" msgid "RT @%1$s %2$s" msgstr "RT @%1$s %2$s" +#. TRANS: Full name of a profile or group followed by nickname in parens +#: classes/Profile.php:164 +#, fuzzy, php-format +msgctxt "FANCYNAME" +msgid "%1$s (%2$s)" +msgstr "%1$s (%2$s)" + #. TRANS: Exception thrown when trying to revoke an existing role for a user that does not exist. #. TRANS: %1$s is the role name, %2$s is the user ID (number). -#: classes/Profile.php:791 +#: classes/Profile.php:812 #, php-format msgid "Cannot revoke role \"%1$s\" for user #%2$d; does not exist." msgstr "无法取消用户#%2$d的\\\"%1$s\\\"权限,不存在。" #. TRANS: Exception thrown when trying to revoke a role for a user with a failing database query. #. TRANS: %1$s is the role name, %2$s is the user ID (number). -#: classes/Profile.php:800 +#: classes/Profile.php:821 #, php-format msgid "Cannot revoke role \"%1$s\" for user #%2$d; database error." msgstr "无法取消用户#%2$d的\\\"%1$s\\\"权限,数据库错误。" @@ -6026,194 +6103,201 @@ msgstr "%1$s - %2$s" msgid "Untitled page" msgstr "无标题页" +#. TRANS: Localized tooltip for '...' expansion button on overlong remote messages. +#: lib/action.php:310 +msgctxt "TOOLTIP" +msgid "Show more" +msgstr "" + #. TRANS: DT element for primary navigation menu. String is hidden in default CSS. -#: lib/action.php:477 +#: lib/action.php:526 msgid "Primary site navigation" msgstr "主站导航" #. TRANS: Tooltip for main menu option "Personal" -#: lib/action.php:483 +#: lib/action.php:532 msgctxt "TOOLTIP" msgid "Personal profile and friends timeline" msgstr "个人资料及朋友的时间线" #. TRANS: Main menu option when logged in for access to personal profile and friends timeline -#: lib/action.php:486 +#: lib/action.php:535 msgctxt "MENU" msgid "Personal" msgstr "个人" #. TRANS: Tooltip for main menu option "Account" -#: lib/action.php:488 +#: lib/action.php:537 msgctxt "TOOLTIP" msgid "Change your email, avatar, password, profile" msgstr "修改你的 email 地址、头像、密码、资料" #. TRANS: Main menu option when logged in for access to user settings -#: lib/action.php:491 +#: lib/action.php:540 msgid "Account" msgstr "帐号" #. TRANS: Tooltip for main menu option "Services" -#: lib/action.php:493 +#: lib/action.php:542 msgctxt "TOOLTIP" msgid "Connect to services" msgstr "关联的服务" #. TRANS: Main menu option when logged in and connection are possible for access to options to connect to other services -#: lib/action.php:496 +#: lib/action.php:545 msgid "Connect" msgstr "关联" #. TRANS: Tooltip for menu option "Admin" -#: lib/action.php:499 +#: lib/action.php:548 msgctxt "TOOLTIP" msgid "Change site configuration" msgstr "更改网站配置" #. TRANS: Main menu option when logged in and site admin for access to site configuration #. TRANS: Menu item in the group navigation page. Only shown for group administrators. -#: lib/action.php:502 lib/groupnav.php:117 +#: lib/action.php:551 lib/groupnav.php:117 msgctxt "MENU" msgid "Admin" msgstr "管理" #. TRANS: Tooltip for main menu option "Invite" -#: lib/action.php:506 +#: lib/action.php:555 #, php-format msgctxt "TOOLTIP" msgid "Invite friends and colleagues to join you on %s" msgstr "邀请好友和同事加入%s。" #. TRANS: Main menu option when logged in and invitations are allowed for inviting new users -#: lib/action.php:509 +#: lib/action.php:558 msgctxt "MENU" msgid "Invite" msgstr "邀请" #. TRANS: Tooltip for main menu option "Logout" -#: lib/action.php:515 +#: lib/action.php:564 msgctxt "TOOLTIP" msgid "Logout from the site" msgstr "从网站登出" #. TRANS: Main menu option when logged in to log out the current user -#: lib/action.php:518 +#: lib/action.php:567 msgctxt "MENU" msgid "Logout" msgstr "登出" #. TRANS: Tooltip for main menu option "Register" -#: lib/action.php:523 +#: lib/action.php:572 msgctxt "TOOLTIP" msgid "Create an account" msgstr "创建一个账户" #. TRANS: Main menu option when not logged in to register a new account -#: lib/action.php:526 +#: lib/action.php:575 msgctxt "MENU" msgid "Register" msgstr "注册" #. TRANS: Tooltip for main menu option "Login" -#: lib/action.php:529 +#: lib/action.php:578 msgctxt "TOOLTIP" msgid "Login to the site" msgstr "登录这个网站" #. TRANS: Main menu option when not logged in to log in -#: lib/action.php:532 +#: lib/action.php:581 msgctxt "MENU" msgid "Login" msgstr "登录" #. TRANS: Tooltip for main menu option "Help" -#: lib/action.php:535 +#: lib/action.php:584 msgctxt "TOOLTIP" msgid "Help me!" msgstr "帮助我!" #. TRANS: Main menu option for help on the StatusNet site -#: lib/action.php:538 +#: lib/action.php:587 msgctxt "MENU" msgid "Help" msgstr "帮助" #. TRANS: Tooltip for main menu option "Search" -#: lib/action.php:541 +#: lib/action.php:590 msgctxt "TOOLTIP" msgid "Search for people or text" msgstr "搜索人或文字" #. TRANS: Main menu option when logged in or when the StatusNet instance is not private -#: lib/action.php:544 +#: lib/action.php:593 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:566 lib/adminpanelaction.php:387 +#: lib/action.php:615 lib/adminpanelaction.php:387 msgid "Site notice" msgstr "网站消息" #. TRANS: DT element for local views block. String is hidden in default CSS. -#: lib/action.php:633 +#: lib/action.php:682 msgid "Local views" msgstr "本地显示" #. TRANS: DT element for page notice. String is hidden in default CSS. -#: lib/action.php:703 +#: lib/action.php:752 msgid "Page notice" msgstr "页面消息" #. TRANS: DT element for secondary navigation menu. String is hidden in default CSS. -#: lib/action.php:804 +#: lib/action.php:853 msgid "Secondary site navigation" msgstr "副站导航" #. TRANS: Secondary navigation menu option leading to help on StatusNet. -#: lib/action.php:810 +#: lib/action.php:859 msgid "Help" msgstr "帮助" #. TRANS: Secondary navigation menu option leading to text about StatusNet site. -#: lib/action.php:813 +#: lib/action.php:862 msgid "About" msgstr "关于" #. TRANS: Secondary navigation menu option leading to Frequently Asked Questions. -#: lib/action.php:816 +#: lib/action.php:865 msgid "FAQ" msgstr "FAQ" #. TRANS: Secondary navigation menu option leading to Terms of Service. -#: lib/action.php:821 +#: lib/action.php:870 msgid "TOS" msgstr "条款" #. TRANS: Secondary navigation menu option leading to privacy policy. -#: lib/action.php:825 +#: lib/action.php:874 msgid "Privacy" msgstr "隐私" -#. TRANS: Secondary navigation menu option. -#: lib/action.php:828 +#. TRANS: Secondary navigation menu option. Leads to information about StatusNet and its license. +#: lib/action.php:877 msgid "Source" msgstr "源码" -#. TRANS: Secondary navigation menu option leading to contact information on the StatusNet site. -#: lib/action.php:834 +#. TRANS: Secondary navigation menu option leading to e-mail contact information on the +#. TRANS: StatusNet site, where to report bugs, ... +#: lib/action.php:884 msgid "Contact" msgstr "联系" -#. TRANS: Secondary navigation menu option. -#: lib/action.php:837 +#. TRANS: Secondary navigation menu option. Leads to information about embedding a timeline widget. +#: lib/action.php:887 msgid "Badge" msgstr "挂件" #. TRANS: DT element for StatusNet software license. -#: lib/action.php:866 +#: lib/action.php:916 msgid "StatusNet software license" msgstr "StatusNet 软件许可证" @@ -6221,7 +6305,7 @@ msgstr "StatusNet 软件许可证" #. TRANS: Text between [] is a link description, text between () is the link itself. #. TRANS: Make sure there is no whitespace between "]" and "(". #. TRANS: "%%site.broughtby%%" is the value of the variable site.broughtby -#: lib/action.php:873 +#: lib/action.php:923 #, php-format msgid "" "**%%site.name%%** is a microblogging service brought to you by [%%site." @@ -6231,7 +6315,7 @@ msgstr "" "broughtbyurl%%)。" #. TRANS: First sentence of the StatusNet site license. Used if 'broughtby' is not set. -#: lib/action.php:876 +#: lib/action.php:926 #, php-format msgid "**%%site.name%%** is a microblogging service." msgstr "**%%site.name%%** 是一个微博客服务。" @@ -6240,7 +6324,7 @@ msgstr "**%%site.name%%** 是一个微博客服务。" #. TRANS: Make sure there is no whitespace between "]" and "(". #. TRANS: Text between [] is a link description, text between () is the link itself. #. TRANS: %s is the version of StatusNet that is being used. -#: lib/action.php:883 +#: lib/action.php:933 #, php-format msgid "" "It runs the [StatusNet](http://status.net/) microblogging software, version %" @@ -6251,50 +6335,50 @@ msgstr "" "(http://www.fsf.org/licensing/licenses/agpl-3.0.html)授权。" #. TRANS: DT element for StatusNet site content license. -#: lib/action.php:899 +#: lib/action.php:949 msgid "Site content license" msgstr "网站内容许可协议" #. TRANS: Content license displayed when license is set to 'private'. #. TRANS: %1$s is the site name. -#: lib/action.php:906 +#: lib/action.php:956 #, php-format msgid "Content and data of %1$s are private and confidential." msgstr "%1$s的内容和数据是私人且保密的。" #. TRANS: Content license displayed when license is set to 'allrightsreserved'. #. TRANS: %1$s is the copyright owner. -#: lib/action.php:913 +#: lib/action.php:963 #, php-format msgid "Content and data copyright by %1$s. All rights reserved." msgstr "内容和数据%1$s版权所有并保留所有权利。" #. TRANS: Content license displayed when license is set to 'allrightsreserved' and no owner is set. -#: lib/action.php:917 +#: lib/action.php:967 msgid "Content and data copyright by contributors. All rights reserved." msgstr "内容和数据贡献者版权所有并保留所有权利。" #. TRANS: license message in footer. #. TRANS: %1$s is the site name, %2$s is a link to the license URL, with a licence name set in configuration. -#: lib/action.php:949 +#: lib/action.php:999 #, php-format msgid "All %1$s content and data are available under the %2$s license." msgstr "所有%1$s的内容和数据在%2$s许可下有效。" #. TRANS: DT element for pagination (previous/next, etc.). -#: lib/action.php:1285 +#: lib/action.php:1335 msgid "Pagination" msgstr "分页" #. TRANS: Pagination message to go to a page displaying information more in the #. TRANS: present than the currently displayed information. -#: lib/action.php:1296 +#: lib/action.php:1346 msgid "After" msgstr "之后" #. TRANS: Pagination message to go to a page displaying information more in the #. TRANS: past than the currently displayed information. -#: lib/action.php:1306 +#: lib/action.php:1356 msgid "Before" msgstr "之前" @@ -6633,7 +6717,7 @@ msgid "AJAX error" msgstr "AJAX 错误" #. TRANS: E-mail subject when a command has completed. -#: lib/channel.php:233 lib/mailhandler.php:142 +#: lib/channel.php:233 lib/mailhandler.php:143 msgid "Command complete" msgstr "执行完毕" @@ -6649,7 +6733,7 @@ msgstr "没有此 id 的消息。" #. TRANS: Command exception text shown when a last user notice is requested and it does not exist. #. TRANS: Error text shown when a last user notice is requested and it does not exist. -#: lib/command.php:99 lib/command.php:626 +#: lib/command.php:99 lib/command.php:630 msgid "User has no last notice." msgstr "用户没有最后一条的消息。" @@ -6718,6 +6802,14 @@ msgstr "%1$s加入了%2$s小组。" msgid "%1$s left group %2$s." msgstr "%1$s离开了%2$s小组。" +#. TRANS: Whois output. +#. TRANS: %1$s nickname of the queried user, %2$s is their profile URL. +#: lib/command.php:426 +#, fuzzy, php-format +msgctxt "WHOIS" +msgid "%1$s (%2$s)" +msgstr "%1$s (%2$s)" + #. TRANS: Whois output. %s is the full name of the queried user. #: lib/command.php:430 #, php-format @@ -6755,167 +6847,169 @@ msgid "" "same server." msgstr "%s是一个远程的用户;你只能给同一个服务器上的用户发送私信。" -#. TRANS: Message given if content is too long. +#. TRANS: Message given if content is too long. %1$sd is used for plural. #. TRANS: %1$d is the maximum number of characters, %2$d is the number of submitted characters. #: lib/command.php:488 -#, php-format -msgid "Message too long - maximum is %1$d characters, you sent %2$d." -msgstr "消息包含%2$d个字符,超出长度限制 - 不能超过%1$d个字符。" +#, fuzzy, php-format +msgid "Message too long - maximum is %1$d character, you sent %2$d." +msgid_plural "Message too long - maximum is %1$d characters, you sent %2$d." +msgstr[0] "消息包含%2$d个字符,超出长度限制 - 不能超过%1$d个字符。" #. TRANS: Error text shown sending a direct message fails with an unknown reason. -#: lib/command.php:514 +#: lib/command.php:516 msgid "Error sending direct message." msgstr "发送消息出错。" #. TRANS: Message given having repeated a notice from another user. #. TRANS: %s is the name of the user for which the notice was repeated. -#: lib/command.php:551 +#: lib/command.php:553 #, php-format msgid "Notice from %s repeated." msgstr "来自 %s 的消息已转发。" #. TRANS: Error text shown when repeating a notice fails with an unknown reason. -#: lib/command.php:554 +#: lib/command.php:556 msgid "Error repeating notice." msgstr "转发消息时出错。" -#. TRANS: Message given if content of a notice for a reply is too long. +#. TRANS: Message given if content of a notice for a reply is too long. %1$d is used for plural. #. TRANS: %1$d is the maximum number of characters, %2$d is the number of submitted characters. -#: lib/command.php:589 -#, php-format -msgid "Notice too long - maximum is %1$d characters, you sent %2$d." -msgstr "消息过长 - 最长%1$d个字符,你发送的是%2$d。" +#: lib/command.php:591 +#, fuzzy, php-format +msgid "Notice too long - maximum is %1$d character, you sent %2$d." +msgid_plural "Notice too long - maximum is %1$d characters, you sent %2$d." +msgstr[0] "消息过长 - 最长%1$d个字符,你发送的是%2$d。" #. TRANS: Text shown having sent a reply to a notice successfully. #. TRANS: %s is the nickname of the user of the notice the reply was sent to. -#: lib/command.php:600 +#: lib/command.php:604 #, php-format msgid "Reply to %s sent." msgstr "给 %s 的回复已发送。" #. TRANS: Error text shown when a reply to a notice fails with an unknown reason. -#: lib/command.php:603 +#: lib/command.php:607 msgid "Error saving notice." msgstr "保存消息时出错。" #. TRANS: Error text shown when no username was provided when issuing a subscribe command. -#: lib/command.php:650 +#: lib/command.php:654 msgid "Specify the name of the user to subscribe to." msgstr "指定要关注的用户名。" #. TRANS: Command exception text shown when trying to subscribe to an OMB profile using the subscribe command. -#: lib/command.php:659 +#: lib/command.php:663 msgid "Can't subscribe to OMB profiles by command." msgstr "无法通过命令行关注 OMB 用户。" #. TRANS: Text shown after having subscribed to another user successfully. #. TRANS: %s is the name of the user the subscription was requested for. -#: lib/command.php:667 +#: lib/command.php:671 #, php-format msgid "Subscribed to %s." msgstr "已关注%s。" #. TRANS: Error text shown when no username was provided when issuing an unsubscribe command. #. TRANS: Error text shown when no username was provided when issuing the command. -#: lib/command.php:688 lib/command.php:799 +#: lib/command.php:692 lib/command.php:803 msgid "Specify the name of the user to unsubscribe from." msgstr "指定要取消关注的用户名。" #. TRANS: Text shown after having unsubscribed from another user successfully. #. TRANS: %s is the name of the user the unsubscription was requested for. -#: lib/command.php:699 +#: lib/command.php:703 #, php-format msgid "Unsubscribed from %s." msgstr "取消关注%s。" #. TRANS: Error text shown when issuing the command "off" with a setting which has not yet been implemented. #. TRANS: Error text shown when issuing the command "on" with a setting which has not yet been implemented. -#: lib/command.php:719 lib/command.php:745 +#: lib/command.php:723 lib/command.php:749 msgid "Command not yet implemented." msgstr "命令尚未实现。" #. TRANS: Text shown when issuing the command "off" successfully. -#: lib/command.php:723 +#: lib/command.php:727 msgid "Notification off." msgstr "通知已关闭。" #. TRANS: Error text shown when the command "off" fails for an unknown reason. -#: lib/command.php:726 +#: lib/command.php:730 msgid "Can't turn off notification." msgstr "无法关闭通知。" #. TRANS: Text shown when issuing the command "on" successfully. -#: lib/command.php:749 +#: lib/command.php:753 msgid "Notification on." msgstr "通知已开启。" #. TRANS: Error text shown when the command "on" fails for an unknown reason. -#: lib/command.php:752 +#: lib/command.php:756 msgid "Can't turn on notification." msgstr "无法开启通知。" #. TRANS: Error text shown when issuing the login command while login is disabled. -#: lib/command.php:766 +#: lib/command.php:770 msgid "Login command is disabled." msgstr "登录命令被禁用。" #. TRANS: Text shown after issuing the login command successfully. #. TRANS: %s is a logon link.. -#: lib/command.php:779 +#: lib/command.php:783 #, php-format msgid "This link is useable only once and is valid for only 2 minutes: %s." msgstr "这个链接只能使用一次并且仅在2分钟内有效:%s。" #. TRANS: Text shown after issuing the lose command successfully (stop another user from following the current user). #. TRANS: %s is the name of the user the unsubscription was requested for. -#: lib/command.php:808 +#: lib/command.php:812 #, php-format msgid "Unsubscribed %s." msgstr "已取消关注%s。" #. TRANS: Text shown after requesting other users a user is subscribed to without having any subscriptions. -#: lib/command.php:826 +#: lib/command.php:830 msgid "You are not subscribed to anyone." msgstr "你没有关注任何人。" #. TRANS: Text shown after requesting other users a user is subscribed to. #. TRANS: This message supports plural forms. This message is followed by a #. TRANS: hard coded space and a comma separated list of subscribed users. -#: lib/command.php:831 +#: lib/command.php:835 msgid "You are subscribed to this person:" msgid_plural "You are subscribed to these people:" msgstr[0] "你已关注了这个用户:" #. TRANS: Text shown after requesting other users that are subscribed to a user #. TRANS: (followers) without having any subscribers. -#: lib/command.php:853 +#: lib/command.php:857 msgid "No one is subscribed to you." msgstr "没有人关注你。" #. TRANS: Text shown after requesting other users that are subscribed to a user (followers). #. TRANS: This message supports plural forms. This message is followed by a #. TRANS: hard coded space and a comma separated list of subscribing users. -#: lib/command.php:858 +#: lib/command.php:862 msgid "This person is subscribed to you:" msgid_plural "These people are subscribed to you:" msgstr[0] "这个用户正在关注你:" #. TRANS: Text shown after requesting groups a user is subscribed to without having #. TRANS: any group subscriptions. -#: lib/command.php:880 +#: lib/command.php:884 msgid "You are not a member of any groups." msgstr "你还未成为任何一个小组的成员。" #. TRANS: Text shown after requesting groups a user is subscribed to. #. TRANS: This message supports plural forms. This message is followed by a #. TRANS: hard coded space and a comma separated list of subscribed groups. -#: lib/command.php:885 +#: lib/command.php:889 msgid "You are a member of this group:" msgid_plural "You are a member of these groups:" msgstr[0] "你是该小组成员:" #. TRANS: Help text for commands. Do not translate the command names themselves; they are fixed strings. -#: lib/command.php:900 +#: lib/command.php:904 msgid "" "Commands:\n" "on - turn on notifications\n" @@ -7139,7 +7233,8 @@ msgid "1-64 lowercase letters or numbers, no punctuation or spaces" msgstr "1 到 64 个小写字母或数字,不包含标点或空格" #: lib/groupeditform.php:163 -msgid "URL of the homepage or blog of the group or topic" +#, fuzzy +msgid "URL of the homepage or blog of the group or topic." msgstr "这个小组或主题的主页或博客 URL" #: lib/groupeditform.php:168 @@ -7147,19 +7242,26 @@ msgid "Describe the group or topic" msgstr "小组或主题的描述" #: lib/groupeditform.php:170 -#, php-format -msgid "Describe the group or topic in %d characters" -msgstr "小组或主题的描述,不能超过%d个字符" +#, fuzzy, php-format +msgid "Describe the group or topic in %d character or less" +msgid_plural "Describe the group or topic in %d characters or less" +msgstr[0] "小组或主题的描述,不能超过%d个字符" -#: lib/groupeditform.php:179 +#: lib/groupeditform.php:182 +#, fuzzy msgid "" -"Location for the group, if any, like \"City, State (or Region), Country\"" +"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 "该小组额外的昵称,用逗号或者空格分隔开,最长%d" +#: lib/groupeditform.php:190 +#, fuzzy, php-format +msgid "" +"Extra nicknames for the group, separated with commas or spaces. Maximum %d " +"alias allowed." +msgid_plural "" +"Extra nicknames for the group, separated with commas or spaces. Maximum %d " +"aliases allowed." +msgstr[0] "该小组额外的昵称,用逗号或者空格分隔开,最长%d" #. TRANS: Menu item in the group navigation page. #: lib/groupnav.php:86 @@ -7708,7 +7810,7 @@ msgstr "抱歉,这个不是你的收信电子邮件地址。" msgid "Sorry, no incoming email allowed." msgstr "抱歉,现在不允许电子邮件发布。" -#: lib/mailhandler.php:228 +#: lib/mailhandler.php:229 #, php-format msgid "Unsupported message type: %s" msgstr "不支持的信息格式:%s" @@ -8049,16 +8151,17 @@ msgid "Sandbox this user" msgstr "将这个用户放入沙盒。" #. TRANS: Fieldset legend for the search form. -#: lib/searchaction.php:121 +#: lib/searchaction.php:120 msgid "Search site" msgstr "搜索帮助" #. TRANS: Used as a field label for the field where one or more keywords #. TRANS: for searching can be entered. -#: lib/searchaction.php:129 +#: lib/searchaction.php:128 msgid "Keyword(s)" msgstr "关键词" +#. TRANS: Button text for searching site. #: lib/searchaction.php:130 msgctxt "BUTTON" msgid "Search" @@ -8148,8 +8251,8 @@ msgid "The theme file is missing or the upload failed." msgstr "主题文件丢失或上传失败。" #: lib/themeuploader.php:91 lib/themeuploader.php:102 -#: lib/themeuploader.php:278 lib/themeuploader.php:282 -#: lib/themeuploader.php:290 lib/themeuploader.php:297 +#: lib/themeuploader.php:279 lib/themeuploader.php:283 +#: lib/themeuploader.php:291 lib/themeuploader.php:298 msgid "Failed saving theme." msgstr "保存主题失败" @@ -8158,31 +8261,33 @@ msgid "Invalid theme: bad directory structure." msgstr "无效的主题:目录结构损坏。" #: lib/themeuploader.php:166 -#, php-format -msgid "Uploaded theme is too large; must be less than %d bytes uncompressed." -msgstr "上传的主题过大,解压后必须小于%d字节。" +#, fuzzy, php-format +msgid "Uploaded theme is too large; must be less than %d byte uncompressed." +msgid_plural "" +"Uploaded theme is too large; must be less than %d bytes uncompressed." +msgstr[0] "上传的主题过大,解压后必须小于%d字节。" -#: lib/themeuploader.php:178 +#: lib/themeuploader.php:179 msgid "Invalid theme archive: missing file css/display.css" msgstr "无效的主题存档:css/display.css 文件丢失" -#: lib/themeuploader.php:218 +#: lib/themeuploader.php:219 msgid "" "Theme contains invalid file or folder name. Stick with ASCII letters, " "digits, underscore, and minus sign." msgstr "" "主题包含无效的文件或文件夹的名称。请只使用 ASCII 字母,数字,下划线和减号。" -#: lib/themeuploader.php:224 +#: lib/themeuploader.php:225 msgid "Theme contains unsafe file extension names; may be unsafe." msgstr "主题包含不安全的文件扩展名,可能有危险。" -#: lib/themeuploader.php:241 +#: lib/themeuploader.php:242 #, php-format msgid "Theme contains file of type '.%s', which is not allowed." msgstr "主题包含不允许的”.%s“格式文件。" -#: lib/themeuploader.php:259 +#: lib/themeuploader.php:260 msgid "Error opening theme archive." msgstr "打开主题文件时出错。" @@ -8358,22 +8463,40 @@ msgid "Message too long. Maximum is %1$d character, you sent %2$d." msgid_plural "Message too long. Maximum is %1$d characters, you sent %2$d." msgstr[0] "消息包含%2$d个字符,超出长度限制 - 不能超过%1$d个字符。" -#: scripts/restoreuser.php:82 +#. TRANS: Commandline script output. %s is the filename that contains a backup for a user. +#: scripts/restoreuser.php:61 #, php-format -msgid "Backup file for user %s (%s)" -msgstr "用户 %s (%s) 的备份文件" +msgid "Getting backup from file '%s'." +msgstr "" -#: scripts/restoreuser.php:88 +#. TRANS: Commandline script output. +#: scripts/restoreuser.php:91 msgid "No user specified; using backup user." msgstr "没有用户被指定;使用备份用户。" -#: scripts/restoreuser.php:94 -#, php-format -msgid "%d entries in backup." -msgstr "备份中有 %d 个条目。" +#. TRANS: Commandline script output. %d is the number of entries in the activity stream in backup; used for plural. +#: scripts/restoreuser.php:98 +#, fuzzy, php-format +msgid "%d entry in backup." +msgid_plural "%d entries in backup." +msgstr[0] "备份中有 %d 个条目。" -#~ msgid "Description is too long (max %d chars)." -#~ msgstr "描述过长(不能超过%d 个字符)。" +#, fuzzy +#~ msgid "Name is too long (maximum 255 chars)." +#~ msgstr "名称过长(不能超过255个字符)。" -#~ msgid "Too many aliases! Maximum %d." -#~ msgstr "太多别名了!最多%d 个。" +#, fuzzy +#~ msgid "Organization is too long (maximum 255 chars)." +#~ msgstr "组织名称过长(不能超过255个字符)。" + +#~ msgid "That's too long. Max notice size is %d chars." +#~ msgstr "太长了。最长的消息长度是%d个字符。" + +#~ msgid "Max notice size is %d chars, including attachment URL." +#~ msgstr "每条消息最长%d字符,包括附件的链接 URL。" + +#~ msgid " tagged %s" +#~ msgstr "带%s标签的" + +#~ msgid "Backup file for user %s (%s)" +#~ msgstr "用户 %s (%s) 的备份文件" diff --git a/plugins/OStatus/locale/OStatus.pot b/plugins/OStatus/locale/OStatus.pot index 2473e730fa..745a87c98f 100644 --- a/plugins/OStatus/locale/OStatus.pot +++ b/plugins/OStatus/locale/OStatus.pot @@ -8,7 +8,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-10-27 23:43+0000\n" +"POT-Creation-Date: 2010-11-02 22:51+0000\n" "PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" "Last-Translator: FULL NAME \n" "Language-Team: LANGUAGE \n" @@ -119,13 +119,13 @@ msgstr "" msgid "Attempting to end PuSH subscription for feed with no hub." msgstr "" -#. TRANS: Server exception. +#. TRANS: Server exception. %s is a URI. #: classes/Ostatus_profile.php:192 #, php-format msgid "Invalid ostatus_profile state: both group and profile IDs set for %s." msgstr "" -#. TRANS: Server exception. +#. TRANS: Server exception. %s is a URI. #: classes/Ostatus_profile.php:195 #, php-format msgid "Invalid ostatus_profile state: both group and profile IDs empty for %s." @@ -145,105 +145,113 @@ msgid "" "Activity entry." msgstr "" -#: classes/Ostatus_profile.php:408 +#. TRANS: Exception. +#: classes/Ostatus_profile.php:409 msgid "Unknown feed format." msgstr "" -#: classes/Ostatus_profile.php:431 +#. TRANS: Exception. +#: classes/Ostatus_profile.php:433 msgid "RSS feed without a channel." msgstr "" #. TRANS: Client exception. -#: classes/Ostatus_profile.php:476 +#: classes/Ostatus_profile.php:478 msgid "Can't handle that kind of post." msgstr "" -#. TRANS: Client exception. %s is a source URL. -#: classes/Ostatus_profile.php:559 +#. TRANS: Client exception. %s is a source URI. +#: classes/Ostatus_profile.php:561 #, php-format msgid "No content for notice %s." msgstr "" -#. TRANS: Shown when a notice is longer than supported and/or when attachments are present. -#: classes/Ostatus_profile.php:592 +#. TRANS: Shown when a notice is longer than supported and/or when attachments are present. At runtime +#. TRANS: this will usually be replaced with localised text from StatusNet core messages. +#: classes/Ostatus_profile.php:596 msgid "Show more" msgstr "" #. TRANS: Exception. %s is a profile URL. -#: classes/Ostatus_profile.php:785 +#: classes/Ostatus_profile.php:789 #, php-format msgid "Could not reach profile page %s." msgstr "" -#. TRANS: Exception. -#: classes/Ostatus_profile.php:843 +#. TRANS: Exception. %s is a URL. +#: classes/Ostatus_profile.php:847 #, php-format msgid "Could not find a feed URL for profile page %s." msgstr "" -#: classes/Ostatus_profile.php:980 +#. TRANS: Feed sub exception. +#: classes/Ostatus_profile.php:985 msgid "Can't find enough profile information to make a feed." msgstr "" -#: classes/Ostatus_profile.php:1039 +#. TRANS: Server exception. %s is a URL. +#: classes/Ostatus_profile.php:1045 #, php-format msgid "Invalid avatar URL %s." msgstr "" -#: classes/Ostatus_profile.php:1049 +#. TRANS: Server exception. %s is a URI. +#: classes/Ostatus_profile.php:1056 #, php-format msgid "Tried to update avatar for unsaved remote profile %s." msgstr "" -#: classes/Ostatus_profile.php:1058 +#. TRANS: Server exception. %s is a URL. +#: classes/Ostatus_profile.php:1066 #, php-format msgid "Unable to fetch avatar from %s." msgstr "" #. TRANS: Exception. -#: classes/Ostatus_profile.php:1284 +#: classes/Ostatus_profile.php:1292 msgid "Local user can't be referenced as remote." msgstr "" #. TRANS: Exception. -#: classes/Ostatus_profile.php:1289 +#: classes/Ostatus_profile.php:1297 msgid "Local group can't be referenced as remote." msgstr "" -#. TRANS: Exception. -#: classes/Ostatus_profile.php:1341 classes/Ostatus_profile.php:1352 +#. TRANS: Server exception. +#: classes/Ostatus_profile.php:1349 classes/Ostatus_profile.php:1360 msgid "Can't save local profile." msgstr "" -#. TRANS: Exception. -#: classes/Ostatus_profile.php:1360 +#. TRANS: Server exception. +#: classes/Ostatus_profile.php:1368 msgid "Can't save OStatus profile." msgstr "" #. TRANS: Exception. -#: classes/Ostatus_profile.php:1619 classes/Ostatus_profile.php:1647 +#: classes/Ostatus_profile.php:1627 classes/Ostatus_profile.php:1655 msgid "Not a valid webfinger address." msgstr "" #. TRANS: Exception. %s is a webfinger address. -#: classes/Ostatus_profile.php:1729 +#: classes/Ostatus_profile.php:1737 #, php-format msgid "Couldn't save profile for \"%s\"." msgstr "" #. TRANS: Exception. %s is a webfinger address. -#: classes/Ostatus_profile.php:1748 +#: classes/Ostatus_profile.php:1756 #, php-format msgid "Couldn't save ostatus_profile for \"%s\"." msgstr "" #. TRANS: Exception. %s is a webfinger address. -#: classes/Ostatus_profile.php:1756 +#: classes/Ostatus_profile.php:1764 #, php-format msgid "Couldn't find a valid profile for \"%s\"." msgstr "" -#: classes/Ostatus_profile.php:1798 +#. TRANS: Server exception. +#: classes/Ostatus_profile.php:1807 msgid "Could not store HTML content of long post as file." msgstr "" diff --git a/plugins/OStatus/locale/fr/LC_MESSAGES/OStatus.po b/plugins/OStatus/locale/fr/LC_MESSAGES/OStatus.po index b0ef34b6b9..2d0a49c31a 100644 --- a/plugins/OStatus/locale/fr/LC_MESSAGES/OStatus.po +++ b/plugins/OStatus/locale/fr/LC_MESSAGES/OStatus.po @@ -10,13 +10,13 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet - OStatus\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-10-27 23:43+0000\n" -"PO-Revision-Date: 2010-10-27 23:47:14+0000\n" +"POT-Creation-Date: 2010-11-02 22:51+0000\n" +"PO-Revision-Date: 2010-11-02 22:54:51+0000\n" "Language-Team: French \n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-POT-Import-Date: 2010-10-23 19:00:35+0000\n" -"X-Generator: MediaWiki 1.17alpha (r75596); Translate extension (2010-09-17)\n" +"X-POT-Import-Date: 2010-10-29 16:13:55+0000\n" +"X-Generator: MediaWiki 1.17alpha (r75875); Translate extension (2010-09-17)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: fr\n" "X-Message-Group: #out-statusnet-plugin-ostatus\n" @@ -131,7 +131,7 @@ msgstr "" "Tente d’arrêter l’inscription PuSH à un flux d’information sans " "concentrateur." -#. TRANS: Server exception. +#. TRANS: Server exception. %s is a URI. #: classes/Ostatus_profile.php:192 #, php-format msgid "Invalid ostatus_profile state: both group and profile IDs set for %s." @@ -139,7 +139,7 @@ msgstr "" "État invalide du profil OStatus : identifiants à la fois de groupe et de " "profil définis pour « %s »." -#. TRANS: Server exception. +#. TRANS: Server exception. %s is a URI. #: classes/Ostatus_profile.php:195 #, php-format msgid "Invalid ostatus_profile state: both group and profile IDs empty for %s." @@ -163,111 +163,119 @@ msgstr "" "Type invalide passé à la méthode « Ostatus_profile::notify ». Ce doit être " "une chaîne XML ou une entrée « Activity »." -#: classes/Ostatus_profile.php:408 +#. TRANS: Exception. +#: classes/Ostatus_profile.php:409 msgid "Unknown feed format." msgstr "Format de flux d’information inconnu." -#: classes/Ostatus_profile.php:431 +#. TRANS: Exception. +#: classes/Ostatus_profile.php:433 msgid "RSS feed without a channel." msgstr "Flux RSS sans canal." #. TRANS: Client exception. -#: classes/Ostatus_profile.php:476 +#: classes/Ostatus_profile.php:478 msgid "Can't handle that kind of post." msgstr "Impossible de gérer cette sorte de publication." -#. TRANS: Client exception. %s is a source URL. -#: classes/Ostatus_profile.php:559 +#. TRANS: Client exception. %s is a source URI. +#: classes/Ostatus_profile.php:561 #, php-format msgid "No content for notice %s." msgstr "Aucun contenu dans l’avis « %s »." -#. TRANS: Shown when a notice is longer than supported and/or when attachments are present. -#: classes/Ostatus_profile.php:592 +#. TRANS: Shown when a notice is longer than supported and/or when attachments are present. At runtime +#. TRANS: this will usually be replaced with localised text from StatusNet core messages. +#: classes/Ostatus_profile.php:596 msgid "Show more" msgstr "Voir davantage" #. TRANS: Exception. %s is a profile URL. -#: classes/Ostatus_profile.php:785 +#: classes/Ostatus_profile.php:789 #, php-format msgid "Could not reach profile page %s." msgstr "Impossible d’atteindre la page de profil « %s »." -#. TRANS: Exception. -#: classes/Ostatus_profile.php:843 +#. TRANS: Exception. %s is a URL. +#: classes/Ostatus_profile.php:847 #, php-format msgid "Could not find a feed URL for profile page %s." msgstr "" "Impossible de trouver une adresse URL de flux d’information pour la page de " "profil « %s »." -#: classes/Ostatus_profile.php:980 +#. TRANS: Feed sub exception. +#: classes/Ostatus_profile.php:985 msgid "Can't find enough profile information to make a feed." msgstr "" "Impossible de trouver assez d’informations de profil pour créer un flux " "d’information." -#: classes/Ostatus_profile.php:1039 +#. TRANS: Server exception. %s is a URL. +#: classes/Ostatus_profile.php:1045 #, php-format msgid "Invalid avatar URL %s." msgstr "Adresse URL d’avatar « %s » invalide." -#: classes/Ostatus_profile.php:1049 +#. TRANS: Server exception. %s is a URI. +#: classes/Ostatus_profile.php:1056 #, php-format msgid "Tried to update avatar for unsaved remote profile %s." msgstr "" "Tente de mettre à jour l’avatar associé au profil distant non sauvegardé « %s " "»." -#: classes/Ostatus_profile.php:1058 +#. TRANS: Server exception. %s is a URL. +#: classes/Ostatus_profile.php:1066 #, php-format msgid "Unable to fetch avatar from %s." msgstr "Impossible de récupérer l’avatar depuis « %s »." #. TRANS: Exception. -#: classes/Ostatus_profile.php:1284 +#: classes/Ostatus_profile.php:1292 msgid "Local user can't be referenced as remote." msgstr "L’utilisateur local ne peut être référencé comme distant." #. TRANS: Exception. -#: classes/Ostatus_profile.php:1289 +#: classes/Ostatus_profile.php:1297 msgid "Local group can't be referenced as remote." msgstr "Le groupe local ne peut être référencé comme distant." -#. TRANS: Exception. -#: classes/Ostatus_profile.php:1341 classes/Ostatus_profile.php:1352 +#. TRANS: Server exception. +#: classes/Ostatus_profile.php:1349 classes/Ostatus_profile.php:1360 msgid "Can't save local profile." msgstr "Impossible de sauvegarder le profil local." -#. TRANS: Exception. -#: classes/Ostatus_profile.php:1360 +#. TRANS: Server exception. +#: classes/Ostatus_profile.php:1368 msgid "Can't save OStatus profile." msgstr "Impossible de sauvegarder le profil OStatus." #. TRANS: Exception. -#: classes/Ostatus_profile.php:1619 classes/Ostatus_profile.php:1647 +#: classes/Ostatus_profile.php:1627 classes/Ostatus_profile.php:1655 msgid "Not a valid webfinger address." msgstr "Ce n’est pas une adresse « webfinger » valide." #. TRANS: Exception. %s is a webfinger address. -#: classes/Ostatus_profile.php:1729 +#: classes/Ostatus_profile.php:1737 #, php-format msgid "Couldn't save profile for \"%s\"." msgstr "Impossible de sauvegarder le profil pour « %s »." #. TRANS: Exception. %s is a webfinger address. -#: classes/Ostatus_profile.php:1748 +#: classes/Ostatus_profile.php:1756 #, php-format msgid "Couldn't save ostatus_profile for \"%s\"." msgstr "Impossible d’enregistrer le profil OStatus pour « %s »." #. TRANS: Exception. %s is a webfinger address. -#: classes/Ostatus_profile.php:1756 +#: classes/Ostatus_profile.php:1764 #, php-format msgid "Couldn't find a valid profile for \"%s\"." msgstr "Impossible de trouver un profil valide pour « %s »." -#: classes/Ostatus_profile.php:1798 +#. TRANS: Server exception. +#: classes/Ostatus_profile.php:1807 msgid "Could not store HTML content of long post as file." msgstr "" "Impossible de stocker le contenu HTML d’une longue publication en un fichier." diff --git a/plugins/OStatus/locale/ia/LC_MESSAGES/OStatus.po b/plugins/OStatus/locale/ia/LC_MESSAGES/OStatus.po index fdeba50c2f..f2f322de0b 100644 --- a/plugins/OStatus/locale/ia/LC_MESSAGES/OStatus.po +++ b/plugins/OStatus/locale/ia/LC_MESSAGES/OStatus.po @@ -9,13 +9,13 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet - OStatus\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-10-27 23:43+0000\n" -"PO-Revision-Date: 2010-10-27 23:47:15+0000\n" +"POT-Creation-Date: 2010-11-02 22:51+0000\n" +"PO-Revision-Date: 2010-11-02 22:54:51+0000\n" "Language-Team: Interlingua \n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-POT-Import-Date: 2010-10-23 19:00:35+0000\n" -"X-Generator: MediaWiki 1.17alpha (r75596); Translate extension (2010-09-17)\n" +"X-POT-Import-Date: 2010-10-29 16:13:55+0000\n" +"X-Generator: MediaWiki 1.17alpha (r75875); Translate extension (2010-09-17)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: ia\n" "X-Message-Group: #out-statusnet-plugin-ostatus\n" @@ -126,14 +126,14 @@ msgstr "Tentativa de comenciar subscription PuSH pro syndication sin centro." msgid "Attempting to end PuSH subscription for feed with no hub." msgstr "Tentativa de terminar subscription PuSH pro syndication sin centro." -#. TRANS: Server exception. +#. TRANS: Server exception. %s is a URI. #: classes/Ostatus_profile.php:192 #, php-format msgid "Invalid ostatus_profile state: both group and profile IDs set for %s." msgstr "" "Stato ostatus_profile invalide: IDs e de gruppo e de profilo definite pro %s." -#. TRANS: Server exception. +#. TRANS: Server exception. %s is a URI. #: classes/Ostatus_profile.php:195 #, php-format msgid "Invalid ostatus_profile state: both group and profile IDs empty for %s." @@ -156,106 +156,114 @@ msgstr "" "Typo invalide passate a Ostatos_profile::notify. Illo debe esser catena XML " "o entrata Activity." -#: classes/Ostatus_profile.php:408 +#. TRANS: Exception. +#: classes/Ostatus_profile.php:409 msgid "Unknown feed format." msgstr "Formato de syndication incognite." -#: classes/Ostatus_profile.php:431 +#. TRANS: Exception. +#: classes/Ostatus_profile.php:433 msgid "RSS feed without a channel." msgstr "Syndication RSS sin canal." #. TRANS: Client exception. -#: classes/Ostatus_profile.php:476 +#: classes/Ostatus_profile.php:478 msgid "Can't handle that kind of post." msgstr "Non pote tractar iste typo de message." -#. TRANS: Client exception. %s is a source URL. -#: classes/Ostatus_profile.php:559 +#. TRANS: Client exception. %s is a source URI. +#: classes/Ostatus_profile.php:561 #, php-format msgid "No content for notice %s." msgstr "Nulle contento pro nota %s." -#. TRANS: Shown when a notice is longer than supported and/or when attachments are present. -#: classes/Ostatus_profile.php:592 +#. TRANS: Shown when a notice is longer than supported and/or when attachments are present. At runtime +#. TRANS: this will usually be replaced with localised text from StatusNet core messages. +#: classes/Ostatus_profile.php:596 msgid "Show more" msgstr "Monstrar plus" #. TRANS: Exception. %s is a profile URL. -#: classes/Ostatus_profile.php:785 +#: classes/Ostatus_profile.php:789 #, php-format msgid "Could not reach profile page %s." msgstr "Non poteva attinger pagina de profilo %s." -#. TRANS: Exception. -#: classes/Ostatus_profile.php:843 +#. TRANS: Exception. %s is a URL. +#: classes/Ostatus_profile.php:847 #, php-format msgid "Could not find a feed URL for profile page %s." msgstr "Non poteva trovar un URL de syndication pro pagina de profilo %s." -#: classes/Ostatus_profile.php:980 +#. TRANS: Feed sub exception. +#: classes/Ostatus_profile.php:985 msgid "Can't find enough profile information to make a feed." msgstr "" "Non pote trovar satis de information de profilo pro facer un syndication." -#: classes/Ostatus_profile.php:1039 +#. TRANS: Server exception. %s is a URL. +#: classes/Ostatus_profile.php:1045 #, php-format msgid "Invalid avatar URL %s." msgstr "URL de avatar %s invalide." -#: classes/Ostatus_profile.php:1049 +#. TRANS: Server exception. %s is a URI. +#: classes/Ostatus_profile.php:1056 #, php-format msgid "Tried to update avatar for unsaved remote profile %s." msgstr "Tentava actualisar avatar pro profilo remote non salveguardate %s." -#: classes/Ostatus_profile.php:1058 +#. TRANS: Server exception. %s is a URL. +#: classes/Ostatus_profile.php:1066 #, php-format msgid "Unable to fetch avatar from %s." msgstr "Incapace de obtener avatar ab %s." #. TRANS: Exception. -#: classes/Ostatus_profile.php:1284 +#: classes/Ostatus_profile.php:1292 msgid "Local user can't be referenced as remote." msgstr "Usator local non pote esser referentiate como remote." #. TRANS: Exception. -#: classes/Ostatus_profile.php:1289 +#: classes/Ostatus_profile.php:1297 msgid "Local group can't be referenced as remote." msgstr "Gruppo local non pote esser referentiate como remote." -#. TRANS: Exception. -#: classes/Ostatus_profile.php:1341 classes/Ostatus_profile.php:1352 +#. TRANS: Server exception. +#: classes/Ostatus_profile.php:1349 classes/Ostatus_profile.php:1360 msgid "Can't save local profile." msgstr "Non pote salveguardar profilo local." -#. TRANS: Exception. -#: classes/Ostatus_profile.php:1360 +#. TRANS: Server exception. +#: classes/Ostatus_profile.php:1368 msgid "Can't save OStatus profile." msgstr "Non pote salveguardar profilo OStatus." #. TRANS: Exception. -#: classes/Ostatus_profile.php:1619 classes/Ostatus_profile.php:1647 +#: classes/Ostatus_profile.php:1627 classes/Ostatus_profile.php:1655 msgid "Not a valid webfinger address." msgstr "Adresse webfinger invalide." #. TRANS: Exception. %s is a webfinger address. -#: classes/Ostatus_profile.php:1729 +#: classes/Ostatus_profile.php:1737 #, php-format msgid "Couldn't save profile for \"%s\"." msgstr "Non poteva salveguardar profilo pro \"%s\"." #. TRANS: Exception. %s is a webfinger address. -#: classes/Ostatus_profile.php:1748 +#: classes/Ostatus_profile.php:1756 #, php-format msgid "Couldn't save ostatus_profile for \"%s\"." msgstr "Non poteva salveguardar osatus_profile pro %s." #. TRANS: Exception. %s is a webfinger address. -#: classes/Ostatus_profile.php:1756 +#: classes/Ostatus_profile.php:1764 #, php-format msgid "Couldn't find a valid profile for \"%s\"." msgstr "Non poteva trovar un profilo valide pro \"%s\"." -#: classes/Ostatus_profile.php:1798 +#. TRANS: Server exception. +#: classes/Ostatus_profile.php:1807 msgid "Could not store HTML content of long post as file." msgstr "Non poteva immagazinar contento HTML de longe message como file." diff --git a/plugins/OStatus/locale/mk/LC_MESSAGES/OStatus.po b/plugins/OStatus/locale/mk/LC_MESSAGES/OStatus.po index 44baf29eef..fe2cb7e109 100644 --- a/plugins/OStatus/locale/mk/LC_MESSAGES/OStatus.po +++ b/plugins/OStatus/locale/mk/LC_MESSAGES/OStatus.po @@ -9,13 +9,13 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet - OStatus\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-10-27 23:43+0000\n" -"PO-Revision-Date: 2010-10-27 23:47:15+0000\n" +"POT-Creation-Date: 2010-11-02 22:51+0000\n" +"PO-Revision-Date: 2010-11-02 22:54:51+0000\n" "Language-Team: Macedonian \n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-POT-Import-Date: 2010-10-23 19:00:35+0000\n" -"X-Generator: MediaWiki 1.17alpha (r75596); Translate extension (2010-09-17)\n" +"X-POT-Import-Date: 2010-10-29 16:13:55+0000\n" +"X-Generator: MediaWiki 1.17alpha (r75875); Translate extension (2010-09-17)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: mk\n" "X-Message-Group: #out-statusnet-plugin-ostatus\n" @@ -127,7 +127,7 @@ msgid "Attempting to end PuSH subscription for feed with no hub." msgstr "" "Се обидувам да ставам крај на PuSH-претплатата за емитување без средиште." -#. TRANS: Server exception. +#. TRANS: Server exception. %s is a URI. #: classes/Ostatus_profile.php:192 #, php-format msgid "Invalid ostatus_profile state: both group and profile IDs set for %s." @@ -135,7 +135,7 @@ msgstr "" "Неважечка ostatus_profile-состојба: назнаките (ID) на групата и профилот се " "наместени за %s." -#. TRANS: Server exception. +#. TRANS: Server exception. %s is a URI. #: classes/Ostatus_profile.php:195 #, php-format msgid "Invalid ostatus_profile state: both group and profile IDs empty for %s." @@ -159,106 +159,114 @@ msgstr "" "На Ostatus_profile::notify е пренесен неважечки тип. Мора да биде XML-низа " "или ставка во Activity." -#: classes/Ostatus_profile.php:408 +#. TRANS: Exception. +#: classes/Ostatus_profile.php:409 msgid "Unknown feed format." msgstr "Непознат формат на каналско емитување." -#: classes/Ostatus_profile.php:431 +#. TRANS: Exception. +#: classes/Ostatus_profile.php:433 msgid "RSS feed without a channel." msgstr "RSS-емитување без канал." #. TRANS: Client exception. -#: classes/Ostatus_profile.php:476 +#: classes/Ostatus_profile.php:478 msgid "Can't handle that kind of post." msgstr "Не можам да работам со таква објава." -#. TRANS: Client exception. %s is a source URL. -#: classes/Ostatus_profile.php:559 +#. TRANS: Client exception. %s is a source URI. +#: classes/Ostatus_profile.php:561 #, php-format msgid "No content for notice %s." msgstr "Нема содржина за забелешката %s." -#. TRANS: Shown when a notice is longer than supported and/or when attachments are present. -#: classes/Ostatus_profile.php:592 +#. TRANS: Shown when a notice is longer than supported and/or when attachments are present. At runtime +#. TRANS: this will usually be replaced with localised text from StatusNet core messages. +#: classes/Ostatus_profile.php:596 msgid "Show more" msgstr "Повеќе" #. TRANS: Exception. %s is a profile URL. -#: classes/Ostatus_profile.php:785 +#: classes/Ostatus_profile.php:789 #, php-format msgid "Could not reach profile page %s." msgstr "Не можев да ја добијам профилната страница %s." -#. TRANS: Exception. -#: classes/Ostatus_profile.php:843 +#. TRANS: Exception. %s is a URL. +#: classes/Ostatus_profile.php:847 #, php-format msgid "Could not find a feed URL for profile page %s." msgstr "Не можев да пронајдам каналска URL-адреса за профилната страница %s." -#: classes/Ostatus_profile.php:980 +#. TRANS: Feed sub exception. +#: classes/Ostatus_profile.php:985 msgid "Can't find enough profile information to make a feed." msgstr "Не можев да најдам доволно профилни податоци за да направам канал." -#: classes/Ostatus_profile.php:1039 +#. TRANS: Server exception. %s is a URL. +#: classes/Ostatus_profile.php:1045 #, php-format msgid "Invalid avatar URL %s." msgstr "Неважечка URL-адреса за аватарот: %s." -#: classes/Ostatus_profile.php:1049 +#. TRANS: Server exception. %s is a URI. +#: classes/Ostatus_profile.php:1056 #, php-format msgid "Tried to update avatar for unsaved remote profile %s." msgstr "" "Се обидов да го подновам аватарот за незачуваниот далечински профил %s." -#: classes/Ostatus_profile.php:1058 +#. TRANS: Server exception. %s is a URL. +#: classes/Ostatus_profile.php:1066 #, php-format msgid "Unable to fetch avatar from %s." msgstr "Не можам да го добијам аватарот од %s." #. TRANS: Exception. -#: classes/Ostatus_profile.php:1284 +#: classes/Ostatus_profile.php:1292 msgid "Local user can't be referenced as remote." msgstr "Локалниот корисник не може да се наведе како далечински." #. TRANS: Exception. -#: classes/Ostatus_profile.php:1289 +#: classes/Ostatus_profile.php:1297 msgid "Local group can't be referenced as remote." msgstr "Локалната група не може да се наведе како далечинска." -#. TRANS: Exception. -#: classes/Ostatus_profile.php:1341 classes/Ostatus_profile.php:1352 +#. TRANS: Server exception. +#: classes/Ostatus_profile.php:1349 classes/Ostatus_profile.php:1360 msgid "Can't save local profile." msgstr "Не можам да го зачувам локалниот профил." -#. TRANS: Exception. -#: classes/Ostatus_profile.php:1360 +#. TRANS: Server exception. +#: classes/Ostatus_profile.php:1368 msgid "Can't save OStatus profile." msgstr "Не можам да го зачувам профилот од OStatus." #. TRANS: Exception. -#: classes/Ostatus_profile.php:1619 classes/Ostatus_profile.php:1647 +#: classes/Ostatus_profile.php:1627 classes/Ostatus_profile.php:1655 msgid "Not a valid webfinger address." msgstr "Ова не е важечка Webfinger-адреса" #. TRANS: Exception. %s is a webfinger address. -#: classes/Ostatus_profile.php:1729 +#: classes/Ostatus_profile.php:1737 #, php-format msgid "Couldn't save profile for \"%s\"." msgstr "Не можам да го зачувам профилот за „%s“." #. TRANS: Exception. %s is a webfinger address. -#: classes/Ostatus_profile.php:1748 +#: classes/Ostatus_profile.php:1756 #, php-format msgid "Couldn't save ostatus_profile for \"%s\"." msgstr "Не можам да го зачувам ostatus_profile за „%s“." #. TRANS: Exception. %s is a webfinger address. -#: classes/Ostatus_profile.php:1756 +#: classes/Ostatus_profile.php:1764 #, php-format msgid "Couldn't find a valid profile for \"%s\"." msgstr "Не можев да пронајдам важечки профил за „%s“." -#: classes/Ostatus_profile.php:1798 +#. TRANS: Server exception. +#: classes/Ostatus_profile.php:1807 msgid "Could not store HTML content of long post as file." msgstr "" "Не можам да ја складирам HTML-содржината на долгата објава како податотека." diff --git a/plugins/OStatus/locale/nl/LC_MESSAGES/OStatus.po b/plugins/OStatus/locale/nl/LC_MESSAGES/OStatus.po index 7ffad8df9b..d37b8cb01a 100644 --- a/plugins/OStatus/locale/nl/LC_MESSAGES/OStatus.po +++ b/plugins/OStatus/locale/nl/LC_MESSAGES/OStatus.po @@ -10,13 +10,13 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet - OStatus\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-10-27 23:43+0000\n" -"PO-Revision-Date: 2010-10-27 23:47:16+0000\n" +"POT-Creation-Date: 2010-11-02 22:51+0000\n" +"PO-Revision-Date: 2010-11-02 22:54:51+0000\n" "Language-Team: Dutch \n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-POT-Import-Date: 2010-10-23 19:00:35+0000\n" -"X-Generator: MediaWiki 1.17alpha (r75596); Translate extension (2010-09-17)\n" +"X-POT-Import-Date: 2010-10-29 16:13:55+0000\n" +"X-Generator: MediaWiki 1.17alpha (r75875); Translate extension (2010-09-17)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: nl\n" "X-Message-Group: #out-statusnet-plugin-ostatus\n" @@ -133,7 +133,7 @@ msgid "Attempting to end PuSH subscription for feed with no hub." msgstr "" "Aan het proberen een PuSH-abonnement te verwijderen voor een feed zonder hub." -#. TRANS: Server exception. +#. TRANS: Server exception. %s is a URI. #: classes/Ostatus_profile.php:192 #, php-format msgid "Invalid ostatus_profile state: both group and profile IDs set for %s." @@ -141,7 +141,7 @@ msgstr "" "Ongeldige ostatus_profile status: het ID voor zowel de groep als het profiel " "voor %s is ingesteld." -#. TRANS: Server exception. +#. TRANS: Server exception. %s is a URI. #: classes/Ostatus_profile.php:195 #, php-format msgid "Invalid ostatus_profile state: both group and profile IDs empty for %s." @@ -165,112 +165,120 @@ msgstr "" "Ongeldig type doorgegeven aan Ostatus_profile::notify. Het moet een XML-" "string of Activity zijn." -#: classes/Ostatus_profile.php:408 +#. TRANS: Exception. +#: classes/Ostatus_profile.php:409 msgid "Unknown feed format." msgstr "Onbekend feedformaat" -#: classes/Ostatus_profile.php:431 +#. TRANS: Exception. +#: classes/Ostatus_profile.php:433 msgid "RSS feed without a channel." msgstr "RSS-feed zonder kanaal." #. TRANS: Client exception. -#: classes/Ostatus_profile.php:476 +#: classes/Ostatus_profile.php:478 msgid "Can't handle that kind of post." msgstr "Dat type post kan niet verwerkt worden." -#. TRANS: Client exception. %s is a source URL. -#: classes/Ostatus_profile.php:559 +#. TRANS: Client exception. %s is a source URI. +#: classes/Ostatus_profile.php:561 #, php-format msgid "No content for notice %s." msgstr "Geen inhoud voor mededeling %s." -#. TRANS: Shown when a notice is longer than supported and/or when attachments are present. -#: classes/Ostatus_profile.php:592 +#. TRANS: Shown when a notice is longer than supported and/or when attachments are present. At runtime +#. TRANS: this will usually be replaced with localised text from StatusNet core messages. +#: classes/Ostatus_profile.php:596 msgid "Show more" msgstr "Meer weergeven" #. TRANS: Exception. %s is a profile URL. -#: classes/Ostatus_profile.php:785 +#: classes/Ostatus_profile.php:789 #, php-format msgid "Could not reach profile page %s." msgstr "Het was niet mogelijk de profielpagina %s te bereiken." -#. TRANS: Exception. -#: classes/Ostatus_profile.php:843 +#. TRANS: Exception. %s is a URL. +#: classes/Ostatus_profile.php:847 #, php-format msgid "Could not find a feed URL for profile page %s." msgstr "Het was niet mogelijk de feed-URL voor de profielpagina %s te vinden." -#: classes/Ostatus_profile.php:980 +#. TRANS: Feed sub exception. +#: classes/Ostatus_profile.php:985 msgid "Can't find enough profile information to make a feed." msgstr "" "Het was niet mogelijk voldoende profielinformatie te vinden om een feed te " "maken." -#: classes/Ostatus_profile.php:1039 +#. TRANS: Server exception. %s is a URL. +#: classes/Ostatus_profile.php:1045 #, php-format msgid "Invalid avatar URL %s." msgstr "Ongeldige avatar-URL %s." -#: classes/Ostatus_profile.php:1049 +#. TRANS: Server exception. %s is a URI. +#: classes/Ostatus_profile.php:1056 #, php-format msgid "Tried to update avatar for unsaved remote profile %s." msgstr "" "Geprobeerd om een avatar bij te werken voor het niet opgeslagen profiel %s." -#: classes/Ostatus_profile.php:1058 +#. TRANS: Server exception. %s is a URL. +#: classes/Ostatus_profile.php:1066 #, php-format msgid "Unable to fetch avatar from %s." msgstr "Het was niet mogelijk de avatar op te halen van %s." #. TRANS: Exception. -#: classes/Ostatus_profile.php:1284 +#: classes/Ostatus_profile.php:1292 msgid "Local user can't be referenced as remote." msgstr "" "Naar een lokale gebruiker kan niet verwezen worden alsof die zich bij een " "andere dienst bevindt." #. TRANS: Exception. -#: classes/Ostatus_profile.php:1289 +#: classes/Ostatus_profile.php:1297 msgid "Local group can't be referenced as remote." msgstr "" "Naar een lokale groep kan niet verwezen worden alsof die zich bij een andere " "dienst bevindt." -#. TRANS: Exception. -#: classes/Ostatus_profile.php:1341 classes/Ostatus_profile.php:1352 +#. TRANS: Server exception. +#: classes/Ostatus_profile.php:1349 classes/Ostatus_profile.php:1360 msgid "Can't save local profile." msgstr "Het was niet mogelijk het lokale profiel op te slaan." -#. TRANS: Exception. -#: classes/Ostatus_profile.php:1360 +#. TRANS: Server exception. +#: classes/Ostatus_profile.php:1368 msgid "Can't save OStatus profile." msgstr "Het was niet mogelijk het Ostatusprofiel op te slaan." #. TRANS: Exception. -#: classes/Ostatus_profile.php:1619 classes/Ostatus_profile.php:1647 +#: classes/Ostatus_profile.php:1627 classes/Ostatus_profile.php:1655 msgid "Not a valid webfinger address." msgstr "Geen geldig webfingeradres." #. TRANS: Exception. %s is a webfinger address. -#: classes/Ostatus_profile.php:1729 +#: classes/Ostatus_profile.php:1737 #, php-format msgid "Couldn't save profile for \"%s\"." msgstr "Het was niet mogelijk het profiel voor \"%s\" op te slaan." #. TRANS: Exception. %s is a webfinger address. -#: classes/Ostatus_profile.php:1748 +#: classes/Ostatus_profile.php:1756 #, php-format msgid "Couldn't save ostatus_profile for \"%s\"." msgstr "Het was niet mogelijk het ostatus_profile voor \"%s\" op te slaan." #. TRANS: Exception. %s is a webfinger address. -#: classes/Ostatus_profile.php:1756 +#: classes/Ostatus_profile.php:1764 #, php-format msgid "Couldn't find a valid profile for \"%s\"." msgstr "Er is geen geldig profiel voor \"%s\" gevonden." -#: classes/Ostatus_profile.php:1798 +#. TRANS: Server exception. +#: classes/Ostatus_profile.php:1807 msgid "Could not store HTML content of long post as file." msgstr "" "Het was niet mogelijk de HTML-inhoud van het lange bericht als bestand op te " diff --git a/plugins/OStatus/locale/uk/LC_MESSAGES/OStatus.po b/plugins/OStatus/locale/uk/LC_MESSAGES/OStatus.po index 7d3ffb80f5..88ba205b13 100644 --- a/plugins/OStatus/locale/uk/LC_MESSAGES/OStatus.po +++ b/plugins/OStatus/locale/uk/LC_MESSAGES/OStatus.po @@ -9,13 +9,13 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet - OStatus\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-10-27 23:43+0000\n" -"PO-Revision-Date: 2010-10-27 23:47:17+0000\n" +"POT-Creation-Date: 2010-11-02 22:51+0000\n" +"PO-Revision-Date: 2010-11-02 22:54:51+0000\n" "Language-Team: Ukrainian \n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-POT-Import-Date: 2010-10-23 19:00:35+0000\n" -"X-Generator: MediaWiki 1.17alpha (r75596); Translate extension (2010-09-17)\n" +"X-POT-Import-Date: 2010-10-29 16:13:55+0000\n" +"X-Generator: MediaWiki 1.17alpha (r75875); Translate extension (2010-09-17)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: uk\n" "X-Message-Group: #out-statusnet-plugin-ostatus\n" @@ -130,7 +130,7 @@ msgstr "" "Спроба скасувати підписку за допомогою PuSH до веб-стрічки, котра не має " "вузла." -#. TRANS: Server exception. +#. TRANS: Server exception. %s is a URI. #: classes/Ostatus_profile.php:192 #, php-format msgid "Invalid ostatus_profile state: both group and profile IDs set for %s." @@ -138,7 +138,7 @@ msgstr "" "Невірний стан параметру ostatus_profile: як групові, так і персональні " "ідентифікатори встановлено для %s." -#. TRANS: Server exception. +#. TRANS: Server exception. %s is a URI. #: classes/Ostatus_profile.php:195 #, php-format msgid "Invalid ostatus_profile state: both group and profile IDs empty for %s." @@ -162,106 +162,114 @@ msgstr "" "До параметру Ostatus_profile::notify передано невірний тип. Це має бути або " "рядок у форматі XML, або запис активності." -#: classes/Ostatus_profile.php:408 +#. TRANS: Exception. +#: classes/Ostatus_profile.php:409 msgid "Unknown feed format." msgstr "Невідомий формат веб-стрічки." -#: classes/Ostatus_profile.php:431 +#. TRANS: Exception. +#: classes/Ostatus_profile.php:433 msgid "RSS feed without a channel." msgstr "RSS-стрічка не має каналу." #. TRANS: Client exception. -#: classes/Ostatus_profile.php:476 +#: classes/Ostatus_profile.php:478 msgid "Can't handle that kind of post." msgstr "Не вдається обробити такий тип допису." -#. TRANS: Client exception. %s is a source URL. -#: classes/Ostatus_profile.php:559 +#. TRANS: Client exception. %s is a source URI. +#: classes/Ostatus_profile.php:561 #, php-format msgid "No content for notice %s." msgstr "Допис %s не має змісту." -#. TRANS: Shown when a notice is longer than supported and/or when attachments are present. -#: classes/Ostatus_profile.php:592 +#. TRANS: Shown when a notice is longer than supported and/or when attachments are present. At runtime +#. TRANS: this will usually be replaced with localised text from StatusNet core messages. +#: classes/Ostatus_profile.php:596 msgid "Show more" msgstr "Розгорнути" #. TRANS: Exception. %s is a profile URL. -#: classes/Ostatus_profile.php:785 +#: classes/Ostatus_profile.php:789 #, php-format msgid "Could not reach profile page %s." msgstr "Не вдалося досягти сторінки профілю %s." -#. TRANS: Exception. -#: classes/Ostatus_profile.php:843 +#. TRANS: Exception. %s is a URL. +#: classes/Ostatus_profile.php:847 #, php-format msgid "Could not find a feed URL for profile page %s." msgstr "Не вдалося знайти URL веб-стрічки для сторінки профілю %s." -#: classes/Ostatus_profile.php:980 +#. TRANS: Feed sub exception. +#: classes/Ostatus_profile.php:985 msgid "Can't find enough profile information to make a feed." msgstr "" "Не можу знайти достатньо інформації про профіль, аби сформувати веб-стрічку." -#: classes/Ostatus_profile.php:1039 +#. TRANS: Server exception. %s is a URL. +#: classes/Ostatus_profile.php:1045 #, php-format msgid "Invalid avatar URL %s." msgstr "Невірна URL-адреса аватари %s." -#: classes/Ostatus_profile.php:1049 +#. TRANS: Server exception. %s is a URI. +#: classes/Ostatus_profile.php:1056 #, php-format msgid "Tried to update avatar for unsaved remote profile %s." msgstr "Намагаюся оновити аватару для не збереженого віддаленого профілю %s." -#: classes/Ostatus_profile.php:1058 +#. TRANS: Server exception. %s is a URL. +#: classes/Ostatus_profile.php:1066 #, php-format msgid "Unable to fetch avatar from %s." msgstr "Неможливо завантажити аватару з %s." #. TRANS: Exception. -#: classes/Ostatus_profile.php:1284 +#: classes/Ostatus_profile.php:1292 msgid "Local user can't be referenced as remote." msgstr "Місцевий користувач не може бути зазначеним у якості віддаленого." #. TRANS: Exception. -#: classes/Ostatus_profile.php:1289 +#: classes/Ostatus_profile.php:1297 msgid "Local group can't be referenced as remote." msgstr "Локальну спільноту не можна зазначити у якості віддаленої." -#. TRANS: Exception. -#: classes/Ostatus_profile.php:1341 classes/Ostatus_profile.php:1352 +#. TRANS: Server exception. +#: classes/Ostatus_profile.php:1349 classes/Ostatus_profile.php:1360 msgid "Can't save local profile." msgstr "Не вдається зберегти місцевий профіль." -#. TRANS: Exception. -#: classes/Ostatus_profile.php:1360 +#. TRANS: Server exception. +#: classes/Ostatus_profile.php:1368 msgid "Can't save OStatus profile." msgstr "Не вдається зберегти профіль OStatus." #. TRANS: Exception. -#: classes/Ostatus_profile.php:1619 classes/Ostatus_profile.php:1647 +#: classes/Ostatus_profile.php:1627 classes/Ostatus_profile.php:1655 msgid "Not a valid webfinger address." msgstr "Це недійсна адреса для протоколу WebFinger." #. TRANS: Exception. %s is a webfinger address. -#: classes/Ostatus_profile.php:1729 +#: classes/Ostatus_profile.php:1737 #, php-format msgid "Couldn't save profile for \"%s\"." msgstr "Не можу зберегти профіль для «%s»." #. TRANS: Exception. %s is a webfinger address. -#: classes/Ostatus_profile.php:1748 +#: classes/Ostatus_profile.php:1756 #, php-format msgid "Couldn't save ostatus_profile for \"%s\"." msgstr "Не можу зберегти профіль OStatus для «%s»." #. TRANS: Exception. %s is a webfinger address. -#: classes/Ostatus_profile.php:1756 +#: classes/Ostatus_profile.php:1764 #, php-format msgid "Couldn't find a valid profile for \"%s\"." msgstr "не можу знайти відповідний й профіль для «%s»." -#: classes/Ostatus_profile.php:1798 +#. TRANS: Server exception. +#: classes/Ostatus_profile.php:1807 msgid "Could not store HTML content of long post as file." msgstr "Не можу зберегти HTML місткого допису у якості файлу." diff --git a/plugins/Realtime/locale/ia/LC_MESSAGES/Realtime.po b/plugins/Realtime/locale/ia/LC_MESSAGES/Realtime.po new file mode 100644 index 0000000000..94fdb4dcc3 --- /dev/null +++ b/plugins/Realtime/locale/ia/LC_MESSAGES/Realtime.po @@ -0,0 +1,58 @@ +# Translation of StatusNet - Realtime to Interlingua (Interlingua) +# Expored from translatewiki.net +# +# Author: McDutchie +# -- +# This file is distributed under the same license as the StatusNet package. +# +msgid "" +msgstr "" +"Project-Id-Version: StatusNet - Realtime\n" +"Report-Msgid-Bugs-To: \n" +"POT-Creation-Date: 2010-11-02 22:51+0000\n" +"PO-Revision-Date: 2010-11-02 22:54:57+0000\n" +"Language-Team: Interlingua \n" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"X-POT-Import-Date: 2010-11-02 19:54:39+0000\n" +"X-Generator: MediaWiki 1.17alpha (r75875); Translate extension (2010-09-17)\n" +"X-Translation-Project: translatewiki.net at http://translatewiki.net\n" +"X-Language-Code: ia\n" +"X-Message-Group: #out-statusnet-plugin-realtime\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" + +#. TRANS: Text label for realtime view "play" button, usually replaced by an icon. +#: RealtimePlugin.php:339 +msgctxt "BUTTON" +msgid "Play" +msgstr "Reproducer" + +#. TRANS: Tooltip for realtime view "play" button. +#: RealtimePlugin.php:341 +msgctxt "TOOLTIP" +msgid "Play" +msgstr "Reproducer" + +#. TRANS: Text label for realtime view "pause" button +#: RealtimePlugin.php:343 +msgctxt "BUTTON" +msgid "Pause" +msgstr "Pausar" + +#. TRANS: Tooltip for realtime view "pause" button +#: RealtimePlugin.php:345 +msgctxt "TOOLTIP" +msgid "Pause" +msgstr "Pausar" + +#. TRANS: Text label for realtime view "popup" button, usually replaced by an icon. +#: RealtimePlugin.php:347 +msgctxt "BUTTON" +msgid "Pop up" +msgstr "Fenestra" + +#. TRANS: Tooltip for realtime view "popup" button. +#: RealtimePlugin.php:349 +msgctxt "TOOLTIP" +msgid "Pop up in a window" +msgstr "Aperir le reproductor in un nove fenestra" diff --git a/plugins/Realtime/locale/mk/LC_MESSAGES/Realtime.po b/plugins/Realtime/locale/mk/LC_MESSAGES/Realtime.po new file mode 100644 index 0000000000..0b4024a762 --- /dev/null +++ b/plugins/Realtime/locale/mk/LC_MESSAGES/Realtime.po @@ -0,0 +1,58 @@ +# Translation of StatusNet - Realtime to Macedonian (Македонски) +# Expored from translatewiki.net +# +# Author: Bjankuloski06 +# -- +# This file is distributed under the same license as the StatusNet package. +# +msgid "" +msgstr "" +"Project-Id-Version: StatusNet - Realtime\n" +"Report-Msgid-Bugs-To: \n" +"POT-Creation-Date: 2010-11-02 22:51+0000\n" +"PO-Revision-Date: 2010-11-02 22:54:57+0000\n" +"Language-Team: Macedonian \n" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"X-POT-Import-Date: 2010-11-02 19:54:39+0000\n" +"X-Generator: MediaWiki 1.17alpha (r75875); Translate extension (2010-09-17)\n" +"X-Translation-Project: translatewiki.net at http://translatewiki.net\n" +"X-Language-Code: mk\n" +"X-Message-Group: #out-statusnet-plugin-realtime\n" +"Plural-Forms: nplurals=2; plural=(n == 1 || n%10 == 1) ? 0 : 1;\n" + +#. TRANS: Text label for realtime view "play" button, usually replaced by an icon. +#: RealtimePlugin.php:339 +msgctxt "BUTTON" +msgid "Play" +msgstr "Пушти" + +#. TRANS: Tooltip for realtime view "play" button. +#: RealtimePlugin.php:341 +msgctxt "TOOLTIP" +msgid "Play" +msgstr "Пушти" + +#. TRANS: Text label for realtime view "pause" button +#: RealtimePlugin.php:343 +msgctxt "BUTTON" +msgid "Pause" +msgstr "Паузирај" + +#. TRANS: Tooltip for realtime view "pause" button +#: RealtimePlugin.php:345 +msgctxt "TOOLTIP" +msgid "Pause" +msgstr "Паузирај" + +#. TRANS: Text label for realtime view "popup" button, usually replaced by an icon. +#: RealtimePlugin.php:347 +msgctxt "BUTTON" +msgid "Pop up" +msgstr "Прозорче" + +#. TRANS: Tooltip for realtime view "popup" button. +#: RealtimePlugin.php:349 +msgctxt "TOOLTIP" +msgid "Pop up in a window" +msgstr "Прикажи во прозорче" diff --git a/plugins/Realtime/locale/nl/LC_MESSAGES/Realtime.po b/plugins/Realtime/locale/nl/LC_MESSAGES/Realtime.po new file mode 100644 index 0000000000..ac5b2f45cf --- /dev/null +++ b/plugins/Realtime/locale/nl/LC_MESSAGES/Realtime.po @@ -0,0 +1,58 @@ +# Translation of StatusNet - Realtime to Dutch (Nederlands) +# Expored from translatewiki.net +# +# Author: Siebrand +# -- +# This file is distributed under the same license as the StatusNet package. +# +msgid "" +msgstr "" +"Project-Id-Version: StatusNet - Realtime\n" +"Report-Msgid-Bugs-To: \n" +"POT-Creation-Date: 2010-11-02 22:51+0000\n" +"PO-Revision-Date: 2010-11-02 22:54:57+0000\n" +"Language-Team: Dutch \n" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"X-POT-Import-Date: 2010-11-02 19:54:39+0000\n" +"X-Generator: MediaWiki 1.17alpha (r75875); Translate extension (2010-09-17)\n" +"X-Translation-Project: translatewiki.net at http://translatewiki.net\n" +"X-Language-Code: nl\n" +"X-Message-Group: #out-statusnet-plugin-realtime\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" + +#. TRANS: Text label for realtime view "play" button, usually replaced by an icon. +#: RealtimePlugin.php:339 +msgctxt "BUTTON" +msgid "Play" +msgstr "Afspelen" + +#. TRANS: Tooltip for realtime view "play" button. +#: RealtimePlugin.php:341 +msgctxt "TOOLTIP" +msgid "Play" +msgstr "Afspelen" + +#. TRANS: Text label for realtime view "pause" button +#: RealtimePlugin.php:343 +msgctxt "BUTTON" +msgid "Pause" +msgstr "Pauzeren" + +#. TRANS: Tooltip for realtime view "pause" button +#: RealtimePlugin.php:345 +msgctxt "TOOLTIP" +msgid "Pause" +msgstr "Pauzeren" + +#. TRANS: Text label for realtime view "popup" button, usually replaced by an icon. +#: RealtimePlugin.php:347 +msgctxt "BUTTON" +msgid "Pop up" +msgstr "Pop-up" + +#. TRANS: Tooltip for realtime view "popup" button. +#: RealtimePlugin.php:349 +msgctxt "TOOLTIP" +msgid "Pop up in a window" +msgstr "In nieuw venstertje weergeven" diff --git a/plugins/UserLimit/locale/fi/LC_MESSAGES/UserLimit.po b/plugins/UserLimit/locale/fi/LC_MESSAGES/UserLimit.po new file mode 100644 index 0000000000..5c768546a8 --- /dev/null +++ b/plugins/UserLimit/locale/fi/LC_MESSAGES/UserLimit.po @@ -0,0 +1,26 @@ +# Translation of StatusNet - UserLimit to Finnish (Suomi) +# Expored from translatewiki.net +# +# Author: Centerlink +# -- +# This file is distributed under the same license as the StatusNet package. +# +msgid "" +msgstr "" +"Project-Id-Version: StatusNet - UserLimit\n" +"Report-Msgid-Bugs-To: \n" +"POT-Creation-Date: 2010-11-02 22:51+0000\n" +"PO-Revision-Date: 2010-11-02 22:55:20+0000\n" +"Language-Team: Finnish \n" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"X-POT-Import-Date: 2010-10-29 16:14:14+0000\n" +"X-Generator: MediaWiki 1.17alpha (r75875); Translate extension (2010-09-17)\n" +"X-Translation-Project: translatewiki.net at http://translatewiki.net\n" +"X-Language-Code: fi\n" +"X-Message-Group: #out-statusnet-plugin-userlimit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" + +#: UserLimitPlugin.php:89 +msgid "Limit the number of users who can register." +msgstr "Rajoita niiden käyttäjien lukumäärää, jotka voivat rekisteröityä." From 764a297383ad8160b3e4d645d8953ef46a541b09 Mon Sep 17 00:00:00 2001 From: Zach Copley Date: Tue, 2 Nov 2010 23:13:20 +0000 Subject: [PATCH 051/628] Output filename in log msg if one is supplied --- lib/util.php | 1 + 1 file changed, 1 insertion(+) diff --git a/lib/util.php b/lib/util.php index d50fa20814..47e52c9152 100644 --- a/lib/util.php +++ b/lib/util.php @@ -1499,6 +1499,7 @@ function common_request_id() function common_log($priority, $msg, $filename=null) { if(Event::handle('StartLog', array(&$priority, &$msg, &$filename))){ + $msg = (empty($filename)) ? $msg : basename($filename) . ' - ' . $msg; $msg = '[' . common_request_id() . '] ' . $msg; $logfile = common_config('site', 'logfile'); if ($logfile) { From 5ea04611450645e3b6b8c36627243e699be5f367 Mon Sep 17 00:00:00 2001 From: Zach Copley Date: Tue, 2 Nov 2010 23:14:45 +0000 Subject: [PATCH 052/628] Facebook SSO - Log the user out of Facebook when s/he logs out of StatusNet --- plugins/FacebookSSO/FacebookSSOPlugin.php | 89 ++++++++++++++++++----- plugins/FacebookSSO/facebooklogin.php | 18 +++-- 2 files changed, 81 insertions(+), 26 deletions(-) diff --git a/plugins/FacebookSSO/FacebookSSOPlugin.php b/plugins/FacebookSSO/FacebookSSOPlugin.php index fca0275af0..da109e9c47 100644 --- a/plugins/FacebookSSO/FacebookSSOPlugin.php +++ b/plugins/FacebookSSO/FacebookSSOPlugin.php @@ -68,7 +68,6 @@ class FacebookSSOPlugin extends Plugin */ function initialize() { - common_debug("XXXXXXXXXXXX " . $this->appId); // Check defaults and configuration for application ID and secret if (empty($this->appId)) { $this->appId = common_config('facebook', 'appid'); @@ -79,7 +78,6 @@ class FacebookSSOPlugin extends Plugin } if (empty($this->facebook)) { - common_debug('instantiating facebook obj'); $this->facebook = new Facebook( array( 'appId' => $this->appId, @@ -89,8 +87,6 @@ class FacebookSSOPlugin extends Plugin ); } - common_debug("FACEBOOK = " . var_export($this->facebook, true)); - return true; } @@ -243,7 +239,7 @@ class FacebookSSOPlugin extends Plugin } /* - * Add a tab for managing Facebook Connect settings + * Add a tab for user-level Facebook settings * * @param Action &action the current action * @@ -254,13 +250,14 @@ class FacebookSSOPlugin extends Plugin if ($this->hasApplication()) { $action_name = $action->trimmed('action'); - $action->menuItem(common_local_url('facebooksettings'), - // @todo CHECKME: Should be 'Facebook Connect'? - // TRANS: Menu item tab. - _m('MENU','Facebook'), - // TRANS: Tooltip for menu item "Facebook". - _m('Facebook Connect Settings'), - $action_name === 'facebooksettings'); + $action->menuItem( + common_local_url('facebooksettings'), + // TRANS: Menu item tab. + _m('MENU','Facebook'), + // TRANS: Tooltip for menu item "Facebook". + _m('Facebook settings'), + $action_name === 'facebooksettings' + ); } return true; @@ -325,19 +322,75 @@ ENDOFSCRIPT; return true; } + /* + * Log the user out of Facebook, per the Facebook authentication guide + * + * @param Action action the action + */ + function onEndLogout($action) + { + $session = $this->facebook->getSession(); + $fbuser = null; + $fbuid = null; + + if ($session) { + try { + $fbuid = $this->facebook->getUser(); + $fbuser = $this->facebook->api('/me'); + } catch (FacebookApiException $e) { + common_log(LOG_ERROR, $e, __FILE__); + } + } + + if (!empty($fbuser)) { + + $logoutUrl = $this->facebook->getLogoutUrl( + array('next' => common_local_url('public')) + ); + + common_log( + LOG_INFO, + sprintf( + "Logging user out of Facebook (fbuid = %s)", + $fbuid + ), + __FILE__ + ); + + common_redirect($logoutUrl, 303); + } + } + + /* + * Add fbml namespace so Facebook's JavaScript SDK can parse and render + * XFBML tags (e.g: ) + * + * @param Action $action current action + * @param array $attrs array of attributes for the HTML tag + * + * @return nothing + */ function onStartHtmlElement($action, $attrs) { $attrs = array_merge($attrs, array('xmlns:fb' => 'http://www.facebook.com/2008/fbml')); return true; } + /* + * Add version info for this plugin + * + * @param array &$versions plugin version descriptions + */ function onPluginVersion(&$versions) { - $versions[] = array('name' => 'Facebook Single-Sign-On', - 'version' => STATUSNET_VERSION, - 'author' => 'Zach Copley', - 'homepage' => 'http://status.net/wiki/Plugin:FacebookSSO', - 'rawdescription' => - _m('A plugin for single-sign-on with Facebook.')); + $versions[] = array( + 'name' => 'Facebook Single-Sign-On', + 'version' => STATUSNET_VERSION, + 'author' => 'Zach Copley', + 'homepage' => 'http://status.net/wiki/Plugin:FacebookSSO', + 'rawdescription' => + _m('A plugin for single-sign-on with Facebook.') + ); + return true; } } diff --git a/plugins/FacebookSSO/facebooklogin.php b/plugins/FacebookSSO/facebooklogin.php index fce481fc03..bb30be1af7 100644 --- a/plugins/FacebookSSO/facebooklogin.php +++ b/plugins/FacebookSSO/facebooklogin.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 Pugin + * @category Plugin * @package StatusNet * @author Zach Copley * @copyright 2010 StatusNet, Inc. @@ -34,6 +34,7 @@ if (!defined('STATUSNET')) { class FacebookloginAction extends Action { + function handle($args) { parent::handle($args); @@ -53,7 +54,7 @@ class FacebookloginAction extends Action ); $session = $facebook->getSession(); - $me = null; + $fbuser = null; if ($session) { try { @@ -86,10 +87,11 @@ class FacebookloginAction extends Action if (!empty($user)) { - common_debug( + common_log( + LOG_INFO, sprintf( - 'Logged in Facebook user $s as user %d (%s)', - $this->fbuid, + 'Logged in Facebook user %s as user %s (%s)', + $fbuid, $user->id, $user->nickname ), @@ -150,9 +152,9 @@ class FacebookloginAction extends Action $this->elementStart('fieldset'); $attrs = array( - 'show-faces' => 'true', - 'width' => '100', - 'max-rows' => '2', + //'show-faces' => 'true', + //'max-rows' => '4', + //'width' => '600', 'perms' => 'user_location,user_website,offline_access,publish_stream' ); From 28703deb8f864575135c2ea94facc60c6ca9945b Mon Sep 17 00:00:00 2001 From: Brion Vibber Date: Tue, 2 Nov 2010 16:26:51 -0700 Subject: [PATCH 053/628] Allow custom apiroot for site streams testing on streamtest --- plugins/TwitterBridge/scripts/streamtest.php | 10 ++++++++-- 1 file changed, 8 insertions(+), 2 deletions(-) diff --git a/plugins/TwitterBridge/scripts/streamtest.php b/plugins/TwitterBridge/scripts/streamtest.php index a175c1efa5..aad15fdeab 100644 --- a/plugins/TwitterBridge/scripts/streamtest.php +++ b/plugins/TwitterBridge/scripts/streamtest.php @@ -28,7 +28,7 @@ define('INSTALLDIR', realpath(dirname(__FILE__) . '/../../..')); $shortoptions = 'n:'; -$longoptions = array('nick=','import','all'); +$longoptions = array('nick=','import','all','apiroot='); $helptext = << @@ -36,6 +36,7 @@ USAGE: streamtest.php -n -n --nick= Local user whose Twitter timeline to watch --import Experimental: run incoming messages through import --all Experimental: run multiuser; requires nick be the app owner + --apiroot= Provide alternate streaming API root URL Attempts a User Stream connection to Twitter as the given user, dumping data as it comes. @@ -86,7 +87,12 @@ function siteStreamForOwner(User $user) { // The user we auth as must be the owner of the application. $auth = twitterAuthForUser($user); - $stream = new TwitterSiteStream($auth); + + if (have_option('apiroot')) { + $stream = new TwitterSiteStream($auth, get_option_value('apiroot')); + } else { + $stream = new TwitterSiteStream($auth); + } // Pull Twitter user IDs for all users we want to pull data for $userIds = array(); From 445b306b5494210f119525a13c4148024a6c5576 Mon Sep 17 00:00:00 2001 From: Brion Vibber Date: Tue, 2 Nov 2010 16:27:14 -0700 Subject: [PATCH 054/628] fakestream.php: script to build an emulated Twitter Site Stream from live Twitter data, for testing. --- plugins/TwitterBridge/scripts/fakestream.php | 106 +++++++++++++++++++ 1 file changed, 106 insertions(+) create mode 100644 plugins/TwitterBridge/scripts/fakestream.php diff --git a/plugins/TwitterBridge/scripts/fakestream.php b/plugins/TwitterBridge/scripts/fakestream.php new file mode 100644 index 0000000000..cdb56d4910 --- /dev/null +++ b/plugins/TwitterBridge/scripts/fakestream.php @@ -0,0 +1,106 @@ +. + * + * @category Plugin + * @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/ + */ + +define('INSTALLDIR', realpath(dirname(__FILE__) . '/../../..')); + +$shortoptions = 'n:'; +$longoptions = array('nick=','import','all'); + +$helptext = << + + -n --nick= Local user whose Twitter timeline to watch + --import Experimental: run incoming messages through import + --all Experimental: run multiuser; requires nick be the app owner + +Attempts a User Stream connection to Twitter as the given user, dumping +data as it comes. + +ENDOFHELP; + +require_once INSTALLDIR.'/scripts/commandline.inc'; + +if (have_option('n')) { + $nickname = get_option_value('n'); +} else if (have_option('nick')) { + $nickname = get_option_value('nickname'); +} else { + show_help($helptext); + exit(0); +} + +/** + * + * @param User $user + * @return TwitterOAuthClient + */ +function twitterAuthForUser(User $user) +{ + $flink = Foreign_link::getByUserID($user->id, + TWITTER_SERVICE); + if (!$flink) { + throw new ServerException("No Twitter config for this user."); + } + + $token = TwitterOAuthClient::unpackToken($flink->credentials); + if (!$token) { + throw new ServerException("No Twitter OAuth credentials for this user."); + } + + return new TwitterOAuthClient($token->key, $token->secret); +} + +/** + * Emulate the line-by-line output... + * + * @param Foreign_link $flink + * @param mixed $data + */ +function dumpMessage($flink, $data) +{ + $msg->for_user = $flink->foreign_id; + $msg->message = $data; + print json_encode($msg) . "\r\n"; +} + +if (have_option('all')) { + throw new Exception('--all not yet implemented'); +} + +$user = User::staticGet('nickname', $nickname); +$auth = twitterAuthForUser($user); +$flink = Foreign_link::getByUserID($user->id, + TWITTER_SERVICE); + +$friends->friends = $auth->friendsIds(); +dumpMessage($flink, $friends); + +$timeline = $auth->statusesHomeTimeline(); +foreach ($timeline as $status) { + dumpMessage($flink, $status); +} + From a2f0f68d75b2cf49815a695a30761c6c9538449e Mon Sep 17 00:00:00 2001 From: Brion Vibber Date: Tue, 2 Nov 2010 16:43:01 -0700 Subject: [PATCH 055/628] fakestream.php can now take --all option to pull the latest messages from multiple locally-authed accounts when generating simulated sitestreams info --- plugins/TwitterBridge/scripts/fakestream.php | 65 ++++++++++++++++---- 1 file changed, 53 insertions(+), 12 deletions(-) diff --git a/plugins/TwitterBridge/scripts/fakestream.php b/plugins/TwitterBridge/scripts/fakestream.php index cdb56d4910..3696888162 100644 --- a/plugins/TwitterBridge/scripts/fakestream.php +++ b/plugins/TwitterBridge/scripts/fakestream.php @@ -48,6 +48,8 @@ if (have_option('n')) { $nickname = get_option_value('n'); } else if (have_option('nick')) { $nickname = get_option_value('nickname'); +} else if (have_option('all')) { + $nickname = null; } else { show_help($helptext); exit(0); @@ -82,25 +84,64 @@ function twitterAuthForUser(User $user) */ function dumpMessage($flink, $data) { - $msg->for_user = $flink->foreign_id; - $msg->message = $data; + $msg = prepMessage($flink, $data); print json_encode($msg) . "\r\n"; } +function prepMessage($flink, $data) +{ + $msg->for_user = $flink->foreign_id; + $msg->message = $data; + return $msg; +} + if (have_option('all')) { - throw new Exception('--all not yet implemented'); + $users = array(); + + $flink = new Foreign_link(); + $flink->service = TWITTER_SERVICE; + $flink->find(); + + while ($flink->fetch()) { + if (($flink->noticesync & FOREIGN_NOTICE_RECV) == + FOREIGN_NOTICE_RECV) { + $users[] = $flink->user_id; + } + } +} else { + $user = User::staticGet('nickname', $nickname); + $users = array($user->id); } -$user = User::staticGet('nickname', $nickname); -$auth = twitterAuthForUser($user); -$flink = Foreign_link::getByUserID($user->id, - TWITTER_SERVICE); +$output = array(); +foreach ($users as $id) { + $user = User::staticGet('id', $id); + if (!$user) { + throw new Exception("No user for id $id"); + } + $auth = twitterAuthForUser($user); + $flink = Foreign_link::getByUserID($user->id, + TWITTER_SERVICE); -$friends->friends = $auth->friendsIds(); -dumpMessage($flink, $friends); + $friends->friends = $auth->friendsIds(); + dumpMessage($flink, $friends); -$timeline = $auth->statusesHomeTimeline(); -foreach ($timeline as $status) { - dumpMessage($flink, $status); + $timeline = $auth->statusesHomeTimeline(); + foreach ($timeline as $status) { + $output[] = prepMessage($flink, $status); + } } +usort($output, function($a, $b) { + if ($a->message->id < $b->message->id) { + return -1; + } else if ($a->message->id == $b->message->id) { + return 0; + } else { + return 1; + } +}); + +foreach ($output as $msg) { + print json_encode($msg) . "\r\n"; +} From 9cbda32768f65fc53dbeef4e5fb4f53fa4701109 Mon Sep 17 00:00:00 2001 From: Brion Vibber Date: Tue, 2 Nov 2010 16:51:07 -0700 Subject: [PATCH 056/628] Pull out the 'tweetctl' queue for now; these should go over control signals, and actual handling isn't implemented yet anyway. --- plugins/TwitterBridge/TwitterBridgePlugin.php | 3 --- plugins/TwitterBridge/twittersettings.php | 7 ++----- 2 files changed, 2 insertions(+), 8 deletions(-) diff --git a/plugins/TwitterBridge/TwitterBridgePlugin.php b/plugins/TwitterBridge/TwitterBridgePlugin.php index 1078abc484..f5c3612506 100644 --- a/plugins/TwitterBridge/TwitterBridgePlugin.php +++ b/plugins/TwitterBridge/TwitterBridgePlugin.php @@ -279,9 +279,6 @@ class TwitterBridgePlugin extends Plugin // Incoming statuses <- twitter $manager->connect('tweetin', 'TweetInQueueHandler'); - - // Control messages from our web interface to the import daemon - $manager->connect('tweetctl', 'TweetCtlQueueHandler', 'twitter'); } return true; } diff --git a/plugins/TwitterBridge/twittersettings.php b/plugins/TwitterBridge/twittersettings.php index de1ba58b0d..c169172b00 100644 --- a/plugins/TwitterBridge/twittersettings.php +++ b/plugins/TwitterBridge/twittersettings.php @@ -285,7 +285,7 @@ class TwittersettingsAction extends ConnectSettingsAction } $original = clone($flink); - $wasReceiving = (bool)($original->notice_sync & FOREIGN_NOTICE_RECV); + $wasReceiving = (bool)($original->noticesync & FOREIGN_NOTICE_RECV); $flink->set_flags($noticesend, $noticerecv, $replysync, $friendsync); $result = $flink->update($original); @@ -307,10 +307,7 @@ class TwittersettingsAction extends ConnectSettingsAction */ function notifyDaemon($twitterUserId, $receiving) { - $data = array('for_user' => $twitterUserId, - 'action' => $receiving ? 'stop' : 'start'); - $qm = QueueManager::get(); - $qm->enqueue($data, 'twitterctl'); + // todo... should use control signals rather than queues } } From 607d9589775dc79afd4e7295ce00bcf3eeb84d04 Mon Sep 17 00:00:00 2001 From: Brion Vibber Date: Wed, 3 Nov 2010 12:20:25 -0700 Subject: [PATCH 057/628] UserFlag fixes to prevent PHP notices breaking AJAX submissions when display_errors is on. Key & seq defs weren't quite right, which caused accesses to unset array indices in DB_DataObject. --- plugins/UserFlag/User_flag_profile.php | 23 +++++++++++++++++++---- 1 file changed, 19 insertions(+), 4 deletions(-) diff --git a/plugins/UserFlag/User_flag_profile.php b/plugins/UserFlag/User_flag_profile.php index 69fe0f356b..f4e9844dfc 100644 --- a/plugins/UserFlag/User_flag_profile.php +++ b/plugins/UserFlag/User_flag_profile.php @@ -79,21 +79,36 @@ class User_flag_profile extends Memcached_DataObject /** * return key definitions for DB_DataObject * - * @return array key definitions + * @return array of key names */ function keys() { - return array('profile_id' => 'K', 'user_id' => 'K'); + return array_keys($this->keyTypes()); } /** * return key definitions for DB_DataObject * - * @return array key definitions + * @return array map of key definitions */ function keyTypes() { - return $this->keys(); + return array('profile_id' => 'K', 'user_id' => 'K'); + } + + /** + * Magic formula for non-autoincrementing integer primary keys + * + * If a table has a single integer column as its primary key, DB_DataObject + * assumes that the column is auto-incrementing and makes a sequence table + * to do this incrementation. Since we don't need this for our class, we + * overload this method and return the magic formula that DB_DataObject needs. + * + * @return array magic three-false array that stops auto-incrementing. + */ + function sequenceKey() + { + return array(false, false, false); } /** From 5592333b73d970cb9ae326880fc587b1fb8032ce Mon Sep 17 00:00:00 2001 From: Brion Vibber Date: Wed, 3 Nov 2010 12:32:11 -0700 Subject: [PATCH 058/628] Fix for ticket #2168: if we've already flagged a profile from another window, let the 'Flag' form submission gracefully show the updated state instead of throwing an error (error message isn't even exposed properly in AJAX submissions) --- plugins/UserFlag/flagprofile.php | 15 +++++++-------- 1 file changed, 7 insertions(+), 8 deletions(-) diff --git a/plugins/UserFlag/flagprofile.php b/plugins/UserFlag/flagprofile.php index 283eea40ce..7096d3748e 100644 --- a/plugins/UserFlag/flagprofile.php +++ b/plugins/UserFlag/flagprofile.php @@ -60,13 +60,6 @@ class FlagprofileAction extends ProfileFormAction assert(!empty($user)); // checked above assert(!empty($this->profile)); // checked above - if (User_flag_profile::exists($this->profile->id, - $user->id)) { - // TRANS: Client error when setting flag that has already been set for a profile. - $this->clientError(_m('Flag already exists.')); - return false; - } - return true; } @@ -104,7 +97,13 @@ class FlagprofileAction extends ProfileFormAction // throws an exception on error - User_flag_profile::create($user->id, $this->profile->id); + if (User_flag_profile::exists($this->profile->id, + $user->id)) { + // We'll return to the profile page (or return the updated AJAX form) + // showing the current state, so no harm done. + } else { + User_flag_profile::create($user->id, $this->profile->id); + } if ($this->boolean('ajax')) { $this->ajaxResults(); From b0d79005308c30a6db2878377107643e77f0c03f Mon Sep 17 00:00:00 2001 From: Brion Vibber Date: Wed, 3 Nov 2010 12:53:51 -0700 Subject: [PATCH 059/628] Add getFancyName() to User_group to match the one on Profile: encapsulates the "fullname (nickname)" vs "nickname" logic and allows for localization of the parentheses in a common place. --- classes/User_group.php | 16 ++++++++++++++++ 1 file changed, 16 insertions(+) diff --git a/classes/User_group.php b/classes/User_group.php index 7d6e219148..60217e960e 100644 --- a/classes/User_group.php +++ b/classes/User_group.php @@ -234,6 +234,22 @@ class User_group extends Memcached_DataObject return ($this->fullname) ? $this->fullname : $this->nickname; } + /** + * Gets the full name (if filled) with nickname as a parenthetical, or the nickname alone + * if no fullname is provided. + * + * @return string + */ + function getFancyName() + { + if ($this->fullname) { + // TRANS: Full name of a profile or group followed by nickname in parens + return sprintf(_m('FANCYNAME','%1$s (%2$s)'), $this->fullname, $this->nickname); + } else { + return $this->nickname; + } + } + function getAliases() { $aliases = array(); From dc4fafbbd16adecc94fb1e3ee889689cfb786c3a Mon Sep 17 00:00:00 2001 From: Brion Vibber Date: Wed, 3 Nov 2010 12:59:19 -0700 Subject: [PATCH 060/628] General cleanup & part of ticket #2864: use User_group->getFancyName() instead of replicating the logic in various places. Encapsulates and allows for localization of parens. --- actions/showgroup.php | 7 +------ lib/util.php | 2 +- plugins/GroupFavorited/groupfavoritedaction.php | 7 +------ 3 files changed, 3 insertions(+), 13 deletions(-) diff --git a/actions/showgroup.php b/actions/showgroup.php index c872828442..f38cd420ac 100644 --- a/actions/showgroup.php +++ b/actions/showgroup.php @@ -68,12 +68,7 @@ class ShowgroupAction extends GroupDesignAction */ function title() { - if (!empty($this->group->fullname)) { - // @todo FIXME: Needs proper i18n. Maybe use a generic method for this? - $base = $this->group->fullname . ' (' . $this->group->nickname . ')'; - } else { - $base = $this->group->nickname; - } + $base = $this->group->getFancyName(); if ($this->page == 1) { // TRANS: Page title for first group page. %s is a group name. diff --git a/lib/util.php b/lib/util.php index d50fa20814..8f2a9f1738 100644 --- a/lib/util.php +++ b/lib/util.php @@ -1010,7 +1010,7 @@ function common_group_link($sender_id, $nickname) $attrs = array('href' => $group->permalink(), 'class' => 'url'); if (!empty($group->fullname)) { - $attrs['title'] = $group->fullname . ' (' . $group->nickname . ')'; + $attrs['title'] = $group->getFancyName(); } $xs = new XMLStringer(); $xs->elementStart('span', 'vcard'); diff --git a/plugins/GroupFavorited/groupfavoritedaction.php b/plugins/GroupFavorited/groupfavoritedaction.php index dbd37abbcf..dcbf7d0bc5 100644 --- a/plugins/GroupFavorited/groupfavoritedaction.php +++ b/plugins/GroupFavorited/groupfavoritedaction.php @@ -41,12 +41,7 @@ class GroupFavoritedAction extends ShowgroupAction */ function title() { - if (!empty($this->group->fullname)) { - // @todo Create a core method to create this properly. i18n issue. - $base = $this->group->fullname . ' (' . $this->group->nickname . ')'; - } else { - $base = $this->group->nickname; - } + $base = $this->group->getFancyName(); if ($this->page == 1) { // TRANS: %s is a group name. From 6e034567539d12c17759577f5392e86c3aca2fa6 Mon Sep 17 00:00:00 2001 From: Brion Vibber Date: Wed, 3 Nov 2010 13:10:42 -0700 Subject: [PATCH 061/628] Migrate some more code from manually constructing "fullname (nickname)" to using Profile->getFancyName(). Encapsulates common logic and allows for localization of the parens. --- actions/oembed.php | 6 +----- actions/shownotice.php | 6 +----- lib/noticelist.php | 2 +- plugins/Mapstraction/allmap.php | 7 +------ plugins/Mapstraction/usermap.php | 7 +------ 5 files changed, 5 insertions(+), 23 deletions(-) diff --git a/actions/oembed.php b/actions/oembed.php index e25e4cb259..da3aa0c716 100644 --- a/actions/oembed.php +++ b/actions/oembed.php @@ -79,11 +79,7 @@ class OembedAction extends Action if (empty($profile)) { $this->serverError(_('Notice has no profile.'), 500); } - if (!empty($profile->fullname)) { - $authorname = $profile->fullname . ' (' . $profile->nickname . ')'; - } else { - $authorname = $profile->nickname; - } + $authorname = $profile->getFancyName(); $oembed['title'] = sprintf(_('%1$s\'s status on %2$s'), $authorname, common_exact_date($notice->created)); diff --git a/actions/shownotice.php b/actions/shownotice.php index 5fc863486c..7cc6c54243 100644 --- a/actions/shownotice.php +++ b/actions/shownotice.php @@ -167,11 +167,7 @@ class ShownoticeAction extends OwnerDesignAction function title() { - if (!empty($this->profile->fullname)) { - $base = $this->profile->fullname . ' (' . $this->profile->nickname . ')'; - } else { - $base = $this->profile->nickname; - } + $base = $this->profile->getFancyName(); return sprintf(_('%1$s\'s status on %2$s'), $base, diff --git a/lib/noticelist.php b/lib/noticelist.php index df1533980a..bdf2530b34 100644 --- a/lib/noticelist.php +++ b/lib/noticelist.php @@ -306,7 +306,7 @@ class NoticeListItem extends Widget $attrs = array('href' => $this->profile->profileurl, 'class' => 'url'); if (!empty($this->profile->fullname)) { - $attrs['title'] = $this->profile->fullname . ' (' . $this->profile->nickname . ')'; + $attrs['title'] = $this->profile->getFancyName(); } $this->out->elementStart('a', $attrs); $this->showAvatar(); diff --git a/plugins/Mapstraction/allmap.php b/plugins/Mapstraction/allmap.php index 6e2e1d1228..62d8d04458 100644 --- a/plugins/Mapstraction/allmap.php +++ b/plugins/Mapstraction/allmap.php @@ -61,12 +61,7 @@ class AllmapAction extends MapAction function title() { - if (!empty($this->profile->fullname)) { - // @todo FIXME: Bad i18n. Should be "%1$s (%2$s)". - $base = $this->profile->fullname . ' (' . $this->user->nickname . ') '; - } else { - $base = $this->user->nickname; - } + $base = $this->profile->getFancyName(); if ($this->page == 1) { // TRANS: Page title. diff --git a/plugins/Mapstraction/usermap.php b/plugins/Mapstraction/usermap.php index 0ee956159c..54412146ee 100644 --- a/plugins/Mapstraction/usermap.php +++ b/plugins/Mapstraction/usermap.php @@ -58,12 +58,7 @@ class UsermapAction extends MapAction function title() { - if (!empty($this->profile->fullname)) { - // @todo FIXME: Bad i18n. Should be '%1$s (%2$s)' - $base = $this->profile->fullname . ' (' . $this->user->nickname . ')'; - } else { - $base = $this->user->nickname; - } + $base = $this->profile->getFancyName(); if ($this->page == 1) { // @todo CHECKME: inconsisten with paged variant below. " map" missing. From 8e04e88800047b13fc4dbe316f37249cc2988cd2 Mon Sep 17 00:00:00 2001 From: Brion Vibber Date: Wed, 3 Nov 2010 13:11:34 -0700 Subject: [PATCH 062/628] Use Profile->getBestName() in PersonalGroupNav instead of manually picking nickname vs fullname. Logic should still work the same when no nickname is provided, but it doesn't make any sense -- probably needs cleanup. :) --- lib/personalgroupnav.php | 11 +++++++---- 1 file changed, 7 insertions(+), 4 deletions(-) diff --git a/lib/personalgroupnav.php b/lib/personalgroupnav.php index 25db5baa92..1f543b8974 100644 --- a/lib/personalgroupnav.php +++ b/lib/personalgroupnav.php @@ -87,8 +87,11 @@ class PersonalGroupNav extends Widget if ($nickname) { $user = User::staticGet('nickname', $nickname); $user_profile = $user->getProfile(); + $name = $user_profile->getBestName(); } else { + // @fixme can this happen? is this valid? $user_profile = false; + $name = $nickname; } $this->out->elementStart('ul', array('class' => 'nav')); @@ -97,22 +100,22 @@ class PersonalGroupNav extends Widget $this->out->menuItem(common_local_url('all', array('nickname' => $nickname)), _('Personal'), - sprintf(_('%s and friends'), (($user_profile && $user_profile->fullname) ? $user_profile->fullname : $nickname)), + sprintf(_('%s and friends'), $name), $action == 'all', 'nav_timeline_personal'); $this->out->menuItem(common_local_url('replies', array('nickname' => $nickname)), _('Replies'), - sprintf(_('Replies to %s'), (($user_profile && $user_profile->fullname) ? $user_profile->fullname : $nickname)), + sprintf(_('Replies to %s'), $name), $action == 'replies', 'nav_timeline_replies'); $this->out->menuItem(common_local_url('showstream', array('nickname' => $nickname)), _('Profile'), - ($user_profile && $user_profile->fullname) ? $user_profile->fullname : $nickname, + $name, $action == 'showstream', 'nav_profile'); $this->out->menuItem(common_local_url('showfavorites', array('nickname' => $nickname)), _('Favorites'), - sprintf(_('%s\'s favorite notices'), ($user_profile) ? $user_profile->getBestName() : _('User')), + sprintf(_('%s\'s favorite notices'), ($user_profile) ? $name : _('User')), $action == 'showfavorites', 'nav_timeline_favorites'); $cur = common_current_user(); From a3928e5583aa0e2f4a429a6322bfc094ca907fd2 Mon Sep 17 00:00:00 2001 From: Brion Vibber Date: Wed, 3 Nov 2010 14:04:08 -0700 Subject: [PATCH 063/628] UserFlagPlugin fix for ticket #2118 and ticket #2847: flagged state wasn't reflected in profile lists such as group members page and profile search . Pulled common code for the profile page and profile list cases to give them the same logic on checking. Also fixes the problem that you'd get a flag button for yourself in profile lists, while we explicitly exclude that from the profile page -- it's now skipped in both places. --- plugins/UserFlag/UserFlagPlugin.php | 68 +++++++++++++++-------------- 1 file changed, 35 insertions(+), 33 deletions(-) diff --git a/plugins/UserFlag/UserFlagPlugin.php b/plugins/UserFlag/UserFlagPlugin.php index e6ad3e37d3..fc7698841e 100644 --- a/plugins/UserFlag/UserFlagPlugin.php +++ b/plugins/UserFlag/UserFlagPlugin.php @@ -128,25 +128,9 @@ class UserFlagPlugin extends Plugin */ function onEndProfilePageActionsElements(&$action, $profile) { - $user = common_current_user(); - - if (!empty($user) && ($user->id != $profile->id)) { - - $action->elementStart('li', 'entity_flag'); - - if (User_flag_profile::exists($profile->id, $user->id)) { - // @todo FIXME: Add a title explaining what 'flagged' means? - // TRANS: Message added to a profile if it has been flagged for review. - $action->element('p', 'flagged', _('Flagged')); - } else { - $form = new FlagProfileForm($action, $profile, - array('action' => 'showstream', - 'nickname' => $profile->nickname)); - $form->show(); - } - - $action->elementEnd('li'); - } + $this->showFlagButton($action, $profile, + array('action' => 'showstream', + 'nickname' => $profile->nickname)); return true; } @@ -160,24 +144,42 @@ class UserFlagPlugin extends Plugin */ function onEndProfileListItemActionElements($item) { - $user = common_current_user(); - - if (!empty($user)) { - - list($action, $args) = $item->action->returnToArgs(); - - $args['action'] = $action; - - $form = new FlagProfileForm($item->action, $item->profile, $args); - - $item->action->elementStart('li', 'entity_flag'); - $form->show(); - $item->action->elementEnd('li'); - } + list($action, $args) = $item->action->returnToArgs(); + $args['action'] = $action; + $this->showFlagButton($item->action, $item->profile, $args); return true; } + /** + * Actually output a flag button. If the target profile has already been + * flagged by the current user, a null-action faux button is shown. + * + * @param Action $action + * @param Profile $profile + * @param array $returnToArgs + */ + protected function showFlagButton($action, $profile, $returnToArgs) + { + $user = common_current_user(); + + if (!empty($user) && ($user->id != $profile->id)) { + + $action->elementStart('li', 'entity_flag'); + + if (User_flag_profile::exists($profile->id, $user->id)) { + // @todo FIXME: Add a title explaining what 'flagged' means? + // TRANS: Message added to a profile if it has been flagged for review. + $action->element('p', 'flagged', _m('Flagged')); + } else { + $form = new FlagProfileForm($action, $profile, $returnToArgs); + $form->show(); + } + + $action->elementEnd('li'); + } + } + /** * Initialize any flagging buttons on the page * From 51a756c2117ec6804b38bea29f56dcc585781f47 Mon Sep 17 00:00:00 2001 From: Brion Vibber Date: Wed, 3 Nov 2010 14:58:33 -0700 Subject: [PATCH 064/628] Fix ticket #2860: clarify API doc comments for 'source' parameter's interaction with OAuth on api/statuses/update --- actions/apistatusesupdate.php | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/actions/apistatusesupdate.php b/actions/apistatusesupdate.php index 666ed9fa32..1a3b549004 100644 --- a/actions/apistatusesupdate.php +++ b/actions/apistatusesupdate.php @@ -55,7 +55,7 @@ Yes @param status (Required) The URL-encoded text of the status update. - @param source (Optional) The source of the status. + @param source (Optional) The source application name, if using HTTP authentication or an anonymous OAuth consumer. @param in_reply_to_status_id (Optional) The ID of an existing status that the update is in reply to. @param lat (Optional) The latitude the status refers to. @param long (Optional) The longitude the status refers to. @@ -67,7 +67,7 @@ @subsection usagenotes Usage notes @li The URL pattern is relative to the @ref apiroot. - @li If the @e source parameter is not supplied the source of the status will default to 'api'. + @li If the @e source parameter is not supplied the source of the status will default to 'api'. When authenticated via a registered OAuth application, the application's registered name and URL will always override the source parameter. @li The XML response uses GeoRSS to encode the latitude and longitude (see example response below ). @li Data uploaded via the @e media parameter should be multipart/form-data encoded. From 28e009898f6ce6dd72471a5ae4abbc91e6b00193 Mon Sep 17 00:00:00 2001 From: Brion Vibber Date: Wed, 3 Nov 2010 15:17:46 -0700 Subject: [PATCH 065/628] Fix for ticket #2852: skip sending favorite notification emails if the favoriter is someone you've blocked. --- lib/mail.php | 4 ++++ 1 file changed, 4 insertions(+) diff --git a/lib/mail.php b/lib/mail.php index 30d743848f..dd6a1a366e 100644 --- a/lib/mail.php +++ b/lib/mail.php @@ -593,6 +593,10 @@ function mail_notify_fave($other, $user, $notice) } $profile = $user->getProfile(); + if ($other->hasBlocked($profile)) { + // If the author has blocked us, don't spam them with a notification. + return; + } $bestname = $profile->getBestName(); From 2692b5fc8400d04f25823e5bc00e3d4f98100a3b Mon Sep 17 00:00:00 2001 From: Brion Vibber Date: Wed, 3 Nov 2010 17:05:26 -0700 Subject: [PATCH 066/628] Fix for ticket #2853: fix for some unknown MIME type error cases by adjusting the PEAR error handling temporarily around MIME_Type_Extension usage. --- classes/File.php | 13 ++++++++++--- lib/mediafile.php | 7 +++++++ 2 files changed, 17 insertions(+), 3 deletions(-) diff --git a/classes/File.php b/classes/File.php index da029e39b6..c7c7658020 100644 --- a/classes/File.php +++ b/classes/File.php @@ -217,12 +217,19 @@ class File extends Memcached_DataObject static function filename($profile, $basename, $mimetype) { require_once 'MIME/Type/Extension.php'; + + // We have to temporarily disable auto handling of PEAR errors... + PEAR::staticPushErrorHandling(PEAR_ERROR_RETURN); + $mte = new MIME_Type_Extension(); - try { - $ext = $mte->getExtension($mimetype); - } catch ( Exception $e) { + $ext = $mte->getExtension($mimetype); + if (PEAR::isError($ext)) { $ext = strtolower(preg_replace('/\W/', '', $mimetype)); } + + // Restore error handling. + PEAR::staticPopErrorHandling(); + $nickname = $profile->nickname; $datestamp = strftime('%Y%m%dT%H%M%S', time()); $random = strtolower(common_confirmation_code(32)); diff --git a/lib/mediafile.php b/lib/mediafile.php index 23338cc0e1..aad3575d72 100644 --- a/lib/mediafile.php +++ b/lib/mediafile.php @@ -278,6 +278,9 @@ class MediaFile static function getUploadedFileType($f, $originalFilename=false) { require_once 'MIME/Type.php'; require_once 'MIME/Type/Extension.php'; + + // We have to disable auto handling of PEAR errors + PEAR::staticPushErrorHandling(PEAR_ERROR_RETURN); $mte = new MIME_Type_Extension(); $cmd = &PEAR::getStaticProperty('MIME_Type', 'fileCmd'); @@ -330,6 +333,8 @@ class MediaFile } } if ($supported === true || in_array($filetype, $supported)) { + // Restore PEAR error handlers for our DB code... + PEAR::staticPopErrorHandling(); return $filetype; } $media = MIME_Type::getMedia($filetype); @@ -344,6 +349,8 @@ class MediaFile // TRANS: %s is the file type that was denied. $hint = sprintf(_('"%s" is not a supported file type on this server.'), $filetype); } + // Restore PEAR error handlers for our DB code... + PEAR::staticPopErrorHandling(); throw new ClientException($hint); } From 4f63e3be7dc12383d4e66bdd4db25dd6fea9abba Mon Sep 17 00:00:00 2001 From: Brion Vibber Date: Wed, 3 Nov 2010 17:25:29 -0700 Subject: [PATCH 067/628] Fix for ticket #2804: bad non-cache fallback code for dupe checks of prolific posters The old code attempted to compare the value of the notice.created field against now() directly, which tends to explode in our current systems. now() comes up as the server/connection local timezone generally, while the created field is currently set as hardcoded UTC from the web servers. This would lead to breakage when we got a difference in seconds that's several hours off in either direction (depending on the local timezone). New code calculates a threshold by subtracting the number of seconds from the current UNIX timestamp and passing that in in correct format for a simple comparison. As a bonus, this should also be more efficient, as it should be able to follow the index on profile_id and created. --- classes/Notice.php | 6 ++---- 1 file changed, 2 insertions(+), 4 deletions(-) diff --git a/classes/Notice.php b/classes/Notice.php index 60989f9bac..792d6e1316 100644 --- a/classes/Notice.php +++ b/classes/Notice.php @@ -524,10 +524,8 @@ class Notice extends Memcached_DataObject $notice = new Notice(); $notice->profile_id = $profile_id; $notice->content = $content; - if (common_config('db','type') == 'pgsql') - $notice->whereAdd('extract(epoch from now() - created) < ' . common_config('site', 'dupelimit')); - else - $notice->whereAdd('now() - created < ' . common_config('site', 'dupelimit')); + $threshold = common_sql_date(time() - common_config('site', 'dupelimit')); + $notice->whereAdd(sprintf("created > '%s'", $notice->escape($threshold))); $cnt = $notice->count(); return ($cnt == 0); From c0cce1891307ebceed448118b318bf8b527dc06e Mon Sep 17 00:00:00 2001 From: Zach Copley Date: Thu, 4 Nov 2010 00:43:40 +0000 Subject: [PATCH 068/628] - Some reorganizing - Making the Facebook bridging work --- plugins/FacebookSSO/FacebookSSOPlugin.php | 164 +- .../{ => actions}/facebookadminpanel.php | 0 .../{ => actions}/facebooklogin.php | 0 .../{ => actions}/facebookregister.php | 0 .../{ => actions}/facebooksettings.php | 0 .../extlib/facebookapi_php5_restlib.php | 3702 +++++++++++++++++ .../extlib/jsonwrapper/JSON/JSON.php | 806 ++++ .../extlib/jsonwrapper/JSON/LICENSE | 21 + .../extlib/jsonwrapper/jsonwrapper.php | 6 + .../extlib/jsonwrapper/jsonwrapper_inner.php | 23 + 10 files changed, 4656 insertions(+), 66 deletions(-) rename plugins/FacebookSSO/{ => actions}/facebookadminpanel.php (100%) rename plugins/FacebookSSO/{ => actions}/facebooklogin.php (100%) rename plugins/FacebookSSO/{ => actions}/facebookregister.php (100%) rename plugins/FacebookSSO/{ => actions}/facebooksettings.php (100%) create mode 100644 plugins/FacebookSSO/extlib/facebookapi_php5_restlib.php create mode 100644 plugins/FacebookSSO/extlib/jsonwrapper/JSON/JSON.php create mode 100644 plugins/FacebookSSO/extlib/jsonwrapper/JSON/LICENSE create mode 100644 plugins/FacebookSSO/extlib/jsonwrapper/jsonwrapper.php create mode 100644 plugins/FacebookSSO/extlib/jsonwrapper/jsonwrapper_inner.php diff --git a/plugins/FacebookSSO/FacebookSSOPlugin.php b/plugins/FacebookSSO/FacebookSSOPlugin.php index da109e9c47..b14ef0bade 100644 --- a/plugins/FacebookSSO/FacebookSSOPlugin.php +++ b/plugins/FacebookSSO/FacebookSSOPlugin.php @@ -54,6 +54,7 @@ define("FACEBOOK_SERVICE", 2); class FacebookSSOPlugin extends Plugin { public $appId = null; // Facebook application ID + public $apikey = null; // Facebook API key (for deprecated "Old REST API") public $secret = null; // Facebook application secret public $facebook = null; // Facebook application instance public $dir = null; // Facebook SSO plugin dir @@ -68,25 +69,12 @@ class FacebookSSOPlugin extends Plugin */ function initialize() { - // Check defaults and configuration for application ID and secret - if (empty($this->appId)) { - $this->appId = common_config('facebook', 'appid'); - } + $this->facebook = Facebookclient::getFacebook( + $this->appId, + $this->apikey, + $this->secret + ); - if (empty($this->secret)) { - $this->secret = common_config('facebook', 'secret'); - } - - if (empty($this->facebook)) { - $this->facebook = new Facebook( - array( - 'appId' => $this->appId, - 'secret' => $this->secret, - 'cookie' => true - ) - ); - } - return true; } @@ -130,14 +118,21 @@ class FacebookSSOPlugin extends Plugin switch ($cls) { - case 'Facebook': + case 'Facebook': // New JavaScript SDK include_once $dir . '/extlib/facebook.php'; return false; + case 'FacebookRestClient': // Old REST lib + include_once $dir . '/extlib/facebookapi_php5_restlib.php'; + return false; case 'FacebookloginAction': case 'FacebookregisterAction': case 'FacebookadminpanelAction': case 'FacebooksettingsAction': - include_once $dir . '/' . strtolower(mb_substr($cls, 0, -6)) . '.php'; + include_once $dir . '/actions/' . strtolower(mb_substr($cls, 0, -6)) . '.php'; + return false; + case 'Facebookclient': + case 'Facebookqueuehandler': + include_once $dir . '/lib/' . strtolower($cls) . '.php'; return false; default: return true; @@ -145,6 +140,25 @@ class FacebookSSOPlugin extends Plugin } + /* + * Does this $action need the Facebook JavaScripts? + */ + function needsScripts($action) + { + static $needy = array( + 'FacebookloginAction', + 'FacebookregisterAction', + 'FacebookadminpanelAction', + 'FacebooksettingsAction' + ); + + if (in_array(get_class($action), $needy)) { + return true; + } else { + return false; + } + } + /** * Map URLs to actions * @@ -179,7 +193,7 @@ class FacebookSSOPlugin extends Plugin 'settings/facebook', array('action' => 'facebooksettings') ); - + } return true; @@ -268,24 +282,31 @@ class FacebookSSOPlugin extends Plugin */ function hasApplication() { - if (!empty($this->appId) && !empty($this->secret)) { - return true; - } else { - return false; + if (!empty($this->facebook)) { + + $appId = $this->facebook->getAppId(); + $secret = $this->facebook->getApiSecret(); + + if (!empty($appId) && !empty($secret)) { + return true; + } + } + + return false; } function onStartShowHeader($action) { - // output
    as close to as possible - $action->element('div', array('id' => 'fb-root')); + if ($this->needsScripts($action)) { - $session = $this->facebook->getSession(); - $dir = dirname(__FILE__); + // output
    as close to as possible + $action->element('div', array('id' => 'fb-root')); - // XXX: minify this - $script = <<inlineScript( - sprintf($script, - json_encode($this->appId), - json_encode($this->session) - ) - ); - + $action->inlineScript( + sprintf($script, + json_encode($this->facebook->getAppId()), + json_encode($this->facebook->getSession()) + ) + ); + } + return true; } @@ -329,35 +351,38 @@ ENDOFSCRIPT; */ function onEndLogout($action) { - $session = $this->facebook->getSession(); - $fbuser = null; - $fbuid = null; + if ($this->hasApplication()) { + $session = $this->facebook->getSession(); + $fbuser = null; + $fbuid = null; - if ($session) { - try { - $fbuid = $this->facebook->getUser(); - $fbuser = $this->facebook->api('/me'); - } catch (FacebookApiException $e) { - common_log(LOG_ERROR, $e, __FILE__); - } - } + if ($session) { + try { + $fbuid = $this->facebook->getUser(); + $fbuser = $this->facebook->api('/me'); + } catch (FacebookApiException $e) { + common_log(LOG_ERROR, $e, __FILE__); + } + } - if (!empty($fbuser)) { + if (!empty($fbuser)) { - $logoutUrl = $this->facebook->getLogoutUrl( - array('next' => common_local_url('public')) - ); + $logoutUrl = $this->facebook->getLogoutUrl( + array('next' => common_local_url('public')) + ); - common_log( - LOG_INFO, - sprintf( - "Logging user out of Facebook (fbuid = %s)", - $fbuid - ), - __FILE__ - ); + common_log( + LOG_INFO, + sprintf( + "Logging user out of Facebook (fbuid = %s)", + $fbuid + ), + __FILE__ + ); + common_debug("LOGOUT URL = $logoutUrl"); + common_redirect($logoutUrl, 303); + } - common_redirect($logoutUrl, 303); } } @@ -371,7 +396,14 @@ ENDOFSCRIPT; * @return nothing */ function onStartHtmlElement($action, $attrs) { - $attrs = array_merge($attrs, array('xmlns:fb' => 'http://www.facebook.com/2008/fbml')); + + if ($this->needsScripts($action)) { + $attrs = array_merge( + $attrs, + array('xmlns:fb' => 'http://www.facebook.com/2008/fbml') + ); + } + return true; } @@ -385,10 +417,10 @@ ENDOFSCRIPT; $versions[] = array( 'name' => 'Facebook Single-Sign-On', 'version' => STATUSNET_VERSION, - 'author' => 'Zach Copley', + 'author' => 'Craig Andrews, Zach Copley', 'homepage' => 'http://status.net/wiki/Plugin:FacebookSSO', 'rawdescription' => - _m('A plugin for single-sign-on with Facebook.') + _m('A plugin for integrating StatusNet with Facebook.') ); return true; diff --git a/plugins/FacebookSSO/facebookadminpanel.php b/plugins/FacebookSSO/actions/facebookadminpanel.php similarity index 100% rename from plugins/FacebookSSO/facebookadminpanel.php rename to plugins/FacebookSSO/actions/facebookadminpanel.php diff --git a/plugins/FacebookSSO/facebooklogin.php b/plugins/FacebookSSO/actions/facebooklogin.php similarity index 100% rename from plugins/FacebookSSO/facebooklogin.php rename to plugins/FacebookSSO/actions/facebooklogin.php diff --git a/plugins/FacebookSSO/facebookregister.php b/plugins/FacebookSSO/actions/facebookregister.php similarity index 100% rename from plugins/FacebookSSO/facebookregister.php rename to plugins/FacebookSSO/actions/facebookregister.php diff --git a/plugins/FacebookSSO/facebooksettings.php b/plugins/FacebookSSO/actions/facebooksettings.php similarity index 100% rename from plugins/FacebookSSO/facebooksettings.php rename to plugins/FacebookSSO/actions/facebooksettings.php diff --git a/plugins/FacebookSSO/extlib/facebookapi_php5_restlib.php b/plugins/FacebookSSO/extlib/facebookapi_php5_restlib.php new file mode 100644 index 0000000000..e249a326b2 --- /dev/null +++ b/plugins/FacebookSSO/extlib/facebookapi_php5_restlib.php @@ -0,0 +1,3702 @@ +secret = $secret; + $this->session_key = $session_key; + $this->api_key = $api_key; + $this->batch_mode = FacebookRestClient::BATCH_MODE_DEFAULT; + $this->last_call_id = 0; + $this->call_as_apikey = ''; + $this->use_curl_if_available = true; + $this->server_addr = + Facebook::get_facebook_url('api') . '/restserver.php'; + $this->photo_server_addr = + Facebook::get_facebook_url('api-photo') . '/restserver.php'; + + if (!empty($GLOBALS['facebook_config']['debug'])) { + $this->cur_id = 0; + ?> + +user = $uid; + } + + + /** + * Switch to use the session secret instead of the app secret, + * for desktop and unsecured environment + */ + public function use_session_secret($session_secret) { + $this->secret = $session_secret; + $this->using_session_secret = true; + } + + /** + * Normally, if the cURL library/PHP extension is available, it is used for + * HTTP transactions. This allows that behavior to be overridden, falling + * back to a vanilla-PHP implementation even if cURL is installed. + * + * @param $use_curl_if_available bool whether or not to use cURL if available + */ + public function set_use_curl_if_available($use_curl_if_available) { + $this->use_curl_if_available = $use_curl_if_available; + } + + /** + * Start a batch operation. + */ + public function begin_batch() { + if ($this->pending_batch()) { + $code = FacebookAPIErrorCodes::API_EC_BATCH_ALREADY_STARTED; + $description = FacebookAPIErrorCodes::$api_error_descriptions[$code]; + throw new FacebookRestClientException($description, $code); + } + + $this->batch_queue = array(); + $this->pending_batch = true; + } + + /* + * End current batch operation + */ + public function end_batch() { + if (!$this->pending_batch()) { + $code = FacebookAPIErrorCodes::API_EC_BATCH_NOT_STARTED; + $description = FacebookAPIErrorCodes::$api_error_descriptions[$code]; + throw new FacebookRestClientException($description, $code); + } + + $this->pending_batch = false; + + $this->execute_server_side_batch(); + $this->batch_queue = null; + } + + /** + * are we currently queueing up calls for a batch? + */ + public function pending_batch() { + return $this->pending_batch; + } + + private function execute_server_side_batch() { + $item_count = count($this->batch_queue); + $method_feed = array(); + foreach ($this->batch_queue as $batch_item) { + $method = $batch_item['m']; + $params = $batch_item['p']; + list($get, $post) = $this->finalize_params($method, $params); + $method_feed[] = $this->create_url_string(array_merge($post, $get)); + } + + $serial_only = + ($this->batch_mode == FacebookRestClient::BATCH_MODE_SERIAL_ONLY); + + $params = array('method_feed' => json_encode($method_feed), + 'serial_only' => $serial_only, + 'format' => $this->format); + $result = $this->call_method('facebook.batch.run', $params); + + if (is_array($result) && isset($result['error_code'])) { + throw new FacebookRestClientException($result['error_msg'], + $result['error_code']); + } + + for ($i = 0; $i < $item_count; $i++) { + $batch_item = $this->batch_queue[$i]; + $batch_item['p']['format'] = $this->format; + $batch_item_result = $this->convert_result($result[$i], + $batch_item['m'], + $batch_item['p']); + + if (is_array($batch_item_result) && + isset($batch_item_result['error_code'])) { + throw new FacebookRestClientException($batch_item_result['error_msg'], + $batch_item_result['error_code']); + } + $batch_item['r'] = $batch_item_result; + } + } + + public function begin_permissions_mode($permissions_apikey) { + $this->call_as_apikey = $permissions_apikey; + } + + public function end_permissions_mode() { + $this->call_as_apikey = ''; + } + + + /* + * If a page is loaded via HTTPS, then all images and static + * resources need to be printed with HTTPS urls to avoid + * mixed content warnings. If your page loads with an HTTPS + * url, then call set_use_ssl_resources to retrieve the correct + * urls. + */ + public function set_use_ssl_resources($is_ssl = true) { + $this->use_ssl_resources = $is_ssl; + } + + /** + * Returns public information for an application (as shown in the application + * directory) by either application ID, API key, or canvas page name. + * + * @param int $application_id (Optional) app id + * @param string $application_api_key (Optional) api key + * @param string $application_canvas_name (Optional) canvas name + * + * Exactly one argument must be specified, otherwise it is an error. + * + * @return array An array of public information about the application. + */ + public function application_getPublicInfo($application_id=null, + $application_api_key=null, + $application_canvas_name=null) { + return $this->call_method('facebook.application.getPublicInfo', + array('application_id' => $application_id, + 'application_api_key' => $application_api_key, + 'application_canvas_name' => $application_canvas_name)); + } + + /** + * Creates an authentication token to be used as part of the desktop login + * flow. For more information, please see + * http://wiki.developers.facebook.com/index.php/Auth.createToken. + * + * @return string An authentication token. + */ + public function auth_createToken() { + return $this->call_method('facebook.auth.createToken'); + } + + /** + * Returns the session information available after current user logs in. + * + * @param string $auth_token the token returned by auth_createToken or + * passed back to your callback_url. + * @param bool $generate_session_secret whether the session returned should + * include a session secret + * @param string $host_url the connect site URL for which the session is + * being generated. This parameter is optional, unless + * you want Facebook to determine which of several base domains + * to choose from. If this third argument isn't provided but + * there are several base domains, the first base domain is + * chosen. + * + * @return array An assoc array containing session_key, uid + */ + public function auth_getSession($auth_token, + $generate_session_secret = false, + $host_url = null) { + if (!$this->pending_batch()) { + $result = $this->call_method( + 'facebook.auth.getSession', + array('auth_token' => $auth_token, + 'generate_session_secret' => $generate_session_secret, + 'host_url' => $host_url)); + $this->session_key = $result['session_key']; + + if (!empty($result['secret']) && !$generate_session_secret) { + // desktop apps have a special secret + $this->secret = $result['secret']; + } + + return $result; + } + } + + /** + * Generates a session-specific secret. This is for integration with + * client-side API calls, such as the JS library. + * + * @return array A session secret for the current promoted session + * + * @error API_EC_PARAM_SESSION_KEY + * API_EC_PARAM_UNKNOWN + */ + public function auth_promoteSession() { + return $this->call_method('facebook.auth.promoteSession'); + } + + /** + * Expires the session that is currently being used. If this call is + * successful, no further calls to the API (which require a session) can be + * made until a valid session is created. + * + * @return bool true if session expiration was successful, false otherwise + */ + public function auth_expireSession() { + return $this->call_method('facebook.auth.expireSession'); + } + + /** + * Revokes the given extended permission that the user granted at some + * prior time (for instance, offline_access or email). If no user is + * provided, it will be revoked for the user of the current session. + * + * @param string $perm The permission to revoke + * @param int $uid The user for whom to revoke the permission. + */ + public function auth_revokeExtendedPermission($perm, $uid=null) { + return $this->call_method('facebook.auth.revokeExtendedPermission', + array('perm' => $perm, 'uid' => $uid)); + } + + /** + * Revokes the user's agreement to the Facebook Terms of Service for your + * application. If you call this method for one of your users, you will no + * longer be able to make API requests on their behalf until they again + * authorize your application. Use with care. Note that if this method is + * called without a user parameter, then it will revoke access for the + * current session's user. + * + * @param int $uid (Optional) User to revoke + * + * @return bool true if revocation succeeds, false otherwise + */ + public function auth_revokeAuthorization($uid=null) { + return $this->call_method('facebook.auth.revokeAuthorization', + array('uid' => $uid)); + } + + /** + * Get public key that is needed to verify digital signature + * an app may pass to other apps. The public key is only used by + * other apps for verification purposes. + * @param string API key of an app + * @return string The public key for the app. + */ + public function auth_getAppPublicKey($target_app_key) { + return $this->call_method('facebook.auth.getAppPublicKey', + array('target_app_key' => $target_app_key)); + } + + /** + * Get a structure that can be passed to another app + * as proof of session. The other app can verify it using public + * key of this app. + * + * @return signed public session data structure. + */ + public function auth_getSignedPublicSessionData() { + return $this->call_method('facebook.auth.getSignedPublicSessionData', + array()); + } + + /** + * Returns the number of unconnected friends that exist in this application. + * This number is determined based on the accounts registered through + * connect.registerUsers() (see below). + */ + public function connect_getUnconnectedFriendsCount() { + return $this->call_method('facebook.connect.getUnconnectedFriendsCount', + array()); + } + + /** + * This method is used to create an association between an external user + * account and a Facebook user account, as per Facebook Connect. + * + * This method takes an array of account data, including a required email_hash + * and optional account data. For each connected account, if the user exists, + * the information is added to the set of the user's connected accounts. + * If the user has already authorized the site, the connected account is added + * in the confirmed state. If the user has not yet authorized the site, the + * connected account is added in the pending state. + * + * This is designed to help Facebook Connect recognize when two Facebook + * friends are both members of a external site, but perhaps are not aware of + * it. The Connect dialog (see fb:connect-form) is used when friends can be + * identified through these email hashes. See the following url for details: + * + * http://wiki.developers.facebook.com/index.php/Connect.registerUsers + * + * @param mixed $accounts A (JSON-encoded) array of arrays, where each array + * has three properties: + * 'email_hash' (req) - public email hash of account + * 'account_id' (opt) - remote account id; + * 'account_url' (opt) - url to remote account; + * + * @return array The list of email hashes for the successfully registered + * accounts. + */ + public function connect_registerUsers($accounts) { + return $this->call_method('facebook.connect.registerUsers', + array('accounts' => $accounts)); + } + + /** + * Unregisters a set of accounts registered using connect.registerUsers. + * + * @param array $email_hashes The (JSON-encoded) list of email hashes to be + * unregistered. + * + * @return array The list of email hashes which have been successfully + * unregistered. + */ + public function connect_unregisterUsers($email_hashes) { + return $this->call_method('facebook.connect.unregisterUsers', + array('email_hashes' => $email_hashes)); + } + + /** + * Returns events according to the filters specified. + * + * @param int $uid (Optional) User associated with events. A null + * parameter will default to the session user. + * @param array/string $eids (Optional) Filter by these event + * ids. A null parameter will get all events for + * the user. (A csv list will work but is deprecated) + * @param int $start_time (Optional) Filter with this unix time as lower + * bound. A null or zero parameter indicates no + * lower bound. + * @param int $end_time (Optional) Filter with this UTC as upper bound. + * A null or zero parameter indicates no upper + * bound. + * @param string $rsvp_status (Optional) Only show events where the given uid + * has this rsvp status. This only works if you + * have specified a value for $uid. Values are as + * in events.getMembers. Null indicates to ignore + * rsvp status when filtering. + * + * @return array The events matching the query. + */ + public function &events_get($uid=null, + $eids=null, + $start_time=null, + $end_time=null, + $rsvp_status=null) { + return $this->call_method('facebook.events.get', + array('uid' => $uid, + 'eids' => $eids, + 'start_time' => $start_time, + 'end_time' => $end_time, + 'rsvp_status' => $rsvp_status)); + } + + /** + * Returns membership list data associated with an event. + * + * @param int $eid event id + * + * @return array An assoc array of four membership lists, with keys + * 'attending', 'unsure', 'declined', and 'not_replied' + */ + public function &events_getMembers($eid) { + return $this->call_method('facebook.events.getMembers', + array('eid' => $eid)); + } + + /** + * RSVPs the current user to this event. + * + * @param int $eid event id + * @param string $rsvp_status 'attending', 'unsure', or 'declined' + * + * @return bool true if successful + */ + public function &events_rsvp($eid, $rsvp_status) { + return $this->call_method('facebook.events.rsvp', + array( + 'eid' => $eid, + 'rsvp_status' => $rsvp_status)); + } + + /** + * Cancels an event. Only works for events where application is the admin. + * + * @param int $eid event id + * @param string $cancel_message (Optional) message to send to members of + * the event about why it is cancelled + * + * @return bool true if successful + */ + public function &events_cancel($eid, $cancel_message='') { + return $this->call_method('facebook.events.cancel', + array('eid' => $eid, + 'cancel_message' => $cancel_message)); + } + + /** + * Creates an event on behalf of the user is there is a session, otherwise on + * behalf of app. Successful creation guarantees app will be admin. + * + * @param assoc array $event_info json encoded event information + * @param string $file (Optional) filename of picture to set + * + * @return int event id + */ + public function events_create($event_info, $file = null) { + if ($file) { + return $this->call_upload_method('facebook.events.create', + array('event_info' => $event_info), + $file, + $this->photo_server_addr); + } else { + return $this->call_method('facebook.events.create', + array('event_info' => $event_info)); + } + } + + /** + * Invites users to an event. If a session user exists, the session user + * must have permissions to invite friends to the event and $uids must contain + * a list of friend ids. Otherwise, the event must have been + * created by the app and $uids must contain users of the app. + * This method requires the 'create_event' extended permission to + * invite people on behalf of a user. + * + * @param $eid the event id + * @param $uids an array of users to invite + * @param $personal_message a string containing the user's message + * (text only) + * + */ + public function events_invite($eid, $uids, $personal_message) { + return $this->call_method('facebook.events.invite', + array('eid' => $eid, + 'uids' => $uids, + 'personal_message' => $personal_message)); + } + + /** + * Edits an existing event. Only works for events where application is admin. + * + * @param int $eid event id + * @param assoc array $event_info json encoded event information + * @param string $file (Optional) filename of new picture to set + * + * @return bool true if successful + */ + public function events_edit($eid, $event_info, $file = null) { + if ($file) { + return $this->call_upload_method('facebook.events.edit', + array('eid' => $eid, 'event_info' => $event_info), + $file, + $this->photo_server_addr); + } else { + return $this->call_method('facebook.events.edit', + array('eid' => $eid, + 'event_info' => $event_info)); + } + } + + /** + * Fetches and re-caches the image stored at the given URL, for use in images + * published to non-canvas pages via the API (for example, to user profiles + * via profile.setFBML, or to News Feed via feed.publishUserAction). + * + * @param string $url The absolute URL from which to refresh the image. + * + * @return bool true on success + */ + public function &fbml_refreshImgSrc($url) { + return $this->call_method('facebook.fbml.refreshImgSrc', + array('url' => $url)); + } + + /** + * Fetches and re-caches the content stored at the given URL, for use in an + * fb:ref FBML tag. + * + * @param string $url The absolute URL from which to fetch content. This URL + * should be used in a fb:ref FBML tag. + * + * @return bool true on success + */ + public function &fbml_refreshRefUrl($url) { + return $this->call_method('facebook.fbml.refreshRefUrl', + array('url' => $url)); + } + + /** + * Associates a given "handle" with FBML markup so that the handle can be + * used within the fb:ref FBML tag. A handle is unique within an application + * and allows an application to publish identical FBML to many user profiles + * and do subsequent updates without having to republish FBML on behalf of + * each user. + * + * @param string $handle The handle to associate with the given FBML. + * @param string $fbml The FBML to associate with the given handle. + * + * @return bool true on success + */ + public function &fbml_setRefHandle($handle, $fbml) { + return $this->call_method('facebook.fbml.setRefHandle', + array('handle' => $handle, 'fbml' => $fbml)); + } + + /** + * Register custom tags for the application. Custom tags can be used + * to extend the set of tags available to applications in FBML + * markup. + * + * Before you call this function, + * make sure you read the full documentation at + * + * http://wiki.developers.facebook.com/index.php/Fbml.RegisterCustomTags + * + * IMPORTANT: This function overwrites the values of + * existing tags if the names match. Use this function with care because + * it may break the FBML of any application that is using the + * existing version of the tags. + * + * @param mixed $tags an array of tag objects (the full description is on the + * wiki page) + * + * @return int the number of tags that were registered + */ + public function &fbml_registerCustomTags($tags) { + $tags = json_encode($tags); + return $this->call_method('facebook.fbml.registerCustomTags', + array('tags' => $tags)); + } + + /** + * Get the custom tags for an application. If $app_id + * is not specified, the calling app's tags are returned. + * If $app_id is different from the id of the calling app, + * only the app's public tags are returned. + * The return value is an array of the same type as + * the $tags parameter of fbml_registerCustomTags(). + * + * @param int $app_id the application's id (optional) + * + * @return mixed an array containing the custom tag objects + */ + public function &fbml_getCustomTags($app_id = null) { + return $this->call_method('facebook.fbml.getCustomTags', + array('app_id' => $app_id)); + } + + + /** + * Delete custom tags the application has registered. If + * $tag_names is null, all the application's custom tags will be + * deleted. + * + * IMPORTANT: If your application has registered public tags + * that other applications may be using, don't delete those tags! + * Doing so can break the FBML ofapplications that are using them. + * + * @param array $tag_names the names of the tags to delete (optinal) + * @return bool true on success + */ + public function &fbml_deleteCustomTags($tag_names = null) { + return $this->call_method('facebook.fbml.deleteCustomTags', + array('tag_names' => json_encode($tag_names))); + } + + /** + * Gets the best translations for native strings submitted by an application + * for translation. If $locale is not specified, only native strings and their + * descriptions are returned. If $all is true, then unapproved translations + * are returned as well, otherwise only approved translations are returned. + * + * A mapping of locale codes -> language names is available at + * http://wiki.developers.facebook.com/index.php/Facebook_Locales + * + * @param string $locale the locale to get translations for, or 'all' for all + * locales, or 'en_US' for native strings + * @param bool $all whether to return all or only approved translations + * + * @return array (locale, array(native_strings, array('best translation + * available given enough votes or manual approval', approval + * status))) + * @error API_EC_PARAM + * @error API_EC_PARAM_BAD_LOCALE + */ + public function &intl_getTranslations($locale = 'en_US', $all = false) { + return $this->call_method('facebook.intl.getTranslations', + array('locale' => $locale, + 'all' => $all)); + } + + /** + * Lets you insert text strings in their native language into the Facebook + * Translations database so they can be translated. + * + * @param array $native_strings An array of maps, where each map has a 'text' + * field and a 'description' field. + * + * @return int Number of strings uploaded. + */ + public function &intl_uploadNativeStrings($native_strings) { + return $this->call_method('facebook.intl.uploadNativeStrings', + array('native_strings' => json_encode($native_strings))); + } + + /** + * This method is deprecated for calls made on behalf of users. This method + * works only for publishing stories on a Facebook Page that has installed + * your application. To publish stories to a user's profile, use + * feed.publishUserAction instead. + * + * For more details on this call, please visit the wiki page: + * + * http://wiki.developers.facebook.com/index.php/Feed.publishTemplatizedAction + */ + public function &feed_publishTemplatizedAction($title_template, + $title_data, + $body_template, + $body_data, + $body_general, + $image_1=null, + $image_1_link=null, + $image_2=null, + $image_2_link=null, + $image_3=null, + $image_3_link=null, + $image_4=null, + $image_4_link=null, + $target_ids='', + $page_actor_id=null) { + return $this->call_method('facebook.feed.publishTemplatizedAction', + array('title_template' => $title_template, + 'title_data' => $title_data, + 'body_template' => $body_template, + 'body_data' => $body_data, + 'body_general' => $body_general, + 'image_1' => $image_1, + 'image_1_link' => $image_1_link, + 'image_2' => $image_2, + 'image_2_link' => $image_2_link, + 'image_3' => $image_3, + 'image_3_link' => $image_3_link, + 'image_4' => $image_4, + 'image_4_link' => $image_4_link, + 'target_ids' => $target_ids, + 'page_actor_id' => $page_actor_id)); + } + + /** + * Registers a template bundle. Template bundles are somewhat involved, so + * it's recommended you check out the wiki for more details: + * + * http://wiki.developers.facebook.com/index.php/Feed.registerTemplateBundle + * + * @return string A template bundle id + */ + public function &feed_registerTemplateBundle($one_line_story_templates, + $short_story_templates = array(), + $full_story_template = null, + $action_links = array()) { + + $one_line_story_templates = json_encode($one_line_story_templates); + + if (!empty($short_story_templates)) { + $short_story_templates = json_encode($short_story_templates); + } + + if (isset($full_story_template)) { + $full_story_template = json_encode($full_story_template); + } + + if (isset($action_links)) { + $action_links = json_encode($action_links); + } + + return $this->call_method('facebook.feed.registerTemplateBundle', + array('one_line_story_templates' => $one_line_story_templates, + 'short_story_templates' => $short_story_templates, + 'full_story_template' => $full_story_template, + 'action_links' => $action_links)); + } + + /** + * Retrieves the full list of active template bundles registered by the + * requesting application. + * + * @return array An array of template bundles + */ + public function &feed_getRegisteredTemplateBundles() { + return $this->call_method('facebook.feed.getRegisteredTemplateBundles', + array()); + } + + /** + * Retrieves information about a specified template bundle previously + * registered by the requesting application. + * + * @param string $template_bundle_id The template bundle id + * + * @return array Template bundle + */ + public function &feed_getRegisteredTemplateBundleByID($template_bundle_id) { + return $this->call_method('facebook.feed.getRegisteredTemplateBundleByID', + array('template_bundle_id' => $template_bundle_id)); + } + + /** + * Deactivates a previously registered template bundle. + * + * @param string $template_bundle_id The template bundle id + * + * @return bool true on success + */ + public function &feed_deactivateTemplateBundleByID($template_bundle_id) { + return $this->call_method('facebook.feed.deactivateTemplateBundleByID', + array('template_bundle_id' => $template_bundle_id)); + } + + const STORY_SIZE_ONE_LINE = 1; + const STORY_SIZE_SHORT = 2; + const STORY_SIZE_FULL = 4; + + /** + * Publishes a story on behalf of the user owning the session, using the + * specified template bundle. This method requires an active session key in + * order to be called. + * + * The parameters to this method ($templata_data in particular) are somewhat + * involved. It's recommended you visit the wiki for details: + * + * http://wiki.developers.facebook.com/index.php/Feed.publishUserAction + * + * @param int $template_bundle_id A template bundle id previously registered + * @param array $template_data See wiki article for syntax + * @param array $target_ids (Optional) An array of friend uids of the + * user who shared in this action. + * @param string $body_general (Optional) Additional markup that extends + * the body of a short story. + * @param int $story_size (Optional) A story size (see above) + * @param string $user_message (Optional) A user message for a short + * story. + * + * @return bool true on success + */ + public function &feed_publishUserAction( + $template_bundle_id, $template_data, $target_ids='', $body_general='', + $story_size=FacebookRestClient::STORY_SIZE_ONE_LINE, + $user_message='') { + + if (is_array($template_data)) { + $template_data = json_encode($template_data); + } // allow client to either pass in JSON or an assoc that we JSON for them + + if (is_array($target_ids)) { + $target_ids = json_encode($target_ids); + $target_ids = trim($target_ids, "[]"); // we don't want square brackets + } + + return $this->call_method('facebook.feed.publishUserAction', + array('template_bundle_id' => $template_bundle_id, + 'template_data' => $template_data, + 'target_ids' => $target_ids, + 'body_general' => $body_general, + 'story_size' => $story_size, + 'user_message' => $user_message)); + } + + + /** + * Publish a post to the user's stream. + * + * @param $message the user's message + * @param $attachment the post's attachment (optional) + * @param $action links the post's action links (optional) + * @param $target_id the user on whose wall the post will be posted + * (optional) + * @param $uid the actor (defaults to session user) + * @return string the post id + */ + public function stream_publish( + $message, $attachment = null, $action_links = null, $target_id = null, + $uid = null) { + + return $this->call_method( + 'facebook.stream.publish', + array('message' => $message, + 'attachment' => $attachment, + 'action_links' => $action_links, + 'target_id' => $target_id, + 'uid' => $this->get_uid($uid))); + } + + /** + * Remove a post from the user's stream. + * Currently, you may only remove stories you application created. + * + * @param $post_id the post id + * @param $uid the actor (defaults to session user) + * @return bool + */ + public function stream_remove($post_id, $uid = null) { + return $this->call_method( + 'facebook.stream.remove', + array('post_id' => $post_id, + 'uid' => $this->get_uid($uid))); + } + + /** + * Add a comment to a stream post + * + * @param $post_id the post id + * @param $comment the comment text + * @param $uid the actor (defaults to session user) + * @return string the id of the created comment + */ + public function stream_addComment($post_id, $comment, $uid = null) { + return $this->call_method( + 'facebook.stream.addComment', + array('post_id' => $post_id, + 'comment' => $comment, + 'uid' => $this->get_uid($uid))); + } + + + /** + * Remove a comment from a stream post + * + * @param $comment_id the comment id + * @param $uid the actor (defaults to session user) + * @return bool + */ + public function stream_removeComment($comment_id, $uid = null) { + return $this->call_method( + 'facebook.stream.removeComment', + array('comment_id' => $comment_id, + 'uid' => $this->get_uid($uid))); + } + + /** + * Add a like to a stream post + * + * @param $post_id the post id + * @param $uid the actor (defaults to session user) + * @return bool + */ + public function stream_addLike($post_id, $uid = null) { + return $this->call_method( + 'facebook.stream.addLike', + array('post_id' => $post_id, + 'uid' => $this->get_uid($uid))); + } + + /** + * Remove a like from a stream post + * + * @param $post_id the post id + * @param $uid the actor (defaults to session user) + * @return bool + */ + public function stream_removeLike($post_id, $uid = null) { + return $this->call_method( + 'facebook.stream.removeLike', + array('post_id' => $post_id, + 'uid' => $this->get_uid($uid))); + } + + /** + * For the current user, retrieves stories generated by the user's friends + * while using this application. This can be used to easily create a + * "News Feed" like experience. + * + * @return array An array of feed story objects. + */ + public function &feed_getAppFriendStories() { + return $this->call_method('facebook.feed.getAppFriendStories'); + } + + /** + * Makes an FQL query. This is a generalized way of accessing all the data + * in the API, as an alternative to most of the other method calls. More + * info at http://wiki.developers.facebook.com/index.php/FQL + * + * @param string $query the query to evaluate + * + * @return array generalized array representing the results + */ + public function &fql_query($query) { + return $this->call_method('facebook.fql.query', + array('query' => $query)); + } + + /** + * Makes a set of FQL queries in parallel. This method takes a dictionary + * of FQL queries where the keys are names for the queries. Results from + * one query can be used within another query to fetch additional data. More + * info about FQL queries at http://wiki.developers.facebook.com/index.php/FQL + * + * @param string $queries JSON-encoded dictionary of queries to evaluate + * + * @return array generalized array representing the results + */ + public function &fql_multiquery($queries) { + return $this->call_method('facebook.fql.multiquery', + array('queries' => $queries)); + } + + /** + * Returns whether or not pairs of users are friends. + * Note that the Facebook friend relationship is symmetric. + * + * @param array/string $uids1 list of ids (id_1, id_2,...) + * of some length X (csv is deprecated) + * @param array/string $uids2 list of ids (id_A, id_B,...) + * of SAME length X (csv is deprecated) + * + * @return array An array with uid1, uid2, and bool if friends, e.g.: + * array(0 => array('uid1' => id_1, 'uid2' => id_A, 'are_friends' => 1), + * 1 => array('uid1' => id_2, 'uid2' => id_B, 'are_friends' => 0) + * ...) + * @error + * API_EC_PARAM_USER_ID_LIST + */ + public function &friends_areFriends($uids1, $uids2) { + return $this->call_method('facebook.friends.areFriends', + array('uids1' => $uids1, + 'uids2' => $uids2)); + } + + /** + * Returns the friends of the current session user. + * + * @param int $flid (Optional) Only return friends on this friend list. + * @param int $uid (Optional) Return friends for this user. + * + * @return array An array of friends + */ + public function &friends_get($flid=null, $uid = null) { + if (isset($this->friends_list)) { + return $this->friends_list; + } + $params = array(); + if (!$uid && isset($this->canvas_user)) { + $uid = $this->canvas_user; + } + if ($uid) { + $params['uid'] = $uid; + } + if ($flid) { + $params['flid'] = $flid; + } + return $this->call_method('facebook.friends.get', $params); + + } + + /** + * Returns the mutual friends between the target uid and a source uid or + * the current session user. + * + * @param int $target_uid Target uid for which mutual friends will be found. + * @param int $source_uid (optional) Source uid for which mutual friends will + * be found. If no source_uid is specified, + * source_id will default to the session + * user. + * @return array An array of friend uids + */ + public function &friends_getMutualFriends($target_uid, $source_uid = null) { + return $this->call_method('facebook.friends.getMutualFriends', + array("target_uid" => $target_uid, + "source_uid" => $source_uid)); + } + + /** + * Returns the set of friend lists for the current session user. + * + * @return array An array of friend list objects + */ + public function &friends_getLists() { + return $this->call_method('facebook.friends.getLists'); + } + + /** + * Returns the friends of the session user, who are also users + * of the calling application. + * + * @return array An array of friends also using the app + */ + public function &friends_getAppUsers() { + return $this->call_method('facebook.friends.getAppUsers'); + } + + /** + * Returns groups according to the filters specified. + * + * @param int $uid (Optional) User associated with groups. A null + * parameter will default to the session user. + * @param array/string $gids (Optional) Array of group ids to query. A null + * parameter will get all groups for the user. + * (csv is deprecated) + * + * @return array An array of group objects + */ + public function &groups_get($uid, $gids) { + return $this->call_method('facebook.groups.get', + array('uid' => $uid, + 'gids' => $gids)); + } + + /** + * Returns the membership list of a group. + * + * @param int $gid Group id + * + * @return array An array with four membership lists, with keys 'members', + * 'admins', 'officers', and 'not_replied' + */ + public function &groups_getMembers($gid) { + return $this->call_method('facebook.groups.getMembers', + array('gid' => $gid)); + } + + /** + * Returns cookies according to the filters specified. + * + * @param int $uid User for which the cookies are needed. + * @param string $name (Optional) A null parameter will get all cookies + * for the user. + * + * @return array Cookies! Nom nom nom nom nom. + */ + public function data_getCookies($uid, $name) { + return $this->call_method('facebook.data.getCookies', + array('uid' => $uid, + 'name' => $name)); + } + + /** + * Sets cookies according to the params specified. + * + * @param int $uid User for which the cookies are needed. + * @param string $name Name of the cookie + * @param string $value (Optional) if expires specified and is in the past + * @param int $expires (Optional) Expiry time + * @param string $path (Optional) Url path to associate with (default is /) + * + * @return bool true on success + */ + public function data_setCookie($uid, $name, $value, $expires, $path) { + return $this->call_method('facebook.data.setCookie', + array('uid' => $uid, + 'name' => $name, + 'value' => $value, + 'expires' => $expires, + 'path' => $path)); + } + + /** + * Retrieves links posted by the given user. + * + * @param int $uid The user whose links you wish to retrieve + * @param int $limit The maximimum number of links to retrieve + * @param array $link_ids (Optional) Array of specific link + * IDs to retrieve by this user + * + * @return array An array of links. + */ + public function &links_get($uid, $limit, $link_ids = null) { + return $this->call_method('links.get', + array('uid' => $uid, + 'limit' => $limit, + 'link_ids' => $link_ids)); + } + + /** + * Posts a link on Facebook. + * + * @param string $url URL/link you wish to post + * @param string $comment (Optional) A comment about this link + * @param int $uid (Optional) User ID that is posting this link; + * defaults to current session user + * + * @return bool + */ + public function &links_post($url, $comment='', $uid = null) { + return $this->call_method('links.post', + array('uid' => $uid, + 'url' => $url, + 'comment' => $comment)); + } + + /** + * Permissions API + */ + + /** + * Checks API-access granted by self to the specified application. + * + * @param string $permissions_apikey Other application key + * + * @return array API methods/namespaces which are allowed access + */ + public function permissions_checkGrantedApiAccess($permissions_apikey) { + return $this->call_method('facebook.permissions.checkGrantedApiAccess', + array('permissions_apikey' => $permissions_apikey)); + } + + /** + * Checks API-access granted to self by the specified application. + * + * @param string $permissions_apikey Other application key + * + * @return array API methods/namespaces which are allowed access + */ + public function permissions_checkAvailableApiAccess($permissions_apikey) { + return $this->call_method('facebook.permissions.checkAvailableApiAccess', + array('permissions_apikey' => $permissions_apikey)); + } + + /** + * Grant API-access to the specified methods/namespaces to the specified + * application. + * + * @param string $permissions_apikey Other application key + * @param array(string) $method_arr (Optional) API methods/namespaces + * allowed + * + * @return array API methods/namespaces which are allowed access + */ + public function permissions_grantApiAccess($permissions_apikey, $method_arr) { + return $this->call_method('facebook.permissions.grantApiAccess', + array('permissions_apikey' => $permissions_apikey, + 'method_arr' => $method_arr)); + } + + /** + * Revoke API-access granted to the specified application. + * + * @param string $permissions_apikey Other application key + * + * @return bool true on success + */ + public function permissions_revokeApiAccess($permissions_apikey) { + return $this->call_method('facebook.permissions.revokeApiAccess', + array('permissions_apikey' => $permissions_apikey)); + } + + /** + * Payments Order API + */ + + /** + * Set Payments properties for an app. + * + * @param properties a map from property names to values + * @return true on success + */ + public function payments_setProperties($properties) { + return $this->call_method ('facebook.payments.setProperties', + array('properties' => json_encode($properties))); + } + + public function payments_getOrderDetails($order_id) { + return json_decode($this->call_method( + 'facebook.payments.getOrderDetails', + array('order_id' => $order_id)), true); + } + + public function payments_updateOrder($order_id, $status, + $params) { + return $this->call_method('facebook.payments.updateOrder', + array('order_id' => $order_id, + 'status' => $status, + 'params' => json_encode($params))); + } + + public function payments_getOrders($status, $start_time, + $end_time, $test_mode=false) { + return json_decode($this->call_method('facebook.payments.getOrders', + array('status' => $status, + 'start_time' => $start_time, + 'end_time' => $end_time, + 'test_mode' => $test_mode)), true); + } + + /** + * Gifts API + */ + + /** + * Get Gifts associated with an app + * + * @return array of gifts + */ + public function gifts_get() { + return json_decode( + $this->call_method('facebook.gifts.get', + array()), + true + ); + } + + /* + * Update gifts stored by an app + * + * @param array containing gift_id => gift_data to be updated + * @return array containing gift_id => true/false indicating success + * in updating that gift + */ + public function gifts_update($update_array) { + return json_decode( + $this->call_method('facebook.gifts.update', + array('update_str' => json_encode($update_array)) + ), + true + ); + } + + + /** + * Creates a note with the specified title and content. + * + * @param string $title Title of the note. + * @param string $content Content of the note. + * @param int $uid (Optional) The user for whom you are creating a + * note; defaults to current session user + * + * @return int The ID of the note that was just created. + */ + public function ¬es_create($title, $content, $uid = null) { + return $this->call_method('notes.create', + array('uid' => $uid, + 'title' => $title, + 'content' => $content)); + } + + /** + * Deletes the specified note. + * + * @param int $note_id ID of the note you wish to delete + * @param int $uid (Optional) Owner of the note you wish to delete; + * defaults to current session user + * + * @return bool + */ + public function ¬es_delete($note_id, $uid = null) { + return $this->call_method('notes.delete', + array('uid' => $uid, + 'note_id' => $note_id)); + } + + /** + * Edits a note, replacing its title and contents with the title + * and contents specified. + * + * @param int $note_id ID of the note you wish to edit + * @param string $title Replacement title for the note + * @param string $content Replacement content for the note + * @param int $uid (Optional) Owner of the note you wish to edit; + * defaults to current session user + * + * @return bool + */ + public function ¬es_edit($note_id, $title, $content, $uid = null) { + return $this->call_method('notes.edit', + array('uid' => $uid, + 'note_id' => $note_id, + 'title' => $title, + 'content' => $content)); + } + + /** + * Retrieves all notes by a user. If note_ids are specified, + * retrieves only those specific notes by that user. + * + * @param int $uid User whose notes you wish to retrieve + * @param array $note_ids (Optional) List of specific note + * IDs by this user to retrieve + * + * @return array A list of all of the given user's notes, or an empty list + * if the viewer lacks permissions or if there are no visible + * notes. + */ + public function ¬es_get($uid, $note_ids = null) { + return $this->call_method('notes.get', + array('uid' => $uid, + 'note_ids' => $note_ids)); + } + + + /** + * Returns the outstanding notifications for the session user. + * + * @return array An assoc array of notification count objects for + * 'messages', 'pokes' and 'shares', a uid list of + * 'friend_requests', a gid list of 'group_invites', + * and an eid list of 'event_invites' + */ + public function ¬ifications_get() { + return $this->call_method('facebook.notifications.get'); + } + + /** + * Sends a notification to the specified users. + * + * @return A comma separated list of successful recipients + * @error + * API_EC_PARAM_USER_ID_LIST + */ + public function ¬ifications_send($to_ids, $notification, $type) { + return $this->call_method('facebook.notifications.send', + array('to_ids' => $to_ids, + 'notification' => $notification, + 'type' => $type)); + } + + /** + * Sends an email to the specified user of the application. + * + * @param array/string $recipients array of ids of the recipients (csv is deprecated) + * @param string $subject subject of the email + * @param string $text (plain text) body of the email + * @param string $fbml fbml markup for an html version of the email + * + * @return string A comma separated list of successful recipients + * @error + * API_EC_PARAM_USER_ID_LIST + */ + public function ¬ifications_sendEmail($recipients, + $subject, + $text, + $fbml) { + return $this->call_method('facebook.notifications.sendEmail', + array('recipients' => $recipients, + 'subject' => $subject, + 'text' => $text, + 'fbml' => $fbml)); + } + + /** + * Returns the requested info fields for the requested set of pages. + * + * @param array/string $page_ids an array of page ids (csv is deprecated) + * @param array/string $fields an array of strings describing the + * info fields desired (csv is deprecated) + * @param int $uid (Optional) limit results to pages of which this + * user is a fan. + * @param string type limits results to a particular type of page. + * + * @return array An array of pages + */ + public function &pages_getInfo($page_ids, $fields, $uid, $type) { + return $this->call_method('facebook.pages.getInfo', + array('page_ids' => $page_ids, + 'fields' => $fields, + 'uid' => $uid, + 'type' => $type)); + } + + /** + * Returns true if the given user is an admin for the passed page. + * + * @param int $page_id target page id + * @param int $uid (Optional) user id (defaults to the logged-in user) + * + * @return bool true on success + */ + public function &pages_isAdmin($page_id, $uid = null) { + return $this->call_method('facebook.pages.isAdmin', + array('page_id' => $page_id, + 'uid' => $uid)); + } + + /** + * Returns whether or not the given page has added the application. + * + * @param int $page_id target page id + * + * @return bool true on success + */ + public function &pages_isAppAdded($page_id) { + return $this->call_method('facebook.pages.isAppAdded', + array('page_id' => $page_id)); + } + + /** + * Returns true if logged in user is a fan for the passed page. + * + * @param int $page_id target page id + * @param int $uid user to compare. If empty, the logged in user. + * + * @return bool true on success + */ + public function &pages_isFan($page_id, $uid = null) { + return $this->call_method('facebook.pages.isFan', + array('page_id' => $page_id, + 'uid' => $uid)); + } + + /** + * Adds a tag with the given information to a photo. See the wiki for details: + * + * http://wiki.developers.facebook.com/index.php/Photos.addTag + * + * @param int $pid The ID of the photo to be tagged + * @param int $tag_uid The ID of the user being tagged. You must specify + * either the $tag_uid or the $tag_text parameter + * (unless $tags is specified). + * @param string $tag_text Some text identifying the person being tagged. + * You must specify either the $tag_uid or $tag_text + * parameter (unless $tags is specified). + * @param float $x The horizontal position of the tag, as a + * percentage from 0 to 100, from the left of the + * photo. + * @param float $y The vertical position of the tag, as a percentage + * from 0 to 100, from the top of the photo. + * @param array $tags (Optional) An array of maps, where each map + * can contain the tag_uid, tag_text, x, and y + * parameters defined above. If specified, the + * individual arguments are ignored. + * @param int $owner_uid (Optional) The user ID of the user whose photo + * you are tagging. If this parameter is not + * specified, then it defaults to the session user. + * + * @return bool true on success + */ + public function &photos_addTag($pid, + $tag_uid, + $tag_text, + $x, + $y, + $tags, + $owner_uid=0) { + return $this->call_method('facebook.photos.addTag', + array('pid' => $pid, + 'tag_uid' => $tag_uid, + 'tag_text' => $tag_text, + 'x' => $x, + 'y' => $y, + 'tags' => (is_array($tags)) ? json_encode($tags) : null, + 'owner_uid' => $this->get_uid($owner_uid))); + } + + /** + * Creates and returns a new album owned by the specified user or the current + * session user. + * + * @param string $name The name of the album. + * @param string $description (Optional) A description of the album. + * @param string $location (Optional) A description of the location. + * @param string $visible (Optional) A privacy setting for the album. + * One of 'friends', 'friends-of-friends', + * 'networks', or 'everyone'. Default 'everyone'. + * @param int $uid (Optional) User id for creating the album; if + * not specified, the session user is used. + * + * @return array An album object + */ + public function &photos_createAlbum($name, + $description='', + $location='', + $visible='', + $uid=0) { + return $this->call_method('facebook.photos.createAlbum', + array('name' => $name, + 'description' => $description, + 'location' => $location, + 'visible' => $visible, + 'uid' => $this->get_uid($uid))); + } + + /** + * Returns photos according to the filters specified. + * + * @param int $subj_id (Optional) Filter by uid of user tagged in the photos. + * @param int $aid (Optional) Filter by an album, as returned by + * photos_getAlbums. + * @param array/string $pids (Optional) Restrict to an array of pids + * (csv is deprecated) + * + * Note that at least one of these parameters needs to be specified, or an + * error is returned. + * + * @return array An array of photo objects. + */ + public function &photos_get($subj_id, $aid, $pids) { + return $this->call_method('facebook.photos.get', + array('subj_id' => $subj_id, 'aid' => $aid, 'pids' => $pids)); + } + + /** + * Returns the albums created by the given user. + * + * @param int $uid (Optional) The uid of the user whose albums you want. + * A null will return the albums of the session user. + * @param string $aids (Optional) An array of aids to restrict + * the query. (csv is deprecated) + * + * Note that at least one of the (uid, aids) parameters must be specified. + * + * @returns an array of album objects. + */ + public function &photos_getAlbums($uid, $aids) { + return $this->call_method('facebook.photos.getAlbums', + array('uid' => $uid, + 'aids' => $aids)); + } + + /** + * Returns the tags on all photos specified. + * + * @param string $pids A list of pids to query + * + * @return array An array of photo tag objects, which include pid, + * subject uid, and two floating-point numbers (xcoord, ycoord) + * for tag pixel location. + */ + public function &photos_getTags($pids) { + return $this->call_method('facebook.photos.getTags', + array('pids' => $pids)); + } + + /** + * Uploads a photo. + * + * @param string $file The location of the photo on the local filesystem. + * @param int $aid (Optional) The album into which to upload the + * photo. + * @param string $caption (Optional) A caption for the photo. + * @param int uid (Optional) The user ID of the user whose photo you + * are uploading + * + * @return array An array of user objects + */ + public function photos_upload($file, $aid=null, $caption=null, $uid=null) { + return $this->call_upload_method('facebook.photos.upload', + array('aid' => $aid, + 'caption' => $caption, + 'uid' => $uid), + $file); + } + + + /** + * Uploads a video. + * + * @param string $file The location of the video on the local filesystem. + * @param string $title (Optional) A title for the video. Titles over 65 characters in length will be truncated. + * @param string $description (Optional) A description for the video. + * + * @return array An array with the video's ID, title, description, and a link to view it on Facebook. + */ + public function video_upload($file, $title=null, $description=null) { + return $this->call_upload_method('facebook.video.upload', + array('title' => $title, + 'description' => $description), + $file, + Facebook::get_facebook_url('api-video') . '/restserver.php'); + } + + /** + * Returns an array with the video limitations imposed on the current session's + * associated user. Maximum length is measured in seconds; maximum size is + * measured in bytes. + * + * @return array Array with "length" and "size" keys + */ + public function &video_getUploadLimits() { + return $this->call_method('facebook.video.getUploadLimits'); + } + + /** + * Returns the requested info fields for the requested set of users. + * + * @param array/string $uids An array of user ids (csv is deprecated) + * @param array/string $fields An array of info field names desired (csv is deprecated) + * + * @return array An array of user objects + */ + public function &users_getInfo($uids, $fields) { + return $this->call_method('facebook.users.getInfo', + array('uids' => $uids, + 'fields' => $fields)); + } + + /** + * Returns the requested info fields for the requested set of users. A + * session key must not be specified. Only data about users that have + * authorized your application will be returned. + * + * Check the wiki for fields that can be queried through this API call. + * Data returned from here should not be used for rendering to application + * users, use users.getInfo instead, so that proper privacy rules will be + * applied. + * + * @param array/string $uids An array of user ids (csv is deprecated) + * @param array/string $fields An array of info field names desired (csv is deprecated) + * + * @return array An array of user objects + */ + public function &users_getStandardInfo($uids, $fields) { + return $this->call_method('facebook.users.getStandardInfo', + array('uids' => $uids, + 'fields' => $fields)); + } + + /** + * Returns the user corresponding to the current session object. + * + * @return integer User id + */ + public function &users_getLoggedInUser() { + return $this->call_method('facebook.users.getLoggedInUser'); + } + + /** + * Returns 1 if the user has the specified permission, 0 otherwise. + * http://wiki.developers.facebook.com/index.php/Users.hasAppPermission + * + * @return integer 1 or 0 + */ + public function &users_hasAppPermission($ext_perm, $uid=null) { + return $this->call_method('facebook.users.hasAppPermission', + array('ext_perm' => $ext_perm, 'uid' => $uid)); + } + + /** + * Returns whether or not the user corresponding to the current + * session object has the give the app basic authorization. + * + * @return boolean true if the user has authorized the app + */ + public function &users_isAppUser($uid=null) { + if ($uid === null && isset($this->is_user)) { + return $this->is_user; + } + + return $this->call_method('facebook.users.isAppUser', array('uid' => $uid)); + } + + /** + * Returns whether or not the user corresponding to the current + * session object is verified by Facebook. See the documentation + * for Users.isVerified for details. + * + * @return boolean true if the user is verified + */ + public function &users_isVerified() { + return $this->call_method('facebook.users.isVerified'); + } + + /** + * Sets the users' current status message. Message does NOT contain the + * word "is" , so make sure to include a verb. + * + * Example: setStatus("is loving the API!") + * will produce the status "Luke is loving the API!" + * + * @param string $status text-only message to set + * @param int $uid user to set for (defaults to the + * logged-in user) + * @param bool $clear whether or not to clear the status, + * instead of setting it + * @param bool $status_includes_verb if true, the word "is" will *not* be + * prepended to the status message + * + * @return boolean + */ + public function &users_setStatus($status, + $uid = null, + $clear = false, + $status_includes_verb = true) { + $args = array( + 'status' => $status, + 'uid' => $uid, + 'clear' => $clear, + 'status_includes_verb' => $status_includes_verb, + ); + return $this->call_method('facebook.users.setStatus', $args); + } + + /** + * Gets the comments for a particular xid. This is essentially a wrapper + * around the comment FQL table. + * + * @param string $xid external id associated with the comments + * + * @return array of comment objects + */ + public function &comments_get($xid) { + $args = array('xid' => $xid); + return $this->call_method('facebook.comments.get', $args); + } + + /** + * Add a comment to a particular xid on behalf of a user. If called + * without an app_secret (with session secret), this will only work + * for the session user. + * + * @param string $xid external id associated with the comments + * @param string $text text of the comment + * @param int $uid user adding the comment (def: session user) + * @param string $title optional title for the stream story + * @param string $url optional url for the stream story + * @param bool $publish_to_stream publish a feed story about this comment? + * a link will be generated to title/url in the story + * + * @return string comment_id associated with the comment + */ + public function &comments_add($xid, $text, $uid=0, $title='', $url='', + $publish_to_stream=false) { + $args = array( + 'xid' => $xid, + 'uid' => $this->get_uid($uid), + 'text' => $text, + 'title' => $title, + 'url' => $url, + 'publish_to_stream' => $publish_to_stream); + + return $this->call_method('facebook.comments.add', $args); + } + + /** + * Remove a particular comment. + * + * @param string $xid the external id associated with the comments + * @param string $comment_id id of the comment to remove (returned by + * comments.add and comments.get) + * + * @return boolean + */ + public function &comments_remove($xid, $comment_id) { + $args = array( + 'xid' => $xid, + 'comment_id' => $comment_id); + return $this->call_method('facebook.comments.remove', $args); + } + + /** + * Gets the stream on behalf of a user using a set of users. This + * call will return the latest $limit queries between $start_time + * and $end_time. + * + * @param int $viewer_id user making the call (def: session) + * @param array $source_ids users/pages to look at (def: all connections) + * @param int $start_time start time to look for stories (def: 1 day ago) + * @param int $end_time end time to look for stories (def: now) + * @param int $limit number of stories to attempt to fetch (def: 30) + * @param string $filter_key key returned by stream.getFilters to fetch + * @param array $metadata metadata to include with the return, allows + * requested metadata to be returned, such as + * profiles, albums, photo_tags + * + * @return array( + * 'posts' => array of posts, + * // if requested, the following data may be returned + * 'profiles' => array of profile metadata of users/pages in posts + * 'albums' => array of album metadata in posts + * 'photo_tags' => array of photo_tags for photos in posts + * ) + */ + public function &stream_get($viewer_id = null, + $source_ids = null, + $start_time = 0, + $end_time = 0, + $limit = 30, + $filter_key = '', + $exportable_only = false, + $metadata = null, + $post_ids = null) { + $args = array( + 'viewer_id' => $viewer_id, + 'source_ids' => $source_ids, + 'start_time' => $start_time, + 'end_time' => $end_time, + 'limit' => $limit, + 'filter_key' => $filter_key, + 'exportable_only' => $exportable_only, + 'metadata' => $metadata, + 'post_ids' => $post_ids); + return $this->call_method('facebook.stream.get', $args); + } + + /** + * Gets the filters (with relevant filter keys for stream.get) for a + * particular user. These filters are typical things like news feed, + * friend lists, networks. They can be used to filter the stream + * without complex queries to determine which ids belong in which groups. + * + * @param int $uid user to get filters for + * + * @return array of stream filter objects + */ + public function &stream_getFilters($uid = null) { + $args = array('uid' => $uid); + return $this->call_method('facebook.stream.getFilters', $args); + } + + /** + * Gets the full comments given a post_id from stream.get or the + * stream FQL table. Initially, only a set of preview comments are + * returned because some posts can have many comments. + * + * @param string $post_id id of the post to get comments for + * + * @return array of comment objects + */ + public function &stream_getComments($post_id) { + $args = array('post_id' => $post_id); + return $this->call_method('facebook.stream.getComments', $args); + } + + /** + * Sets the FBML for the profile of the user attached to this session. + * + * @param string $markup The FBML that describes the profile + * presence of this app for the user + * @param int $uid The user + * @param string $profile Profile FBML + * @param string $profile_action Profile action FBML (deprecated) + * @param string $mobile_profile Mobile profile FBML + * @param string $profile_main Main Tab profile FBML + * + * @return array A list of strings describing any compile errors for the + * submitted FBML + */ + public function profile_setFBML($markup, + $uid=null, + $profile='', + $profile_action='', + $mobile_profile='', + $profile_main='') { + return $this->call_method('facebook.profile.setFBML', + array('markup' => $markup, + 'uid' => $uid, + 'profile' => $profile, + 'profile_action' => $profile_action, + 'mobile_profile' => $mobile_profile, + 'profile_main' => $profile_main)); + } + + /** + * Gets the FBML for the profile box that is currently set for a user's + * profile (your application set the FBML previously by calling the + * profile.setFBML method). + * + * @param int $uid (Optional) User id to lookup; defaults to session. + * @param int $type (Optional) 1 for original style, 2 for profile_main boxes + * + * @return string The FBML + */ + public function &profile_getFBML($uid=null, $type=null) { + return $this->call_method('facebook.profile.getFBML', + array('uid' => $uid, + 'type' => $type)); + } + + /** + * Returns the specified user's application info section for the calling + * application. These info sections have either been set via a previous + * profile.setInfo call or by the user editing them directly. + * + * @param int $uid (Optional) User id to lookup; defaults to session. + * + * @return array Info fields for the current user. See wiki for structure: + * + * http://wiki.developers.facebook.com/index.php/Profile.getInfo + * + */ + public function &profile_getInfo($uid=null) { + return $this->call_method('facebook.profile.getInfo', + array('uid' => $uid)); + } + + /** + * Returns the options associated with the specified info field for an + * application info section. + * + * @param string $field The title of the field + * + * @return array An array of info options. + */ + public function &profile_getInfoOptions($field) { + return $this->call_method('facebook.profile.getInfoOptions', + array('field' => $field)); + } + + /** + * Configures an application info section that the specified user can install + * on the Info tab of her profile. For details on the structure of an info + * field, please see: + * + * http://wiki.developers.facebook.com/index.php/Profile.setInfo + * + * @param string $title Title / header of the info section + * @param int $type 1 for text-only, 5 for thumbnail views + * @param array $info_fields An array of info fields. See wiki for details. + * @param int $uid (Optional) + * + * @return bool true on success + */ + public function &profile_setInfo($title, $type, $info_fields, $uid=null) { + return $this->call_method('facebook.profile.setInfo', + array('uid' => $uid, + 'type' => $type, + 'title' => $title, + 'info_fields' => json_encode($info_fields))); + } + + /** + * Specifies the objects for a field for an application info section. These + * options populate the typeahead for a thumbnail. + * + * @param string $field The title of the field + * @param array $options An array of items for a thumbnail, including + * 'label', 'link', and optionally 'image', + * 'description' and 'sublabel' + * + * @return bool true on success + */ + public function profile_setInfoOptions($field, $options) { + return $this->call_method('facebook.profile.setInfoOptions', + array('field' => $field, + 'options' => json_encode($options))); + } + + ///////////////////////////////////////////////////////////////////////////// + // Data Store API + + /** + * Set a user preference. + * + * @param pref_id preference identifier (0-200) + * @param value preferece's value + * @param uid the user id (defaults to current session user) + * @error + * API_EC_DATA_DATABASE_ERROR + * API_EC_PARAM + * API_EC_DATA_QUOTA_EXCEEDED + * API_EC_DATA_UNKNOWN_ERROR + * API_EC_PERMISSION_OTHER_USER + */ + public function &data_setUserPreference($pref_id, $value, $uid = null) { + return $this->call_method('facebook.data.setUserPreference', + array('pref_id' => $pref_id, + 'value' => $value, + 'uid' => $this->get_uid($uid))); + } + + /** + * Set a user's all preferences for this application. + * + * @param values preferece values in an associative arrays + * @param replace whether to replace all existing preferences or + * merge into them. + * @param uid the user id (defaults to current session user) + * @error + * API_EC_DATA_DATABASE_ERROR + * API_EC_PARAM + * API_EC_DATA_QUOTA_EXCEEDED + * API_EC_DATA_UNKNOWN_ERROR + * API_EC_PERMISSION_OTHER_USER + */ + public function &data_setUserPreferences($values, + $replace = false, + $uid = null) { + return $this->call_method('facebook.data.setUserPreferences', + array('values' => json_encode($values), + 'replace' => $replace, + 'uid' => $this->get_uid($uid))); + } + + /** + * Get a user preference. + * + * @param pref_id preference identifier (0-200) + * @param uid the user id (defaults to current session user) + * @return preference's value + * @error + * API_EC_DATA_DATABASE_ERROR + * API_EC_PARAM + * API_EC_DATA_QUOTA_EXCEEDED + * API_EC_DATA_UNKNOWN_ERROR + * API_EC_PERMISSION_OTHER_USER + */ + public function &data_getUserPreference($pref_id, $uid = null) { + return $this->call_method('facebook.data.getUserPreference', + array('pref_id' => $pref_id, + 'uid' => $this->get_uid($uid))); + } + + /** + * Get a user preference. + * + * @param uid the user id (defaults to current session user) + * @return preference values + * @error + * API_EC_DATA_DATABASE_ERROR + * API_EC_DATA_QUOTA_EXCEEDED + * API_EC_DATA_UNKNOWN_ERROR + * API_EC_PERMISSION_OTHER_USER + */ + public function &data_getUserPreferences($uid = null) { + return $this->call_method('facebook.data.getUserPreferences', + array('uid' => $this->get_uid($uid))); + } + + /** + * Create a new object type. + * + * @param name object type's name + * @error + * API_EC_DATA_DATABASE_ERROR + * API_EC_DATA_OBJECT_ALREADY_EXISTS + * API_EC_PARAM + * API_EC_PERMISSION + * API_EC_DATA_INVALID_OPERATION + * API_EC_DATA_QUOTA_EXCEEDED + * API_EC_DATA_UNKNOWN_ERROR + */ + public function &data_createObjectType($name) { + return $this->call_method('facebook.data.createObjectType', + array('name' => $name)); + } + + /** + * Delete an object type. + * + * @param obj_type object type's name + * @error + * API_EC_DATA_DATABASE_ERROR + * API_EC_DATA_OBJECT_NOT_FOUND + * API_EC_PARAM + * API_EC_PERMISSION + * API_EC_DATA_INVALID_OPERATION + * API_EC_DATA_QUOTA_EXCEEDED + * API_EC_DATA_UNKNOWN_ERROR + */ + public function &data_dropObjectType($obj_type) { + return $this->call_method('facebook.data.dropObjectType', + array('obj_type' => $obj_type)); + } + + /** + * Rename an object type. + * + * @param obj_type object type's name + * @param new_name new object type's name + * @error + * API_EC_DATA_DATABASE_ERROR + * API_EC_DATA_OBJECT_NOT_FOUND + * API_EC_DATA_OBJECT_ALREADY_EXISTS + * API_EC_PARAM + * API_EC_PERMISSION + * API_EC_DATA_INVALID_OPERATION + * API_EC_DATA_QUOTA_EXCEEDED + * API_EC_DATA_UNKNOWN_ERROR + */ + public function &data_renameObjectType($obj_type, $new_name) { + return $this->call_method('facebook.data.renameObjectType', + array('obj_type' => $obj_type, + 'new_name' => $new_name)); + } + + /** + * Add a new property to an object type. + * + * @param obj_type object type's name + * @param prop_name name of the property to add + * @param prop_type 1: integer; 2: string; 3: text blob + * @error + * API_EC_DATA_DATABASE_ERROR + * API_EC_DATA_OBJECT_ALREADY_EXISTS + * API_EC_PARAM + * API_EC_PERMISSION + * API_EC_DATA_INVALID_OPERATION + * API_EC_DATA_QUOTA_EXCEEDED + * API_EC_DATA_UNKNOWN_ERROR + */ + public function &data_defineObjectProperty($obj_type, + $prop_name, + $prop_type) { + return $this->call_method('facebook.data.defineObjectProperty', + array('obj_type' => $obj_type, + 'prop_name' => $prop_name, + 'prop_type' => $prop_type)); + } + + /** + * Remove a previously defined property from an object type. + * + * @param obj_type object type's name + * @param prop_name name of the property to remove + * @error + * API_EC_DATA_DATABASE_ERROR + * API_EC_DATA_OBJECT_NOT_FOUND + * API_EC_PARAM + * API_EC_PERMISSION + * API_EC_DATA_INVALID_OPERATION + * API_EC_DATA_QUOTA_EXCEEDED + * API_EC_DATA_UNKNOWN_ERROR + */ + public function &data_undefineObjectProperty($obj_type, $prop_name) { + return $this->call_method('facebook.data.undefineObjectProperty', + array('obj_type' => $obj_type, + 'prop_name' => $prop_name)); + } + + /** + * Rename a previously defined property of an object type. + * + * @param obj_type object type's name + * @param prop_name name of the property to rename + * @param new_name new name to use + * @error + * API_EC_DATA_DATABASE_ERROR + * API_EC_DATA_OBJECT_NOT_FOUND + * API_EC_DATA_OBJECT_ALREADY_EXISTS + * API_EC_PARAM + * API_EC_PERMISSION + * API_EC_DATA_INVALID_OPERATION + * API_EC_DATA_QUOTA_EXCEEDED + * API_EC_DATA_UNKNOWN_ERROR + */ + public function &data_renameObjectProperty($obj_type, $prop_name, + $new_name) { + return $this->call_method('facebook.data.renameObjectProperty', + array('obj_type' => $obj_type, + 'prop_name' => $prop_name, + 'new_name' => $new_name)); + } + + /** + * Retrieve a list of all object types that have defined for the application. + * + * @return a list of object type names + * @error + * API_EC_DATA_DATABASE_ERROR + * API_EC_PERMISSION + * API_EC_DATA_QUOTA_EXCEEDED + * API_EC_DATA_UNKNOWN_ERROR + */ + public function &data_getObjectTypes() { + return $this->call_method('facebook.data.getObjectTypes'); + } + + /** + * Get definitions of all properties of an object type. + * + * @param obj_type object type's name + * @return pairs of property name and property types + * @error + * API_EC_DATA_DATABASE_ERROR + * API_EC_PARAM + * API_EC_PERMISSION + * API_EC_DATA_OBJECT_NOT_FOUND + * API_EC_DATA_QUOTA_EXCEEDED + * API_EC_DATA_UNKNOWN_ERROR + */ + public function &data_getObjectType($obj_type) { + return $this->call_method('facebook.data.getObjectType', + array('obj_type' => $obj_type)); + } + + /** + * Create a new object. + * + * @param obj_type object type's name + * @param properties (optional) properties to set initially + * @return newly created object's id + * @error + * API_EC_DATA_DATABASE_ERROR + * API_EC_PARAM + * API_EC_PERMISSION + * API_EC_DATA_INVALID_OPERATION + * API_EC_DATA_QUOTA_EXCEEDED + * API_EC_DATA_UNKNOWN_ERROR + */ + public function &data_createObject($obj_type, $properties = null) { + return $this->call_method('facebook.data.createObject', + array('obj_type' => $obj_type, + 'properties' => json_encode($properties))); + } + + /** + * Update an existing object. + * + * @param obj_id object's id + * @param properties new properties + * @param replace true for replacing existing properties; + * false for merging + * @error + * API_EC_DATA_DATABASE_ERROR + * API_EC_DATA_OBJECT_NOT_FOUND + * API_EC_PARAM + * API_EC_PERMISSION + * API_EC_DATA_INVALID_OPERATION + * API_EC_DATA_QUOTA_EXCEEDED + * API_EC_DATA_UNKNOWN_ERROR + */ + public function &data_updateObject($obj_id, $properties, $replace = false) { + return $this->call_method('facebook.data.updateObject', + array('obj_id' => $obj_id, + 'properties' => json_encode($properties), + 'replace' => $replace)); + } + + /** + * Delete an existing object. + * + * @param obj_id object's id + * @error + * API_EC_DATA_DATABASE_ERROR + * API_EC_DATA_OBJECT_NOT_FOUND + * API_EC_PARAM + * API_EC_PERMISSION + * API_EC_DATA_INVALID_OPERATION + * API_EC_DATA_QUOTA_EXCEEDED + * API_EC_DATA_UNKNOWN_ERROR + */ + public function &data_deleteObject($obj_id) { + return $this->call_method('facebook.data.deleteObject', + array('obj_id' => $obj_id)); + } + + /** + * Delete a list of objects. + * + * @param obj_ids objects to delete + * @error + * API_EC_DATA_DATABASE_ERROR + * API_EC_PARAM + * API_EC_PERMISSION + * API_EC_DATA_INVALID_OPERATION + * API_EC_DATA_QUOTA_EXCEEDED + * API_EC_DATA_UNKNOWN_ERROR + */ + public function &data_deleteObjects($obj_ids) { + return $this->call_method('facebook.data.deleteObjects', + array('obj_ids' => json_encode($obj_ids))); + } + + /** + * Get a single property value of an object. + * + * @param obj_id object's id + * @param prop_name individual property's name + * @return individual property's value + * @error + * API_EC_DATA_DATABASE_ERROR + * API_EC_DATA_OBJECT_NOT_FOUND + * API_EC_PARAM + * API_EC_PERMISSION + * API_EC_DATA_INVALID_OPERATION + * API_EC_DATA_QUOTA_EXCEEDED + * API_EC_DATA_UNKNOWN_ERROR + */ + public function &data_getObjectProperty($obj_id, $prop_name) { + return $this->call_method('facebook.data.getObjectProperty', + array('obj_id' => $obj_id, + 'prop_name' => $prop_name)); + } + + /** + * Get properties of an object. + * + * @param obj_id object's id + * @param prop_names (optional) properties to return; null for all. + * @return specified properties of an object + * @error + * API_EC_DATA_DATABASE_ERROR + * API_EC_DATA_OBJECT_NOT_FOUND + * API_EC_PARAM + * API_EC_PERMISSION + * API_EC_DATA_INVALID_OPERATION + * API_EC_DATA_QUOTA_EXCEEDED + * API_EC_DATA_UNKNOWN_ERROR + */ + public function &data_getObject($obj_id, $prop_names = null) { + return $this->call_method('facebook.data.getObject', + array('obj_id' => $obj_id, + 'prop_names' => json_encode($prop_names))); + } + + /** + * Get properties of a list of objects. + * + * @param obj_ids object ids + * @param prop_names (optional) properties to return; null for all. + * @return specified properties of an object + * @error + * API_EC_DATA_DATABASE_ERROR + * API_EC_DATA_OBJECT_NOT_FOUND + * API_EC_PARAM + * API_EC_PERMISSION + * API_EC_DATA_INVALID_OPERATION + * API_EC_DATA_QUOTA_EXCEEDED + * API_EC_DATA_UNKNOWN_ERROR + */ + public function &data_getObjects($obj_ids, $prop_names = null) { + return $this->call_method('facebook.data.getObjects', + array('obj_ids' => json_encode($obj_ids), + 'prop_names' => json_encode($prop_names))); + } + + /** + * Set a single property value of an object. + * + * @param obj_id object's id + * @param prop_name individual property's name + * @param prop_value new value to set + * @error + * API_EC_DATA_DATABASE_ERROR + * API_EC_DATA_OBJECT_NOT_FOUND + * API_EC_PARAM + * API_EC_PERMISSION + * API_EC_DATA_INVALID_OPERATION + * API_EC_DATA_QUOTA_EXCEEDED + * API_EC_DATA_UNKNOWN_ERROR + */ + public function &data_setObjectProperty($obj_id, $prop_name, + $prop_value) { + return $this->call_method('facebook.data.setObjectProperty', + array('obj_id' => $obj_id, + 'prop_name' => $prop_name, + 'prop_value' => $prop_value)); + } + + /** + * Read hash value by key. + * + * @param obj_type object type's name + * @param key hash key + * @param prop_name (optional) individual property's name + * @return hash value + * @error + * API_EC_DATA_DATABASE_ERROR + * API_EC_PARAM + * API_EC_PERMISSION + * API_EC_DATA_INVALID_OPERATION + * API_EC_DATA_QUOTA_EXCEEDED + * API_EC_DATA_UNKNOWN_ERROR + */ + public function &data_getHashValue($obj_type, $key, $prop_name = null) { + return $this->call_method('facebook.data.getHashValue', + array('obj_type' => $obj_type, + 'key' => $key, + 'prop_name' => $prop_name)); + } + + /** + * Write hash value by key. + * + * @param obj_type object type's name + * @param key hash key + * @param value hash value + * @param prop_name (optional) individual property's name + * @error + * API_EC_DATA_DATABASE_ERROR + * API_EC_PARAM + * API_EC_PERMISSION + * API_EC_DATA_INVALID_OPERATION + * API_EC_DATA_QUOTA_EXCEEDED + * API_EC_DATA_UNKNOWN_ERROR + */ + public function &data_setHashValue($obj_type, + $key, + $value, + $prop_name = null) { + return $this->call_method('facebook.data.setHashValue', + array('obj_type' => $obj_type, + 'key' => $key, + 'value' => $value, + 'prop_name' => $prop_name)); + } + + /** + * Increase a hash value by specified increment atomically. + * + * @param obj_type object type's name + * @param key hash key + * @param prop_name individual property's name + * @param increment (optional) default is 1 + * @return incremented hash value + * @error + * API_EC_DATA_DATABASE_ERROR + * API_EC_PARAM + * API_EC_PERMISSION + * API_EC_DATA_INVALID_OPERATION + * API_EC_DATA_QUOTA_EXCEEDED + * API_EC_DATA_UNKNOWN_ERROR + */ + public function &data_incHashValue($obj_type, + $key, + $prop_name, + $increment = 1) { + return $this->call_method('facebook.data.incHashValue', + array('obj_type' => $obj_type, + 'key' => $key, + 'prop_name' => $prop_name, + 'increment' => $increment)); + } + + /** + * Remove a hash key and its values. + * + * @param obj_type object type's name + * @param key hash key + * @error + * API_EC_DATA_DATABASE_ERROR + * API_EC_PARAM + * API_EC_PERMISSION + * API_EC_DATA_INVALID_OPERATION + * API_EC_DATA_QUOTA_EXCEEDED + * API_EC_DATA_UNKNOWN_ERROR + */ + public function &data_removeHashKey($obj_type, $key) { + return $this->call_method('facebook.data.removeHashKey', + array('obj_type' => $obj_type, + 'key' => $key)); + } + + /** + * Remove hash keys and their values. + * + * @param obj_type object type's name + * @param keys hash keys + * @error + * API_EC_DATA_DATABASE_ERROR + * API_EC_PARAM + * API_EC_PERMISSION + * API_EC_DATA_INVALID_OPERATION + * API_EC_DATA_QUOTA_EXCEEDED + * API_EC_DATA_UNKNOWN_ERROR + */ + public function &data_removeHashKeys($obj_type, $keys) { + return $this->call_method('facebook.data.removeHashKeys', + array('obj_type' => $obj_type, + 'keys' => json_encode($keys))); + } + + /** + * Define an object association. + * + * @param name name of this association + * @param assoc_type 1: one-way 2: two-way symmetric 3: two-way asymmetric + * @param assoc_info1 needed info about first object type + * @param assoc_info2 needed info about second object type + * @param inverse (optional) name of reverse association + * @error + * API_EC_DATA_DATABASE_ERROR + * API_EC_DATA_OBJECT_ALREADY_EXISTS + * API_EC_PARAM + * API_EC_PERMISSION + * API_EC_DATA_INVALID_OPERATION + * API_EC_DATA_QUOTA_EXCEEDED + * API_EC_DATA_UNKNOWN_ERROR + */ + public function &data_defineAssociation($name, $assoc_type, $assoc_info1, + $assoc_info2, $inverse = null) { + return $this->call_method('facebook.data.defineAssociation', + array('name' => $name, + 'assoc_type' => $assoc_type, + 'assoc_info1' => json_encode($assoc_info1), + 'assoc_info2' => json_encode($assoc_info2), + 'inverse' => $inverse)); + } + + /** + * Undefine an object association. + * + * @param name name of this association + * @error + * API_EC_DATA_DATABASE_ERROR + * API_EC_DATA_OBJECT_NOT_FOUND + * API_EC_PARAM + * API_EC_PERMISSION + * API_EC_DATA_INVALID_OPERATION + * API_EC_DATA_QUOTA_EXCEEDED + * API_EC_DATA_UNKNOWN_ERROR + */ + public function &data_undefineAssociation($name) { + return $this->call_method('facebook.data.undefineAssociation', + array('name' => $name)); + } + + /** + * Rename an object association or aliases. + * + * @param name name of this association + * @param new_name (optional) new name of this association + * @param new_alias1 (optional) new alias for object type 1 + * @param new_alias2 (optional) new alias for object type 2 + * @error + * API_EC_DATA_DATABASE_ERROR + * API_EC_DATA_OBJECT_ALREADY_EXISTS + * API_EC_DATA_OBJECT_NOT_FOUND + * API_EC_PARAM + * API_EC_PERMISSION + * API_EC_DATA_INVALID_OPERATION + * API_EC_DATA_QUOTA_EXCEEDED + * API_EC_DATA_UNKNOWN_ERROR + */ + public function &data_renameAssociation($name, $new_name, $new_alias1 = null, + $new_alias2 = null) { + return $this->call_method('facebook.data.renameAssociation', + array('name' => $name, + 'new_name' => $new_name, + 'new_alias1' => $new_alias1, + 'new_alias2' => $new_alias2)); + } + + /** + * Get definition of an object association. + * + * @param name name of this association + * @return specified association + * @error + * API_EC_DATA_DATABASE_ERROR + * API_EC_DATA_OBJECT_NOT_FOUND + * API_EC_PARAM + * API_EC_PERMISSION + * API_EC_DATA_QUOTA_EXCEEDED + * API_EC_DATA_UNKNOWN_ERROR + */ + public function &data_getAssociationDefinition($name) { + return $this->call_method('facebook.data.getAssociationDefinition', + array('name' => $name)); + } + + /** + * Get definition of all associations. + * + * @return all defined associations + * @error + * API_EC_DATA_DATABASE_ERROR + * API_EC_PERMISSION + * API_EC_DATA_QUOTA_EXCEEDED + * API_EC_DATA_UNKNOWN_ERROR + */ + public function &data_getAssociationDefinitions() { + return $this->call_method('facebook.data.getAssociationDefinitions', + array()); + } + + /** + * Create or modify an association between two objects. + * + * @param name name of association + * @param obj_id1 id of first object + * @param obj_id2 id of second object + * @param data (optional) extra string data to store + * @param assoc_time (optional) extra time data; default to creation time + * @error + * API_EC_DATA_DATABASE_ERROR + * API_EC_PARAM + * API_EC_PERMISSION + * API_EC_DATA_INVALID_OPERATION + * API_EC_DATA_QUOTA_EXCEEDED + * API_EC_DATA_UNKNOWN_ERROR + */ + public function &data_setAssociation($name, $obj_id1, $obj_id2, $data = null, + $assoc_time = null) { + return $this->call_method('facebook.data.setAssociation', + array('name' => $name, + 'obj_id1' => $obj_id1, + 'obj_id2' => $obj_id2, + 'data' => $data, + 'assoc_time' => $assoc_time)); + } + + /** + * Create or modify associations between objects. + * + * @param assocs associations to set + * @param name (optional) name of association + * @error + * API_EC_DATA_DATABASE_ERROR + * API_EC_PARAM + * API_EC_PERMISSION + * API_EC_DATA_INVALID_OPERATION + * API_EC_DATA_QUOTA_EXCEEDED + * API_EC_DATA_UNKNOWN_ERROR + */ + public function &data_setAssociations($assocs, $name = null) { + return $this->call_method('facebook.data.setAssociations', + array('assocs' => json_encode($assocs), + 'name' => $name)); + } + + /** + * Remove an association between two objects. + * + * @param name name of association + * @param obj_id1 id of first object + * @param obj_id2 id of second object + * @error + * API_EC_DATA_DATABASE_ERROR + * API_EC_DATA_OBJECT_NOT_FOUND + * API_EC_PARAM + * API_EC_PERMISSION + * API_EC_DATA_QUOTA_EXCEEDED + * API_EC_DATA_UNKNOWN_ERROR + */ + public function &data_removeAssociation($name, $obj_id1, $obj_id2) { + return $this->call_method('facebook.data.removeAssociation', + array('name' => $name, + 'obj_id1' => $obj_id1, + 'obj_id2' => $obj_id2)); + } + + /** + * Remove associations between objects by specifying pairs of object ids. + * + * @param assocs associations to remove + * @param name (optional) name of association + * @error + * API_EC_DATA_DATABASE_ERROR + * API_EC_DATA_OBJECT_NOT_FOUND + * API_EC_PARAM + * API_EC_PERMISSION + * API_EC_DATA_QUOTA_EXCEEDED + * API_EC_DATA_UNKNOWN_ERROR + */ + public function &data_removeAssociations($assocs, $name = null) { + return $this->call_method('facebook.data.removeAssociations', + array('assocs' => json_encode($assocs), + 'name' => $name)); + } + + /** + * Remove associations between objects by specifying one object id. + * + * @param name name of association + * @param obj_id who's association to remove + * @error + * API_EC_DATA_DATABASE_ERROR + * API_EC_DATA_OBJECT_NOT_FOUND + * API_EC_PARAM + * API_EC_PERMISSION + * API_EC_DATA_INVALID_OPERATION + * API_EC_DATA_QUOTA_EXCEEDED + * API_EC_DATA_UNKNOWN_ERROR + */ + public function &data_removeAssociatedObjects($name, $obj_id) { + return $this->call_method('facebook.data.removeAssociatedObjects', + array('name' => $name, + 'obj_id' => $obj_id)); + } + + /** + * Retrieve a list of associated objects. + * + * @param name name of association + * @param obj_id who's association to retrieve + * @param no_data only return object ids + * @return associated objects + * @error + * API_EC_DATA_DATABASE_ERROR + * API_EC_DATA_OBJECT_NOT_FOUND + * API_EC_PARAM + * API_EC_PERMISSION + * API_EC_DATA_INVALID_OPERATION + * API_EC_DATA_QUOTA_EXCEEDED + * API_EC_DATA_UNKNOWN_ERROR + */ + public function &data_getAssociatedObjects($name, $obj_id, $no_data = true) { + return $this->call_method('facebook.data.getAssociatedObjects', + array('name' => $name, + 'obj_id' => $obj_id, + 'no_data' => $no_data)); + } + + /** + * Count associated objects. + * + * @param name name of association + * @param obj_id who's association to retrieve + * @return associated object's count + * @error + * API_EC_DATA_DATABASE_ERROR + * API_EC_DATA_OBJECT_NOT_FOUND + * API_EC_PARAM + * API_EC_PERMISSION + * API_EC_DATA_INVALID_OPERATION + * API_EC_DATA_QUOTA_EXCEEDED + * API_EC_DATA_UNKNOWN_ERROR + */ + public function &data_getAssociatedObjectCount($name, $obj_id) { + return $this->call_method('facebook.data.getAssociatedObjectCount', + array('name' => $name, + 'obj_id' => $obj_id)); + } + + /** + * Get a list of associated object counts. + * + * @param name name of association + * @param obj_ids whose association to retrieve + * @return associated object counts + * @error + * API_EC_DATA_DATABASE_ERROR + * API_EC_DATA_OBJECT_NOT_FOUND + * API_EC_PARAM + * API_EC_PERMISSION + * API_EC_DATA_INVALID_OPERATION + * API_EC_DATA_QUOTA_EXCEEDED + * API_EC_DATA_UNKNOWN_ERROR + */ + public function &data_getAssociatedObjectCounts($name, $obj_ids) { + return $this->call_method('facebook.data.getAssociatedObjectCounts', + array('name' => $name, + 'obj_ids' => json_encode($obj_ids))); + } + + /** + * Find all associations between two objects. + * + * @param obj_id1 id of first object + * @param obj_id2 id of second object + * @param no_data only return association names without data + * @return all associations between objects + * @error + * API_EC_DATA_DATABASE_ERROR + * API_EC_PARAM + * API_EC_PERMISSION + * API_EC_DATA_QUOTA_EXCEEDED + * API_EC_DATA_UNKNOWN_ERROR + */ + public function &data_getAssociations($obj_id1, $obj_id2, $no_data = true) { + return $this->call_method('facebook.data.getAssociations', + array('obj_id1' => $obj_id1, + 'obj_id2' => $obj_id2, + 'no_data' => $no_data)); + } + + /** + * Get the properties that you have set for an app. + * + * @param properties List of properties names to fetch + * + * @return array A map from property name to value + */ + public function admin_getAppProperties($properties) { + return json_decode( + $this->call_method('facebook.admin.getAppProperties', + array('properties' => json_encode($properties))), true); + } + + /** + * Set properties for an app. + * + * @param properties A map from property names to values + * + * @return bool true on success + */ + public function admin_setAppProperties($properties) { + return $this->call_method('facebook.admin.setAppProperties', + array('properties' => json_encode($properties))); + } + + /** + * Sets href and text for a Live Stream Box xid's via link + * + * @param string $xid xid of the Live Stream + * @param string $via_href Href for the via link + * @param string $via_text Text for the via link + * + * @return boolWhether the set was successful + */ + public function admin_setLiveStreamViaLink($xid, $via_href, $via_text) { + return $this->call_method('facebook.admin.setLiveStreamViaLink', + array('xid' => $xid, + 'via_href' => $via_href, + 'via_text' => $via_text)); + } + + /** + * Gets href and text for a Live Stream Box xid's via link + * + * @param string $xid xid of the Live Stream + * + * @return Array Associative array with keys 'via_href' and 'via_text' + * False if there was an error. + */ + public function admin_getLiveStreamViaLink($xid) { + return $this->call_method('facebook.admin.getLiveStreamViaLink', + array('xid' => $xid)); + } + + /** + * Returns the allocation limit value for a specified integration point name + * Integration point names are defined in lib/api/karma/constants.php in the + * limit_map. + * + * @param string $integration_point_name Name of an integration point + * (see developer wiki for list). + * @param int $uid Specific user to check the limit. + * + * @return int Integration point allocation value + */ + public function &admin_getAllocation($integration_point_name, $uid=null) { + return $this->call_method('facebook.admin.getAllocation', + array('integration_point_name' => $integration_point_name, + 'uid' => $uid)); + } + + /** + * Returns values for the specified metrics for the current application, in + * the given time range. The metrics are collected for fixed-length periods, + * and the times represent midnight at the end of each period. + * + * @param start_time unix time for the start of the range + * @param end_time unix time for the end of the range + * @param period number of seconds in the desired period + * @param metrics list of metrics to look up + * + * @return array A map of the names and values for those metrics + */ + public function &admin_getMetrics($start_time, $end_time, $period, $metrics) { + return $this->call_method('admin.getMetrics', + array('start_time' => $start_time, + 'end_time' => $end_time, + 'period' => $period, + 'metrics' => json_encode($metrics))); + } + + /** + * Sets application restriction info. + * + * Applications can restrict themselves to only a limited user demographic + * based on users' age and/or location or based on static predefined types + * specified by facebook for specifying diff age restriction for diff + * locations. + * + * @param array $restriction_info The age restriction settings to set. + * + * @return bool true on success + */ + public function admin_setRestrictionInfo($restriction_info = null) { + $restriction_str = null; + if (!empty($restriction_info)) { + $restriction_str = json_encode($restriction_info); + } + return $this->call_method('admin.setRestrictionInfo', + array('restriction_str' => $restriction_str)); + } + + /** + * Gets application restriction info. + * + * Applications can restrict themselves to only a limited user demographic + * based on users' age and/or location or based on static predefined types + * specified by facebook for specifying diff age restriction for diff + * locations. + * + * @return array The age restriction settings for this application. + */ + public function admin_getRestrictionInfo() { + return json_decode( + $this->call_method('admin.getRestrictionInfo'), + true); + } + + + /** + * Bans a list of users from the app. Banned users can't + * access the app's canvas page and forums. + * + * @param array $uids an array of user ids + * @return bool true on success + */ + public function admin_banUsers($uids) { + return $this->call_method( + 'admin.banUsers', array('uids' => json_encode($uids))); + } + + /** + * Unban users that have been previously banned with + * admin_banUsers(). + * + * @param array $uids an array of user ids + * @return bool true on success + */ + public function admin_unbanUsers($uids) { + return $this->call_method( + 'admin.unbanUsers', array('uids' => json_encode($uids))); + } + + /** + * Gets the list of users that have been banned from the application. + * $uids is an optional parameter that filters the result with the list + * of provided user ids. If $uids is provided, + * only banned user ids that are contained in $uids are returned. + * + * @param array $uids an array of user ids to filter by + * @return bool true on success + */ + + public function admin_getBannedUsers($uids = null) { + return $this->call_method( + 'admin.getBannedUsers', + array('uids' => $uids ? json_encode($uids) : null)); + } + + + /* UTILITY FUNCTIONS */ + + /** + * Calls the specified normal POST method with the specified parameters. + * + * @param string $method Name of the Facebook method to invoke + * @param array $params A map of param names => param values + * + * @return mixed Result of method call; this returns a reference to support + * 'delayed returns' when in a batch context. + * See: http://wiki.developers.facebook.com/index.php/Using_batching_API + */ + public function &call_method($method, $params = array()) { + if ($this->format) { + $params['format'] = $this->format; + } + if (!$this->pending_batch()) { + if ($this->call_as_apikey) { + $params['call_as_apikey'] = $this->call_as_apikey; + } + $data = $this->post_request($method, $params); + $this->rawData = $data; + $result = $this->convert_result($data, $method, $params); + if (is_array($result) && isset($result['error_code'])) { + throw new FacebookRestClientException($result['error_msg'], + $result['error_code']); + } + } + else { + $result = null; + $batch_item = array('m' => $method, 'p' => $params, 'r' => & $result); + $this->batch_queue[] = $batch_item; + } + + return $result; + } + + protected function convert_result($data, $method, $params) { + $is_xml = (empty($params['format']) || + strtolower($params['format']) != 'json'); + return ($is_xml) ? $this->convert_xml_to_result($data, $method, $params) + : json_decode($data, true); + } + + /** + * Change the response format + * + * @param string $format The response format (json, xml) + */ + public function setFormat($format) { + $this->format = $format; + return $this; + } + + /** + * get the current response serialization format + * + * @return string 'xml', 'json', or null (which means 'xml') + */ + public function getFormat() { + return $this->format; + } + + /** + * Returns the raw JSON or XML output returned by the server in the most + * recent API call. + * + * @return string + */ + public function getRawData() { + return $this->rawData; + } + + /** + * Calls the specified file-upload POST method with the specified parameters + * + * @param string $method Name of the Facebook method to invoke + * @param array $params A map of param names => param values + * @param string $file A path to the file to upload (required) + * + * @return array A dictionary representing the response. + */ + public function call_upload_method($method, $params, $file, $server_addr = null) { + if (!$this->pending_batch()) { + if (!file_exists($file)) { + $code = + FacebookAPIErrorCodes::API_EC_PARAM; + $description = FacebookAPIErrorCodes::$api_error_descriptions[$code]; + throw new FacebookRestClientException($description, $code); + } + + if ($this->format) { + $params['format'] = $this->format; + } + $data = $this->post_upload_request($method, + $params, + $file, + $server_addr); + $result = $this->convert_result($data, $method, $params); + + if (is_array($result) && isset($result['error_code'])) { + throw new FacebookRestClientException($result['error_msg'], + $result['error_code']); + } + } + else { + $code = + FacebookAPIErrorCodes::API_EC_BATCH_METHOD_NOT_ALLOWED_IN_BATCH_MODE; + $description = FacebookAPIErrorCodes::$api_error_descriptions[$code]; + throw new FacebookRestClientException($description, $code); + } + + return $result; + } + + protected function convert_xml_to_result($xml, $method, $params) { + $sxml = simplexml_load_string($xml); + $result = self::convert_simplexml_to_array($sxml); + + if (!empty($GLOBALS['facebook_config']['debug'])) { + // output the raw xml and its corresponding php object, for debugging: + print '
    '; + $this->cur_id++; + print $this->cur_id . ': Called ' . $method . ', show ' . + 'Params | '. + 'XML | '. + 'SXML | '. + 'PHP'; + print ''; + print ''; + print ''; + print ''; + print '
    '; + } + return $result; + } + + protected function finalize_params($method, $params) { + list($get, $post) = $this->add_standard_params($method, $params); + // we need to do this before signing the params + $this->convert_array_values_to_json($post); + $post['sig'] = Facebook::generate_sig(array_merge($get, $post), + $this->secret); + return array($get, $post); + } + + private function convert_array_values_to_json(&$params) { + foreach ($params as $key => &$val) { + if (is_array($val)) { + $val = json_encode($val); + } + } + } + + /** + * Add the generally required params to our request. + * Params method, api_key, and v should be sent over as get. + */ + private function add_standard_params($method, $params) { + $post = $params; + $get = array(); + if ($this->call_as_apikey) { + $get['call_as_apikey'] = $this->call_as_apikey; + } + if ($this->using_session_secret) { + $get['ss'] = '1'; + } + + $get['method'] = $method; + $get['session_key'] = $this->session_key; + $get['api_key'] = $this->api_key; + $post['call_id'] = microtime(true); + if ($post['call_id'] <= $this->last_call_id) { + $post['call_id'] = $this->last_call_id + 0.001; + } + $this->last_call_id = $post['call_id']; + if (isset($post['v'])) { + $get['v'] = $post['v']; + unset($post['v']); + } else { + $get['v'] = '1.0'; + } + if (isset($this->use_ssl_resources)) { + $post['return_ssl_resources'] = (bool) $this->use_ssl_resources; + } + return array($get, $post); + } + + private function create_url_string($params) { + $post_params = array(); + foreach ($params as $key => &$val) { + $post_params[] = $key.'='.urlencode($val); + } + return implode('&', $post_params); + } + + private function run_multipart_http_transaction($method, $params, $file, $server_addr) { + + // the format of this message is specified in RFC1867/RFC1341. + // we add twenty pseudo-random digits to the end of the boundary string. + $boundary = '--------------------------FbMuLtIpArT' . + sprintf("%010d", mt_rand()) . + sprintf("%010d", mt_rand()); + $content_type = 'multipart/form-data; boundary=' . $boundary; + // within the message, we prepend two extra hyphens. + $delimiter = '--' . $boundary; + $close_delimiter = $delimiter . '--'; + $content_lines = array(); + foreach ($params as $key => &$val) { + $content_lines[] = $delimiter; + $content_lines[] = 'Content-Disposition: form-data; name="' . $key . '"'; + $content_lines[] = ''; + $content_lines[] = $val; + } + // now add the file data + $content_lines[] = $delimiter; + $content_lines[] = + 'Content-Disposition: form-data; filename="' . $file . '"'; + $content_lines[] = 'Content-Type: application/octet-stream'; + $content_lines[] = ''; + $content_lines[] = file_get_contents($file); + $content_lines[] = $close_delimiter; + $content_lines[] = ''; + $content = implode("\r\n", $content_lines); + return $this->run_http_post_transaction($content_type, $content, $server_addr); + } + + public function post_request($method, $params) { + list($get, $post) = $this->finalize_params($method, $params); + $post_string = $this->create_url_string($post); + $get_string = $this->create_url_string($get); + $url_with_get = $this->server_addr . '?' . $get_string; + if ($this->use_curl_if_available && function_exists('curl_init')) { + $useragent = 'Facebook API PHP5 Client 1.1 (curl) ' . phpversion(); + $ch = curl_init(); + curl_setopt($ch, CURLOPT_URL, $url_with_get); + curl_setopt($ch, CURLOPT_POSTFIELDS, $post_string); + curl_setopt($ch, CURLOPT_RETURNTRANSFER, true); + curl_setopt($ch, CURLOPT_USERAGENT, $useragent); + curl_setopt($ch, CURLOPT_CONNECTTIMEOUT, 10); + curl_setopt($ch, CURLOPT_TIMEOUT, 30); + $result = $this->curl_exec($ch); + curl_close($ch); + } else { + $content_type = 'application/x-www-form-urlencoded'; + $content = $post_string; + $result = $this->run_http_post_transaction($content_type, + $content, + $url_with_get); + } + return $result; + } + + /** + * execute a curl transaction -- this exists mostly so subclasses can add + * extra options and/or process the response, if they wish. + * + * @param resource $ch a curl handle + */ + protected function curl_exec($ch) { + $result = curl_exec($ch); + return $result; + } + + protected function post_upload_request($method, $params, $file, $server_addr = null) { + $server_addr = $server_addr ? $server_addr : $this->server_addr; + list($get, $post) = $this->finalize_params($method, $params); + $get_string = $this->create_url_string($get); + $url_with_get = $server_addr . '?' . $get_string; + if ($this->use_curl_if_available && function_exists('curl_init')) { + // prepending '@' causes cURL to upload the file; the key is ignored. + $post['_file'] = '@' . $file; + $useragent = 'Facebook API PHP5 Client 1.1 (curl) ' . phpversion(); + $ch = curl_init(); + curl_setopt($ch, CURLOPT_URL, $url_with_get); + // this has to come before the POSTFIELDS set! + curl_setopt($ch, CURLOPT_POST, 1); + // passing an array gets curl to use the multipart/form-data content type + curl_setopt($ch, CURLOPT_POSTFIELDS, $post); + curl_setopt($ch, CURLOPT_RETURNTRANSFER, true); + curl_setopt($ch, CURLOPT_USERAGENT, $useragent); + $result = $this->curl_exec($ch); + curl_close($ch); + } else { + $result = $this->run_multipart_http_transaction($method, $post, + $file, $url_with_get); + } + return $result; + } + + private function run_http_post_transaction($content_type, $content, $server_addr) { + + $user_agent = 'Facebook API PHP5 Client 1.1 (non-curl) ' . phpversion(); + $content_length = strlen($content); + $context = + array('http' => + array('method' => 'POST', + 'user_agent' => $user_agent, + 'header' => 'Content-Type: ' . $content_type . "\r\n" . + 'Content-Length: ' . $content_length, + 'content' => $content)); + $context_id = stream_context_create($context); + $sock = fopen($server_addr, 'r', false, $context_id); + + $result = ''; + if ($sock) { + while (!feof($sock)) { + $result .= fgets($sock, 4096); + } + fclose($sock); + } + return $result; + } + + public static function convert_simplexml_to_array($sxml) { + $arr = array(); + if ($sxml) { + foreach ($sxml as $k => $v) { + if ($sxml['list']) { + $arr[] = self::convert_simplexml_to_array($v); + } else { + $arr[$k] = self::convert_simplexml_to_array($v); + } + } + } + if (sizeof($arr) > 0) { + return $arr; + } else { + return (string)$sxml; + } + } + + protected function get_uid($uid) { + return $uid ? $uid : $this->user; + } +} + + +class FacebookRestClientException extends Exception { +} + +// Supporting methods and values------ + +/** + * Error codes and descriptions for the Facebook API. + */ + +class FacebookAPIErrorCodes { + + const API_EC_SUCCESS = 0; + + /* + * GENERAL ERRORS + */ + const API_EC_UNKNOWN = 1; + const API_EC_SERVICE = 2; + const API_EC_METHOD = 3; + const API_EC_TOO_MANY_CALLS = 4; + const API_EC_BAD_IP = 5; + const API_EC_HOST_API = 6; + const API_EC_HOST_UP = 7; + const API_EC_SECURE = 8; + const API_EC_RATE = 9; + const API_EC_PERMISSION_DENIED = 10; + const API_EC_DEPRECATED = 11; + const API_EC_VERSION = 12; + const API_EC_INTERNAL_FQL_ERROR = 13; + const API_EC_HOST_PUP = 14; + const API_EC_SESSION_SECRET_NOT_ALLOWED = 15; + const API_EC_HOST_READONLY = 16; + + /* + * PARAMETER ERRORS + */ + const API_EC_PARAM = 100; + const API_EC_PARAM_API_KEY = 101; + const API_EC_PARAM_SESSION_KEY = 102; + const API_EC_PARAM_CALL_ID = 103; + const API_EC_PARAM_SIGNATURE = 104; + const API_EC_PARAM_TOO_MANY = 105; + const API_EC_PARAM_USER_ID = 110; + const API_EC_PARAM_USER_FIELD = 111; + const API_EC_PARAM_SOCIAL_FIELD = 112; + const API_EC_PARAM_EMAIL = 113; + const API_EC_PARAM_USER_ID_LIST = 114; + const API_EC_PARAM_FIELD_LIST = 115; + const API_EC_PARAM_ALBUM_ID = 120; + const API_EC_PARAM_PHOTO_ID = 121; + const API_EC_PARAM_FEED_PRIORITY = 130; + const API_EC_PARAM_CATEGORY = 140; + const API_EC_PARAM_SUBCATEGORY = 141; + const API_EC_PARAM_TITLE = 142; + const API_EC_PARAM_DESCRIPTION = 143; + const API_EC_PARAM_BAD_JSON = 144; + const API_EC_PARAM_BAD_EID = 150; + const API_EC_PARAM_UNKNOWN_CITY = 151; + const API_EC_PARAM_BAD_PAGE_TYPE = 152; + const API_EC_PARAM_BAD_LOCALE = 170; + const API_EC_PARAM_BLOCKED_NOTIFICATION = 180; + + /* + * USER PERMISSIONS ERRORS + */ + const API_EC_PERMISSION = 200; + const API_EC_PERMISSION_USER = 210; + const API_EC_PERMISSION_NO_DEVELOPERS = 211; + const API_EC_PERMISSION_OFFLINE_ACCESS = 212; + const API_EC_PERMISSION_ALBUM = 220; + const API_EC_PERMISSION_PHOTO = 221; + const API_EC_PERMISSION_MESSAGE = 230; + const API_EC_PERMISSION_OTHER_USER = 240; + const API_EC_PERMISSION_STATUS_UPDATE = 250; + const API_EC_PERMISSION_PHOTO_UPLOAD = 260; + const API_EC_PERMISSION_VIDEO_UPLOAD = 261; + const API_EC_PERMISSION_SMS = 270; + const API_EC_PERMISSION_CREATE_LISTING = 280; + const API_EC_PERMISSION_CREATE_NOTE = 281; + const API_EC_PERMISSION_SHARE_ITEM = 282; + const API_EC_PERMISSION_EVENT = 290; + const API_EC_PERMISSION_LARGE_FBML_TEMPLATE = 291; + const API_EC_PERMISSION_LIVEMESSAGE = 292; + const API_EC_PERMISSION_CREATE_EVENT = 296; + const API_EC_PERMISSION_RSVP_EVENT = 299; + + /* + * DATA EDIT ERRORS + */ + const API_EC_EDIT = 300; + const API_EC_EDIT_USER_DATA = 310; + const API_EC_EDIT_PHOTO = 320; + const API_EC_EDIT_ALBUM_SIZE = 321; + const API_EC_EDIT_PHOTO_TAG_SUBJECT = 322; + const API_EC_EDIT_PHOTO_TAG_PHOTO = 323; + const API_EC_EDIT_PHOTO_FILE = 324; + const API_EC_EDIT_PHOTO_PENDING_LIMIT = 325; + const API_EC_EDIT_PHOTO_TAG_LIMIT = 326; + const API_EC_EDIT_ALBUM_REORDER_PHOTO_NOT_IN_ALBUM = 327; + const API_EC_EDIT_ALBUM_REORDER_TOO_FEW_PHOTOS = 328; + + const API_EC_MALFORMED_MARKUP = 329; + const API_EC_EDIT_MARKUP = 330; + + const API_EC_EDIT_FEED_TOO_MANY_USER_CALLS = 340; + const API_EC_EDIT_FEED_TOO_MANY_USER_ACTION_CALLS = 341; + const API_EC_EDIT_FEED_TITLE_LINK = 342; + const API_EC_EDIT_FEED_TITLE_LENGTH = 343; + const API_EC_EDIT_FEED_TITLE_NAME = 344; + const API_EC_EDIT_FEED_TITLE_BLANK = 345; + const API_EC_EDIT_FEED_BODY_LENGTH = 346; + const API_EC_EDIT_FEED_PHOTO_SRC = 347; + const API_EC_EDIT_FEED_PHOTO_LINK = 348; + + const API_EC_EDIT_VIDEO_SIZE = 350; + const API_EC_EDIT_VIDEO_INVALID_FILE = 351; + const API_EC_EDIT_VIDEO_INVALID_TYPE = 352; + const API_EC_EDIT_VIDEO_FILE = 353; + + const API_EC_EDIT_FEED_TITLE_ARRAY = 360; + const API_EC_EDIT_FEED_TITLE_PARAMS = 361; + const API_EC_EDIT_FEED_BODY_ARRAY = 362; + const API_EC_EDIT_FEED_BODY_PARAMS = 363; + const API_EC_EDIT_FEED_PHOTO = 364; + const API_EC_EDIT_FEED_TEMPLATE = 365; + const API_EC_EDIT_FEED_TARGET = 366; + const API_EC_EDIT_FEED_MARKUP = 367; + + /** + * SESSION ERRORS + */ + const API_EC_SESSION_TIMED_OUT = 450; + const API_EC_SESSION_METHOD = 451; + const API_EC_SESSION_INVALID = 452; + const API_EC_SESSION_REQUIRED = 453; + const API_EC_SESSION_REQUIRED_FOR_SECRET = 454; + const API_EC_SESSION_CANNOT_USE_SESSION_SECRET = 455; + + + /** + * FQL ERRORS + */ + const FQL_EC_UNKNOWN_ERROR = 600; + const FQL_EC_PARSER = 601; // backwards compatibility + const FQL_EC_PARSER_ERROR = 601; + const FQL_EC_UNKNOWN_FIELD = 602; + const FQL_EC_UNKNOWN_TABLE = 603; + const FQL_EC_NOT_INDEXABLE = 604; // backwards compatibility + const FQL_EC_NO_INDEX = 604; + const FQL_EC_UNKNOWN_FUNCTION = 605; + const FQL_EC_INVALID_PARAM = 606; + const FQL_EC_INVALID_FIELD = 607; + const FQL_EC_INVALID_SESSION = 608; + const FQL_EC_UNSUPPORTED_APP_TYPE = 609; + const FQL_EC_SESSION_SECRET_NOT_ALLOWED = 610; + const FQL_EC_DEPRECATED_TABLE = 611; + const FQL_EC_EXTENDED_PERMISSION = 612; + const FQL_EC_RATE_LIMIT_EXCEEDED = 613; + const FQL_EC_UNRESOLVED_DEPENDENCY = 614; + const FQL_EC_INVALID_SEARCH = 615; + const FQL_EC_CONTAINS_ERROR = 616; + + const API_EC_REF_SET_FAILED = 700; + + /** + * DATA STORE API ERRORS + */ + const API_EC_DATA_UNKNOWN_ERROR = 800; + const API_EC_DATA_INVALID_OPERATION = 801; + const API_EC_DATA_QUOTA_EXCEEDED = 802; + const API_EC_DATA_OBJECT_NOT_FOUND = 803; + const API_EC_DATA_OBJECT_ALREADY_EXISTS = 804; + const API_EC_DATA_DATABASE_ERROR = 805; + const API_EC_DATA_CREATE_TEMPLATE_ERROR = 806; + const API_EC_DATA_TEMPLATE_EXISTS_ERROR = 807; + const API_EC_DATA_TEMPLATE_HANDLE_TOO_LONG = 808; + const API_EC_DATA_TEMPLATE_HANDLE_ALREADY_IN_USE = 809; + const API_EC_DATA_TOO_MANY_TEMPLATE_BUNDLES = 810; + const API_EC_DATA_MALFORMED_ACTION_LINK = 811; + const API_EC_DATA_TEMPLATE_USES_RESERVED_TOKEN = 812; + + /* + * APPLICATION INFO ERRORS + */ + const API_EC_NO_SUCH_APP = 900; + + /* + * BATCH ERRORS + */ + const API_EC_BATCH_TOO_MANY_ITEMS = 950; + const API_EC_BATCH_ALREADY_STARTED = 951; + const API_EC_BATCH_NOT_STARTED = 952; + const API_EC_BATCH_METHOD_NOT_ALLOWED_IN_BATCH_MODE = 953; + + /* + * EVENT API ERRORS + */ + const API_EC_EVENT_INVALID_TIME = 1000; + const API_EC_EVENT_NAME_LOCKED = 1001; + + /* + * INFO BOX ERRORS + */ + const API_EC_INFO_NO_INFORMATION = 1050; + const API_EC_INFO_SET_FAILED = 1051; + + /* + * LIVEMESSAGE API ERRORS + */ + const API_EC_LIVEMESSAGE_SEND_FAILED = 1100; + const API_EC_LIVEMESSAGE_EVENT_NAME_TOO_LONG = 1101; + const API_EC_LIVEMESSAGE_MESSAGE_TOO_LONG = 1102; + + /* + * PAYMENTS API ERRORS + */ + const API_EC_PAYMENTS_UNKNOWN = 1150; + const API_EC_PAYMENTS_APP_INVALID = 1151; + const API_EC_PAYMENTS_DATABASE = 1152; + const API_EC_PAYMENTS_PERMISSION_DENIED = 1153; + const API_EC_PAYMENTS_APP_NO_RESPONSE = 1154; + const API_EC_PAYMENTS_APP_ERROR_RESPONSE = 1155; + const API_EC_PAYMENTS_INVALID_ORDER = 1156; + const API_EC_PAYMENTS_INVALID_PARAM = 1157; + const API_EC_PAYMENTS_INVALID_OPERATION = 1158; + const API_EC_PAYMENTS_PAYMENT_FAILED = 1159; + const API_EC_PAYMENTS_DISABLED = 1160; + + /* + * CONNECT SESSION ERRORS + */ + const API_EC_CONNECT_FEED_DISABLED = 1300; + + /* + * Platform tag bundles errors + */ + const API_EC_TAG_BUNDLE_QUOTA = 1400; + + /* + * SHARE + */ + const API_EC_SHARE_BAD_URL = 1500; + + /* + * NOTES + */ + const API_EC_NOTE_CANNOT_MODIFY = 1600; + + /* + * COMMENTS + */ + const API_EC_COMMENTS_UNKNOWN = 1700; + const API_EC_COMMENTS_POST_TOO_LONG = 1701; + const API_EC_COMMENTS_DB_DOWN = 1702; + const API_EC_COMMENTS_INVALID_XID = 1703; + const API_EC_COMMENTS_INVALID_UID = 1704; + const API_EC_COMMENTS_INVALID_POST = 1705; + const API_EC_COMMENTS_INVALID_REMOVE = 1706; + + /* + * GIFTS + */ + const API_EC_GIFTS_UNKNOWN = 1900; + + /* + * APPLICATION MORATORIUM ERRORS + */ + const API_EC_DISABLED_ALL = 2000; + const API_EC_DISABLED_STATUS = 2001; + const API_EC_DISABLED_FEED_STORIES = 2002; + const API_EC_DISABLED_NOTIFICATIONS = 2003; + const API_EC_DISABLED_REQUESTS = 2004; + const API_EC_DISABLED_EMAIL = 2005; + + /** + * This array is no longer maintained; to view the description of an error + * code, please look at the message element of the API response or visit + * the developer wiki at http://wiki.developers.facebook.com/. + */ + public static $api_error_descriptions = array( + self::API_EC_SUCCESS => 'Success', + self::API_EC_UNKNOWN => 'An unknown error occurred', + self::API_EC_SERVICE => 'Service temporarily unavailable', + self::API_EC_METHOD => 'Unknown method', + self::API_EC_TOO_MANY_CALLS => 'Application request limit reached', + self::API_EC_BAD_IP => 'Unauthorized source IP address', + self::API_EC_PARAM => 'Invalid parameter', + self::API_EC_PARAM_API_KEY => 'Invalid API key', + self::API_EC_PARAM_SESSION_KEY => 'Session key invalid or no longer valid', + self::API_EC_PARAM_CALL_ID => 'Call_id must be greater than previous', + self::API_EC_PARAM_SIGNATURE => 'Incorrect signature', + self::API_EC_PARAM_USER_ID => 'Invalid user id', + self::API_EC_PARAM_USER_FIELD => 'Invalid user info field', + self::API_EC_PARAM_SOCIAL_FIELD => 'Invalid user field', + self::API_EC_PARAM_USER_ID_LIST => 'Invalid user id list', + self::API_EC_PARAM_FIELD_LIST => 'Invalid field list', + self::API_EC_PARAM_ALBUM_ID => 'Invalid album id', + self::API_EC_PARAM_BAD_EID => 'Invalid eid', + self::API_EC_PARAM_UNKNOWN_CITY => 'Unknown city', + self::API_EC_PERMISSION => 'Permissions error', + self::API_EC_PERMISSION_USER => 'User not visible', + self::API_EC_PERMISSION_NO_DEVELOPERS => 'Application has no developers', + self::API_EC_PERMISSION_ALBUM => 'Album not visible', + self::API_EC_PERMISSION_PHOTO => 'Photo not visible', + self::API_EC_PERMISSION_EVENT => 'Creating and modifying events required the extended permission create_event', + self::API_EC_PERMISSION_RSVP_EVENT => 'RSVPing to events required the extended permission rsvp_event', + self::API_EC_EDIT_ALBUM_SIZE => 'Album is full', + self::FQL_EC_PARSER => 'FQL: Parser Error', + self::FQL_EC_UNKNOWN_FIELD => 'FQL: Unknown Field', + self::FQL_EC_UNKNOWN_TABLE => 'FQL: Unknown Table', + self::FQL_EC_NOT_INDEXABLE => 'FQL: Statement not indexable', + self::FQL_EC_UNKNOWN_FUNCTION => 'FQL: Attempted to call unknown function', + self::FQL_EC_INVALID_PARAM => 'FQL: Invalid parameter passed in', + self::API_EC_DATA_UNKNOWN_ERROR => 'Unknown data store API error', + self::API_EC_DATA_INVALID_OPERATION => 'Invalid operation', + self::API_EC_DATA_QUOTA_EXCEEDED => 'Data store allowable quota was exceeded', + self::API_EC_DATA_OBJECT_NOT_FOUND => 'Specified object cannot be found', + self::API_EC_DATA_OBJECT_ALREADY_EXISTS => 'Specified object already exists', + self::API_EC_DATA_DATABASE_ERROR => 'A database error occurred. Please try again', + self::API_EC_BATCH_ALREADY_STARTED => 'begin_batch already called, please make sure to call end_batch first', + self::API_EC_BATCH_NOT_STARTED => 'end_batch called before begin_batch', + self::API_EC_BATCH_METHOD_NOT_ALLOWED_IN_BATCH_MODE => 'This method is not allowed in batch mode' + ); +} diff --git a/plugins/FacebookSSO/extlib/jsonwrapper/JSON/JSON.php b/plugins/FacebookSSO/extlib/jsonwrapper/JSON/JSON.php new file mode 100644 index 0000000000..0cddbddb41 --- /dev/null +++ b/plugins/FacebookSSO/extlib/jsonwrapper/JSON/JSON.php @@ -0,0 +1,806 @@ + + * @author Matt Knapp + * @author Brett Stimmerman + * @copyright 2005 Michal Migurski + * @version CVS: $Id: JSON.php,v 1.31 2006/06/28 05:54:17 migurski Exp $ + * @license http://www.opensource.org/licenses/bsd-license.php + * @link http://pear.php.net/pepr/pepr-proposal-show.php?id=198 + */ + +/** + * Marker constant for Services_JSON::decode(), used to flag stack state + */ +define('SERVICES_JSON_SLICE', 1); + +/** + * Marker constant for Services_JSON::decode(), used to flag stack state + */ +define('SERVICES_JSON_IN_STR', 2); + +/** + * Marker constant for Services_JSON::decode(), used to flag stack state + */ +define('SERVICES_JSON_IN_ARR', 3); + +/** + * Marker constant for Services_JSON::decode(), used to flag stack state + */ +define('SERVICES_JSON_IN_OBJ', 4); + +/** + * Marker constant for Services_JSON::decode(), used to flag stack state + */ +define('SERVICES_JSON_IN_CMT', 5); + +/** + * Behavior switch for Services_JSON::decode() + */ +define('SERVICES_JSON_LOOSE_TYPE', 16); + +/** + * Behavior switch for Services_JSON::decode() + */ +define('SERVICES_JSON_SUPPRESS_ERRORS', 32); + +/** + * Converts to and from JSON format. + * + * Brief example of use: + * + * + * // create a new instance of Services_JSON + * $json = new Services_JSON(); + * + * // convert a complexe value to JSON notation, and send it to the browser + * $value = array('foo', 'bar', array(1, 2, 'baz'), array(3, array(4))); + * $output = $json->encode($value); + * + * print($output); + * // prints: ["foo","bar",[1,2,"baz"],[3,[4]]] + * + * // accept incoming POST data, assumed to be in JSON notation + * $input = file_get_contents('php://input', 1000000); + * $value = $json->decode($input); + * + */ +class Services_JSON +{ + /** + * constructs a new JSON instance + * + * @param int $use object behavior flags; combine with boolean-OR + * + * possible values: + * - SERVICES_JSON_LOOSE_TYPE: loose typing. + * "{...}" syntax creates associative arrays + * instead of objects in decode(). + * - SERVICES_JSON_SUPPRESS_ERRORS: error suppression. + * Values which can't be encoded (e.g. resources) + * appear as NULL instead of throwing errors. + * By default, a deeply-nested resource will + * bubble up with an error, so all return values + * from encode() should be checked with isError() + */ + function Services_JSON($use = 0) + { + $this->use = $use; + } + + /** + * convert a string from one UTF-16 char to one UTF-8 char + * + * Normally should be handled by mb_convert_encoding, but + * provides a slower PHP-only method for installations + * that lack the multibye string extension. + * + * @param string $utf16 UTF-16 character + * @return string UTF-8 character + * @access private + */ + function utf162utf8($utf16) + { + // oh please oh please oh please oh please oh please + if(function_exists('mb_convert_encoding')) { + return mb_convert_encoding($utf16, 'UTF-8', 'UTF-16'); + } + + $bytes = (ord($utf16{0}) << 8) | ord($utf16{1}); + + switch(true) { + case ((0x7F & $bytes) == $bytes): + // this case should never be reached, because we are in ASCII range + // see: http://www.cl.cam.ac.uk/~mgk25/unicode.html#utf-8 + return chr(0x7F & $bytes); + + case (0x07FF & $bytes) == $bytes: + // return a 2-byte UTF-8 character + // see: http://www.cl.cam.ac.uk/~mgk25/unicode.html#utf-8 + return chr(0xC0 | (($bytes >> 6) & 0x1F)) + . chr(0x80 | ($bytes & 0x3F)); + + case (0xFFFF & $bytes) == $bytes: + // return a 3-byte UTF-8 character + // see: http://www.cl.cam.ac.uk/~mgk25/unicode.html#utf-8 + return chr(0xE0 | (($bytes >> 12) & 0x0F)) + . chr(0x80 | (($bytes >> 6) & 0x3F)) + . chr(0x80 | ($bytes & 0x3F)); + } + + // ignoring UTF-32 for now, sorry + return ''; + } + + /** + * convert a string from one UTF-8 char to one UTF-16 char + * + * Normally should be handled by mb_convert_encoding, but + * provides a slower PHP-only method for installations + * that lack the multibye string extension. + * + * @param string $utf8 UTF-8 character + * @return string UTF-16 character + * @access private + */ + function utf82utf16($utf8) + { + // oh please oh please oh please oh please oh please + if(function_exists('mb_convert_encoding')) { + return mb_convert_encoding($utf8, 'UTF-16', 'UTF-8'); + } + + switch(strlen($utf8)) { + case 1: + // this case should never be reached, because we are in ASCII range + // see: http://www.cl.cam.ac.uk/~mgk25/unicode.html#utf-8 + return $utf8; + + case 2: + // return a UTF-16 character from a 2-byte UTF-8 char + // see: http://www.cl.cam.ac.uk/~mgk25/unicode.html#utf-8 + return chr(0x07 & (ord($utf8{0}) >> 2)) + . chr((0xC0 & (ord($utf8{0}) << 6)) + | (0x3F & ord($utf8{1}))); + + case 3: + // return a UTF-16 character from a 3-byte UTF-8 char + // see: http://www.cl.cam.ac.uk/~mgk25/unicode.html#utf-8 + return chr((0xF0 & (ord($utf8{0}) << 4)) + | (0x0F & (ord($utf8{1}) >> 2))) + . chr((0xC0 & (ord($utf8{1}) << 6)) + | (0x7F & ord($utf8{2}))); + } + + // ignoring UTF-32 for now, sorry + return ''; + } + + /** + * encodes an arbitrary variable into JSON format + * + * @param mixed $var any number, boolean, string, array, or object to be encoded. + * see argument 1 to Services_JSON() above for array-parsing behavior. + * if var is a strng, note that encode() always expects it + * to be in ASCII or UTF-8 format! + * + * @return mixed JSON string representation of input var or an error if a problem occurs + * @access public + */ + function encode($var) + { + switch (gettype($var)) { + case 'boolean': + return $var ? 'true' : 'false'; + + case 'NULL': + return 'null'; + + case 'integer': + return (int) $var; + + case 'double': + case 'float': + return (float) $var; + + case 'string': + // STRINGS ARE EXPECTED TO BE IN ASCII OR UTF-8 FORMAT + $ascii = ''; + $strlen_var = strlen($var); + + /* + * Iterate over every character in the string, + * escaping with a slash or encoding to UTF-8 where necessary + */ + for ($c = 0; $c < $strlen_var; ++$c) { + + $ord_var_c = ord($var{$c}); + + switch (true) { + case $ord_var_c == 0x08: + $ascii .= '\b'; + break; + case $ord_var_c == 0x09: + $ascii .= '\t'; + break; + case $ord_var_c == 0x0A: + $ascii .= '\n'; + break; + case $ord_var_c == 0x0C: + $ascii .= '\f'; + break; + case $ord_var_c == 0x0D: + $ascii .= '\r'; + break; + + case $ord_var_c == 0x22: + case $ord_var_c == 0x2F: + case $ord_var_c == 0x5C: + // double quote, slash, slosh + $ascii .= '\\'.$var{$c}; + break; + + case (($ord_var_c >= 0x20) && ($ord_var_c <= 0x7F)): + // characters U-00000000 - U-0000007F (same as ASCII) + $ascii .= $var{$c}; + break; + + case (($ord_var_c & 0xE0) == 0xC0): + // characters U-00000080 - U-000007FF, mask 110XXXXX + // see http://www.cl.cam.ac.uk/~mgk25/unicode.html#utf-8 + $char = pack('C*', $ord_var_c, ord($var{$c + 1})); + $c += 1; + $utf16 = $this->utf82utf16($char); + $ascii .= sprintf('\u%04s', bin2hex($utf16)); + break; + + case (($ord_var_c & 0xF0) == 0xE0): + // characters U-00000800 - U-0000FFFF, mask 1110XXXX + // see http://www.cl.cam.ac.uk/~mgk25/unicode.html#utf-8 + $char = pack('C*', $ord_var_c, + ord($var{$c + 1}), + ord($var{$c + 2})); + $c += 2; + $utf16 = $this->utf82utf16($char); + $ascii .= sprintf('\u%04s', bin2hex($utf16)); + break; + + case (($ord_var_c & 0xF8) == 0xF0): + // characters U-00010000 - U-001FFFFF, mask 11110XXX + // see http://www.cl.cam.ac.uk/~mgk25/unicode.html#utf-8 + $char = pack('C*', $ord_var_c, + ord($var{$c + 1}), + ord($var{$c + 2}), + ord($var{$c + 3})); + $c += 3; + $utf16 = $this->utf82utf16($char); + $ascii .= sprintf('\u%04s', bin2hex($utf16)); + break; + + case (($ord_var_c & 0xFC) == 0xF8): + // characters U-00200000 - U-03FFFFFF, mask 111110XX + // see http://www.cl.cam.ac.uk/~mgk25/unicode.html#utf-8 + $char = pack('C*', $ord_var_c, + ord($var{$c + 1}), + ord($var{$c + 2}), + ord($var{$c + 3}), + ord($var{$c + 4})); + $c += 4; + $utf16 = $this->utf82utf16($char); + $ascii .= sprintf('\u%04s', bin2hex($utf16)); + break; + + case (($ord_var_c & 0xFE) == 0xFC): + // characters U-04000000 - U-7FFFFFFF, mask 1111110X + // see http://www.cl.cam.ac.uk/~mgk25/unicode.html#utf-8 + $char = pack('C*', $ord_var_c, + ord($var{$c + 1}), + ord($var{$c + 2}), + ord($var{$c + 3}), + ord($var{$c + 4}), + ord($var{$c + 5})); + $c += 5; + $utf16 = $this->utf82utf16($char); + $ascii .= sprintf('\u%04s', bin2hex($utf16)); + break; + } + } + + return '"'.$ascii.'"'; + + case 'array': + /* + * As per JSON spec if any array key is not an integer + * we must treat the the whole array as an object. We + * also try to catch a sparsely populated associative + * array with numeric keys here because some JS engines + * will create an array with empty indexes up to + * max_index which can cause memory issues and because + * the keys, which may be relevant, will be remapped + * otherwise. + * + * As per the ECMA and JSON specification an object may + * have any string as a property. Unfortunately due to + * a hole in the ECMA specification if the key is a + * ECMA reserved word or starts with a digit the + * parameter is only accessible using ECMAScript's + * bracket notation. + */ + + // treat as a JSON object + if (is_array($var) && count($var) && (array_keys($var) !== range(0, sizeof($var) - 1))) { + $properties = array_map(array($this, 'name_value'), + array_keys($var), + array_values($var)); + + foreach($properties as $property) { + if(Services_JSON::isError($property)) { + return $property; + } + } + + return '{' . join(',', $properties) . '}'; + } + + // treat it like a regular array + $elements = array_map(array($this, 'encode'), $var); + + foreach($elements as $element) { + if(Services_JSON::isError($element)) { + return $element; + } + } + + return '[' . join(',', $elements) . ']'; + + case 'object': + $vars = get_object_vars($var); + + $properties = array_map(array($this, 'name_value'), + array_keys($vars), + array_values($vars)); + + foreach($properties as $property) { + if(Services_JSON::isError($property)) { + return $property; + } + } + + return '{' . join(',', $properties) . '}'; + + default: + return ($this->use & SERVICES_JSON_SUPPRESS_ERRORS) + ? 'null' + : new Services_JSON_Error(gettype($var)." can not be encoded as JSON string"); + } + } + + /** + * array-walking function for use in generating JSON-formatted name-value pairs + * + * @param string $name name of key to use + * @param mixed $value reference to an array element to be encoded + * + * @return string JSON-formatted name-value pair, like '"name":value' + * @access private + */ + function name_value($name, $value) + { + $encoded_value = $this->encode($value); + + if(Services_JSON::isError($encoded_value)) { + return $encoded_value; + } + + return $this->encode(strval($name)) . ':' . $encoded_value; + } + + /** + * reduce a string by removing leading and trailing comments and whitespace + * + * @param $str string string value to strip of comments and whitespace + * + * @return string string value stripped of comments and whitespace + * @access private + */ + function reduce_string($str) + { + $str = preg_replace(array( + + // eliminate single line comments in '// ...' form + '#^\s*//(.+)$#m', + + // eliminate multi-line comments in '/* ... */' form, at start of string + '#^\s*/\*(.+)\*/#Us', + + // eliminate multi-line comments in '/* ... */' form, at end of string + '#/\*(.+)\*/\s*$#Us' + + ), '', $str); + + // eliminate extraneous space + return trim($str); + } + + /** + * decodes a JSON string into appropriate variable + * + * @param string $str JSON-formatted string + * + * @return mixed number, boolean, string, array, or object + * corresponding to given JSON input string. + * See argument 1 to Services_JSON() above for object-output behavior. + * Note that decode() always returns strings + * in ASCII or UTF-8 format! + * @access public + */ + function decode($str) + { + $str = $this->reduce_string($str); + + switch (strtolower($str)) { + case 'true': + return true; + + case 'false': + return false; + + case 'null': + return null; + + default: + $m = array(); + + if (is_numeric($str)) { + // Lookie-loo, it's a number + + // This would work on its own, but I'm trying to be + // good about returning integers where appropriate: + // return (float)$str; + + // Return float or int, as appropriate + return ((float)$str == (integer)$str) + ? (integer)$str + : (float)$str; + + } elseif (preg_match('/^("|\').*(\1)$/s', $str, $m) && $m[1] == $m[2]) { + // STRINGS RETURNED IN UTF-8 FORMAT + $delim = substr($str, 0, 1); + $chrs = substr($str, 1, -1); + $utf8 = ''; + $strlen_chrs = strlen($chrs); + + for ($c = 0; $c < $strlen_chrs; ++$c) { + + $substr_chrs_c_2 = substr($chrs, $c, 2); + $ord_chrs_c = ord($chrs{$c}); + + switch (true) { + case $substr_chrs_c_2 == '\b': + $utf8 .= chr(0x08); + ++$c; + break; + case $substr_chrs_c_2 == '\t': + $utf8 .= chr(0x09); + ++$c; + break; + case $substr_chrs_c_2 == '\n': + $utf8 .= chr(0x0A); + ++$c; + break; + case $substr_chrs_c_2 == '\f': + $utf8 .= chr(0x0C); + ++$c; + break; + case $substr_chrs_c_2 == '\r': + $utf8 .= chr(0x0D); + ++$c; + break; + + case $substr_chrs_c_2 == '\\"': + case $substr_chrs_c_2 == '\\\'': + case $substr_chrs_c_2 == '\\\\': + case $substr_chrs_c_2 == '\\/': + if (($delim == '"' && $substr_chrs_c_2 != '\\\'') || + ($delim == "'" && $substr_chrs_c_2 != '\\"')) { + $utf8 .= $chrs{++$c}; + } + break; + + case preg_match('/\\\u[0-9A-F]{4}/i', substr($chrs, $c, 6)): + // single, escaped unicode character + $utf16 = chr(hexdec(substr($chrs, ($c + 2), 2))) + . chr(hexdec(substr($chrs, ($c + 4), 2))); + $utf8 .= $this->utf162utf8($utf16); + $c += 5; + break; + + case ($ord_chrs_c >= 0x20) && ($ord_chrs_c <= 0x7F): + $utf8 .= $chrs{$c}; + break; + + case ($ord_chrs_c & 0xE0) == 0xC0: + // characters U-00000080 - U-000007FF, mask 110XXXXX + //see http://www.cl.cam.ac.uk/~mgk25/unicode.html#utf-8 + $utf8 .= substr($chrs, $c, 2); + ++$c; + break; + + case ($ord_chrs_c & 0xF0) == 0xE0: + // characters U-00000800 - U-0000FFFF, mask 1110XXXX + // see http://www.cl.cam.ac.uk/~mgk25/unicode.html#utf-8 + $utf8 .= substr($chrs, $c, 3); + $c += 2; + break; + + case ($ord_chrs_c & 0xF8) == 0xF0: + // characters U-00010000 - U-001FFFFF, mask 11110XXX + // see http://www.cl.cam.ac.uk/~mgk25/unicode.html#utf-8 + $utf8 .= substr($chrs, $c, 4); + $c += 3; + break; + + case ($ord_chrs_c & 0xFC) == 0xF8: + // characters U-00200000 - U-03FFFFFF, mask 111110XX + // see http://www.cl.cam.ac.uk/~mgk25/unicode.html#utf-8 + $utf8 .= substr($chrs, $c, 5); + $c += 4; + break; + + case ($ord_chrs_c & 0xFE) == 0xFC: + // characters U-04000000 - U-7FFFFFFF, mask 1111110X + // see http://www.cl.cam.ac.uk/~mgk25/unicode.html#utf-8 + $utf8 .= substr($chrs, $c, 6); + $c += 5; + break; + + } + + } + + return $utf8; + + } elseif (preg_match('/^\[.*\]$/s', $str) || preg_match('/^\{.*\}$/s', $str)) { + // array, or object notation + + if ($str{0} == '[') { + $stk = array(SERVICES_JSON_IN_ARR); + $arr = array(); + } else { + if ($this->use & SERVICES_JSON_LOOSE_TYPE) { + $stk = array(SERVICES_JSON_IN_OBJ); + $obj = array(); + } else { + $stk = array(SERVICES_JSON_IN_OBJ); + $obj = new stdClass(); + } + } + + array_push($stk, array('what' => SERVICES_JSON_SLICE, + 'where' => 0, + 'delim' => false)); + + $chrs = substr($str, 1, -1); + $chrs = $this->reduce_string($chrs); + + if ($chrs == '') { + if (reset($stk) == SERVICES_JSON_IN_ARR) { + return $arr; + + } else { + return $obj; + + } + } + + //print("\nparsing {$chrs}\n"); + + $strlen_chrs = strlen($chrs); + + for ($c = 0; $c <= $strlen_chrs; ++$c) { + + $top = end($stk); + $substr_chrs_c_2 = substr($chrs, $c, 2); + + if (($c == $strlen_chrs) || (($chrs{$c} == ',') && ($top['what'] == SERVICES_JSON_SLICE))) { + // found a comma that is not inside a string, array, etc., + // OR we've reached the end of the character list + $slice = substr($chrs, $top['where'], ($c - $top['where'])); + array_push($stk, array('what' => SERVICES_JSON_SLICE, 'where' => ($c + 1), 'delim' => false)); + //print("Found split at {$c}: ".substr($chrs, $top['where'], (1 + $c - $top['where']))."\n"); + + if (reset($stk) == SERVICES_JSON_IN_ARR) { + // we are in an array, so just push an element onto the stack + array_push($arr, $this->decode($slice)); + + } elseif (reset($stk) == SERVICES_JSON_IN_OBJ) { + // we are in an object, so figure + // out the property name and set an + // element in an associative array, + // for now + $parts = array(); + + if (preg_match('/^\s*(["\'].*[^\\\]["\'])\s*:\s*(\S.*),?$/Uis', $slice, $parts)) { + // "name":value pair + $key = $this->decode($parts[1]); + $val = $this->decode($parts[2]); + + if ($this->use & SERVICES_JSON_LOOSE_TYPE) { + $obj[$key] = $val; + } else { + $obj->$key = $val; + } + } elseif (preg_match('/^\s*(\w+)\s*:\s*(\S.*),?$/Uis', $slice, $parts)) { + // name:value pair, where name is unquoted + $key = $parts[1]; + $val = $this->decode($parts[2]); + + if ($this->use & SERVICES_JSON_LOOSE_TYPE) { + $obj[$key] = $val; + } else { + $obj->$key = $val; + } + } + + } + + } elseif ((($chrs{$c} == '"') || ($chrs{$c} == "'")) && ($top['what'] != SERVICES_JSON_IN_STR)) { + // found a quote, and we are not inside a string + array_push($stk, array('what' => SERVICES_JSON_IN_STR, 'where' => $c, 'delim' => $chrs{$c})); + //print("Found start of string at {$c}\n"); + + } elseif (($chrs{$c} == $top['delim']) && + ($top['what'] == SERVICES_JSON_IN_STR) && + ((strlen(substr($chrs, 0, $c)) - strlen(rtrim(substr($chrs, 0, $c), '\\'))) % 2 != 1)) { + // found a quote, we're in a string, and it's not escaped + // we know that it's not escaped becase there is _not_ an + // odd number of backslashes at the end of the string so far + array_pop($stk); + //print("Found end of string at {$c}: ".substr($chrs, $top['where'], (1 + 1 + $c - $top['where']))."\n"); + + } elseif (($chrs{$c} == '[') && + in_array($top['what'], array(SERVICES_JSON_SLICE, SERVICES_JSON_IN_ARR, SERVICES_JSON_IN_OBJ))) { + // found a left-bracket, and we are in an array, object, or slice + array_push($stk, array('what' => SERVICES_JSON_IN_ARR, 'where' => $c, 'delim' => false)); + //print("Found start of array at {$c}\n"); + + } elseif (($chrs{$c} == ']') && ($top['what'] == SERVICES_JSON_IN_ARR)) { + // found a right-bracket, and we're in an array + array_pop($stk); + //print("Found end of array at {$c}: ".substr($chrs, $top['where'], (1 + $c - $top['where']))."\n"); + + } elseif (($chrs{$c} == '{') && + in_array($top['what'], array(SERVICES_JSON_SLICE, SERVICES_JSON_IN_ARR, SERVICES_JSON_IN_OBJ))) { + // found a left-brace, and we are in an array, object, or slice + array_push($stk, array('what' => SERVICES_JSON_IN_OBJ, 'where' => $c, 'delim' => false)); + //print("Found start of object at {$c}\n"); + + } elseif (($chrs{$c} == '}') && ($top['what'] == SERVICES_JSON_IN_OBJ)) { + // found a right-brace, and we're in an object + array_pop($stk); + //print("Found end of object at {$c}: ".substr($chrs, $top['where'], (1 + $c - $top['where']))."\n"); + + } elseif (($substr_chrs_c_2 == '/*') && + in_array($top['what'], array(SERVICES_JSON_SLICE, SERVICES_JSON_IN_ARR, SERVICES_JSON_IN_OBJ))) { + // found a comment start, and we are in an array, object, or slice + array_push($stk, array('what' => SERVICES_JSON_IN_CMT, 'where' => $c, 'delim' => false)); + $c++; + //print("Found start of comment at {$c}\n"); + + } elseif (($substr_chrs_c_2 == '*/') && ($top['what'] == SERVICES_JSON_IN_CMT)) { + // found a comment end, and we're in one now + array_pop($stk); + $c++; + + for ($i = $top['where']; $i <= $c; ++$i) + $chrs = substr_replace($chrs, ' ', $i, 1); + + //print("Found end of comment at {$c}: ".substr($chrs, $top['where'], (1 + $c - $top['where']))."\n"); + + } + + } + + if (reset($stk) == SERVICES_JSON_IN_ARR) { + return $arr; + + } elseif (reset($stk) == SERVICES_JSON_IN_OBJ) { + return $obj; + + } + + } + } + } + + /** + * @todo Ultimately, this should just call PEAR::isError() + */ + function isError($data, $code = null) + { + if (class_exists('pear')) { + return PEAR::isError($data, $code); + } elseif (is_object($data) && (get_class($data) == 'services_json_error' || + is_subclass_of($data, 'services_json_error'))) { + return true; + } + + return false; + } +} + +if (class_exists('PEAR_Error')) { + + class Services_JSON_Error extends PEAR_Error + { + function Services_JSON_Error($message = 'unknown error', $code = null, + $mode = null, $options = null, $userinfo = null) + { + parent::PEAR_Error($message, $code, $mode, $options, $userinfo); + } + } + +} else { + + /** + * @todo Ultimately, this class shall be descended from PEAR_Error + */ + class Services_JSON_Error + { + function Services_JSON_Error($message = 'unknown error', $code = null, + $mode = null, $options = null, $userinfo = null) + { + + } + } + +} + +?> diff --git a/plugins/FacebookSSO/extlib/jsonwrapper/JSON/LICENSE b/plugins/FacebookSSO/extlib/jsonwrapper/JSON/LICENSE new file mode 100644 index 0000000000..4ae6bef55d --- /dev/null +++ b/plugins/FacebookSSO/extlib/jsonwrapper/JSON/LICENSE @@ -0,0 +1,21 @@ +Redistribution and use in source and binary forms, with or without +modification, are permitted provided that the following conditions are +met: + +Redistributions of source code must retain the above copyright notice, +this list of conditions and the following disclaimer. + +Redistributions in binary form must reproduce the above copyright +notice, this list of conditions and the following disclaimer in the +documentation and/or other materials provided with the distribution. + +THIS SOFTWARE IS PROVIDED ``AS IS'' AND ANY EXPRESS OR IMPLIED +WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED WARRANTIES OF +MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE DISCLAIMED. IN +NO EVENT SHALL CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT, +INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT +NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF +USE, DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON +ANY THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT +(INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE OF +THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE. diff --git a/plugins/FacebookSSO/extlib/jsonwrapper/jsonwrapper.php b/plugins/FacebookSSO/extlib/jsonwrapper/jsonwrapper.php new file mode 100644 index 0000000000..29509debad --- /dev/null +++ b/plugins/FacebookSSO/extlib/jsonwrapper/jsonwrapper.php @@ -0,0 +1,6 @@ + diff --git a/plugins/FacebookSSO/extlib/jsonwrapper/jsonwrapper_inner.php b/plugins/FacebookSSO/extlib/jsonwrapper/jsonwrapper_inner.php new file mode 100644 index 0000000000..36a3f28635 --- /dev/null +++ b/plugins/FacebookSSO/extlib/jsonwrapper/jsonwrapper_inner.php @@ -0,0 +1,23 @@ +encode($arg); +} + +function json_decode($arg) +{ + global $services_json; + if (!isset($services_json)) { + $services_json = new Services_JSON(); + } + return $services_json->decode($arg); +} + +?> From 6aeba0cb7cbff367d8ded309f08ff3df8ae82795 Mon Sep 17 00:00:00 2001 From: Siebrand Mazeland Date: Thu, 4 Nov 2010 18:33:39 +0100 Subject: [PATCH 069/628] i18n/L10n updates. --- classes/File.php | 26 ++++++++++++++++---------- classes/Notice.php | 2 +- 2 files changed, 17 insertions(+), 11 deletions(-) diff --git a/classes/File.php b/classes/File.php index c7c7658020..16e00024a5 100644 --- a/classes/File.php +++ b/classes/File.php @@ -169,9 +169,9 @@ class File extends Memcached_DataObject if (empty($x)) { $x = File::staticGet($file_id); if (empty($x)) { - // FIXME: This could possibly be a clearer message :) + // @todo FIXME: This could possibly be a clearer message :) // TRANS: Server exception thrown when... Robin thinks something is impossible! - throw new ServerException(_("Robin thinks something is impossible.")); + throw new ServerException(_('Robin thinks something is impossible.')); } } @@ -186,8 +186,10 @@ class File extends Memcached_DataObject if ($fileSize > common_config('attachments', 'file_quota')) { // TRANS: Message given if an upload is larger than the configured maximum. // TRANS: %1$d is the byte limit for uploads, %2$d is the byte count for the uploaded file. - return sprintf(_('No file may be larger than %1$d bytes ' . - 'and the file you sent was %2$d bytes. Try to upload a smaller version.'), + // TRANS: %1$s is used for plural. + return sprintf(_m('No file may be larger than %1$d byte and the file you sent was %2$d bytes. Try to upload a smaller version.', + 'No file may be larger than %1$d bytes and the file you sent was %2$d bytes. Try to upload a smaller version.', + common_config('attachments', 'file_quota')), common_config('attachments', 'file_quota'), $fileSize); } @@ -197,8 +199,11 @@ class File extends Memcached_DataObject $total = $this->total + $fileSize; if ($total > common_config('attachments', 'user_quota')) { // TRANS: Message given if an upload would exceed user quota. - // TRANS: %d (number) is the user quota in bytes. - return sprintf(_('A file this large would exceed your user quota of %d bytes.'), common_config('attachments', 'user_quota')); + // TRANS: %d (number) is the user quota in bytes and is used for plural. + return sprintf(_m('A file this large would exceed your user quota of %d byte.', + 'A file this large would exceed your user quota of %d bytes.', + common_config('attachments', 'user_quota')), + common_config('attachments', 'user_quota')); } $query .= ' AND EXTRACT(month FROM file.modified) = EXTRACT(month FROM now()) and EXTRACT(year FROM file.modified) = EXTRACT(year FROM now())'; $this->query($query); @@ -206,8 +211,11 @@ class File extends Memcached_DataObject $total = $this->total + $fileSize; if ($total > common_config('attachments', 'monthly_quota')) { // TRANS: Message given id an upload would exceed a user's monthly quota. - // TRANS: $d (number) is the monthly user quota in bytes. - return sprintf(_('A file this large would exceed your monthly quota of %d bytes.'), common_config('attachments', 'monthly_quota')); + // TRANS: $d (number) is the monthly user quota in bytes and is used for plural. + return sprintf(_m('A file this large would exceed your monthly quota of %d byte.', + 'A file this large would exceed your monthly quota of %d bytes.', + common_config('attachments', 'monthly_quota')), + common_config('attachments', 'monthly_quota')); } return true; } @@ -299,9 +307,7 @@ class File extends Memcached_DataObject } $protocol = 'https'; - } else { - $path = common_config('attachments', 'path'); $server = common_config('attachments', 'server'); diff --git a/classes/Notice.php b/classes/Notice.php index 792d6e1316..eff0d32515 100644 --- a/classes/Notice.php +++ b/classes/Notice.php @@ -902,7 +902,7 @@ class Notice extends Memcached_DataObject { if (!is_array($group_ids)) { // TRANS: Server exception thrown when no array is provided to the method saveKnownGroups(). - throw new ServerException(_("Bad type provided to saveKnownGroups")); + throw new ServerException(_('Bad type provided to saveKnownGroups.')); } $groups = array(); From bb31c25c2d65ce44011cef6077deb91e3c5c4736 Mon Sep 17 00:00:00 2001 From: Siebrand Mazeland Date: Thu, 4 Nov 2010 19:16:19 +0100 Subject: [PATCH 070/628] * i18n/L10n updates. * translator documentation added. * superfluous whitespace removed. --- lib/designsettings.php | 56 ++++++++++++++++++++++++++---------------- lib/theme.php | 18 ++------------ 2 files changed, 37 insertions(+), 37 deletions(-) diff --git a/lib/designsettings.php b/lib/designsettings.php index 4955e92199..90296a64da 100644 --- a/lib/designsettings.php +++ b/lib/designsettings.php @@ -48,10 +48,8 @@ require_once INSTALLDIR . '/lib/webcolor.php'; * @license http://www.fsf.org/licensing/licenses/agpl-3.0.html GNU Affero General Public License version 3.0 * @link http://status.net/ */ - class DesignSettingsAction extends AccountSettingsAction { - var $submitaction = null; /** @@ -59,9 +57,9 @@ class DesignSettingsAction extends AccountSettingsAction * * @return string Title of the page */ - function title() { + // TRANS: Page title for profile design page. return _('Profile design'); } @@ -70,9 +68,9 @@ class DesignSettingsAction extends AccountSettingsAction * * @return instructions for use */ - function getInstructions() { + // TRANS: Instructions for profile design page. return _('Customize the way your profile looks ' . 'with a background image and a colour palette of your choice.'); } @@ -84,10 +82,8 @@ class DesignSettingsAction extends AccountSettingsAction * * @return nothing */ - function showDesignForm($design) { - $this->elementStart('form', array('method' => 'post', 'enctype' => 'multipart/form-data', 'id' => 'form_settings_design', @@ -98,14 +94,18 @@ class DesignSettingsAction extends AccountSettingsAction $this->elementStart('fieldset', array('id' => 'settings_design_background-image')); + // TRANS: Fieldset legend on profile design page. $this->element('legend', null, _('Change background image')); $this->elementStart('ul', 'form_data'); $this->elementStart('li'); $this->element('label', array('for' => 'design_background-image_file'), + // TRANS: Label in form on profile design page. + // TRANS: Field contains file name on user's computer that could be that user's custom profile background image. _('Upload file')); $this->element('input', array('name' => 'design_background-image_file', 'type' => 'file', 'id' => 'design_background-image_file')); + // TRANS: Instructions for form on profile design page. $this->element('p', 'form_guide', _('You can upload your personal ' . 'background image. The maximum file size is 2MB.')); $this->element('input', array('name' => 'MAX_FILE_SIZE', @@ -115,7 +115,6 @@ class DesignSettingsAction extends AccountSettingsAction $this->elementEnd('li'); if (!empty($design->backgroundimage)) { - $this->elementStart('li', array('id' => 'design_background-image_onoff')); @@ -136,7 +135,8 @@ class DesignSettingsAction extends AccountSettingsAction $this->element('label', array('for' => 'design_background-image_on', 'class' => 'radio'), - _('On')); + // TRANS: Radio button on profile design page that will enable use of the uploaded profile image. + _m('RADIO','On')); $attrs = array('name' => 'design_background-image_onoff', 'type' => 'radio', @@ -152,12 +152,16 @@ class DesignSettingsAction extends AccountSettingsAction $this->element('label', array('for' => 'design_background-image_off', 'class' => 'radio'), - _('Off')); + // TRANS: Radio button on profile design page that will disable use of the uploaded profile image. + _m('RADIO','Off')); + // TRANS: Form guide for a set of radio buttons on the profile design page that will enable or disable + // TRANS: use of the uploaded profile image. $this->element('p', 'form_guide', _('Turn background image on or off.')); $this->elementEnd('li'); $this->elementStart('li'); $this->checkbox('design_background-image_repeat', + // TRANS: Checkbox label on profile design page that will cause the profile image to be tiled. _('Tile background image'), ($design->disposition & BACKGROUND_TILE) ? true : false); $this->elementEnd('li'); @@ -167,14 +171,15 @@ class DesignSettingsAction extends AccountSettingsAction $this->elementEnd('fieldset'); $this->elementStart('fieldset', array('id' => 'settings_design_color')); + // TRANS: Fieldset legend on profile design page to change profile page colours. $this->element('legend', null, _('Change colours')); $this->elementStart('ul', 'form_data'); try { - $bgcolor = new WebColor($design->backgroundcolor); $this->elementStart('li'); + // TRANS: Label on profile design page for setting a profile page background colour. $this->element('label', array('for' => 'swatch-1'), _('Background')); $this->element('input', array('name' => 'design_background', 'type' => 'text', @@ -188,6 +193,7 @@ class DesignSettingsAction extends AccountSettingsAction $ccolor = new WebColor($design->contentcolor); $this->elementStart('li'); + // TRANS: Label on profile design page for setting a profile page content colour. $this->element('label', array('for' => 'swatch-2'), _('Content')); $this->element('input', array('name' => 'design_content', 'type' => 'text', @@ -201,6 +207,7 @@ class DesignSettingsAction extends AccountSettingsAction $sbcolor = new WebColor($design->sidebarcolor); $this->elementStart('li'); + // TRANS: Label on profile design page for setting a profile page sidebar colour. $this->element('label', array('for' => 'swatch-3'), _('Sidebar')); $this->element('input', array('name' => 'design_sidebar', 'type' => 'text', @@ -214,6 +221,7 @@ class DesignSettingsAction extends AccountSettingsAction $tcolor = new WebColor($design->textcolor); $this->elementStart('li'); + // TRANS: Label on profile design page for setting a profile page text colour. $this->element('label', array('for' => 'swatch-4'), _('Text')); $this->element('input', array('name' => 'design_text', 'type' => 'text', @@ -227,6 +235,7 @@ class DesignSettingsAction extends AccountSettingsAction $lcolor = new WebColor($design->linkcolor); $this->elementStart('li'); + // TRANS: Label on profile design page for setting a profile page links colour. $this->element('label', array('for' => 'swatch-5'), _('Links')); $this->element('input', array('name' => 'design_links', 'type' => 'text', @@ -244,16 +253,22 @@ class DesignSettingsAction extends AccountSettingsAction $this->elementEnd('ul'); $this->elementEnd('fieldset'); + // TRANS: Button text on profile design page to immediately reset all colour settings to default. $this->submit('defaults', _('Use defaults'), 'submit form_action-default', + // TRANS: Title for button on profile design page to reset all colour settings to default. 'defaults', _('Restore default designs')); $this->element('input', array('id' => 'settings_design_reset', 'type' => 'reset', - 'value' => 'Reset', + // TRANS: Button text on profile design page to reset all colour settings to default without saving. + 'value' => _m('BUTTON','Reset'), 'class' => 'submit form_action-primary', + // TRANS: Title for button on profile design page to reset all colour settings to default without saving. 'title' => _('Reset back to default'))); - $this->submit('save', _('Save'), 'submit form_action-secondary', + // TRANS: Button text on profile design page to save settings. + $this->submit('save', _m('BUTTON','Save'), 'submit form_action-secondary', + // TRANS: Title for button on profile design page to save settings. 'save', _('Save design')); $this->elementEnd('fieldset'); @@ -268,7 +283,6 @@ class DesignSettingsAction extends AccountSettingsAction * * @return void */ - function handlePost() { if ($_SERVER['REQUEST_METHOD'] == 'POST') { @@ -280,8 +294,10 @@ class DesignSettingsAction extends AccountSettingsAction && empty($_POST) && ($_SERVER['CONTENT_LENGTH'] > 0) ) { - $msg = _('The server was unable to handle that much POST ' . - 'data (%s bytes) due to its current configuration.'); + // TRANS: Form validation error in design settings form. POST should remain untranslated. + $msg = _m('The server was unable to handle that much POST data (%s byte) due to its current configuration.', + 'The server was unable to handle that much POST data (%s bytes) due to its current configuration.', + intval($_SERVER['CONTENT_LENGTH'])); $this->showForm(sprintf($msg, $_SERVER['CONTENT_LENGTH'])); return; @@ -301,6 +317,7 @@ class DesignSettingsAction extends AccountSettingsAction } else if ($this->arg('defaults')) { $this->restoreDefaults(); } else { + // TRANS: Unknown form validation error in design settings form. $this->showForm(_('Unexpected form submission.')); } } @@ -310,7 +327,6 @@ class DesignSettingsAction extends AccountSettingsAction * * @return void */ - function showStylesheets() { parent::showStylesheets(); @@ -322,7 +338,6 @@ class DesignSettingsAction extends AccountSettingsAction * * @return void */ - function showScripts() { parent::showScripts(); @@ -340,10 +355,8 @@ class DesignSettingsAction extends AccountSettingsAction * * @return nothing */ - function saveBackgroundImage($design) { - // Now that we have a Design ID we can add a file to the design. // XXX: This is an additional DB hit, but figured having the image // associated with the Design rather than the User was worth @@ -388,6 +401,7 @@ class DesignSettingsAction extends AccountSettingsAction if ($result === false) { common_log_db_error($design, 'UPDATE', __FILE__); + // TRANS: Error message displayed if design settings could not be saved. $this->showForm(_('Couldn\'t update your design.')); return; } @@ -399,7 +413,6 @@ class DesignSettingsAction extends AccountSettingsAction * * @return nothing */ - function restoreDefaults() { $design = $this->getWorkingDesign(); @@ -410,12 +423,13 @@ class DesignSettingsAction extends AccountSettingsAction if ($result === false) { common_log_db_error($design, 'DELETE', __FILE__); + // TRANS: Error message displayed if design settings could not be saved after clicking "Use defaults". $this->showForm(_('Couldn\'t update your design.')); return; } } + // TRANS: Success message displayed if design settings were saved after clicking "Use defaults". $this->showForm(_('Design defaults restored.'), true); } - } diff --git a/lib/theme.php b/lib/theme.php index 95b7c1de4b..5caa046c20 100644 --- a/lib/theme.php +++ b/lib/theme.php @@ -51,7 +51,6 @@ if (!defined('STATUSNET') && !defined('LACONICA')) { * @license http://www.fsf.org/licensing/licenses/agpl-3.0.html GNU Affero General Public License version 3.0 * @link http://status.net/ */ - class Theme { var $name = null; @@ -65,14 +64,14 @@ class Theme * * @param string $name Name of the theme; defaults to config value */ - function __construct($name=null) { if (empty($name)) { $name = common_config('site', 'theme'); } if (!self::validName($name)) { - throw new ServerException("Invalid theme name."); + // TRANS: Server exception displayed if a theme name was invalid. + throw new ServerException(_('Invalid theme name.')); } $this->name = $name; @@ -95,7 +94,6 @@ class Theme $fulldir = $instroot.'/'.$name; if (file_exists($fulldir) && is_dir($fulldir)) { - $this->dir = $fulldir; $this->path = $this->relativeThemePath('theme', 'theme', $name); } @@ -113,11 +111,9 @@ class Theme * * @todo consolidate code with that for other customizable paths */ - protected function relativeThemePath($group, $fallbackSubdir, $name) { if (StatusNet::isHTTPS()) { - $sslserver = common_config($group, 'sslserver'); if (empty($sslserver)) { @@ -140,9 +136,7 @@ class Theme } $protocol = 'https'; - } else { - $path = common_config($group, 'path'); if (empty($path)) { @@ -179,7 +173,6 @@ class Theme * * @return string full pathname, like /var/www/mublog/theme/default/logo.png */ - function getFile($relative) { return $this->dir.'/'.$relative; @@ -192,7 +185,6 @@ class Theme * * @return string full URL, like 'http://example.com/theme/default/logo.png' */ - function getPath($relative) { return $this->path.'/'.$relative; @@ -258,7 +250,6 @@ class Theme * * @return string File path to the theme file */ - static function file($relative, $name=null) { $theme = new Theme($name); @@ -273,7 +264,6 @@ class Theme * * @return string URL of the file */ - static function path($relative, $name=null) { $theme = new Theme($name); @@ -285,7 +275,6 @@ class Theme * * @return array list of available theme names */ - static function listAvailable() { $local = self::subdirsOf(self::localRoot()); @@ -305,7 +294,6 @@ class Theme * * @return array relative filenames of subdirs, or empty array */ - protected static function subdirsOf($dir) { $subdirs = array(); @@ -330,7 +318,6 @@ class Theme * * @return string local root dir for themes */ - protected static function localRoot() { $basedir = common_config('local', 'dir'); @@ -347,7 +334,6 @@ class Theme * * @return string root dir for StatusNet themes */ - protected static function installRoot() { $instroot = common_config('theme', 'dir'); From ca6d7f104242d22f87254f8b33e5bf4a686ec57d Mon Sep 17 00:00:00 2001 From: Siebrand Mazeland Date: Fri, 5 Nov 2010 01:25:50 +0100 Subject: [PATCH 071/628] Localisation updates from http://translatewiki.net. --- locale/af/LC_MESSAGES/statusnet.po | 280 +++++++------ locale/ar/LC_MESSAGES/statusnet.po | 293 +++++++------ locale/arz/LC_MESSAGES/statusnet.po | 294 +++++++------ locale/bg/LC_MESSAGES/statusnet.po | 281 +++++++------ locale/br/LC_MESSAGES/statusnet.po | 280 +++++++------ locale/ca/LC_MESSAGES/statusnet.po | 303 ++++++++------ locale/cs/LC_MESSAGES/statusnet.po | 304 ++++++++------ locale/de/LC_MESSAGES/statusnet.po | 374 +++++++++-------- locale/en_GB/LC_MESSAGES/statusnet.po | 290 +++++++------ locale/eo/LC_MESSAGES/statusnet.po | 298 +++++++------ locale/es/LC_MESSAGES/statusnet.po | 301 ++++++++------ locale/fa/LC_MESSAGES/statusnet.po | 289 +++++++------ locale/fi/LC_MESSAGES/statusnet.po | 284 +++++++------ locale/fr/LC_MESSAGES/statusnet.po | 303 ++++++++------ locale/ga/LC_MESSAGES/statusnet.po | 286 +++++++------ locale/gl/LC_MESSAGES/statusnet.po | 303 ++++++++------ locale/hsb/LC_MESSAGES/statusnet.po | 283 +++++++------ locale/hu/LC_MESSAGES/statusnet.po | 287 +++++++------ locale/ia/LC_MESSAGES/statusnet.po | 381 +++++++++-------- locale/is/LC_MESSAGES/statusnet.po | 278 +++++++------ locale/it/LC_MESSAGES/statusnet.po | 303 ++++++++------ locale/ja/LC_MESSAGES/statusnet.po | 291 +++++++------ locale/ka/LC_MESSAGES/statusnet.po | 291 +++++++------ locale/ko/LC_MESSAGES/statusnet.po | 288 +++++++------ locale/mk/LC_MESSAGES/statusnet.po | 376 +++++++++-------- locale/nb/LC_MESSAGES/statusnet.po | 290 +++++++------ locale/nl/LC_MESSAGES/statusnet.po | 390 ++++++++++-------- locale/nn/LC_MESSAGES/statusnet.po | 278 +++++++------ locale/pl/LC_MESSAGES/statusnet.po | 384 +++++++++-------- locale/pt/LC_MESSAGES/statusnet.po | 302 ++++++++------ locale/pt_BR/LC_MESSAGES/statusnet.po | 337 ++++++++------- locale/ru/LC_MESSAGES/statusnet.po | 307 ++++++++------ locale/statusnet.pot | 254 +++++++----- locale/sv/LC_MESSAGES/statusnet.po | 301 ++++++++------ locale/te/LC_MESSAGES/statusnet.po | 279 +++++++------ locale/tr/LC_MESSAGES/statusnet.po | 283 +++++++------ locale/uk/LC_MESSAGES/statusnet.po | 390 ++++++++++-------- locale/zh_CN/LC_MESSAGES/statusnet.po | 293 +++++++------ .../GroupFavorited/locale/GroupFavorited.pot | 6 +- .../locale/br/LC_MESSAGES/GroupFavorited.po | 12 +- .../locale/de/LC_MESSAGES/GroupFavorited.po | 12 +- .../locale/es/LC_MESSAGES/GroupFavorited.po | 12 +- .../locale/fr/LC_MESSAGES/GroupFavorited.po | 12 +- .../locale/ia/LC_MESSAGES/GroupFavorited.po | 12 +- .../locale/mk/LC_MESSAGES/GroupFavorited.po | 12 +- .../locale/nl/LC_MESSAGES/GroupFavorited.po | 12 +- .../locale/ru/LC_MESSAGES/GroupFavorited.po | 12 +- .../locale/tl/LC_MESSAGES/GroupFavorited.po | 12 +- .../locale/uk/LC_MESSAGES/GroupFavorited.po | 12 +- .../locale/br/LC_MESSAGES/Mapstraction.po | 14 +- .../locale/de/LC_MESSAGES/Mapstraction.po | 14 +- .../locale/fi/LC_MESSAGES/Mapstraction.po | 14 +- .../locale/fr/LC_MESSAGES/Mapstraction.po | 14 +- .../locale/gl/LC_MESSAGES/Mapstraction.po | 14 +- .../locale/ia/LC_MESSAGES/Mapstraction.po | 14 +- .../locale/mk/LC_MESSAGES/Mapstraction.po | 14 +- .../locale/nb/LC_MESSAGES/Mapstraction.po | 14 +- .../locale/nl/LC_MESSAGES/Mapstraction.po | 14 +- .../locale/ru/LC_MESSAGES/Mapstraction.po | 14 +- .../locale/ta/LC_MESSAGES/Mapstraction.po | 14 +- .../locale/tl/LC_MESSAGES/Mapstraction.po | 14 +- .../locale/uk/LC_MESSAGES/Mapstraction.po | 14 +- .../locale/zh_CN/LC_MESSAGES/Mapstraction.po | 14 +- .../locale/pl/LC_MESSAGES/NoticeTitle.po | 33 ++ .../locale/uk/LC_MESSAGES/Realtime.po | 59 +++ .../TwitterBridge/locale/TwitterBridge.pot | 26 +- .../locale/fr/LC_MESSAGES/TwitterBridge.po | 32 +- .../locale/ia/LC_MESSAGES/TwitterBridge.po | 32 +- .../locale/mk/LC_MESSAGES/TwitterBridge.po | 32 +- .../locale/nl/LC_MESSAGES/TwitterBridge.po | 32 +- .../locale/tr/LC_MESSAGES/TwitterBridge.po | 32 +- .../locale/uk/LC_MESSAGES/TwitterBridge.po | 32 +- .../locale/zh_CN/LC_MESSAGES/TwitterBridge.po | 32 +- plugins/UserFlag/locale/UserFlag.pot | 16 +- .../locale/fr/LC_MESSAGES/UserFlag.po | 25 +- .../locale/ia/LC_MESSAGES/UserFlag.po | 25 +- .../locale/mk/LC_MESSAGES/UserFlag.po | 25 +- .../locale/nl/LC_MESSAGES/UserFlag.po | 25 +- .../locale/pt/LC_MESSAGES/UserFlag.po | 25 +- .../locale/uk/LC_MESSAGES/UserFlag.po | 25 +- 80 files changed, 7105 insertions(+), 5354 deletions(-) create mode 100644 plugins/NoticeTitle/locale/pl/LC_MESSAGES/NoticeTitle.po create mode 100644 plugins/Realtime/locale/uk/LC_MESSAGES/Realtime.po diff --git a/locale/af/LC_MESSAGES/statusnet.po b/locale/af/LC_MESSAGES/statusnet.po index c99ac3b54a..2c8d9e4acc 100644 --- a/locale/af/LC_MESSAGES/statusnet.po +++ b/locale/af/LC_MESSAGES/statusnet.po @@ -9,17 +9,17 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet - Core\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-11-02 22:51+0000\n" -"PO-Revision-Date: 2010-11-02 22:52:57+0000\n" +"POT-Creation-Date: 2010-11-04 18:25+0000\n" +"PO-Revision-Date: 2010-11-04 18:27:02+0000\n" "Language-Team: Afrikaans \n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r75875); Translate extension (2010-09-17)\n" +"X-Generator: MediaWiki 1.17alpha (r76004); Translate extension (2010-09-17)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: af\n" "X-Message-Group: #out-statusnet-core\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-POT-Import-Date: 2010-10-30 23:42:01+0000\n" +"X-POT-Import-Date: 2010-11-02 23:22:49+0000\n" #. TRANS: Page title for Access admin panel that allows configuring site access. #. TRANS: Menu item for site administration @@ -84,12 +84,14 @@ msgstr "Stoor toegangsinstellings" #. TRANS: Save button for settings for a profile in a subscriptions list. #. TRANS: Button text to save user settings in user admin panel. #. TRANS: Button label in the "Edit application" form. +#. TRANS: Button text on profile design page to save settings. #: actions/accessadminpanel.php:193 actions/emailsettings.php:228 #: actions/imsettings.php:187 actions/othersettings.php:134 #: actions/pathsadminpanel.php:512 actions/profilesettings.php:201 #: actions/sitenoticeadminpanel.php:197 actions/smssettings.php:209 #: actions/subscriptions.php:246 actions/useradminpanel.php:298 -#: lib/applicationeditform.php:355 lib/groupeditform.php:207 +#: lib/applicationeditform.php:355 lib/designsettings.php:270 +#: lib/groupeditform.php:207 msgctxt "BUTTON" msgid "Save" msgstr "Stoor" @@ -157,7 +159,7 @@ msgstr "%1$s en vriende, bladsy %2$d" #. TRANS: Timeline title for user and friends. %s is a user nickname. #: actions/all.php:94 actions/all.php:191 actions/allrss.php:115 #: actions/apitimelinefriends.php:207 actions/apitimelinehome.php:113 -#: lib/personalgroupnav.php:100 +#: lib/personalgroupnav.php:103 #, php-format msgid "%s and friends" msgstr "%s en vriende" @@ -325,11 +327,13 @@ msgstr "Kon nie die profiel stoor nie." #. TRANS: Client error displayed when the number of bytes in a POST request exceeds a limit. #. TRANS: %s is the number of bytes of the CONTENT_LENGTH. +#. TRANS: Form validation error in design settings form. POST should remain untranslated. #: actions/apiaccountupdateprofilebackgroundimage.php:108 #: actions/apiaccountupdateprofileimage.php:95 actions/apimediaupload.php:81 #: actions/apistatusesupdate.php:210 actions/avatarsettings.php:269 #: actions/designadminpanel.php:125 actions/editapplication.php:121 #: actions/newapplication.php:104 actions/newnotice.php:95 +#: lib/designsettings.php:298 #, php-format msgid "" "The server was unable to handle that much POST data (%s byte) due to its " @@ -742,7 +746,7 @@ msgstr "" #: actions/repeat.php:83 actions/smssettings.php:256 actions/subedit.php:40 #: actions/subscribe.php:86 actions/tagother.php:166 #: actions/unsubscribe.php:69 actions/userauthorization.php:52 -#: lib/designsettings.php:294 +#: lib/designsettings.php:310 msgid "There was a problem with your session token. Try again, please." msgstr "" @@ -763,12 +767,13 @@ msgstr "" #. TRANS: Message given submitting a form with an unknown action in IM settings. #. TRANS: Client error when submitting a form with unexpected information. #. TRANS: Message given submitting a form with an unknown action in SMS settings. +#. TRANS: Unknown form validation error in design settings form. #: actions/apioauthauthorize.php:294 actions/avatarsettings.php:294 #: actions/designadminpanel.php:104 actions/editapplication.php:144 #: actions/emailsettings.php:290 actions/grouplogo.php:322 #: actions/imsettings.php:245 actions/newapplication.php:125 #: actions/oauthconnectionssettings.php:147 actions/recoverpassword.php:44 -#: actions/smssettings.php:277 lib/designsettings.php:304 +#: actions/smssettings.php:277 lib/designsettings.php:321 msgid "Unexpected form submission." msgstr "Die vorm is onverwags ingestuur." @@ -815,7 +820,7 @@ msgstr "Gebruiker" #. TRANS: Label for group nickname (dt). Text hidden by default. #: actions/apioauthauthorize.php:459 actions/login.php:252 #: actions/profilesettings.php:110 actions/register.php:433 -#: actions/showgroup.php:245 actions/tagother.php:94 +#: actions/showgroup.php:240 actions/tagother.php:94 #: actions/userauthorization.php:145 lib/groupeditform.php:152 #: lib/userprofile.php:132 msgid "Nickname" @@ -1079,7 +1084,7 @@ msgstr "Die aanhangsel bestaan nie." #: actions/avatarbynickname.php:60 actions/blockedfromgroup.php:73 #: actions/editgroup.php:85 actions/groupdesignsettings.php:84 #: actions/grouplogo.php:86 actions/groupmembers.php:76 -#: actions/grouprss.php:91 actions/showgroup.php:121 +#: actions/grouprss.php:91 actions/showgroup.php:116 msgid "No nickname." msgstr "Geen gebruikersnaam nie." @@ -1096,7 +1101,7 @@ msgstr "Ongeldige grootte." #. TRANS: Title for avatar upload page. #. TRANS: Label for group avatar (dt). Text hidden by default. #. TRANS: Link description in user account settings menu. -#: actions/avatarsettings.php:66 actions/showgroup.php:229 +#: actions/avatarsettings.php:66 actions/showgroup.php:224 #: lib/accountsettingsaction.php:113 msgid "Avatar" msgstr "Avatar" @@ -1270,7 +1275,7 @@ msgstr "" #: actions/groupunblock.php:88 actions/joingroup.php:82 #: actions/joingroup.php:93 actions/leavegroup.php:82 #: actions/leavegroup.php:93 actions/makeadmin.php:86 -#: actions/showgroup.php:139 actions/showgroup.php:148 lib/command.php:168 +#: actions/showgroup.php:134 actions/showgroup.php:143 lib/command.php:168 #: lib/command.php:380 msgid "No such group." msgstr "Die groep bestaan nie." @@ -1631,12 +1636,14 @@ msgstr "Werf se tema" msgid "You can upload a custom StatusNet theme as a .ZIP archive." msgstr "" -#: actions/designadminpanel.php:512 lib/designsettings.php:101 +#. TRANS: Fieldset legend on profile design page. +#: actions/designadminpanel.php:512 lib/designsettings.php:98 msgid "Change background image" msgstr "Verander die agtergrond-prent" +#. TRANS: Label on profile design page for setting a profile page background colour. #: actions/designadminpanel.php:517 actions/designadminpanel.php:600 -#: lib/designsettings.php:178 +#: lib/designsettings.php:183 msgid "Background" msgstr "Agtergrond" @@ -1648,42 +1655,50 @@ msgid "" msgstr "" #. TRANS: Used as radio button label to add a background image. -#: actions/designadminpanel.php:553 lib/designsettings.php:139 +#: actions/designadminpanel.php:553 msgid "On" msgstr "Aan" #. TRANS: Used as radio button label to not add a background image. -#: actions/designadminpanel.php:570 lib/designsettings.php:155 +#: actions/designadminpanel.php:570 msgid "Off" msgstr "Af" -#: actions/designadminpanel.php:571 lib/designsettings.php:156 +#. TRANS: Form guide for a set of radio buttons on the profile design page that will enable or disable +#. TRANS: use of the uploaded profile image. +#: actions/designadminpanel.php:571 lib/designsettings.php:159 #, fuzzy msgid "Turn background image on or off." msgstr "Verander die agtergrond-prent" -#: actions/designadminpanel.php:576 lib/designsettings.php:161 +#. TRANS: Checkbox label on profile design page that will cause the profile image to be tiled. +#: actions/designadminpanel.php:576 lib/designsettings.php:165 #, fuzzy msgid "Tile background image" msgstr "Verander die agtergrond-prent" -#: actions/designadminpanel.php:590 lib/designsettings.php:170 +#. TRANS: Fieldset legend on profile design page to change profile page colours. +#: actions/designadminpanel.php:590 lib/designsettings.php:175 msgid "Change colours" msgstr "Verander kleure" -#: actions/designadminpanel.php:613 lib/designsettings.php:191 +#. TRANS: Label on profile design page for setting a profile page content colour. +#: actions/designadminpanel.php:613 lib/designsettings.php:197 msgid "Content" msgstr "Inhoud" -#: actions/designadminpanel.php:626 lib/designsettings.php:204 +#. TRANS: Label on profile design page for setting a profile page sidebar colour. +#: actions/designadminpanel.php:626 lib/designsettings.php:211 msgid "Sidebar" msgstr "Kantstrook" -#: actions/designadminpanel.php:639 lib/designsettings.php:217 +#. TRANS: Label on profile design page for setting a profile page text colour. +#: actions/designadminpanel.php:639 lib/designsettings.php:225 msgid "Text" msgstr "Text" -#: actions/designadminpanel.php:652 lib/designsettings.php:230 +#. TRANS: Label on profile design page for setting a profile page links colour. +#: actions/designadminpanel.php:652 lib/designsettings.php:239 msgid "Links" msgstr "Skakels" @@ -1695,16 +1710,19 @@ msgstr "Gevorderd" msgid "Custom CSS" msgstr "" -#: actions/designadminpanel.php:702 lib/designsettings.php:247 +#. TRANS: Button text on profile design page to immediately reset all colour settings to default. +#: actions/designadminpanel.php:702 lib/designsettings.php:257 msgid "Use defaults" msgstr "Gebruik verstekwaardes" -#: actions/designadminpanel.php:703 lib/designsettings.php:248 +#. TRANS: Title for button on profile design page to reset all colour settings to default. +#: actions/designadminpanel.php:703 lib/designsettings.php:259 #, fuzzy msgid "Restore default designs" msgstr "Gebruik verstekwaardes" -#: actions/designadminpanel.php:709 lib/designsettings.php:254 +#. TRANS: Title for button on profile design page to reset all colour settings to default without saving. +#: actions/designadminpanel.php:709 lib/designsettings.php:267 msgid "Reset back to default" msgstr "Stel terug na standaard" @@ -1712,11 +1730,12 @@ msgstr "Stel terug na standaard" #: actions/designadminpanel.php:711 actions/licenseadminpanel.php:319 #: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:292 #: actions/snapshotadminpanel.php:245 actions/tagother.php:154 -#: lib/applicationeditform.php:357 lib/designsettings.php:256 +#: lib/applicationeditform.php:357 msgid "Save" msgstr "Stoor" -#: actions/designadminpanel.php:712 lib/designsettings.php:257 +#. TRANS: Title for button on profile design page to save settings. +#: actions/designadminpanel.php:712 lib/designsettings.php:272 msgid "Save design" msgstr "Stoor ontwerp" @@ -1853,7 +1872,7 @@ msgstr "Dit was nie moontlik om die groep by te werk nie." #. TRANS: Server error displayed when group aliases could not be added. #. TRANS: Server exception thrown when creating group aliases failed. -#: actions/editgroup.php:288 classes/User_group.php:513 +#: actions/editgroup.php:288 classes/User_group.php:529 msgid "Could not create aliases." msgstr "Dit was nie moontlik om die aliasse te skep nie." @@ -2136,7 +2155,7 @@ msgid "" msgstr "" #: actions/favoritesrss.php:111 actions/showfavorites.php:77 -#: lib/personalgroupnav.php:115 +#: lib/personalgroupnav.php:118 #, php-format msgid "%s's favorite notices" msgstr "%s se gunsteling kennisgewings" @@ -2321,8 +2340,10 @@ msgid "" "palette of your choice." msgstr "" +#. TRANS: Error message displayed if design settings could not be saved. +#. TRANS: Error message displayed if design settings could not be saved after clicking "Use defaults". #: actions/groupdesignsettings.php:266 actions/userdesignsettings.php:186 -#: lib/designsettings.php:391 lib/designsettings.php:413 +#: lib/designsettings.php:405 lib/designsettings.php:427 #, fuzzy msgid "Couldn't update your design." msgstr "Dit was nie moontlik om u ontwerp by te werk nie." @@ -3225,25 +3246,25 @@ msgstr "" msgid "Notice has no profile." msgstr "Hierdie gebruiker het nie 'n profiel nie." -#: actions/oembed.php:87 actions/shownotice.php:176 +#: actions/oembed.php:83 actions/shownotice.php:172 #, php-format msgid "%1$s's status on %2$s" msgstr "Status van %1$s op %2$s" #. TRANS: Error message displaying attachments. %s is a raw MIME type (eg 'image/png') -#: actions/oembed.php:159 +#: actions/oembed.php:155 #, php-format msgid "Content type %s not supported." msgstr "" #. TRANS: Error message displaying attachments. %s is the site's base URL. -#: actions/oembed.php:163 +#: actions/oembed.php:159 #, php-format msgid "Only %s URLs over plain HTTP please." msgstr "" #. TRANS: Client error on an API request with an unsupported data format. -#: actions/oembed.php:184 actions/oembed.php:203 lib/apiaction.php:1200 +#: actions/oembed.php:180 actions/oembed.php:199 lib/apiaction.php:1200 #: lib/apiaction.php:1227 lib/apiaction.php:1356 #, fuzzy msgid "Not a supported data format." @@ -3743,7 +3764,7 @@ msgstr "" #. TRANS: Field label in form for profile settings. #. TRANS: Label for full group name (dt). Text hidden by default. #: actions/profilesettings.php:117 actions/register.php:457 -#: actions/showgroup.php:257 actions/tagother.php:104 +#: actions/showgroup.php:252 actions/tagother.php:104 #: lib/groupeditform.php:157 lib/userprofile.php:150 msgid "Full name" msgstr "Volledige naam" @@ -3784,7 +3805,7 @@ msgstr "Bio" #. TRANS: Field label in form for profile settings. #. TRANS: Label for group location (dt). Text hidden by default. #: actions/profilesettings.php:149 actions/register.php:485 -#: actions/showgroup.php:267 actions/tagother.php:112 +#: actions/showgroup.php:262 actions/tagother.php:112 #: actions/userauthorization.php:166 lib/groupeditform.php:180 #: lib/userprofile.php:165 msgid "Location" @@ -4352,7 +4373,7 @@ msgid "Repeated!" msgstr "Herhaal!" #: actions/replies.php:126 actions/repliesrss.php:68 -#: lib/personalgroupnav.php:105 +#: lib/personalgroupnav.php:108 #, fuzzy, php-format msgid "Replies to %s" msgstr "Herhalings van %s" @@ -4493,7 +4514,7 @@ msgid "Description" msgstr "Beskrywing" #. TRANS: Header for group statistics on a group page (h2). -#: actions/showapplication.php:192 actions/showgroup.php:453 +#: actions/showapplication.php:192 actions/showgroup.php:448 #: lib/profileaction.php:187 msgid "Statistics" msgstr "Statistieke" @@ -4605,95 +4626,95 @@ msgid "This is a way to share what you like." msgstr "" #. TRANS: Page title for first group page. %s is a group name. -#: actions/showgroup.php:80 +#: actions/showgroup.php:75 #, php-format msgid "%s group" msgstr "%s groep" #. TRANS: Page title for any but first group page. #. TRANS: %1$s is a group name, $2$s is a page number. -#: actions/showgroup.php:84 +#: actions/showgroup.php:79 #, php-format msgid "%1$s group, page %2$d" msgstr "Groep %1$s, bladsy %2$d" #. TRANS: Group profile header (h2). Text hidden by default. -#: actions/showgroup.php:225 +#: actions/showgroup.php:220 msgid "Group profile" msgstr "Groepsprofiel" #. TRANS: Label for group URL (dt). Text hidden by default. -#: actions/showgroup.php:275 actions/tagother.php:118 +#: actions/showgroup.php:270 actions/tagother.php:118 #: actions/userauthorization.php:175 lib/userprofile.php:178 msgid "URL" msgstr "URL" #. TRANS: Label for group description or group note (dt). Text hidden by default. -#: actions/showgroup.php:287 actions/tagother.php:128 +#: actions/showgroup.php:282 actions/tagother.php:128 #: actions/userauthorization.php:187 lib/userprofile.php:195 msgid "Note" msgstr "Nota" #. TRANS: Label for group aliases (dt). Text hidden by default. -#: actions/showgroup.php:298 lib/groupeditform.php:187 +#: actions/showgroup.php:293 lib/groupeditform.php:187 msgid "Aliases" msgstr "Aliasse" #. TRANS: Group actions header (h2). Text hidden by default. -#: actions/showgroup.php:309 +#: actions/showgroup.php:304 msgid "Group actions" msgstr "Groepsaksies" #. TRANS: Tooltip for feed link. %s is a group nickname. -#: actions/showgroup.php:350 +#: actions/showgroup.php:345 #, fuzzy, php-format msgid "Notice feed for %s group (RSS 1.0)" msgstr "Voer vir vriende van %s (RSS 1.0)" #. TRANS: Tooltip for feed link. %s is a group nickname. -#: actions/showgroup.php:357 +#: actions/showgroup.php:352 #, fuzzy, php-format msgid "Notice feed for %s group (RSS 2.0)" msgstr "Voer vir vriende van %s (RSS 2.0)" #. TRANS: Tooltip for feed link. %s is a group nickname. -#: actions/showgroup.php:364 +#: actions/showgroup.php:359 #, fuzzy, php-format msgid "Notice feed for %s group (Atom)" msgstr "Voer vir vriende van %s (Atom)" #. TRANS: Tooltip for feed link. %s is a group nickname. -#: actions/showgroup.php:370 +#: actions/showgroup.php:365 #, php-format msgid "FOAF for %s group" msgstr "Vriend van 'n vriend vir die groep %s" #. TRANS: Header for mini list of group members on a group page (h2). -#: actions/showgroup.php:407 +#: actions/showgroup.php:402 msgid "Members" msgstr "Lede" #. TRANS: Description for mini list of group members on a group page when the group has no members. -#: actions/showgroup.php:413 lib/profileaction.php:117 +#: actions/showgroup.php:408 lib/profileaction.php:117 #: lib/profileaction.php:152 lib/profileaction.php:255 lib/section.php:95 #: lib/subscriptionlist.php:127 lib/tagcloudsection.php:71 msgid "(None)" msgstr "(geen)" #. TRANS: Link to all group members from mini list of group members if group has more than n members. -#: actions/showgroup.php:422 +#: actions/showgroup.php:417 msgid "All members" msgstr "Alle lede" #. TRANS: Label for creation date in statistics on group page. -#: actions/showgroup.php:458 +#: actions/showgroup.php:453 #, fuzzy msgctxt "LABEL" msgid "Created" msgstr "Geskep" #. TRANS: Label for member count in statistics on group page. -#: actions/showgroup.php:466 +#: actions/showgroup.php:461 #, fuzzy msgctxt "LABEL" msgid "Members" @@ -4703,7 +4724,7 @@ msgstr "Lede" #. TRANS: **%s** is the group alias, %%%%site.name%%%% is the site name, #. TRANS: %%%%action.register%%%% is the URL for registration, %%%%doc.help%%%% is a URL to help. #. TRANS: This message contains Markdown links. Ensure they are formatted correctly: [Description](link). -#: actions/showgroup.php:481 +#: actions/showgroup.php:476 #, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -4716,7 +4737,7 @@ msgstr "" #. TRANS: Notice on group pages for anonymous users for StatusNet sites that accept no new registrations. #. TRANS: **%s** is the group alias, %%%%site.name%%%% is the site name, #. TRANS: This message contains Markdown links. Ensure they are formatted correctly: [Description](link). -#: actions/showgroup.php:491 +#: actions/showgroup.php:486 #, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -4726,7 +4747,7 @@ msgid "" msgstr "" #. TRANS: Header for list of group administrators on a group page (h2). -#: actions/showgroup.php:520 +#: actions/showgroup.php:515 msgid "Admins" msgstr "Administrateurs" @@ -5500,7 +5521,7 @@ msgstr "" #. TRANS: Link description in user account settings menu. #: actions/useradminpanel.php:215 lib/accountsettingsaction.php:106 -#: lib/personalgroupnav.php:109 +#: lib/personalgroupnav.php:112 msgid "Profile" msgstr "Profiel" @@ -5663,12 +5684,14 @@ msgstr "Kan nie die avatar-URL \"%s\" lees nie." msgid "Wrong image type for avatar URL ‘%s’." msgstr "Kan nie die avatar-URL \"%s\" lees nie." -#: actions/userdesignsettings.php:76 lib/designsettings.php:65 +#. TRANS: Page title for profile design page. +#: actions/userdesignsettings.php:76 lib/designsettings.php:63 #, fuzzy msgid "Profile design" msgstr "Profiel" -#: actions/userdesignsettings.php:87 lib/designsettings.php:76 +#. TRANS: Instructions for profile design page. +#: actions/userdesignsettings.php:87 lib/designsettings.php:74 msgid "" "Customize the way your profile looks with a background image and a colour " "palette of your choice." @@ -5787,29 +5810,38 @@ msgstr "" #. TRANS: Message given if an upload is larger than the configured maximum. #. TRANS: %1$d is the byte limit for uploads, %2$d is the byte count for the uploaded file. -#: classes/File.php:189 +#. TRANS: %1$s is used for plural. +#: classes/File.php:190 #, php-format msgid "" +"No file may be larger than %1$d byte and the file you sent was %2$d bytes. " +"Try to upload a smaller version." +msgid_plural "" "No file may be larger than %1$d bytes and the file you sent was %2$d bytes. " "Try to upload a smaller version." -msgstr "" +msgstr[0] "" +msgstr[1] "" #. TRANS: Message given if an upload would exceed user quota. -#. TRANS: %d (number) is the user quota in bytes. -#: classes/File.php:201 +#. TRANS: %d (number) is the user quota in bytes and is used for plural. +#: classes/File.php:203 #, php-format -msgid "A file this large would exceed your user quota of %d bytes." -msgstr "" +msgid "A file this large would exceed your user quota of %d byte." +msgid_plural "A file this large would exceed your user quota of %d bytes." +msgstr[0] "" +msgstr[1] "" #. TRANS: Message given id an upload would exceed a user's monthly quota. -#. TRANS: $d (number) is the monthly user quota in bytes. -#: classes/File.php:210 +#. TRANS: $d (number) is the monthly user quota in bytes and is used for plural. +#: classes/File.php:215 #, php-format -msgid "A file this large would exceed your monthly quota of %d bytes." -msgstr "" +msgid "A file this large would exceed your monthly quota of %d byte." +msgid_plural "A file this large would exceed your monthly quota of %d bytes." +msgstr[0] "" +msgstr[1] "" #. TRANS: Client exception thrown if a file upload does not have a valid name. -#: classes/File.php:247 classes/File.php:262 +#: classes/File.php:262 classes/File.php:277 #, fuzzy msgid "Invalid filename." msgstr "Ongeldige grootte." @@ -5942,31 +5974,31 @@ msgid "Problem saving notice." msgstr "" #. TRANS: Server exception thrown when no array is provided to the method saveKnownGroups(). -#: classes/Notice.php:907 -msgid "Bad type provided to saveKnownGroups" +#: classes/Notice.php:905 +msgid "Bad type provided to saveKnownGroups." msgstr "" #. TRANS: Server exception thrown when an update for a group inbox fails. -#: classes/Notice.php:1006 +#: classes/Notice.php:1004 msgid "Problem saving group inbox." msgstr "" #. TRANS: Server exception thrown when a reply cannot be saved. #. TRANS: %1$d is a notice ID, %2$d is the ID of the mentioned user. -#: classes/Notice.php:1120 +#: classes/Notice.php:1118 #, fuzzy, php-format msgid "Could not save reply for %1$d, %2$d." msgstr "Kon nie die profiel stoor nie." #. TRANS: Message used to repeat a notice. RT is the abbreviation of 'retweet'. #. TRANS: %1$s is the repeated user's name, %2$s is the repeated notice. -#: classes/Notice.php:1822 +#: classes/Notice.php:1820 #, php-format msgid "RT @%1$s %2$s" msgstr "RT @%1$s %2$s" #. TRANS: Full name of a profile or group followed by nickname in parens -#: classes/Profile.php:164 +#: classes/Profile.php:164 classes/User_group.php:247 #, fuzzy, php-format msgctxt "FANCYNAME" msgid "%1$s (%2$s)" @@ -6070,24 +6102,24 @@ msgid "Single-user mode code called when not enabled." msgstr "" #. TRANS: Server exception thrown when creating a group failed. -#: classes/User_group.php:495 +#: classes/User_group.php:511 msgid "Could not create group." msgstr "Kon nie die groep skep nie." #. TRANS: Server exception thrown when updating a group URI failed. -#: classes/User_group.php:505 +#: classes/User_group.php:521 #, fuzzy msgid "Could not set group URI." msgstr "Kon nie die groep skep nie." #. TRANS: Server exception thrown when setting group membership failed. -#: classes/User_group.php:528 +#: classes/User_group.php:544 #, fuzzy msgid "Could not set group membership." msgstr "Kon nie die groep skep nie." #. TRANS: Server exception thrown when saving local group information failed. -#: classes/User_group.php:543 +#: classes/User_group.php:559 #, fuzzy msgid "Could not save local group info." msgstr "Kon nie die profiel stoor nie." @@ -6502,7 +6534,7 @@ msgid "User configuration" msgstr "SMS-bevestiging" #. TRANS: Menu item for site administration -#: lib/adminpanelaction.php:355 lib/personalgroupnav.php:115 +#: lib/adminpanelaction.php:355 lib/personalgroupnav.php:118 msgid "User" msgstr "Gebruiker" @@ -7196,24 +7228,42 @@ msgstr "Skrap applikasie" msgid "Database error" msgstr "Databasisfout" -#: lib/designsettings.php:105 +#. TRANS: Label in form on profile design page. +#. TRANS: Field contains file name on user's computer that could be that user's custom profile background image. +#: lib/designsettings.php:104 #, fuzzy msgid "Upload file" msgstr "Oplaai" +#. TRANS: Instructions for form on profile design page. #: lib/designsettings.php:109 msgid "" "You can upload your personal background image. The maximum file size is 2MB." msgstr "" -#: 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 "" +#. TRANS: Radio button on profile design page that will enable use of the uploaded profile image. +#: lib/designsettings.php:139 +#, fuzzy +msgctxt "RADIO" +msgid "On" +msgstr "Aan" -#: lib/designsettings.php:418 +#. TRANS: Radio button on profile design page that will disable use of the uploaded profile image. +#: lib/designsettings.php:156 +#, fuzzy +msgctxt "RADIO" +msgid "Off" +msgstr "Af" + +#. TRANS: Button text on profile design page to reset all colour settings to default without saving. +#: lib/designsettings.php:264 +#, fuzzy +msgctxt "BUTTON" +msgid "Reset" +msgstr "Herstel" + +#. TRANS: Success message displayed if design settings were saved after clicking "Use defaults". +#: lib/designsettings.php:433 msgid "Design defaults restored." msgstr "" @@ -7662,7 +7712,7 @@ msgstr "" #. TRANS: Subject for favorite notification e-mail. #. TRANS: %1$s is the adding user's long name, %2$s is the adding user's nickname. -#: lib/mail.php:603 +#: lib/mail.php:607 #, fuzzy, php-format msgid "%1$s (@%2$s) added your notice as a favorite" msgstr "Hierdie kennisgewing is nie 'n gunsteling nie!" @@ -7672,7 +7722,7 @@ msgstr "Hierdie kennisgewing is nie 'n gunsteling nie!" #. TRANS: %3$s is a URL to the faved notice, %4$s is the faved notice text, #. TRANS: %5$s is a URL to all faves of the adding user, %6$s is the StatusNet sitename, #. TRANS: %7$s is the adding user's nickname. -#: lib/mail.php:610 +#: lib/mail.php:614 #, php-format msgid "" "%1$s (@%7$s) just added your notice from %2$s as one of their favorites.\n" @@ -7694,7 +7744,7 @@ msgid "" msgstr "" #. TRANS: Line in @-reply notification e-mail. %s is conversation URL. -#: lib/mail.php:668 +#: lib/mail.php:672 #, php-format msgid "" "The full conversation can be read here:\n" @@ -7704,7 +7754,7 @@ msgstr "" #. TRANS: E-mail subject for notice notification. #. TRANS: %1$s is the sending user's long name, %2$s is the adding user's nickname. -#: lib/mail.php:676 +#: lib/mail.php:680 #, php-format msgid "%1$s (@%2$s) sent a notice to your attention" msgstr "" @@ -7715,7 +7765,7 @@ msgstr "" #. TRANS: %5$s is a URL to the full conversion if it exists (otherwise empty), #. TRANS: %6$s is a URL to reply to the notice, %7$s is a URL to all @-replied for the addressed user, #. TRANS: %8$s is a URL to the addressed user's e-mail settings, %9$s is the sender's nickname. -#: lib/mail.php:684 +#: lib/mail.php:688 #, php-format msgid "" "%1$s (@%9$s) just sent a notice to your attention (an '@-reply') on %2$s.\n" @@ -7836,7 +7886,7 @@ msgstr "" #. TRANS: Client exception thrown trying to upload a forbidden MIME type. #. TRANS: %1$s is the file type that was denied, %2$s is the application part of #. TRANS: the MIME type that was denied. -#: lib/mediafile.php:340 +#: lib/mediafile.php:345 #, php-format msgid "" "\"%1$s\" is not a supported file type on this server. Try using another %2$s " @@ -7845,7 +7895,7 @@ msgstr "" #. TRANS: Client exception thrown trying to upload a forbidden MIME type. #. TRANS: %s is the file type that was denied. -#: lib/mediafile.php:345 +#: lib/mediafile.php:350 #, php-format msgid "\"%s\" is not a supported file type on this server." msgstr "" @@ -7992,31 +8042,31 @@ msgstr "" msgid "Couldn't insert new subscription." msgstr "Kon nie e-posbevestiging verwyder nie." -#: lib/personalgroupnav.php:99 +#: lib/personalgroupnav.php:102 msgid "Personal" msgstr "Persoonlik" -#: lib/personalgroupnav.php:104 +#: lib/personalgroupnav.php:107 msgid "Replies" msgstr "Antwoorde" -#: lib/personalgroupnav.php:114 +#: lib/personalgroupnav.php:117 msgid "Favorites" msgstr "Gunstelinge" -#: lib/personalgroupnav.php:125 +#: lib/personalgroupnav.php:128 msgid "Inbox" msgstr "" -#: lib/personalgroupnav.php:126 +#: lib/personalgroupnav.php:129 msgid "Your incoming messages" msgstr "U inkomende boodskappe" -#: lib/personalgroupnav.php:130 +#: lib/personalgroupnav.php:133 msgid "Outbox" msgstr "" -#: lib/personalgroupnav.php:131 +#: lib/personalgroupnav.php:134 #, fuzzy msgid "Your sent messages" msgstr "U inkomende boodskappe" @@ -8225,6 +8275,12 @@ msgstr "" msgid "None" msgstr "Geen" +#. TRANS: Server exception displayed if a theme name was invalid. +#: lib/theme.php:74 +#, fuzzy +msgid "Invalid theme name." +msgstr "Ongeldige grootte." + #: lib/themeuploader.php:50 msgid "This server cannot handle theme uploads without ZIP support." msgstr "" @@ -8481,17 +8537,3 @@ msgid "%d entry in backup." msgid_plural "%d entries in backup." msgstr[0] "" msgstr[1] "" - -#, fuzzy -#~ msgid "Name is too long (maximum 255 chars)." -#~ msgstr "Die naam is te lank (maksimum 255 karakters)." - -#, fuzzy -#~ msgid "Organization is too long (maximum 255 chars)." -#~ msgstr "Die organisasienaam is te lang (maksimum 255 karakters)." - -#~ msgid "That's too long. Max notice size is %d chars." -#~ msgstr "Die kennisgewing is te lank. Gebruik maksimum %d karakters." - -#~ msgid " tagged %s" -#~ msgstr "met die etiket %s" diff --git a/locale/ar/LC_MESSAGES/statusnet.po b/locale/ar/LC_MESSAGES/statusnet.po index 1f34cd9dcd..890b988261 100644 --- a/locale/ar/LC_MESSAGES/statusnet.po +++ b/locale/ar/LC_MESSAGES/statusnet.po @@ -11,19 +11,19 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet - Core\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-11-02 22:51+0000\n" -"PO-Revision-Date: 2010-11-02 22:52:58+0000\n" +"POT-Creation-Date: 2010-11-04 18:25+0000\n" +"PO-Revision-Date: 2010-11-04 18:27:04+0000\n" "Language-Team: Arabic \n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r75875); Translate extension (2010-09-17)\n" +"X-Generator: MediaWiki 1.17alpha (r76004); Translate extension (2010-09-17)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: ar\n" "X-Message-Group: #out-statusnet-core\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" -"X-POT-Import-Date: 2010-10-30 23:42:01+0000\n" +"X-POT-Import-Date: 2010-11-02 23:22:49+0000\n" #. TRANS: Page title for Access admin panel that allows configuring site access. #. TRANS: Menu item for site administration @@ -88,12 +88,14 @@ msgstr "حفظ إعدادت الوصول" #. TRANS: Save button for settings for a profile in a subscriptions list. #. TRANS: Button text to save user settings in user admin panel. #. TRANS: Button label in the "Edit application" form. +#. TRANS: Button text on profile design page to save settings. #: actions/accessadminpanel.php:193 actions/emailsettings.php:228 #: actions/imsettings.php:187 actions/othersettings.php:134 #: actions/pathsadminpanel.php:512 actions/profilesettings.php:201 #: actions/sitenoticeadminpanel.php:197 actions/smssettings.php:209 #: actions/subscriptions.php:246 actions/useradminpanel.php:298 -#: lib/applicationeditform.php:355 lib/groupeditform.php:207 +#: lib/applicationeditform.php:355 lib/designsettings.php:270 +#: lib/groupeditform.php:207 msgctxt "BUTTON" msgid "Save" msgstr "احفظ" @@ -161,7 +163,7 @@ msgstr "%1$s والأصدقاء, الصفحة %2$d" #. TRANS: Timeline title for user and friends. %s is a user nickname. #: actions/all.php:94 actions/all.php:191 actions/allrss.php:115 #: actions/apitimelinefriends.php:207 actions/apitimelinehome.php:113 -#: lib/personalgroupnav.php:100 +#: lib/personalgroupnav.php:103 #, php-format msgid "%s and friends" msgstr "%s والأصدقاء" @@ -329,11 +331,13 @@ msgstr "لم يمكن حفظ الملف." #. TRANS: Client error displayed when the number of bytes in a POST request exceeds a limit. #. TRANS: %s is the number of bytes of the CONTENT_LENGTH. +#. TRANS: Form validation error in design settings form. POST should remain untranslated. #: actions/apiaccountupdateprofilebackgroundimage.php:108 #: actions/apiaccountupdateprofileimage.php:95 actions/apimediaupload.php:81 #: actions/apistatusesupdate.php:210 actions/avatarsettings.php:269 #: actions/designadminpanel.php:125 actions/editapplication.php:121 #: actions/newapplication.php:104 actions/newnotice.php:95 +#: lib/designsettings.php:298 #, php-format msgid "" "The server was unable to handle that much POST data (%s byte) due to its " @@ -761,7 +765,7 @@ msgstr "لا تملك تصريحًا." #: actions/repeat.php:83 actions/smssettings.php:256 actions/subedit.php:40 #: actions/subscribe.php:86 actions/tagother.php:166 #: actions/unsubscribe.php:69 actions/userauthorization.php:52 -#: lib/designsettings.php:294 +#: lib/designsettings.php:310 msgid "There was a problem with your session token. Try again, please." msgstr "" @@ -783,12 +787,13 @@ msgstr "خطأ في قاعدة البيانات أثناء حذف مستخدم #. TRANS: Message given submitting a form with an unknown action in IM settings. #. TRANS: Client error when submitting a form with unexpected information. #. TRANS: Message given submitting a form with an unknown action in SMS settings. +#. TRANS: Unknown form validation error in design settings form. #: actions/apioauthauthorize.php:294 actions/avatarsettings.php:294 #: actions/designadminpanel.php:104 actions/editapplication.php:144 #: actions/emailsettings.php:290 actions/grouplogo.php:322 #: actions/imsettings.php:245 actions/newapplication.php:125 #: actions/oauthconnectionssettings.php:147 actions/recoverpassword.php:44 -#: actions/smssettings.php:277 lib/designsettings.php:304 +#: actions/smssettings.php:277 lib/designsettings.php:321 msgid "Unexpected form submission." msgstr "" @@ -835,7 +840,7 @@ msgstr "الحساب" #. TRANS: Label for group nickname (dt). Text hidden by default. #: actions/apioauthauthorize.php:459 actions/login.php:252 #: actions/profilesettings.php:110 actions/register.php:433 -#: actions/showgroup.php:245 actions/tagother.php:94 +#: actions/showgroup.php:240 actions/tagother.php:94 #: actions/userauthorization.php:145 lib/groupeditform.php:152 #: lib/userprofile.php:132 msgid "Nickname" @@ -1107,7 +1112,7 @@ msgstr "لا مرفق كهذا." #: actions/avatarbynickname.php:60 actions/blockedfromgroup.php:73 #: actions/editgroup.php:85 actions/groupdesignsettings.php:84 #: actions/grouplogo.php:86 actions/groupmembers.php:76 -#: actions/grouprss.php:91 actions/showgroup.php:121 +#: actions/grouprss.php:91 actions/showgroup.php:116 msgid "No nickname." msgstr "لا اسم مستعار." @@ -1124,7 +1129,7 @@ msgstr "حجم غير صالح." #. TRANS: Title for avatar upload page. #. TRANS: Label for group avatar (dt). Text hidden by default. #. TRANS: Link description in user account settings menu. -#: actions/avatarsettings.php:66 actions/showgroup.php:229 +#: actions/avatarsettings.php:66 actions/showgroup.php:224 #: lib/accountsettingsaction.php:113 msgid "Avatar" msgstr "أفتار" @@ -1297,7 +1302,7 @@ msgstr "فشل حفظ معلومات المنع." #: actions/groupunblock.php:88 actions/joingroup.php:82 #: actions/joingroup.php:93 actions/leavegroup.php:82 #: actions/leavegroup.php:93 actions/makeadmin.php:86 -#: actions/showgroup.php:139 actions/showgroup.php:148 lib/command.php:168 +#: actions/showgroup.php:134 actions/showgroup.php:143 lib/command.php:168 #: lib/command.php:380 msgid "No such group." msgstr "لا مجموعة كهذه." @@ -1656,12 +1661,14 @@ msgstr "سمة مخصصة" msgid "You can upload a custom StatusNet theme as a .ZIP archive." msgstr "" -#: actions/designadminpanel.php:512 lib/designsettings.php:101 +#. TRANS: Fieldset legend on profile design page. +#: actions/designadminpanel.php:512 lib/designsettings.php:98 msgid "Change background image" msgstr "تغيير صورة الخلفية" +#. TRANS: Label on profile design page for setting a profile page background colour. #: actions/designadminpanel.php:517 actions/designadminpanel.php:600 -#: lib/designsettings.php:178 +#: lib/designsettings.php:183 msgid "Background" msgstr "الخلفية" @@ -1673,41 +1680,49 @@ msgid "" msgstr "بإمكانك رفع صورة خلفية للموقع. أقصى حجم للملف هو %1$s." #. TRANS: Used as radio button label to add a background image. -#: actions/designadminpanel.php:553 lib/designsettings.php:139 +#: actions/designadminpanel.php:553 msgid "On" msgstr "مكّن" #. TRANS: Used as radio button label to not add a background image. -#: actions/designadminpanel.php:570 lib/designsettings.php:155 +#: actions/designadminpanel.php:570 msgid "Off" msgstr "عطّل" -#: actions/designadminpanel.php:571 lib/designsettings.php:156 +#. TRANS: Form guide for a set of radio buttons on the profile design page that will enable or disable +#. TRANS: use of the uploaded profile image. +#: actions/designadminpanel.php:571 lib/designsettings.php:159 msgid "Turn background image on or off." msgstr "مكّن صورة الخلفية أو عطّلها." -#: actions/designadminpanel.php:576 lib/designsettings.php:161 +#. TRANS: Checkbox label on profile design page that will cause the profile image to be tiled. +#: actions/designadminpanel.php:576 lib/designsettings.php:165 #, fuzzy msgid "Tile background image" msgstr "تغيير صورة الخلفية" -#: actions/designadminpanel.php:590 lib/designsettings.php:170 +#. TRANS: Fieldset legend on profile design page to change profile page colours. +#: actions/designadminpanel.php:590 lib/designsettings.php:175 msgid "Change colours" msgstr "تغيير الألوان" -#: actions/designadminpanel.php:613 lib/designsettings.php:191 +#. TRANS: Label on profile design page for setting a profile page content colour. +#: actions/designadminpanel.php:613 lib/designsettings.php:197 msgid "Content" msgstr "المحتوى" -#: actions/designadminpanel.php:626 lib/designsettings.php:204 +#. TRANS: Label on profile design page for setting a profile page sidebar colour. +#: actions/designadminpanel.php:626 lib/designsettings.php:211 msgid "Sidebar" msgstr "الشريط الجانبي" -#: actions/designadminpanel.php:639 lib/designsettings.php:217 +#. TRANS: Label on profile design page for setting a profile page text colour. +#: actions/designadminpanel.php:639 lib/designsettings.php:225 msgid "Text" msgstr "النص" -#: actions/designadminpanel.php:652 lib/designsettings.php:230 +#. TRANS: Label on profile design page for setting a profile page links colour. +#: actions/designadminpanel.php:652 lib/designsettings.php:239 msgid "Links" msgstr "وصلات" @@ -1719,15 +1734,18 @@ msgstr "متقدم" msgid "Custom CSS" msgstr "CSS مخصصة" -#: actions/designadminpanel.php:702 lib/designsettings.php:247 +#. TRANS: Button text on profile design page to immediately reset all colour settings to default. +#: actions/designadminpanel.php:702 lib/designsettings.php:257 msgid "Use defaults" msgstr "استخدم المبدئيات" -#: actions/designadminpanel.php:703 lib/designsettings.php:248 +#. TRANS: Title for button on profile design page to reset all colour settings to default. +#: actions/designadminpanel.php:703 lib/designsettings.php:259 msgid "Restore default designs" msgstr "استعد التصميمات المبدئية" -#: actions/designadminpanel.php:709 lib/designsettings.php:254 +#. TRANS: Title for button on profile design page to reset all colour settings to default without saving. +#: actions/designadminpanel.php:709 lib/designsettings.php:267 msgid "Reset back to default" msgstr "ارجع إلى المبدئي" @@ -1735,11 +1753,12 @@ msgstr "ارجع إلى المبدئي" #: actions/designadminpanel.php:711 actions/licenseadminpanel.php:319 #: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:292 #: actions/snapshotadminpanel.php:245 actions/tagother.php:154 -#: lib/applicationeditform.php:357 lib/designsettings.php:256 +#: lib/applicationeditform.php:357 msgid "Save" msgstr "أرسل" -#: actions/designadminpanel.php:712 lib/designsettings.php:257 +#. TRANS: Title for button on profile design page to save settings. +#: actions/designadminpanel.php:712 lib/designsettings.php:272 msgid "Save design" msgstr "احفظ التصميم" @@ -1878,7 +1897,7 @@ msgstr "تعذر تحديث المجموعة." #. TRANS: Server error displayed when group aliases could not be added. #. TRANS: Server exception thrown when creating group aliases failed. -#: actions/editgroup.php:288 classes/User_group.php:513 +#: actions/editgroup.php:288 classes/User_group.php:529 msgid "Could not create aliases." msgstr "تعذّر إنشاء الكنى." @@ -2157,7 +2176,7 @@ msgid "" msgstr "" #: actions/favoritesrss.php:111 actions/showfavorites.php:77 -#: lib/personalgroupnav.php:115 +#: lib/personalgroupnav.php:118 #, php-format msgid "%s's favorite notices" msgstr "إشعارات %s المُفضلة" @@ -2335,8 +2354,10 @@ msgid "" "palette of your choice." msgstr "خصّص أسلوب عرض ملفك بصورة خلفية ومخطط ألوان من اختيارك." +#. TRANS: Error message displayed if design settings could not be saved. +#. TRANS: Error message displayed if design settings could not be saved after clicking "Use defaults". #: actions/groupdesignsettings.php:266 actions/userdesignsettings.php:186 -#: lib/designsettings.php:391 lib/designsettings.php:413 +#: lib/designsettings.php:405 lib/designsettings.php:427 msgid "Couldn't update your design." msgstr "تعذّر تحديث تصميمك." @@ -3251,25 +3272,25 @@ msgstr "" msgid "Notice has no profile." msgstr "ليس للمستخدم ملف شخصي." -#: actions/oembed.php:87 actions/shownotice.php:176 +#: actions/oembed.php:83 actions/shownotice.php:172 #, php-format msgid "%1$s's status on %2$s" msgstr "حالة %1$s في يوم %2$s" #. TRANS: Error message displaying attachments. %s is a raw MIME type (eg 'image/png') -#: actions/oembed.php:159 +#: actions/oembed.php:155 #, fuzzy, php-format msgid "Content type %s not supported." msgstr "نوع المحتوى " #. TRANS: Error message displaying attachments. %s is the site's base URL. -#: actions/oembed.php:163 +#: actions/oembed.php:159 #, php-format msgid "Only %s URLs over plain HTTP please." msgstr "" #. TRANS: Client error on an API request with an unsupported data format. -#: actions/oembed.php:184 actions/oembed.php:203 lib/apiaction.php:1200 +#: actions/oembed.php:180 actions/oembed.php:199 lib/apiaction.php:1200 #: lib/apiaction.php:1227 lib/apiaction.php:1356 msgid "Not a supported data format." msgstr "ليس نسق بيانات مدعوم." @@ -3763,7 +3784,7 @@ msgstr "1-64 حرفًا إنجليزيًا أو رقمًا بدون نقاط أ #. TRANS: Field label in form for profile settings. #. TRANS: Label for full group name (dt). Text hidden by default. #: actions/profilesettings.php:117 actions/register.php:457 -#: actions/showgroup.php:257 actions/tagother.php:104 +#: actions/showgroup.php:252 actions/tagother.php:104 #: lib/groupeditform.php:157 lib/userprofile.php:150 msgid "Full name" msgstr "الاسم الكامل" @@ -3809,7 +3830,7 @@ msgstr "السيرة" #. TRANS: Field label in form for profile settings. #. TRANS: Label for group location (dt). Text hidden by default. #: actions/profilesettings.php:149 actions/register.php:485 -#: actions/showgroup.php:267 actions/tagother.php:112 +#: actions/showgroup.php:262 actions/tagother.php:112 #: actions/userauthorization.php:166 lib/groupeditform.php:180 #: lib/userprofile.php:165 msgid "Location" @@ -4366,7 +4387,7 @@ msgid "Repeated!" msgstr "مكرر!" #: actions/replies.php:126 actions/repliesrss.php:68 -#: lib/personalgroupnav.php:105 +#: lib/personalgroupnav.php:108 #, php-format msgid "Replies to %s" msgstr "الردود على %s" @@ -4502,7 +4523,7 @@ msgid "Description" msgstr "الوصف" #. TRANS: Header for group statistics on a group page (h2). -#: actions/showapplication.php:192 actions/showgroup.php:453 +#: actions/showapplication.php:192 actions/showgroup.php:448 #: lib/profileaction.php:187 msgid "Statistics" msgstr "إحصاءات" @@ -4615,96 +4636,96 @@ msgid "This is a way to share what you like." msgstr "إنها إحدى وسائل مشاركة ما تحب." #. TRANS: Page title for first group page. %s is a group name. -#: actions/showgroup.php:80 +#: actions/showgroup.php:75 #, php-format msgid "%s group" msgstr "مجموعة %s" #. TRANS: Page title for any but first group page. #. TRANS: %1$s is a group name, $2$s is a page number. -#: actions/showgroup.php:84 +#: actions/showgroup.php:79 #, php-format msgid "%1$s group, page %2$d" msgstr "مجموعة %1$s، الصفحة %2$d" #. TRANS: Group profile header (h2). Text hidden by default. -#: actions/showgroup.php:225 +#: actions/showgroup.php:220 msgid "Group profile" msgstr "ملف المجموعة الشخصي" #. TRANS: Label for group URL (dt). Text hidden by default. -#: actions/showgroup.php:275 actions/tagother.php:118 +#: actions/showgroup.php:270 actions/tagother.php:118 #: actions/userauthorization.php:175 lib/userprofile.php:178 msgid "URL" msgstr "مسار" #. TRANS: Label for group description or group note (dt). Text hidden by default. -#: actions/showgroup.php:287 actions/tagother.php:128 +#: actions/showgroup.php:282 actions/tagother.php:128 #: actions/userauthorization.php:187 lib/userprofile.php:195 msgid "Note" msgstr "ملاحظة" #. TRANS: Label for group aliases (dt). Text hidden by default. -#: actions/showgroup.php:298 lib/groupeditform.php:187 +#: actions/showgroup.php:293 lib/groupeditform.php:187 msgid "Aliases" msgstr "الكنى" #. TRANS: Group actions header (h2). Text hidden by default. -#: actions/showgroup.php:309 +#: actions/showgroup.php:304 #, fuzzy msgid "Group actions" msgstr "تصرفات المستخدم" #. TRANS: Tooltip for feed link. %s is a group nickname. -#: actions/showgroup.php:350 +#: actions/showgroup.php:345 #, php-format msgid "Notice feed for %s group (RSS 1.0)" msgstr "" #. TRANS: Tooltip for feed link. %s is a group nickname. -#: actions/showgroup.php:357 +#: actions/showgroup.php:352 #, php-format msgid "Notice feed for %s group (RSS 2.0)" msgstr "" #. TRANS: Tooltip for feed link. %s is a group nickname. -#: actions/showgroup.php:364 +#: actions/showgroup.php:359 #, php-format msgid "Notice feed for %s group (Atom)" msgstr "" #. TRANS: Tooltip for feed link. %s is a group nickname. -#: actions/showgroup.php:370 +#: actions/showgroup.php:365 #, fuzzy, php-format msgid "FOAF for %s group" msgstr "مجموعة %s" #. TRANS: Header for mini list of group members on a group page (h2). -#: actions/showgroup.php:407 +#: actions/showgroup.php:402 msgid "Members" msgstr "الأعضاء" #. TRANS: Description for mini list of group members on a group page when the group has no members. -#: actions/showgroup.php:413 lib/profileaction.php:117 +#: actions/showgroup.php:408 lib/profileaction.php:117 #: lib/profileaction.php:152 lib/profileaction.php:255 lib/section.php:95 #: lib/subscriptionlist.php:127 lib/tagcloudsection.php:71 msgid "(None)" msgstr "(لا شيء)" #. TRANS: Link to all group members from mini list of group members if group has more than n members. -#: actions/showgroup.php:422 +#: actions/showgroup.php:417 msgid "All members" msgstr "جميع الأعضاء" #. TRANS: Label for creation date in statistics on group page. -#: actions/showgroup.php:458 +#: actions/showgroup.php:453 #, fuzzy msgctxt "LABEL" msgid "Created" msgstr "أنشئت" #. TRANS: Label for member count in statistics on group page. -#: actions/showgroup.php:466 +#: actions/showgroup.php:461 #, fuzzy msgctxt "LABEL" msgid "Members" @@ -4714,7 +4735,7 @@ msgstr "الأعضاء" #. TRANS: **%s** is the group alias, %%%%site.name%%%% is the site name, #. TRANS: %%%%action.register%%%% is the URL for registration, %%%%doc.help%%%% is a URL to help. #. TRANS: This message contains Markdown links. Ensure they are formatted correctly: [Description](link). -#: actions/showgroup.php:481 +#: actions/showgroup.php:476 #, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -4732,7 +4753,7 @@ msgstr "" #. TRANS: Notice on group pages for anonymous users for StatusNet sites that accept no new registrations. #. TRANS: **%s** is the group alias, %%%%site.name%%%% is the site name, #. TRANS: This message contains Markdown links. Ensure they are formatted correctly: [Description](link). -#: actions/showgroup.php:491 +#: actions/showgroup.php:486 #, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -4745,7 +4766,7 @@ msgstr "" "(http://status.net/). يتشارك أعضاؤها رسائل قصيرة عن حياتهم واهتماماتهم. " #. TRANS: Header for list of group administrators on a group page (h2). -#: actions/showgroup.php:520 +#: actions/showgroup.php:515 msgid "Admins" msgstr "الإداريون" @@ -5511,7 +5532,7 @@ msgstr "" #. TRANS: Link description in user account settings menu. #: actions/useradminpanel.php:215 lib/accountsettingsaction.php:106 -#: lib/personalgroupnav.php:109 +#: lib/personalgroupnav.php:112 msgid "Profile" msgstr "الملف الشخصي" @@ -5668,11 +5689,13 @@ msgstr "" msgid "Wrong image type for avatar URL ‘%s’." msgstr "" -#: actions/userdesignsettings.php:76 lib/designsettings.php:65 +#. TRANS: Page title for profile design page. +#: actions/userdesignsettings.php:76 lib/designsettings.php:63 msgid "Profile design" msgstr "تصميم الملف الشخصي" -#: actions/userdesignsettings.php:87 lib/designsettings.php:76 +#. TRANS: Instructions for profile design page. +#: actions/userdesignsettings.php:87 lib/designsettings.php:74 msgid "" "Customize the way your profile looks with a background image and a colour " "palette of your choice." @@ -5792,29 +5815,50 @@ msgstr "" #. TRANS: Message given if an upload is larger than the configured maximum. #. TRANS: %1$d is the byte limit for uploads, %2$d is the byte count for the uploaded file. -#: classes/File.php:189 +#. TRANS: %1$s is used for plural. +#: classes/File.php:190 #, php-format msgid "" +"No file may be larger than %1$d byte and the file you sent was %2$d bytes. " +"Try to upload a smaller version." +msgid_plural "" "No file may be larger than %1$d bytes and the file you sent was %2$d bytes. " "Try to upload a smaller version." -msgstr "" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" +msgstr[3] "" +msgstr[4] "" +msgstr[5] "" #. TRANS: Message given if an upload would exceed user quota. -#. TRANS: %d (number) is the user quota in bytes. -#: classes/File.php:201 +#. TRANS: %d (number) is the user quota in bytes and is used for plural. +#: classes/File.php:203 #, php-format -msgid "A file this large would exceed your user quota of %d bytes." -msgstr "" +msgid "A file this large would exceed your user quota of %d byte." +msgid_plural "A file this large would exceed your user quota of %d bytes." +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" +msgstr[3] "" +msgstr[4] "" +msgstr[5] "" #. TRANS: Message given id an upload would exceed a user's monthly quota. -#. TRANS: $d (number) is the monthly user quota in bytes. -#: classes/File.php:210 +#. TRANS: $d (number) is the monthly user quota in bytes and is used for plural. +#: classes/File.php:215 #, php-format -msgid "A file this large would exceed your monthly quota of %d bytes." -msgstr "" +msgid "A file this large would exceed your monthly quota of %d byte." +msgid_plural "A file this large would exceed your monthly quota of %d bytes." +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" +msgstr[3] "" +msgstr[4] "" +msgstr[5] "" #. TRANS: Client exception thrown if a file upload does not have a valid name. -#: classes/File.php:247 classes/File.php:262 +#: classes/File.php:262 classes/File.php:277 #, fuzzy msgid "Invalid filename." msgstr "حجم غير صالح." @@ -5942,32 +5986,32 @@ msgid "Problem saving notice." msgstr "مشكلة أثناء حفظ الإشعار." #. TRANS: Server exception thrown when no array is provided to the method saveKnownGroups(). -#: classes/Notice.php:907 -msgid "Bad type provided to saveKnownGroups" +#: classes/Notice.php:905 +msgid "Bad type provided to saveKnownGroups." msgstr "" #. TRANS: Server exception thrown when an update for a group inbox fails. -#: classes/Notice.php:1006 +#: classes/Notice.php:1004 #, fuzzy msgid "Problem saving group inbox." msgstr "مشكلة أثناء حفظ الإشعار." #. TRANS: Server exception thrown when a reply cannot be saved. #. TRANS: %1$d is a notice ID, %2$d is the ID of the mentioned user. -#: classes/Notice.php:1120 +#: classes/Notice.php:1118 #, fuzzy, php-format msgid "Could not save reply for %1$d, %2$d." msgstr "تعذر تحديث المجموعة المحلية." #. TRANS: Message used to repeat a notice. RT is the abbreviation of 'retweet'. #. TRANS: %1$s is the repeated user's name, %2$s is the repeated notice. -#: classes/Notice.php:1822 +#: classes/Notice.php:1820 #, php-format msgid "RT @%1$s %2$s" msgstr "آر تي @%1$s %2$s" #. TRANS: Full name of a profile or group followed by nickname in parens -#: classes/Profile.php:164 +#: classes/Profile.php:164 classes/User_group.php:247 #, fuzzy, php-format msgctxt "FANCYNAME" msgid "%1$s (%2$s)" @@ -6064,22 +6108,22 @@ msgid "Single-user mode code called when not enabled." msgstr "" #. TRANS: Server exception thrown when creating a group failed. -#: classes/User_group.php:495 +#: classes/User_group.php:511 msgid "Could not create group." msgstr "تعذّر إنشاء المجموعة." #. TRANS: Server exception thrown when updating a group URI failed. -#: classes/User_group.php:505 +#: classes/User_group.php:521 msgid "Could not set group URI." msgstr "تعذّر إنشاء المجموعة." #. TRANS: Server exception thrown when setting group membership failed. -#: classes/User_group.php:528 +#: classes/User_group.php:544 msgid "Could not set group membership." msgstr "تعذّر ضبط عضوية المجموعة." #. TRANS: Server exception thrown when saving local group information failed. -#: classes/User_group.php:543 +#: classes/User_group.php:559 msgid "Could not save local group info." msgstr "تعذر تحديث المجموعة المحلية." @@ -6489,7 +6533,7 @@ msgid "User configuration" msgstr "ضبط المستخدم" #. TRANS: Menu item for site administration -#: lib/adminpanelaction.php:355 lib/personalgroupnav.php:115 +#: lib/adminpanelaction.php:355 lib/personalgroupnav.php:118 msgid "User" msgstr "المستخدم" @@ -7227,23 +7271,41 @@ msgstr "تطبيقات OAuth" msgid "Database error" msgstr "خطأ قاعدة بيانات" -#: lib/designsettings.php:105 +#. TRANS: Label in form on profile design page. +#. TRANS: Field contains file name on user's computer that could be that user's custom profile background image. +#: lib/designsettings.php:104 msgid "Upload file" msgstr "ارفع ملفًا" +#. TRANS: Instructions for form on profile design page. #: lib/designsettings.php:109 msgid "" "You can upload your personal background image. The maximum file size is 2MB." msgstr "تستطيع رفع صورتك الشخصية. أقصى حجم للملف هو 2 م.ب." -#: 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 "" +#. TRANS: Radio button on profile design page that will enable use of the uploaded profile image. +#: lib/designsettings.php:139 +#, fuzzy +msgctxt "RADIO" +msgid "On" +msgstr "مكّن" -#: lib/designsettings.php:418 +#. TRANS: Radio button on profile design page that will disable use of the uploaded profile image. +#: lib/designsettings.php:156 +#, fuzzy +msgctxt "RADIO" +msgid "Off" +msgstr "عطّل" + +#. TRANS: Button text on profile design page to reset all colour settings to default without saving. +#: lib/designsettings.php:264 +#, fuzzy +msgctxt "BUTTON" +msgid "Reset" +msgstr "أعد الضبط" + +#. TRANS: Success message displayed if design settings were saved after clicking "Use defaults". +#: lib/designsettings.php:433 msgid "Design defaults restored." msgstr "استعيدت مبدئيات التصميم." @@ -7727,7 +7789,7 @@ msgstr "" #. TRANS: Subject for favorite notification e-mail. #. TRANS: %1$s is the adding user's long name, %2$s is the adding user's nickname. -#: lib/mail.php:603 +#: lib/mail.php:607 #, fuzzy, php-format msgid "%1$s (@%2$s) added your notice as a favorite" msgstr "لقد أضاف %s (@%s) إشعارك إلى مفضلاته" @@ -7737,7 +7799,7 @@ msgstr "لقد أضاف %s (@%s) إشعارك إلى مفضلاته" #. TRANS: %3$s is a URL to the faved notice, %4$s is the faved notice text, #. TRANS: %5$s is a URL to all faves of the adding user, %6$s is the StatusNet sitename, #. TRANS: %7$s is the adding user's nickname. -#: lib/mail.php:610 +#: lib/mail.php:614 #, php-format msgid "" "%1$s (@%7$s) just added your notice from %2$s as one of their favorites.\n" @@ -7759,7 +7821,7 @@ msgid "" msgstr "" #. TRANS: Line in @-reply notification e-mail. %s is conversation URL. -#: lib/mail.php:668 +#: lib/mail.php:672 #, php-format msgid "" "The full conversation can be read here:\n" @@ -7769,7 +7831,7 @@ msgstr "" #. TRANS: E-mail subject for notice notification. #. TRANS: %1$s is the sending user's long name, %2$s is the adding user's nickname. -#: lib/mail.php:676 +#: lib/mail.php:680 #, fuzzy, php-format msgid "%1$s (@%2$s) sent a notice to your attention" msgstr "لقد أرسل %s (@%s) إشعارًا إليك" @@ -7780,7 +7842,7 @@ msgstr "لقد أرسل %s (@%s) إشعارًا إليك" #. TRANS: %5$s is a URL to the full conversion if it exists (otherwise empty), #. TRANS: %6$s is a URL to reply to the notice, %7$s is a URL to all @-replied for the addressed user, #. TRANS: %8$s is a URL to the addressed user's e-mail settings, %9$s is the sender's nickname. -#: lib/mail.php:684 +#: lib/mail.php:688 #, php-format msgid "" "%1$s (@%9$s) just sent a notice to your attention (an '@-reply') on %2$s.\n" @@ -7902,7 +7964,7 @@ msgstr "لم يمكن تحديد نوع MIME للملف." #. TRANS: Client exception thrown trying to upload a forbidden MIME type. #. TRANS: %1$s is the file type that was denied, %2$s is the application part of #. TRANS: the MIME type that was denied. -#: lib/mediafile.php:340 +#: lib/mediafile.php:345 #, php-format msgid "" "\"%1$s\" is not a supported file type on this server. Try using another %2$s " @@ -7911,7 +7973,7 @@ msgstr "" #. TRANS: Client exception thrown trying to upload a forbidden MIME type. #. TRANS: %s is the file type that was denied. -#: lib/mediafile.php:345 +#: lib/mediafile.php:350 #, php-format msgid "\"%s\" is not a supported file type on this server." msgstr "" @@ -8051,31 +8113,31 @@ msgstr "" msgid "Couldn't insert new subscription." msgstr "تعذّر إدراج اشتراك جديد." -#: lib/personalgroupnav.php:99 +#: lib/personalgroupnav.php:102 msgid "Personal" msgstr "شخصية" -#: lib/personalgroupnav.php:104 +#: lib/personalgroupnav.php:107 msgid "Replies" msgstr "الردود" -#: lib/personalgroupnav.php:114 +#: lib/personalgroupnav.php:117 msgid "Favorites" msgstr "المفضلات" -#: lib/personalgroupnav.php:125 +#: lib/personalgroupnav.php:128 msgid "Inbox" msgstr "صندوق الوارد" -#: lib/personalgroupnav.php:126 +#: lib/personalgroupnav.php:129 msgid "Your incoming messages" msgstr "رسائلك الواردة" -#: lib/personalgroupnav.php:130 +#: lib/personalgroupnav.php:133 msgid "Outbox" msgstr "صندوق الصادر" -#: lib/personalgroupnav.php:131 +#: lib/personalgroupnav.php:134 msgid "Your sent messages" msgstr "رسائلك المُرسلة" @@ -8273,6 +8335,12 @@ msgstr "" msgid "None" msgstr "لا شيء" +#. TRANS: Server exception displayed if a theme name was invalid. +#: lib/theme.php:74 +#, fuzzy +msgid "Invalid theme name." +msgstr "حجم غير صالح." + #: lib/themeuploader.php:50 msgid "This server cannot handle theme uploads without ZIP support." msgstr "" @@ -8548,18 +8616,3 @@ msgstr[2] "" msgstr[3] "" msgstr[4] "" msgstr[5] "" - -#, fuzzy -#~ msgid "Name is too long (maximum 255 chars)." -#~ msgstr "الاسم طويل جدا (الأقصى 255 حرفا)." - -#, fuzzy -#~ msgid "Organization is too long (maximum 255 chars)." -#~ msgstr "المنظمة طويلة جدا (الأقصى 255 حرفا)." - -#~ msgid "That's too long. Max notice size is %d chars." -#~ msgstr "هذه طويلة جدًا. أطول حجم للإشعار %d حرفًا." - -#, fuzzy -#~ msgid " tagged %s" -#~ msgstr "الإشعارات الموسومة ب%s" diff --git a/locale/arz/LC_MESSAGES/statusnet.po b/locale/arz/LC_MESSAGES/statusnet.po index 1121420906..180c5aded3 100644 --- a/locale/arz/LC_MESSAGES/statusnet.po +++ b/locale/arz/LC_MESSAGES/statusnet.po @@ -11,19 +11,19 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet - Core\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-11-02 22:51+0000\n" -"PO-Revision-Date: 2010-11-02 22:52:59+0000\n" +"POT-Creation-Date: 2010-11-04 18:25+0000\n" +"PO-Revision-Date: 2010-11-04 18:27:05+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 (r75875); Translate extension (2010-09-17)\n" +"X-Generator: MediaWiki 1.17alpha (r76004); Translate extension (2010-09-17)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: arz\n" "X-Message-Group: #out-statusnet-core\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" -"X-POT-Import-Date: 2010-10-30 23:42:01+0000\n" +"X-POT-Import-Date: 2010-11-02 23:22:49+0000\n" #. TRANS: Page title for Access admin panel that allows configuring site access. #. TRANS: Menu item for site administration @@ -91,12 +91,14 @@ msgstr "اذف إعدادت الموقع" #. TRANS: Save button for settings for a profile in a subscriptions list. #. TRANS: Button text to save user settings in user admin panel. #. TRANS: Button label in the "Edit application" form. +#. TRANS: Button text on profile design page to save settings. #: actions/accessadminpanel.php:193 actions/emailsettings.php:228 #: actions/imsettings.php:187 actions/othersettings.php:134 #: actions/pathsadminpanel.php:512 actions/profilesettings.php:201 #: actions/sitenoticeadminpanel.php:197 actions/smssettings.php:209 #: actions/subscriptions.php:246 actions/useradminpanel.php:298 -#: lib/applicationeditform.php:355 lib/groupeditform.php:207 +#: lib/applicationeditform.php:355 lib/designsettings.php:270 +#: lib/groupeditform.php:207 #, fuzzy msgctxt "BUTTON" msgid "Save" @@ -165,7 +167,7 @@ msgstr "%1$s و الصحاب, صفحه %2$d" #. TRANS: Timeline title for user and friends. %s is a user nickname. #: actions/all.php:94 actions/all.php:191 actions/allrss.php:115 #: actions/apitimelinefriends.php:207 actions/apitimelinehome.php:113 -#: lib/personalgroupnav.php:100 +#: lib/personalgroupnav.php:103 #, php-format msgid "%s and friends" msgstr "%s والأصدقاء" @@ -333,11 +335,13 @@ msgstr "لم يمكن حفظ الملف." #. TRANS: Client error displayed when the number of bytes in a POST request exceeds a limit. #. TRANS: %s is the number of bytes of the CONTENT_LENGTH. +#. TRANS: Form validation error in design settings form. POST should remain untranslated. #: actions/apiaccountupdateprofilebackgroundimage.php:108 #: actions/apiaccountupdateprofileimage.php:95 actions/apimediaupload.php:81 #: actions/apistatusesupdate.php:210 actions/avatarsettings.php:269 #: actions/designadminpanel.php:125 actions/editapplication.php:121 #: actions/newapplication.php:104 actions/newnotice.php:95 +#: lib/designsettings.php:298 #, php-format msgid "" "The server was unable to handle that much POST data (%s byte) due to its " @@ -766,7 +770,7 @@ msgstr "لا تملك تصريحًا." #: actions/repeat.php:83 actions/smssettings.php:256 actions/subedit.php:40 #: actions/subscribe.php:86 actions/tagother.php:166 #: actions/unsubscribe.php:69 actions/userauthorization.php:52 -#: lib/designsettings.php:294 +#: lib/designsettings.php:310 msgid "There was a problem with your session token. Try again, please." msgstr "" @@ -788,12 +792,13 @@ msgstr "خطأ قاعده البيانات أثناء إدخال المستخد #. TRANS: Message given submitting a form with an unknown action in IM settings. #. TRANS: Client error when submitting a form with unexpected information. #. TRANS: Message given submitting a form with an unknown action in SMS settings. +#. TRANS: Unknown form validation error in design settings form. #: actions/apioauthauthorize.php:294 actions/avatarsettings.php:294 #: actions/designadminpanel.php:104 actions/editapplication.php:144 #: actions/emailsettings.php:290 actions/grouplogo.php:322 #: actions/imsettings.php:245 actions/newapplication.php:125 #: actions/oauthconnectionssettings.php:147 actions/recoverpassword.php:44 -#: actions/smssettings.php:277 lib/designsettings.php:304 +#: actions/smssettings.php:277 lib/designsettings.php:321 msgid "Unexpected form submission." msgstr "" @@ -840,7 +845,7 @@ msgstr "الحساب" #. TRANS: Label for group nickname (dt). Text hidden by default. #: actions/apioauthauthorize.php:459 actions/login.php:252 #: actions/profilesettings.php:110 actions/register.php:433 -#: actions/showgroup.php:245 actions/tagother.php:94 +#: actions/showgroup.php:240 actions/tagother.php:94 #: actions/userauthorization.php:145 lib/groupeditform.php:152 #: lib/userprofile.php:132 msgid "Nickname" @@ -1115,7 +1120,7 @@ msgstr "لا مرفق كهذا." #: actions/avatarbynickname.php:60 actions/blockedfromgroup.php:73 #: actions/editgroup.php:85 actions/groupdesignsettings.php:84 #: actions/grouplogo.php:86 actions/groupmembers.php:76 -#: actions/grouprss.php:91 actions/showgroup.php:121 +#: actions/grouprss.php:91 actions/showgroup.php:116 msgid "No nickname." msgstr "لا اسم مستعار." @@ -1132,7 +1137,7 @@ msgstr "حجم غير صالح." #. TRANS: Title for avatar upload page. #. TRANS: Label for group avatar (dt). Text hidden by default. #. TRANS: Link description in user account settings menu. -#: actions/avatarsettings.php:66 actions/showgroup.php:229 +#: actions/avatarsettings.php:66 actions/showgroup.php:224 #: lib/accountsettingsaction.php:113 msgid "Avatar" msgstr "أفتار" @@ -1307,7 +1312,7 @@ msgstr "فشل حفظ معلومات المنع." #: actions/groupunblock.php:88 actions/joingroup.php:82 #: actions/joingroup.php:93 actions/leavegroup.php:82 #: actions/leavegroup.php:93 actions/makeadmin.php:86 -#: actions/showgroup.php:139 actions/showgroup.php:148 lib/command.php:168 +#: actions/showgroup.php:134 actions/showgroup.php:143 lib/command.php:168 #: lib/command.php:380 msgid "No such group." msgstr "لا مجموعه كهذه." @@ -1670,12 +1675,14 @@ msgstr "سمه الموقع" msgid "You can upload a custom StatusNet theme as a .ZIP archive." msgstr "" -#: actions/designadminpanel.php:512 lib/designsettings.php:101 +#. TRANS: Fieldset legend on profile design page. +#: actions/designadminpanel.php:512 lib/designsettings.php:98 msgid "Change background image" msgstr "تغيير صوره الخلفية" +#. TRANS: Label on profile design page for setting a profile page background colour. #: actions/designadminpanel.php:517 actions/designadminpanel.php:600 -#: lib/designsettings.php:178 +#: lib/designsettings.php:183 msgid "Background" msgstr "الخلفية" @@ -1687,41 +1694,49 @@ msgid "" msgstr "تستطيع رفع صورتك الشخصيه. أقصى حجم للملف هو 2 م.ب." #. TRANS: Used as radio button label to add a background image. -#: actions/designadminpanel.php:553 lib/designsettings.php:139 +#: actions/designadminpanel.php:553 msgid "On" msgstr "مكّن" #. TRANS: Used as radio button label to not add a background image. -#: actions/designadminpanel.php:570 lib/designsettings.php:155 +#: actions/designadminpanel.php:570 msgid "Off" msgstr "عطّل" -#: actions/designadminpanel.php:571 lib/designsettings.php:156 +#. TRANS: Form guide for a set of radio buttons on the profile design page that will enable or disable +#. TRANS: use of the uploaded profile image. +#: actions/designadminpanel.php:571 lib/designsettings.php:159 msgid "Turn background image on or off." msgstr "مكّن صوره الخلفيه أو عطّلها." -#: actions/designadminpanel.php:576 lib/designsettings.php:161 +#. TRANS: Checkbox label on profile design page that will cause the profile image to be tiled. +#: actions/designadminpanel.php:576 lib/designsettings.php:165 #, fuzzy msgid "Tile background image" msgstr "تغيير صوره الخلفية" -#: actions/designadminpanel.php:590 lib/designsettings.php:170 +#. TRANS: Fieldset legend on profile design page to change profile page colours. +#: actions/designadminpanel.php:590 lib/designsettings.php:175 msgid "Change colours" msgstr "تغيير الألوان" -#: actions/designadminpanel.php:613 lib/designsettings.php:191 +#. TRANS: Label on profile design page for setting a profile page content colour. +#: actions/designadminpanel.php:613 lib/designsettings.php:197 msgid "Content" msgstr "المحتوى" -#: actions/designadminpanel.php:626 lib/designsettings.php:204 +#. TRANS: Label on profile design page for setting a profile page sidebar colour. +#: actions/designadminpanel.php:626 lib/designsettings.php:211 msgid "Sidebar" msgstr "الشريط الجانبي" -#: actions/designadminpanel.php:639 lib/designsettings.php:217 +#. TRANS: Label on profile design page for setting a profile page text colour. +#: actions/designadminpanel.php:639 lib/designsettings.php:225 msgid "Text" msgstr "النص" -#: actions/designadminpanel.php:652 lib/designsettings.php:230 +#. TRANS: Label on profile design page for setting a profile page links colour. +#: actions/designadminpanel.php:652 lib/designsettings.php:239 msgid "Links" msgstr "وصلات" @@ -1733,15 +1748,18 @@ msgstr "" msgid "Custom CSS" msgstr "" -#: actions/designadminpanel.php:702 lib/designsettings.php:247 +#. TRANS: Button text on profile design page to immediately reset all colour settings to default. +#: actions/designadminpanel.php:702 lib/designsettings.php:257 msgid "Use defaults" msgstr "استخدم المبدئيات" -#: actions/designadminpanel.php:703 lib/designsettings.php:248 +#. TRANS: Title for button on profile design page to reset all colour settings to default. +#: actions/designadminpanel.php:703 lib/designsettings.php:259 msgid "Restore default designs" msgstr "استعد التصميمات المبدئية" -#: actions/designadminpanel.php:709 lib/designsettings.php:254 +#. TRANS: Title for button on profile design page to reset all colour settings to default without saving. +#: actions/designadminpanel.php:709 lib/designsettings.php:267 msgid "Reset back to default" msgstr "ارجع إلى المبدئي" @@ -1749,11 +1767,12 @@ msgstr "ارجع إلى المبدئي" #: actions/designadminpanel.php:711 actions/licenseadminpanel.php:319 #: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:292 #: actions/snapshotadminpanel.php:245 actions/tagother.php:154 -#: lib/applicationeditform.php:357 lib/designsettings.php:256 +#: lib/applicationeditform.php:357 msgid "Save" msgstr "أرسل" -#: actions/designadminpanel.php:712 lib/designsettings.php:257 +#. TRANS: Title for button on profile design page to save settings. +#: actions/designadminpanel.php:712 lib/designsettings.php:272 msgid "Save design" msgstr "احفظ التصميم" @@ -1894,7 +1913,7 @@ msgstr "تعذر تحديث المجموعه." #. TRANS: Server error displayed when group aliases could not be added. #. TRANS: Server exception thrown when creating group aliases failed. -#: actions/editgroup.php:288 classes/User_group.php:513 +#: actions/editgroup.php:288 classes/User_group.php:529 msgid "Could not create aliases." msgstr "تعذّر إنشاء الكنى." @@ -2181,7 +2200,7 @@ msgid "" msgstr "" #: actions/favoritesrss.php:111 actions/showfavorites.php:77 -#: lib/personalgroupnav.php:115 +#: lib/personalgroupnav.php:118 #, php-format msgid "%s's favorite notices" msgstr "إشعارات %s المُفضلة" @@ -2362,8 +2381,10 @@ msgid "" "palette of your choice." msgstr "" +#. TRANS: Error message displayed if design settings could not be saved. +#. TRANS: Error message displayed if design settings could not be saved after clicking "Use defaults". #: actions/groupdesignsettings.php:266 actions/userdesignsettings.php:186 -#: lib/designsettings.php:391 lib/designsettings.php:413 +#: lib/designsettings.php:405 lib/designsettings.php:427 msgid "Couldn't update your design." msgstr "تعذّر تحديث تصميمك." @@ -3279,25 +3300,25 @@ msgstr "" msgid "Notice has no profile." msgstr "ليس للمستخدم ملف شخصى." -#: actions/oembed.php:87 actions/shownotice.php:176 +#: actions/oembed.php:83 actions/shownotice.php:172 #, fuzzy, php-format msgid "%1$s's status on %2$s" msgstr "%1$s ساب جروپ %2$s" #. TRANS: Error message displaying attachments. %s is a raw MIME type (eg 'image/png') -#: actions/oembed.php:159 +#: actions/oembed.php:155 #, fuzzy, php-format msgid "Content type %s not supported." msgstr "نوع المحتوى " #. TRANS: Error message displaying attachments. %s is the site's base URL. -#: actions/oembed.php:163 +#: actions/oembed.php:159 #, php-format msgid "Only %s URLs over plain HTTP please." msgstr "" #. TRANS: Client error on an API request with an unsupported data format. -#: actions/oembed.php:184 actions/oembed.php:203 lib/apiaction.php:1200 +#: actions/oembed.php:180 actions/oembed.php:199 lib/apiaction.php:1200 #: lib/apiaction.php:1227 lib/apiaction.php:1356 msgid "Not a supported data format." msgstr " مش نظام بيانات مدعوم." @@ -3789,7 +3810,7 @@ msgstr "" #. TRANS: Field label in form for profile settings. #. TRANS: Label for full group name (dt). Text hidden by default. #: actions/profilesettings.php:117 actions/register.php:457 -#: actions/showgroup.php:257 actions/tagother.php:104 +#: actions/showgroup.php:252 actions/tagother.php:104 #: lib/groupeditform.php:157 lib/userprofile.php:150 msgid "Full name" msgstr "الاسم الكامل" @@ -3834,7 +3855,7 @@ msgstr "السيرة" #. TRANS: Field label in form for profile settings. #. TRANS: Label for group location (dt). Text hidden by default. #: actions/profilesettings.php:149 actions/register.php:485 -#: actions/showgroup.php:267 actions/tagother.php:112 +#: actions/showgroup.php:262 actions/tagother.php:112 #: actions/userauthorization.php:166 lib/groupeditform.php:180 #: lib/userprofile.php:165 msgid "Location" @@ -4391,7 +4412,7 @@ msgid "Repeated!" msgstr "مكرر!" #: actions/replies.php:126 actions/repliesrss.php:68 -#: lib/personalgroupnav.php:105 +#: lib/personalgroupnav.php:108 #, php-format msgid "Replies to %s" msgstr "الردود على %s" @@ -4528,7 +4549,7 @@ msgid "Description" msgstr "الوصف" #. TRANS: Header for group statistics on a group page (h2). -#: actions/showapplication.php:192 actions/showgroup.php:453 +#: actions/showapplication.php:192 actions/showgroup.php:448 #: lib/profileaction.php:187 msgid "Statistics" msgstr "إحصاءات" @@ -4643,96 +4664,96 @@ msgid "This is a way to share what you like." msgstr "إنها إحدى وسائل مشاركه ما تحب." #. TRANS: Page title for first group page. %s is a group name. -#: actions/showgroup.php:80 +#: actions/showgroup.php:75 #, php-format msgid "%s group" msgstr "مجموعه %s" #. TRANS: Page title for any but first group page. #. TRANS: %1$s is a group name, $2$s is a page number. -#: actions/showgroup.php:84 +#: actions/showgroup.php:79 #, php-format msgid "%1$s group, page %2$d" msgstr "%1$s اعضاء الجروپ, صفحه %2$d" #. TRANS: Group profile header (h2). Text hidden by default. -#: actions/showgroup.php:225 +#: actions/showgroup.php:220 msgid "Group profile" msgstr "ملف المجموعه الشخصي" #. TRANS: Label for group URL (dt). Text hidden by default. -#: actions/showgroup.php:275 actions/tagother.php:118 +#: actions/showgroup.php:270 actions/tagother.php:118 #: actions/userauthorization.php:175 lib/userprofile.php:178 msgid "URL" msgstr "مسار" #. TRANS: Label for group description or group note (dt). Text hidden by default. -#: actions/showgroup.php:287 actions/tagother.php:128 +#: actions/showgroup.php:282 actions/tagother.php:128 #: actions/userauthorization.php:187 lib/userprofile.php:195 msgid "Note" msgstr "ملاحظة" #. TRANS: Label for group aliases (dt). Text hidden by default. -#: actions/showgroup.php:298 lib/groupeditform.php:187 +#: actions/showgroup.php:293 lib/groupeditform.php:187 msgid "Aliases" msgstr "الكنى" #. TRANS: Group actions header (h2). Text hidden by default. -#: actions/showgroup.php:309 +#: actions/showgroup.php:304 #, fuzzy msgid "Group actions" msgstr "تصرفات المستخدم" #. TRANS: Tooltip for feed link. %s is a group nickname. -#: actions/showgroup.php:350 +#: actions/showgroup.php:345 #, php-format msgid "Notice feed for %s group (RSS 1.0)" msgstr "" #. TRANS: Tooltip for feed link. %s is a group nickname. -#: actions/showgroup.php:357 +#: actions/showgroup.php:352 #, php-format msgid "Notice feed for %s group (RSS 2.0)" msgstr "" #. TRANS: Tooltip for feed link. %s is a group nickname. -#: actions/showgroup.php:364 +#: actions/showgroup.php:359 #, php-format msgid "Notice feed for %s group (Atom)" msgstr "" #. TRANS: Tooltip for feed link. %s is a group nickname. -#: actions/showgroup.php:370 +#: actions/showgroup.php:365 #, fuzzy, php-format msgid "FOAF for %s group" msgstr "مجموعه %s" #. TRANS: Header for mini list of group members on a group page (h2). -#: actions/showgroup.php:407 +#: actions/showgroup.php:402 msgid "Members" msgstr "الأعضاء" #. TRANS: Description for mini list of group members on a group page when the group has no members. -#: actions/showgroup.php:413 lib/profileaction.php:117 +#: actions/showgroup.php:408 lib/profileaction.php:117 #: lib/profileaction.php:152 lib/profileaction.php:255 lib/section.php:95 #: lib/subscriptionlist.php:127 lib/tagcloudsection.php:71 msgid "(None)" msgstr "(لا شيء)" #. TRANS: Link to all group members from mini list of group members if group has more than n members. -#: actions/showgroup.php:422 +#: actions/showgroup.php:417 msgid "All members" msgstr "جميع الأعضاء" #. TRANS: Label for creation date in statistics on group page. -#: actions/showgroup.php:458 +#: actions/showgroup.php:453 #, fuzzy msgctxt "LABEL" msgid "Created" msgstr "أنشئ" #. TRANS: Label for member count in statistics on group page. -#: actions/showgroup.php:466 +#: actions/showgroup.php:461 #, fuzzy msgctxt "LABEL" msgid "Members" @@ -4742,7 +4763,7 @@ msgstr "الأعضاء" #. TRANS: **%s** is the group alias, %%%%site.name%%%% is the site name, #. TRANS: %%%%action.register%%%% is the URL for registration, %%%%doc.help%%%% is a URL to help. #. TRANS: This message contains Markdown links. Ensure they are formatted correctly: [Description](link). -#: actions/showgroup.php:481 +#: actions/showgroup.php:476 #, fuzzy, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -4759,7 +4780,7 @@ msgstr "" #. TRANS: Notice on group pages for anonymous users for StatusNet sites that accept no new registrations. #. TRANS: **%s** is the group alias, %%%%site.name%%%% is the site name, #. TRANS: This message contains Markdown links. Ensure they are formatted correctly: [Description](link). -#: actions/showgroup.php:491 +#: actions/showgroup.php:486 #, fuzzy, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -4771,7 +4792,7 @@ msgstr "" "blogging) المبنيه على البرنامج الحر [StatusNet](http://status.net/)." #. TRANS: Header for list of group administrators on a group page (h2). -#: actions/showgroup.php:520 +#: actions/showgroup.php:515 msgid "Admins" msgstr "الإداريون" @@ -5546,7 +5567,7 @@ msgstr "" #. TRANS: Link description in user account settings menu. #: actions/useradminpanel.php:215 lib/accountsettingsaction.php:106 -#: lib/personalgroupnav.php:109 +#: lib/personalgroupnav.php:112 msgid "Profile" msgstr "الملف الشخصي" @@ -5703,11 +5724,13 @@ msgstr "" msgid "Wrong image type for avatar URL ‘%s’." msgstr "" -#: actions/userdesignsettings.php:76 lib/designsettings.php:65 +#. TRANS: Page title for profile design page. +#: actions/userdesignsettings.php:76 lib/designsettings.php:63 msgid "Profile design" msgstr "تصميم الملف الشخصي" -#: actions/userdesignsettings.php:87 lib/designsettings.php:76 +#. TRANS: Instructions for profile design page. +#: actions/userdesignsettings.php:87 lib/designsettings.php:74 msgid "" "Customize the way your profile looks with a background image and a colour " "palette of your choice." @@ -5826,29 +5849,50 @@ msgstr "" #. TRANS: Message given if an upload is larger than the configured maximum. #. TRANS: %1$d is the byte limit for uploads, %2$d is the byte count for the uploaded file. -#: classes/File.php:189 +#. TRANS: %1$s is used for plural. +#: classes/File.php:190 #, php-format msgid "" +"No file may be larger than %1$d byte and the file you sent was %2$d bytes. " +"Try to upload a smaller version." +msgid_plural "" "No file may be larger than %1$d bytes and the file you sent was %2$d bytes. " "Try to upload a smaller version." -msgstr "" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" +msgstr[3] "" +msgstr[4] "" +msgstr[5] "" #. TRANS: Message given if an upload would exceed user quota. -#. TRANS: %d (number) is the user quota in bytes. -#: classes/File.php:201 +#. TRANS: %d (number) is the user quota in bytes and is used for plural. +#: classes/File.php:203 #, php-format -msgid "A file this large would exceed your user quota of %d bytes." -msgstr "" +msgid "A file this large would exceed your user quota of %d byte." +msgid_plural "A file this large would exceed your user quota of %d bytes." +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" +msgstr[3] "" +msgstr[4] "" +msgstr[5] "" #. TRANS: Message given id an upload would exceed a user's monthly quota. -#. TRANS: $d (number) is the monthly user quota in bytes. -#: classes/File.php:210 +#. TRANS: $d (number) is the monthly user quota in bytes and is used for plural. +#: classes/File.php:215 #, php-format -msgid "A file this large would exceed your monthly quota of %d bytes." -msgstr "" +msgid "A file this large would exceed your monthly quota of %d byte." +msgid_plural "A file this large would exceed your monthly quota of %d bytes." +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" +msgstr[3] "" +msgstr[4] "" +msgstr[5] "" #. TRANS: Client exception thrown if a file upload does not have a valid name. -#: classes/File.php:247 classes/File.php:262 +#: classes/File.php:262 classes/File.php:277 #, fuzzy msgid "Invalid filename." msgstr "حجم غير صالح." @@ -5977,32 +6021,32 @@ msgid "Problem saving notice." msgstr "مشكله أثناء حفظ الإشعار." #. TRANS: Server exception thrown when no array is provided to the method saveKnownGroups(). -#: classes/Notice.php:907 -msgid "Bad type provided to saveKnownGroups" +#: classes/Notice.php:905 +msgid "Bad type provided to saveKnownGroups." msgstr "" #. TRANS: Server exception thrown when an update for a group inbox fails. -#: classes/Notice.php:1006 +#: classes/Notice.php:1004 #, fuzzy msgid "Problem saving group inbox." msgstr "مشكله أثناء حفظ الإشعار." #. TRANS: Server exception thrown when a reply cannot be saved. #. TRANS: %1$d is a notice ID, %2$d is the ID of the mentioned user. -#: classes/Notice.php:1120 +#: classes/Notice.php:1118 #, fuzzy, php-format msgid "Could not save reply for %1$d, %2$d." msgstr "تعذّر حفظ الاشتراك." #. TRANS: Message used to repeat a notice. RT is the abbreviation of 'retweet'. #. TRANS: %1$s is the repeated user's name, %2$s is the repeated notice. -#: classes/Notice.php:1822 +#: classes/Notice.php:1820 #, php-format msgid "RT @%1$s %2$s" msgstr "آر تى @%1$s %2$s" #. TRANS: Full name of a profile or group followed by nickname in parens -#: classes/Profile.php:164 +#: classes/Profile.php:164 classes/User_group.php:247 #, fuzzy, php-format msgctxt "FANCYNAME" msgid "%1$s (%2$s)" @@ -6098,22 +6142,22 @@ msgid "Single-user mode code called when not enabled." msgstr "" #. TRANS: Server exception thrown when creating a group failed. -#: classes/User_group.php:495 +#: classes/User_group.php:511 msgid "Could not create group." msgstr "تعذّر إنشاء المجموعه." #. TRANS: Server exception thrown when updating a group URI failed. -#: classes/User_group.php:505 +#: classes/User_group.php:521 msgid "Could not set group URI." msgstr "تعذّر إنشاء المجموعه." #. TRANS: Server exception thrown when setting group membership failed. -#: classes/User_group.php:528 +#: classes/User_group.php:544 msgid "Could not set group membership." msgstr "تعذّر ضبط عضويه المجموعه." #. TRANS: Server exception thrown when saving local group information failed. -#: classes/User_group.php:543 +#: classes/User_group.php:559 #, fuzzy msgid "Could not save local group info." msgstr "تعذّر حفظ الاشتراك." @@ -6541,7 +6585,7 @@ msgid "User configuration" msgstr "ضبط المسارات" #. TRANS: Menu item for site administration -#: lib/adminpanelaction.php:355 lib/personalgroupnav.php:115 +#: lib/adminpanelaction.php:355 lib/personalgroupnav.php:118 msgid "User" msgstr "المستخدم" @@ -7249,23 +7293,41 @@ msgstr "OAuth applications" msgid "Database error" msgstr "خطأ قاعده بيانات" -#: lib/designsettings.php:105 +#. TRANS: Label in form on profile design page. +#. TRANS: Field contains file name on user's computer that could be that user's custom profile background image. +#: lib/designsettings.php:104 msgid "Upload file" msgstr "ارفع ملفًا" +#. TRANS: Instructions for form on profile design page. #: lib/designsettings.php:109 msgid "" "You can upload your personal background image. The maximum file size is 2MB." msgstr "تستطيع رفع صورتك الشخصيه. أقصى حجم للملف هو 2 م.ب." -#: 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 "" +#. TRANS: Radio button on profile design page that will enable use of the uploaded profile image. +#: lib/designsettings.php:139 +#, fuzzy +msgctxt "RADIO" +msgid "On" +msgstr "مكّن" -#: lib/designsettings.php:418 +#. TRANS: Radio button on profile design page that will disable use of the uploaded profile image. +#: lib/designsettings.php:156 +#, fuzzy +msgctxt "RADIO" +msgid "Off" +msgstr "عطّل" + +#. TRANS: Button text on profile design page to reset all colour settings to default without saving. +#: lib/designsettings.php:264 +#, fuzzy +msgctxt "BUTTON" +msgid "Reset" +msgstr "أعد الضبط" + +#. TRANS: Success message displayed if design settings were saved after clicking "Use defaults". +#: lib/designsettings.php:433 msgid "Design defaults restored." msgstr "استعيدت مبدئيات التصميم." @@ -7729,7 +7791,7 @@ msgstr "" #. TRANS: Subject for favorite notification e-mail. #. TRANS: %1$s is the adding user's long name, %2$s is the adding user's nickname. -#: lib/mail.php:603 +#: lib/mail.php:607 #, fuzzy, php-format msgid "%1$s (@%2$s) added your notice as a favorite" msgstr "أرسل لى بريدًا إلكرتونيًا عندما يضيف أحدهم إشعارى مفضله." @@ -7739,7 +7801,7 @@ msgstr "أرسل لى بريدًا إلكرتونيًا عندما يضيف أح #. TRANS: %3$s is a URL to the faved notice, %4$s is the faved notice text, #. TRANS: %5$s is a URL to all faves of the adding user, %6$s is the StatusNet sitename, #. TRANS: %7$s is the adding user's nickname. -#: lib/mail.php:610 +#: lib/mail.php:614 #, php-format msgid "" "%1$s (@%7$s) just added your notice from %2$s as one of their favorites.\n" @@ -7761,7 +7823,7 @@ msgid "" msgstr "" #. TRANS: Line in @-reply notification e-mail. %s is conversation URL. -#: lib/mail.php:668 +#: lib/mail.php:672 #, php-format msgid "" "The full conversation can be read here:\n" @@ -7771,7 +7833,7 @@ msgstr "" #. TRANS: E-mail subject for notice notification. #. TRANS: %1$s is the sending user's long name, %2$s is the adding user's nickname. -#: lib/mail.php:676 +#: lib/mail.php:680 #, php-format msgid "%1$s (@%2$s) sent a notice to your attention" msgstr "" @@ -7782,7 +7844,7 @@ msgstr "" #. TRANS: %5$s is a URL to the full conversion if it exists (otherwise empty), #. TRANS: %6$s is a URL to reply to the notice, %7$s is a URL to all @-replied for the addressed user, #. TRANS: %8$s is a URL to the addressed user's e-mail settings, %9$s is the sender's nickname. -#: lib/mail.php:684 +#: lib/mail.php:688 #, php-format msgid "" "%1$s (@%9$s) just sent a notice to your attention (an '@-reply') on %2$s.\n" @@ -7903,7 +7965,7 @@ msgstr "مش نافع يتحدد نوع الـMIME بتاع الفايل." #. TRANS: Client exception thrown trying to upload a forbidden MIME type. #. TRANS: %1$s is the file type that was denied, %2$s is the application part of #. TRANS: the MIME type that was denied. -#: lib/mediafile.php:340 +#: lib/mediafile.php:345 #, php-format msgid "" "\"%1$s\" is not a supported file type on this server. Try using another %2$s " @@ -7912,7 +7974,7 @@ msgstr "" #. TRANS: Client exception thrown trying to upload a forbidden MIME type. #. TRANS: %s is the file type that was denied. -#: lib/mediafile.php:345 +#: lib/mediafile.php:350 #, php-format msgid "\"%s\" is not a supported file type on this server." msgstr "" @@ -8053,31 +8115,31 @@ msgstr "" msgid "Couldn't insert new subscription." msgstr "تعذّر إدراج اشتراك جديد." -#: lib/personalgroupnav.php:99 +#: lib/personalgroupnav.php:102 msgid "Personal" msgstr "شخصية" -#: lib/personalgroupnav.php:104 +#: lib/personalgroupnav.php:107 msgid "Replies" msgstr "الردود" -#: lib/personalgroupnav.php:114 +#: lib/personalgroupnav.php:117 msgid "Favorites" msgstr "المفضلات" -#: lib/personalgroupnav.php:125 +#: lib/personalgroupnav.php:128 msgid "Inbox" msgstr "صندوق الوارد" -#: lib/personalgroupnav.php:126 +#: lib/personalgroupnav.php:129 msgid "Your incoming messages" msgstr "رسائلك الواردة" -#: lib/personalgroupnav.php:130 +#: lib/personalgroupnav.php:133 msgid "Outbox" msgstr "صندوق الصادر" -#: lib/personalgroupnav.php:131 +#: lib/personalgroupnav.php:134 msgid "Your sent messages" msgstr "رسائلك المُرسلة" @@ -8276,6 +8338,12 @@ msgstr "" msgid "None" msgstr "لا شيء" +#. TRANS: Server exception displayed if a theme name was invalid. +#: lib/theme.php:74 +#, fuzzy +msgid "Invalid theme name." +msgstr "حجم غير صالح." + #: lib/themeuploader.php:50 msgid "This server cannot handle theme uploads without ZIP support." msgstr "" @@ -8553,19 +8621,3 @@ msgstr[2] "" msgstr[3] "" msgstr[4] "" msgstr[5] "" - -#, fuzzy -#~ msgid "Name is too long (maximum 255 chars)." -#~ msgstr "الاسم طويل جدا (اكتر حاجه 255 رمز)." - -#, fuzzy -#~ msgid "Organization is too long (maximum 255 chars)." -#~ msgstr "المنظمه طويله جدا (اكتر حاجه 255 رمز)." - -#, fuzzy -#~ msgid "That's too long. Max notice size is %d chars." -#~ msgstr "هذا الملف كبير جدًا. إن أقصى حجم للملفات هو %d." - -#, fuzzy -#~ msgid " tagged %s" -#~ msgstr "الإشعارات الموسومه ب%s" diff --git a/locale/bg/LC_MESSAGES/statusnet.po b/locale/bg/LC_MESSAGES/statusnet.po index f3029d880b..bf36d818c8 100644 --- a/locale/bg/LC_MESSAGES/statusnet.po +++ b/locale/bg/LC_MESSAGES/statusnet.po @@ -10,17 +10,17 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet - Core\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-11-02 22:51+0000\n" -"PO-Revision-Date: 2010-11-02 22:53:00+0000\n" +"POT-Creation-Date: 2010-11-04 18:25+0000\n" +"PO-Revision-Date: 2010-11-04 18:27:06+0000\n" "Language-Team: Bulgarian \n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r75875); Translate extension (2010-09-17)\n" +"X-Generator: MediaWiki 1.17alpha (r76004); Translate extension (2010-09-17)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: bg\n" "X-Message-Group: #out-statusnet-core\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-POT-Import-Date: 2010-10-30 23:42:01+0000\n" +"X-POT-Import-Date: 2010-11-02 23:22:49+0000\n" #. TRANS: Page title for Access admin panel that allows configuring site access. #. TRANS: Menu item for site administration @@ -85,12 +85,14 @@ msgstr "Запазване настройките за достъп" #. TRANS: Save button for settings for a profile in a subscriptions list. #. TRANS: Button text to save user settings in user admin panel. #. TRANS: Button label in the "Edit application" form. +#. TRANS: Button text on profile design page to save settings. #: actions/accessadminpanel.php:193 actions/emailsettings.php:228 #: actions/imsettings.php:187 actions/othersettings.php:134 #: actions/pathsadminpanel.php:512 actions/profilesettings.php:201 #: actions/sitenoticeadminpanel.php:197 actions/smssettings.php:209 #: actions/subscriptions.php:246 actions/useradminpanel.php:298 -#: lib/applicationeditform.php:355 lib/groupeditform.php:207 +#: lib/applicationeditform.php:355 lib/designsettings.php:270 +#: lib/groupeditform.php:207 msgctxt "BUTTON" msgid "Save" msgstr "Запазване" @@ -158,7 +160,7 @@ msgstr "%1$s и приятели, страница %2$d" #. TRANS: Timeline title for user and friends. %s is a user nickname. #: actions/all.php:94 actions/all.php:191 actions/allrss.php:115 #: actions/apitimelinefriends.php:207 actions/apitimelinehome.php:113 -#: lib/personalgroupnav.php:100 +#: lib/personalgroupnav.php:103 #, php-format msgid "%s and friends" msgstr "%s и приятели" @@ -324,11 +326,13 @@ msgstr "Грешка при запазване на профила." #. TRANS: Client error displayed when the number of bytes in a POST request exceeds a limit. #. TRANS: %s is the number of bytes of the CONTENT_LENGTH. +#. TRANS: Form validation error in design settings form. POST should remain untranslated. #: actions/apiaccountupdateprofilebackgroundimage.php:108 #: actions/apiaccountupdateprofileimage.php:95 actions/apimediaupload.php:81 #: actions/apistatusesupdate.php:210 actions/avatarsettings.php:269 #: actions/designadminpanel.php:125 actions/editapplication.php:121 #: actions/newapplication.php:104 actions/newnotice.php:95 +#: lib/designsettings.php:298 #, php-format msgid "" "The server was unable to handle that much POST data (%s byte) due to its " @@ -744,7 +748,7 @@ msgstr "Не сте абонирани за никого." #: actions/repeat.php:83 actions/smssettings.php:256 actions/subedit.php:40 #: actions/subscribe.php:86 actions/tagother.php:166 #: actions/unsubscribe.php:69 actions/userauthorization.php:52 -#: lib/designsettings.php:294 +#: lib/designsettings.php:310 msgid "There was a problem with your session token. Try again, please." msgstr "Имаше проблем със сесията ви в сайта. Моля, опитайте отново!" @@ -766,12 +770,13 @@ msgstr "Грешка в базата от данни — отговор при #. TRANS: Message given submitting a form with an unknown action in IM settings. #. TRANS: Client error when submitting a form with unexpected information. #. TRANS: Message given submitting a form with an unknown action in SMS settings. +#. TRANS: Unknown form validation error in design settings form. #: actions/apioauthauthorize.php:294 actions/avatarsettings.php:294 #: actions/designadminpanel.php:104 actions/editapplication.php:144 #: actions/emailsettings.php:290 actions/grouplogo.php:322 #: actions/imsettings.php:245 actions/newapplication.php:125 #: actions/oauthconnectionssettings.php:147 actions/recoverpassword.php:44 -#: actions/smssettings.php:277 lib/designsettings.php:304 +#: actions/smssettings.php:277 lib/designsettings.php:321 msgid "Unexpected form submission." msgstr "Неочаквано изпращане на форма." @@ -818,7 +823,7 @@ msgstr "Сметка" #. TRANS: Label for group nickname (dt). Text hidden by default. #: actions/apioauthauthorize.php:459 actions/login.php:252 #: actions/profilesettings.php:110 actions/register.php:433 -#: actions/showgroup.php:245 actions/tagother.php:94 +#: actions/showgroup.php:240 actions/tagother.php:94 #: actions/userauthorization.php:145 lib/groupeditform.php:152 #: lib/userprofile.php:132 msgid "Nickname" @@ -1079,7 +1084,7 @@ msgstr "Няма прикачени файлове." #: actions/avatarbynickname.php:60 actions/blockedfromgroup.php:73 #: actions/editgroup.php:85 actions/groupdesignsettings.php:84 #: actions/grouplogo.php:86 actions/groupmembers.php:76 -#: actions/grouprss.php:91 actions/showgroup.php:121 +#: actions/grouprss.php:91 actions/showgroup.php:116 msgid "No nickname." msgstr "Няма псевдоним." @@ -1096,7 +1101,7 @@ msgstr "Неправилен размер." #. TRANS: Title for avatar upload page. #. TRANS: Label for group avatar (dt). Text hidden by default. #. TRANS: Link description in user account settings menu. -#: actions/avatarsettings.php:66 actions/showgroup.php:229 +#: actions/avatarsettings.php:66 actions/showgroup.php:224 #: lib/accountsettingsaction.php:113 msgid "Avatar" msgstr "Аватар" @@ -1270,7 +1275,7 @@ msgstr "Грешка при записване данните за блокир #: actions/groupunblock.php:88 actions/joingroup.php:82 #: actions/joingroup.php:93 actions/leavegroup.php:82 #: actions/leavegroup.php:93 actions/makeadmin.php:86 -#: actions/showgroup.php:139 actions/showgroup.php:148 lib/command.php:168 +#: actions/showgroup.php:134 actions/showgroup.php:143 lib/command.php:168 #: lib/command.php:380 msgid "No such group." msgstr "Няма такава група" @@ -1633,12 +1638,14 @@ msgstr "Нова бележка" msgid "You can upload a custom StatusNet theme as a .ZIP archive." msgstr "" -#: actions/designadminpanel.php:512 lib/designsettings.php:101 +#. TRANS: Fieldset legend on profile design page. +#: actions/designadminpanel.php:512 lib/designsettings.php:98 msgid "Change background image" msgstr "Смяна на изображението за фон" +#. TRANS: Label on profile design page for setting a profile page background colour. #: actions/designadminpanel.php:517 actions/designadminpanel.php:600 -#: lib/designsettings.php:178 +#: lib/designsettings.php:183 msgid "Background" msgstr "Фон" @@ -1652,42 +1659,50 @@ msgstr "" "2MB." #. TRANS: Used as radio button label to add a background image. -#: actions/designadminpanel.php:553 lib/designsettings.php:139 +#: actions/designadminpanel.php:553 msgid "On" msgstr "Вкл." #. TRANS: Used as radio button label to not add a background image. -#: actions/designadminpanel.php:570 lib/designsettings.php:155 +#: actions/designadminpanel.php:570 msgid "Off" msgstr "Изкл." -#: actions/designadminpanel.php:571 lib/designsettings.php:156 +#. TRANS: Form guide for a set of radio buttons on the profile design page that will enable or disable +#. TRANS: use of the uploaded profile image. +#: actions/designadminpanel.php:571 lib/designsettings.php:159 #, fuzzy msgid "Turn background image on or off." msgstr "Смяна на изображението за фон" -#: actions/designadminpanel.php:576 lib/designsettings.php:161 +#. TRANS: Checkbox label on profile design page that will cause the profile image to be tiled. +#: actions/designadminpanel.php:576 lib/designsettings.php:165 #, fuzzy msgid "Tile background image" msgstr "Смяна на изображението за фон" -#: actions/designadminpanel.php:590 lib/designsettings.php:170 +#. TRANS: Fieldset legend on profile design page to change profile page colours. +#: actions/designadminpanel.php:590 lib/designsettings.php:175 msgid "Change colours" msgstr "Смяна на цветовете" -#: actions/designadminpanel.php:613 lib/designsettings.php:191 +#. TRANS: Label on profile design page for setting a profile page content colour. +#: actions/designadminpanel.php:613 lib/designsettings.php:197 msgid "Content" msgstr "Съдържание" -#: actions/designadminpanel.php:626 lib/designsettings.php:204 +#. TRANS: Label on profile design page for setting a profile page sidebar colour. +#: actions/designadminpanel.php:626 lib/designsettings.php:211 msgid "Sidebar" msgstr "Страничен панел" -#: actions/designadminpanel.php:639 lib/designsettings.php:217 +#. TRANS: Label on profile design page for setting a profile page text colour. +#: actions/designadminpanel.php:639 lib/designsettings.php:225 msgid "Text" msgstr "Текст" -#: actions/designadminpanel.php:652 lib/designsettings.php:230 +#. TRANS: Label on profile design page for setting a profile page links colour. +#: actions/designadminpanel.php:652 lib/designsettings.php:239 msgid "Links" msgstr "Лиценз" @@ -1699,15 +1714,18 @@ msgstr "" msgid "Custom CSS" msgstr "" -#: actions/designadminpanel.php:702 lib/designsettings.php:247 +#. TRANS: Button text on profile design page to immediately reset all colour settings to default. +#: actions/designadminpanel.php:702 lib/designsettings.php:257 msgid "Use defaults" msgstr "" -#: actions/designadminpanel.php:703 lib/designsettings.php:248 +#. TRANS: Title for button on profile design page to reset all colour settings to default. +#: actions/designadminpanel.php:703 lib/designsettings.php:259 msgid "Restore default designs" msgstr "" -#: actions/designadminpanel.php:709 lib/designsettings.php:254 +#. TRANS: Title for button on profile design page to reset all colour settings to default without saving. +#: actions/designadminpanel.php:709 lib/designsettings.php:267 msgid "Reset back to default" msgstr "" @@ -1715,11 +1733,12 @@ msgstr "" #: actions/designadminpanel.php:711 actions/licenseadminpanel.php:319 #: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:292 #: actions/snapshotadminpanel.php:245 actions/tagother.php:154 -#: lib/applicationeditform.php:357 lib/designsettings.php:256 +#: lib/applicationeditform.php:357 msgid "Save" msgstr "Запазване" -#: actions/designadminpanel.php:712 lib/designsettings.php:257 +#. TRANS: Title for button on profile design page to save settings. +#: actions/designadminpanel.php:712 lib/designsettings.php:272 #, fuzzy msgid "Save design" msgstr "Запазване настройките на сайта" @@ -1864,7 +1883,7 @@ msgstr "Грешка при обновяване на групата." #. TRANS: Server error displayed when group aliases could not be added. #. TRANS: Server exception thrown when creating group aliases failed. -#: actions/editgroup.php:288 classes/User_group.php:513 +#: actions/editgroup.php:288 classes/User_group.php:529 #, fuzzy msgid "Could not create aliases." msgstr "Грешка при отбелязване като любима." @@ -2148,7 +2167,7 @@ msgid "" msgstr "" #: actions/favoritesrss.php:111 actions/showfavorites.php:77 -#: lib/personalgroupnav.php:115 +#: lib/personalgroupnav.php:118 #, php-format msgid "%s's favorite notices" msgstr "Любими бележки на %s" @@ -2330,8 +2349,10 @@ msgid "" "palette of your choice." msgstr "" +#. TRANS: Error message displayed if design settings could not be saved. +#. TRANS: Error message displayed if design settings could not be saved after clicking "Use defaults". #: actions/groupdesignsettings.php:266 actions/userdesignsettings.php:186 -#: lib/designsettings.php:391 lib/designsettings.php:413 +#: lib/designsettings.php:405 lib/designsettings.php:427 #, fuzzy msgid "Couldn't update your design." msgstr "Грешка при обновяване на потребителя." @@ -3282,25 +3303,25 @@ msgstr "" msgid "Notice has no profile." msgstr "Потребителят няма профил." -#: actions/oembed.php:87 actions/shownotice.php:176 +#: actions/oembed.php:83 actions/shownotice.php:172 #, php-format msgid "%1$s's status on %2$s" msgstr "Бележка на %1$s от %2$s" #. TRANS: Error message displaying attachments. %s is a raw MIME type (eg 'image/png') -#: actions/oembed.php:159 +#: actions/oembed.php:155 #, fuzzy, php-format msgid "Content type %s not supported." msgstr "вид съдържание " #. TRANS: Error message displaying attachments. %s is the site's base URL. -#: actions/oembed.php:163 +#: actions/oembed.php:159 #, php-format msgid "Only %s URLs over plain HTTP please." msgstr "" #. TRANS: Client error on an API request with an unsupported data format. -#: actions/oembed.php:184 actions/oembed.php:203 lib/apiaction.php:1200 +#: actions/oembed.php:180 actions/oembed.php:199 lib/apiaction.php:1200 #: lib/apiaction.php:1227 lib/apiaction.php:1356 msgid "Not a supported data format." msgstr "Неподдържан формат на данните" @@ -3793,7 +3814,7 @@ msgstr "От 1 до 64 малки букви или цифри, без пунк #. TRANS: Field label in form for profile settings. #. TRANS: Label for full group name (dt). Text hidden by default. #: actions/profilesettings.php:117 actions/register.php:457 -#: actions/showgroup.php:257 actions/tagother.php:104 +#: actions/showgroup.php:252 actions/tagother.php:104 #: lib/groupeditform.php:157 lib/userprofile.php:150 msgid "Full name" msgstr "Пълно име" @@ -3835,7 +3856,7 @@ msgstr "За мен" #. TRANS: Field label in form for profile settings. #. TRANS: Label for group location (dt). Text hidden by default. #: actions/profilesettings.php:149 actions/register.php:485 -#: actions/showgroup.php:267 actions/tagother.php:112 +#: actions/showgroup.php:262 actions/tagother.php:112 #: actions/userauthorization.php:166 lib/groupeditform.php:180 #: lib/userprofile.php:165 msgid "Location" @@ -4407,7 +4428,7 @@ msgid "Repeated!" msgstr "Повторено!" #: actions/replies.php:126 actions/repliesrss.php:68 -#: lib/personalgroupnav.php:105 +#: lib/personalgroupnav.php:108 #, php-format msgid "Replies to %s" msgstr "Отговори на %s" @@ -4541,7 +4562,7 @@ msgid "Description" msgstr "Описание" #. TRANS: Header for group statistics on a group page (h2). -#: actions/showapplication.php:192 actions/showgroup.php:453 +#: actions/showapplication.php:192 actions/showgroup.php:448 #: lib/profileaction.php:187 msgid "Statistics" msgstr "Статистики" @@ -4651,96 +4672,96 @@ msgid "This is a way to share what you like." msgstr "Така можете да споделите какво харесвате." #. TRANS: Page title for first group page. %s is a group name. -#: actions/showgroup.php:80 +#: actions/showgroup.php:75 #, php-format msgid "%s group" msgstr "Група %s" #. TRANS: Page title for any but first group page. #. TRANS: %1$s is a group name, $2$s is a page number. -#: actions/showgroup.php:84 +#: actions/showgroup.php:79 #, php-format msgid "%1$s group, page %2$d" msgstr "%1$s, страница %2$d" #. TRANS: Group profile header (h2). Text hidden by default. -#: actions/showgroup.php:225 +#: actions/showgroup.php:220 msgid "Group profile" msgstr "Профил на групата" #. TRANS: Label for group URL (dt). Text hidden by default. -#: actions/showgroup.php:275 actions/tagother.php:118 +#: actions/showgroup.php:270 actions/tagother.php:118 #: actions/userauthorization.php:175 lib/userprofile.php:178 msgid "URL" msgstr "URL" #. TRANS: Label for group description or group note (dt). Text hidden by default. -#: actions/showgroup.php:287 actions/tagother.php:128 +#: actions/showgroup.php:282 actions/tagother.php:128 #: actions/userauthorization.php:187 lib/userprofile.php:195 msgid "Note" msgstr "Бележка" #. TRANS: Label for group aliases (dt). Text hidden by default. -#: actions/showgroup.php:298 lib/groupeditform.php:187 +#: actions/showgroup.php:293 lib/groupeditform.php:187 msgid "Aliases" msgstr "Псевдоними" #. TRANS: Group actions header (h2). Text hidden by default. -#: actions/showgroup.php:309 +#: actions/showgroup.php:304 #, fuzzy msgid "Group actions" msgstr "Потребителски действия" #. TRANS: Tooltip for feed link. %s is a group nickname. -#: actions/showgroup.php:350 +#: actions/showgroup.php:345 #, php-format msgid "Notice feed for %s group (RSS 1.0)" msgstr "Емисия с бележки на %s (RSS 1.0)" #. TRANS: Tooltip for feed link. %s is a group nickname. -#: actions/showgroup.php:357 +#: actions/showgroup.php:352 #, php-format msgid "Notice feed for %s group (RSS 2.0)" msgstr "Емисия с бележки на %s (RSS 2.0)" #. TRANS: Tooltip for feed link. %s is a group nickname. -#: actions/showgroup.php:364 +#: actions/showgroup.php:359 #, php-format msgid "Notice feed for %s group (Atom)" msgstr "Емисия с бележки на %s (Atom)" #. TRANS: Tooltip for feed link. %s is a group nickname. -#: actions/showgroup.php:370 +#: actions/showgroup.php:365 #, php-format msgid "FOAF for %s group" msgstr "Изходяща кутия за %s" #. TRANS: Header for mini list of group members on a group page (h2). -#: actions/showgroup.php:407 +#: actions/showgroup.php:402 msgid "Members" msgstr "Членове" #. TRANS: Description for mini list of group members on a group page when the group has no members. -#: actions/showgroup.php:413 lib/profileaction.php:117 +#: actions/showgroup.php:408 lib/profileaction.php:117 #: lib/profileaction.php:152 lib/profileaction.php:255 lib/section.php:95 #: lib/subscriptionlist.php:127 lib/tagcloudsection.php:71 msgid "(None)" msgstr "(Без)" #. TRANS: Link to all group members from mini list of group members if group has more than n members. -#: actions/showgroup.php:422 +#: actions/showgroup.php:417 msgid "All members" msgstr "Всички членове" #. TRANS: Label for creation date in statistics on group page. -#: actions/showgroup.php:458 +#: actions/showgroup.php:453 #, fuzzy msgctxt "LABEL" msgid "Created" msgstr "Създадена на" #. TRANS: Label for member count in statistics on group page. -#: actions/showgroup.php:466 +#: actions/showgroup.php:461 #, fuzzy msgctxt "LABEL" msgid "Members" @@ -4750,7 +4771,7 @@ msgstr "Членове" #. TRANS: **%s** is the group alias, %%%%site.name%%%% is the site name, #. TRANS: %%%%action.register%%%% is the URL for registration, %%%%doc.help%%%% is a URL to help. #. TRANS: This message contains Markdown links. Ensure they are formatted correctly: [Description](link). -#: actions/showgroup.php:481 +#: actions/showgroup.php:476 #, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -4763,7 +4784,7 @@ msgstr "" #. TRANS: Notice on group pages for anonymous users for StatusNet sites that accept no new registrations. #. TRANS: **%s** is the group alias, %%%%site.name%%%% is the site name, #. TRANS: This message contains Markdown links. Ensure they are formatted correctly: [Description](link). -#: actions/showgroup.php:491 +#: actions/showgroup.php:486 #, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -4773,7 +4794,7 @@ msgid "" msgstr "" #. TRANS: Header for list of group administrators on a group page (h2). -#: actions/showgroup.php:520 +#: actions/showgroup.php:515 msgid "Admins" msgstr "Администратори" @@ -5534,7 +5555,7 @@ msgstr "" #. TRANS: Link description in user account settings menu. #: actions/useradminpanel.php:215 lib/accountsettingsaction.php:106 -#: lib/personalgroupnav.php:109 +#: lib/personalgroupnav.php:112 msgid "Profile" msgstr "Профил" @@ -5705,12 +5726,14 @@ msgstr "Грешка при четене адреса на аватара '%s'" msgid "Wrong image type for avatar URL ‘%s’." msgstr "Грешен вид изображение за '%s'" -#: actions/userdesignsettings.php:76 lib/designsettings.php:65 +#. TRANS: Page title for profile design page. +#: actions/userdesignsettings.php:76 lib/designsettings.php:63 #, fuzzy msgid "Profile design" msgstr "Настройки на профила" -#: actions/userdesignsettings.php:87 lib/designsettings.php:76 +#. TRANS: Instructions for profile design page. +#: actions/userdesignsettings.php:87 lib/designsettings.php:74 msgid "" "Customize the way your profile looks with a background image and a colour " "palette of your choice." @@ -5828,29 +5851,38 @@ msgstr "" #. TRANS: Message given if an upload is larger than the configured maximum. #. TRANS: %1$d is the byte limit for uploads, %2$d is the byte count for the uploaded file. -#: classes/File.php:189 +#. TRANS: %1$s is used for plural. +#: classes/File.php:190 #, php-format msgid "" +"No file may be larger than %1$d byte and the file you sent was %2$d bytes. " +"Try to upload a smaller version." +msgid_plural "" "No file may be larger than %1$d bytes and the file you sent was %2$d bytes. " "Try to upload a smaller version." -msgstr "" +msgstr[0] "" +msgstr[1] "" #. TRANS: Message given if an upload would exceed user quota. -#. TRANS: %d (number) is the user quota in bytes. -#: classes/File.php:201 +#. TRANS: %d (number) is the user quota in bytes and is used for plural. +#: classes/File.php:203 #, php-format -msgid "A file this large would exceed your user quota of %d bytes." -msgstr "" +msgid "A file this large would exceed your user quota of %d byte." +msgid_plural "A file this large would exceed your user quota of %d bytes." +msgstr[0] "" +msgstr[1] "" #. TRANS: Message given id an upload would exceed a user's monthly quota. -#. TRANS: $d (number) is the monthly user quota in bytes. -#: classes/File.php:210 +#. TRANS: $d (number) is the monthly user quota in bytes and is used for plural. +#: classes/File.php:215 #, php-format -msgid "A file this large would exceed your monthly quota of %d bytes." -msgstr "" +msgid "A file this large would exceed your monthly quota of %d byte." +msgid_plural "A file this large would exceed your monthly quota of %d bytes." +msgstr[0] "" +msgstr[1] "" #. TRANS: Client exception thrown if a file upload does not have a valid name. -#: classes/File.php:247 classes/File.php:262 +#: classes/File.php:262 classes/File.php:277 #, fuzzy msgid "Invalid filename." msgstr "Неправилен размер." @@ -5987,32 +6019,32 @@ msgid "Problem saving notice." msgstr "Проблем при записване на бележката." #. TRANS: Server exception thrown when no array is provided to the method saveKnownGroups(). -#: classes/Notice.php:907 -msgid "Bad type provided to saveKnownGroups" +#: classes/Notice.php:905 +msgid "Bad type provided to saveKnownGroups." msgstr "" #. TRANS: Server exception thrown when an update for a group inbox fails. -#: classes/Notice.php:1006 +#: classes/Notice.php:1004 #, fuzzy msgid "Problem saving group inbox." msgstr "Проблем при записване на бележката." #. TRANS: Server exception thrown when a reply cannot be saved. #. TRANS: %1$d is a notice ID, %2$d is the ID of the mentioned user. -#: classes/Notice.php:1120 +#: classes/Notice.php:1118 #, fuzzy, php-format msgid "Could not save reply for %1$d, %2$d." msgstr "Грешка при запазване на етикетите." #. TRANS: Message used to repeat a notice. RT is the abbreviation of 'retweet'. #. TRANS: %1$s is the repeated user's name, %2$s is the repeated notice. -#: classes/Notice.php:1822 +#: classes/Notice.php:1820 #, php-format msgid "RT @%1$s %2$s" msgstr "RT @%1$s %2$s" #. TRANS: Full name of a profile or group followed by nickname in parens -#: classes/Profile.php:164 +#: classes/Profile.php:164 classes/User_group.php:247 #, fuzzy, php-format msgctxt "FANCYNAME" msgid "%1$s (%2$s)" @@ -6111,22 +6143,22 @@ msgid "Single-user mode code called when not enabled." msgstr "" #. TRANS: Server exception thrown when creating a group failed. -#: classes/User_group.php:495 +#: classes/User_group.php:511 msgid "Could not create group." msgstr "Грешка при създаване на групата." #. TRANS: Server exception thrown when updating a group URI failed. -#: classes/User_group.php:505 +#: classes/User_group.php:521 msgid "Could not set group URI." msgstr "Грешка при създаване на групата." #. TRANS: Server exception thrown when setting group membership failed. -#: classes/User_group.php:528 +#: classes/User_group.php:544 msgid "Could not set group membership." msgstr "Грешка при създаване на групата." #. TRANS: Server exception thrown when saving local group information failed. -#: classes/User_group.php:543 +#: classes/User_group.php:559 msgid "Could not save local group info." msgstr "Грешка при запазване на етикетите." @@ -6544,7 +6576,7 @@ msgid "User configuration" msgstr "Настройка на пътищата" #. TRANS: Menu item for site administration -#: lib/adminpanelaction.php:355 lib/personalgroupnav.php:115 +#: lib/adminpanelaction.php:355 lib/personalgroupnav.php:118 msgid "User" msgstr "Потребител" @@ -7234,10 +7266,13 @@ msgstr "Изтриване на приложението" msgid "Database error" msgstr "Грешка в базата от данни" -#: lib/designsettings.php:105 +#. TRANS: Label in form on profile design page. +#. TRANS: Field contains file name on user's computer that could be that user's custom profile background image. +#: lib/designsettings.php:104 msgid "Upload file" msgstr "Качване на файл" +#. TRANS: Instructions for form on profile design page. #: lib/designsettings.php:109 msgid "" "You can upload your personal background image. The maximum file size is 2MB." @@ -7245,14 +7280,29 @@ msgstr "" "Можете да качите лично изображение за фон. Максималната големина на файла е " "2MB." -#: 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 "" +#. TRANS: Radio button on profile design page that will enable use of the uploaded profile image. +#: lib/designsettings.php:139 +#, fuzzy +msgctxt "RADIO" +msgid "On" +msgstr "Вкл." -#: lib/designsettings.php:418 +#. TRANS: Radio button on profile design page that will disable use of the uploaded profile image. +#: lib/designsettings.php:156 +#, fuzzy +msgctxt "RADIO" +msgid "Off" +msgstr "Изкл." + +#. TRANS: Button text on profile design page to reset all colour settings to default without saving. +#: lib/designsettings.php:264 +#, fuzzy +msgctxt "BUTTON" +msgid "Reset" +msgstr "Обновяване" + +#. TRANS: Success message displayed if design settings were saved after clicking "Use defaults". +#: lib/designsettings.php:433 msgid "Design defaults restored." msgstr "" @@ -7702,7 +7752,7 @@ msgstr "" #. TRANS: Subject for favorite notification e-mail. #. TRANS: %1$s is the adding user's long name, %2$s is the adding user's nickname. -#: lib/mail.php:603 +#: lib/mail.php:607 #, fuzzy, php-format msgid "%1$s (@%2$s) added your notice as a favorite" msgstr "%s (@%s) отбеляза бележката ви като любима" @@ -7712,7 +7762,7 @@ msgstr "%s (@%s) отбеляза бележката ви като любима" #. TRANS: %3$s is a URL to the faved notice, %4$s is the faved notice text, #. TRANS: %5$s is a URL to all faves of the adding user, %6$s is the StatusNet sitename, #. TRANS: %7$s is the adding user's nickname. -#: lib/mail.php:610 +#: lib/mail.php:614 #, php-format msgid "" "%1$s (@%7$s) just added your notice from %2$s as one of their favorites.\n" @@ -7734,7 +7784,7 @@ msgid "" msgstr "" #. TRANS: Line in @-reply notification e-mail. %s is conversation URL. -#: lib/mail.php:668 +#: lib/mail.php:672 #, php-format msgid "" "The full conversation can be read here:\n" @@ -7744,7 +7794,7 @@ msgstr "" #. TRANS: E-mail subject for notice notification. #. TRANS: %1$s is the sending user's long name, %2$s is the adding user's nickname. -#: lib/mail.php:676 +#: lib/mail.php:680 #, fuzzy, php-format msgid "%1$s (@%2$s) sent a notice to your attention" msgstr "%s (@%s) отбеляза бележката ви като любима" @@ -7755,7 +7805,7 @@ msgstr "%s (@%s) отбеляза бележката ви като любима" #. TRANS: %5$s is a URL to the full conversion if it exists (otherwise empty), #. TRANS: %6$s is a URL to reply to the notice, %7$s is a URL to all @-replied for the addressed user, #. TRANS: %8$s is a URL to the addressed user's e-mail settings, %9$s is the sender's nickname. -#: lib/mail.php:684 +#: lib/mail.php:688 #, php-format msgid "" "%1$s (@%9$s) just sent a notice to your attention (an '@-reply') on %2$s.\n" @@ -7874,7 +7924,7 @@ msgstr "Грешка при изтриване на любима бележка. #. TRANS: Client exception thrown trying to upload a forbidden MIME type. #. TRANS: %1$s is the file type that was denied, %2$s is the application part of #. TRANS: the MIME type that was denied. -#: lib/mediafile.php:340 +#: lib/mediafile.php:345 #, php-format msgid "" "\"%1$s\" is not a supported file type on this server. Try using another %2$s " @@ -7883,7 +7933,7 @@ msgstr "" #. TRANS: Client exception thrown trying to upload a forbidden MIME type. #. TRANS: %s is the file type that was denied. -#: lib/mediafile.php:345 +#: lib/mediafile.php:350 #, php-format msgid "\"%s\" is not a supported file type on this server." msgstr "" @@ -8024,31 +8074,31 @@ msgstr "" msgid "Couldn't insert new subscription." msgstr "Грешка при добавяне на нов абонамент." -#: lib/personalgroupnav.php:99 +#: lib/personalgroupnav.php:102 msgid "Personal" msgstr "Лично" -#: lib/personalgroupnav.php:104 +#: lib/personalgroupnav.php:107 msgid "Replies" msgstr "Отговори" -#: lib/personalgroupnav.php:114 +#: lib/personalgroupnav.php:117 msgid "Favorites" msgstr "Любими" -#: lib/personalgroupnav.php:125 +#: lib/personalgroupnav.php:128 msgid "Inbox" msgstr "Входящи" -#: lib/personalgroupnav.php:126 +#: lib/personalgroupnav.php:129 msgid "Your incoming messages" msgstr "Получените от вас съобщения" -#: lib/personalgroupnav.php:130 +#: lib/personalgroupnav.php:133 msgid "Outbox" msgstr "Изходящи" -#: lib/personalgroupnav.php:131 +#: lib/personalgroupnav.php:134 msgid "Your sent messages" msgstr "Изпратените от вас съобщения" @@ -8249,6 +8299,12 @@ msgstr "" msgid "None" msgstr "Без" +#. TRANS: Server exception displayed if a theme name was invalid. +#: lib/theme.php:74 +#, fuzzy +msgid "Invalid theme name." +msgstr "Неправилен размер." + #: lib/themeuploader.php:50 msgid "This server cannot handle theme uploads without ZIP support." msgstr "" @@ -8502,18 +8558,3 @@ msgid "%d entry in backup." msgid_plural "%d entries in backup." msgstr[0] "" msgstr[1] "" - -#, fuzzy -#~ msgid "Name is too long (maximum 255 chars)." -#~ msgstr "Пълното име е твърде дълго (макс. 255 знака)" - -#, fuzzy -#~ msgid "Organization is too long (maximum 255 chars)." -#~ msgstr "Името на организацията е твърде дълго (макс. 255 знака)." - -#~ msgid "That's too long. Max notice size is %d chars." -#~ msgstr "Твърде дълго. Може да е най-много %d знака." - -#, fuzzy -#~ msgid " tagged %s" -#~ msgstr "Бележки с етикет %s" diff --git a/locale/br/LC_MESSAGES/statusnet.po b/locale/br/LC_MESSAGES/statusnet.po index a3f61932ee..17d5db60b0 100644 --- a/locale/br/LC_MESSAGES/statusnet.po +++ b/locale/br/LC_MESSAGES/statusnet.po @@ -11,17 +11,17 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet - Core\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-11-02 22:51+0000\n" -"PO-Revision-Date: 2010-11-02 22:53:01+0000\n" +"POT-Creation-Date: 2010-11-04 18:25+0000\n" +"PO-Revision-Date: 2010-11-04 18:27:07+0000\n" "Language-Team: Breton \n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r75875); Translate extension (2010-09-17)\n" +"X-Generator: MediaWiki 1.17alpha (r76004); Translate extension (2010-09-17)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: br\n" "X-Message-Group: #out-statusnet-core\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" -"X-POT-Import-Date: 2010-10-30 23:42:01+0000\n" +"X-POT-Import-Date: 2010-11-02 23:22:49+0000\n" #. TRANS: Page title for Access admin panel that allows configuring site access. #. TRANS: Menu item for site administration @@ -86,12 +86,14 @@ msgstr "Enrollañ an arventennoù moned" #. TRANS: Save button for settings for a profile in a subscriptions list. #. TRANS: Button text to save user settings in user admin panel. #. TRANS: Button label in the "Edit application" form. +#. TRANS: Button text on profile design page to save settings. #: actions/accessadminpanel.php:193 actions/emailsettings.php:228 #: actions/imsettings.php:187 actions/othersettings.php:134 #: actions/pathsadminpanel.php:512 actions/profilesettings.php:201 #: actions/sitenoticeadminpanel.php:197 actions/smssettings.php:209 #: actions/subscriptions.php:246 actions/useradminpanel.php:298 -#: lib/applicationeditform.php:355 lib/groupeditform.php:207 +#: lib/applicationeditform.php:355 lib/designsettings.php:270 +#: lib/groupeditform.php:207 msgctxt "BUTTON" msgid "Save" msgstr "Enrollañ" @@ -159,7 +161,7 @@ msgstr "%1$s hag e vignoned, pajenn %2$d" #. TRANS: Timeline title for user and friends. %s is a user nickname. #: actions/all.php:94 actions/all.php:191 actions/allrss.php:115 #: actions/apitimelinefriends.php:207 actions/apitimelinehome.php:113 -#: lib/personalgroupnav.php:100 +#: lib/personalgroupnav.php:103 #, php-format msgid "%s and friends" msgstr "%s hag e vignoned" @@ -329,11 +331,13 @@ msgstr "Diposubl eo enrollañ ar profil." #. TRANS: Client error displayed when the number of bytes in a POST request exceeds a limit. #. TRANS: %s is the number of bytes of the CONTENT_LENGTH. +#. TRANS: Form validation error in design settings form. POST should remain untranslated. #: actions/apiaccountupdateprofilebackgroundimage.php:108 #: actions/apiaccountupdateprofileimage.php:95 actions/apimediaupload.php:81 #: actions/apistatusesupdate.php:210 actions/avatarsettings.php:269 #: actions/designadminpanel.php:125 actions/editapplication.php:121 #: actions/newapplication.php:104 actions/newnotice.php:95 +#: lib/designsettings.php:298 #, php-format msgid "" "The server was unable to handle that much POST data (%s byte) due to its " @@ -745,7 +749,7 @@ msgstr "N'oc'h ket aotreet." #: actions/repeat.php:83 actions/smssettings.php:256 actions/subedit.php:40 #: actions/subscribe.php:86 actions/tagother.php:166 #: actions/unsubscribe.php:69 actions/userauthorization.php:52 -#: lib/designsettings.php:294 +#: lib/designsettings.php:310 msgid "There was a problem with your session token. Try again, please." msgstr "Ur gudenn 'zo bet gant ho jedaouer dalc'h. Mar plij adklaskit." @@ -767,12 +771,13 @@ msgstr "Ur fazi 'zo bet en ur ensoc'hañ an avatar" #. TRANS: Message given submitting a form with an unknown action in IM settings. #. TRANS: Client error when submitting a form with unexpected information. #. TRANS: Message given submitting a form with an unknown action in SMS settings. +#. TRANS: Unknown form validation error in design settings form. #: actions/apioauthauthorize.php:294 actions/avatarsettings.php:294 #: actions/designadminpanel.php:104 actions/editapplication.php:144 #: actions/emailsettings.php:290 actions/grouplogo.php:322 #: actions/imsettings.php:245 actions/newapplication.php:125 #: actions/oauthconnectionssettings.php:147 actions/recoverpassword.php:44 -#: actions/smssettings.php:277 lib/designsettings.php:304 +#: actions/smssettings.php:277 lib/designsettings.php:321 msgid "Unexpected form submission." msgstr "Kinnig ar furmskrid dic'hortoz." @@ -819,7 +824,7 @@ msgstr "Kont" #. TRANS: Label for group nickname (dt). Text hidden by default. #: actions/apioauthauthorize.php:459 actions/login.php:252 #: actions/profilesettings.php:110 actions/register.php:433 -#: actions/showgroup.php:245 actions/tagother.php:94 +#: actions/showgroup.php:240 actions/tagother.php:94 #: actions/userauthorization.php:145 lib/groupeditform.php:152 #: lib/userprofile.php:132 msgid "Nickname" @@ -1082,7 +1087,7 @@ msgstr "N'eo ket bet kavet ar restr stag." #: actions/avatarbynickname.php:60 actions/blockedfromgroup.php:73 #: actions/editgroup.php:85 actions/groupdesignsettings.php:84 #: actions/grouplogo.php:86 actions/groupmembers.php:76 -#: actions/grouprss.php:91 actions/showgroup.php:121 +#: actions/grouprss.php:91 actions/showgroup.php:116 msgid "No nickname." msgstr "Lesanv ebet." @@ -1099,7 +1104,7 @@ msgstr "Ment direizh." #. TRANS: Title for avatar upload page. #. TRANS: Label for group avatar (dt). Text hidden by default. #. TRANS: Link description in user account settings menu. -#: actions/avatarsettings.php:66 actions/showgroup.php:229 +#: actions/avatarsettings.php:66 actions/showgroup.php:224 #: lib/accountsettingsaction.php:113 msgid "Avatar" msgstr "Avatar" @@ -1272,7 +1277,7 @@ msgstr "Diposubl eo enrollañ an titouroù stankañ." #: actions/groupunblock.php:88 actions/joingroup.php:82 #: actions/joingroup.php:93 actions/leavegroup.php:82 #: actions/leavegroup.php:93 actions/makeadmin.php:86 -#: actions/showgroup.php:139 actions/showgroup.php:148 lib/command.php:168 +#: actions/showgroup.php:134 actions/showgroup.php:143 lib/command.php:168 #: lib/command.php:380 msgid "No such group." msgstr "N'eus ket eus ar strollad-se." @@ -1629,12 +1634,14 @@ msgstr "Dodenn personelaet" msgid "You can upload a custom StatusNet theme as a .ZIP archive." msgstr "" -#: actions/designadminpanel.php:512 lib/designsettings.php:101 +#. TRANS: Fieldset legend on profile design page. +#: actions/designadminpanel.php:512 lib/designsettings.php:98 msgid "Change background image" msgstr "Kemmañ ar skeudenn foñs" +#. TRANS: Label on profile design page for setting a profile page background colour. #: actions/designadminpanel.php:517 actions/designadminpanel.php:600 -#: lib/designsettings.php:178 +#: lib/designsettings.php:183 msgid "Background" msgstr "Background" @@ -1646,40 +1653,48 @@ msgid "" msgstr "" #. TRANS: Used as radio button label to add a background image. -#: actions/designadminpanel.php:553 lib/designsettings.php:139 +#: actions/designadminpanel.php:553 msgid "On" msgstr "Gweredekaet" #. TRANS: Used as radio button label to not add a background image. -#: actions/designadminpanel.php:570 lib/designsettings.php:155 +#: actions/designadminpanel.php:570 msgid "Off" msgstr "Diweredekaet" -#: actions/designadminpanel.php:571 lib/designsettings.php:156 +#. TRANS: Form guide for a set of radio buttons on the profile design page that will enable or disable +#. TRANS: use of the uploaded profile image. +#: actions/designadminpanel.php:571 lib/designsettings.php:159 msgid "Turn background image on or off." msgstr "Gweredekaat pe diweredekaat ar skeudenn foñs." -#: actions/designadminpanel.php:576 lib/designsettings.php:161 +#. TRANS: Checkbox label on profile design page that will cause the profile image to be tiled. +#: actions/designadminpanel.php:576 lib/designsettings.php:165 msgid "Tile background image" msgstr "Adober gant ar skeudenn drekleur" -#: actions/designadminpanel.php:590 lib/designsettings.php:170 +#. TRANS: Fieldset legend on profile design page to change profile page colours. +#: actions/designadminpanel.php:590 lib/designsettings.php:175 msgid "Change colours" msgstr "Kemmañ al livioù" -#: actions/designadminpanel.php:613 lib/designsettings.php:191 +#. TRANS: Label on profile design page for setting a profile page content colour. +#: actions/designadminpanel.php:613 lib/designsettings.php:197 msgid "Content" msgstr "Endalc'h" -#: actions/designadminpanel.php:626 lib/designsettings.php:204 +#. TRANS: Label on profile design page for setting a profile page sidebar colour. +#: actions/designadminpanel.php:626 lib/designsettings.php:211 msgid "Sidebar" msgstr "Barenn kostez" -#: actions/designadminpanel.php:639 lib/designsettings.php:217 +#. TRANS: Label on profile design page for setting a profile page text colour. +#: actions/designadminpanel.php:639 lib/designsettings.php:225 msgid "Text" msgstr "Testenn" -#: actions/designadminpanel.php:652 lib/designsettings.php:230 +#. TRANS: Label on profile design page for setting a profile page links colour. +#: actions/designadminpanel.php:652 lib/designsettings.php:239 msgid "Links" msgstr "Liammoù" @@ -1691,15 +1706,18 @@ msgstr "Araokaet" msgid "Custom CSS" msgstr "CSS personelaet" -#: actions/designadminpanel.php:702 lib/designsettings.php:247 +#. TRANS: Button text on profile design page to immediately reset all colour settings to default. +#: actions/designadminpanel.php:702 lib/designsettings.php:257 msgid "Use defaults" msgstr "Implijout an talvoudoù dre ziouer" -#: actions/designadminpanel.php:703 lib/designsettings.php:248 +#. TRANS: Title for button on profile design page to reset all colour settings to default. +#: actions/designadminpanel.php:703 lib/designsettings.php:259 msgid "Restore default designs" msgstr "Adlakaat an neuz dre ziouer." -#: actions/designadminpanel.php:709 lib/designsettings.php:254 +#. TRANS: Title for button on profile design page to reset all colour settings to default without saving. +#: actions/designadminpanel.php:709 lib/designsettings.php:267 msgid "Reset back to default" msgstr "Adlakaat an arventennoù dre ziouer" @@ -1707,11 +1725,12 @@ msgstr "Adlakaat an arventennoù dre ziouer" #: actions/designadminpanel.php:711 actions/licenseadminpanel.php:319 #: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:292 #: actions/snapshotadminpanel.php:245 actions/tagother.php:154 -#: lib/applicationeditform.php:357 lib/designsettings.php:256 +#: lib/applicationeditform.php:357 msgid "Save" msgstr "Enrollañ" -#: actions/designadminpanel.php:712 lib/designsettings.php:257 +#. TRANS: Title for button on profile design page to save settings. +#: actions/designadminpanel.php:712 lib/designsettings.php:272 msgid "Save design" msgstr "Enrollañ an design" @@ -1847,7 +1866,7 @@ msgstr "Diposubl eo hizivaat ar strollad." #. TRANS: Server error displayed when group aliases could not be added. #. TRANS: Server exception thrown when creating group aliases failed. -#: actions/editgroup.php:288 classes/User_group.php:513 +#: actions/editgroup.php:288 classes/User_group.php:529 msgid "Could not create aliases." msgstr "Diposubl eo krouiñ an aliasoù." @@ -2129,7 +2148,7 @@ msgstr "" "gentañ da embann un dra !" #: actions/favoritesrss.php:111 actions/showfavorites.php:77 -#: lib/personalgroupnav.php:115 +#: lib/personalgroupnav.php:118 #, php-format msgid "%s's favorite notices" msgstr "Alioù pennrollet eus %s" @@ -2309,8 +2328,10 @@ msgid "" "palette of your choice." msgstr "" +#. TRANS: Error message displayed if design settings could not be saved. +#. TRANS: Error message displayed if design settings could not be saved after clicking "Use defaults". #: actions/groupdesignsettings.php:266 actions/userdesignsettings.php:186 -#: lib/designsettings.php:391 lib/designsettings.php:413 +#: lib/designsettings.php:405 lib/designsettings.php:427 msgid "Couldn't update your design." msgstr "Diposubl eo hizivaat ho design." @@ -3227,25 +3248,25 @@ msgstr "" msgid "Notice has no profile." msgstr "N'en deus ket an ali a profil." -#: actions/oembed.php:87 actions/shownotice.php:176 +#: actions/oembed.php:83 actions/shownotice.php:172 #, php-format msgid "%1$s's status on %2$s" msgstr "Statud %1$s war %2$s" #. TRANS: Error message displaying attachments. %s is a raw MIME type (eg 'image/png') -#: actions/oembed.php:159 +#: actions/oembed.php:155 #, fuzzy, php-format msgid "Content type %s not supported." msgstr "seurt an danvez " #. TRANS: Error message displaying attachments. %s is the site's base URL. -#: actions/oembed.php:163 +#: actions/oembed.php:159 #, php-format msgid "Only %s URLs over plain HTTP please." msgstr "" #. TRANS: Client error on an API request with an unsupported data format. -#: actions/oembed.php:184 actions/oembed.php:203 lib/apiaction.php:1200 +#: actions/oembed.php:180 actions/oembed.php:199 lib/apiaction.php:1200 #: lib/apiaction.php:1227 lib/apiaction.php:1356 #, fuzzy msgid "Not a supported data format." @@ -3745,7 +3766,7 @@ msgstr "1 da 64 lizherenn vihan pe sifr, hep poentaouiñ nag esaouenn" #. TRANS: Field label in form for profile settings. #. TRANS: Label for full group name (dt). Text hidden by default. #: actions/profilesettings.php:117 actions/register.php:457 -#: actions/showgroup.php:257 actions/tagother.php:104 +#: actions/showgroup.php:252 actions/tagother.php:104 #: lib/groupeditform.php:157 lib/userprofile.php:150 msgid "Full name" msgstr "Anv klok" @@ -3787,7 +3808,7 @@ msgstr "Buhezskrid" #. TRANS: Field label in form for profile settings. #. TRANS: Label for group location (dt). Text hidden by default. #: actions/profilesettings.php:149 actions/register.php:485 -#: actions/showgroup.php:267 actions/tagother.php:112 +#: actions/showgroup.php:262 actions/tagother.php:112 #: actions/userauthorization.php:166 lib/groupeditform.php:180 #: lib/userprofile.php:165 msgid "Location" @@ -4351,7 +4372,7 @@ msgid "Repeated!" msgstr "Adlavaret !" #: actions/replies.php:126 actions/repliesrss.php:68 -#: lib/personalgroupnav.php:105 +#: lib/personalgroupnav.php:108 #, php-format msgid "Replies to %s" msgstr "Respontoù da %s" @@ -4486,7 +4507,7 @@ msgid "Description" msgstr "Deskrivadur" #. TRANS: Header for group statistics on a group page (h2). -#: actions/showapplication.php:192 actions/showgroup.php:453 +#: actions/showapplication.php:192 actions/showgroup.php:448 #: lib/profileaction.php:187 msgid "Statistics" msgstr "Stadegoù" @@ -4595,95 +4616,95 @@ msgid "This is a way to share what you like." msgstr "Un doare eo evit kevranañ ar pezh a blij deoc'h." #. TRANS: Page title for first group page. %s is a group name. -#: actions/showgroup.php:80 +#: actions/showgroup.php:75 #, php-format msgid "%s group" msgstr "strollad %s" #. TRANS: Page title for any but first group page. #. TRANS: %1$s is a group name, $2$s is a page number. -#: actions/showgroup.php:84 +#: actions/showgroup.php:79 #, php-format msgid "%1$s group, page %2$d" msgstr "Strollad %1$s, pajenn %2$d" #. TRANS: Group profile header (h2). Text hidden by default. -#: actions/showgroup.php:225 +#: actions/showgroup.php:220 msgid "Group profile" msgstr "Profil ar strollad" #. TRANS: Label for group URL (dt). Text hidden by default. -#: actions/showgroup.php:275 actions/tagother.php:118 +#: actions/showgroup.php:270 actions/tagother.php:118 #: actions/userauthorization.php:175 lib/userprofile.php:178 msgid "URL" msgstr "URL" #. TRANS: Label for group description or group note (dt). Text hidden by default. -#: actions/showgroup.php:287 actions/tagother.php:128 +#: actions/showgroup.php:282 actions/tagother.php:128 #: actions/userauthorization.php:187 lib/userprofile.php:195 msgid "Note" msgstr "Notenn" #. TRANS: Label for group aliases (dt). Text hidden by default. -#: actions/showgroup.php:298 lib/groupeditform.php:187 +#: actions/showgroup.php:293 lib/groupeditform.php:187 msgid "Aliases" msgstr "Aliasoù" #. TRANS: Group actions header (h2). Text hidden by default. -#: actions/showgroup.php:309 +#: actions/showgroup.php:304 msgid "Group actions" msgstr "Obererezh ar strollad" #. TRANS: Tooltip for feed link. %s is a group nickname. -#: actions/showgroup.php:350 +#: actions/showgroup.php:345 #, php-format msgid "Notice feed for %s group (RSS 1.0)" msgstr "Neudenn alioù ar strollad %s (RSS 1.0)" #. TRANS: Tooltip for feed link. %s is a group nickname. -#: actions/showgroup.php:357 +#: actions/showgroup.php:352 #, php-format msgid "Notice feed for %s group (RSS 2.0)" msgstr "Neudenn alioù ar strollad %s (RSS 2.0)" #. TRANS: Tooltip for feed link. %s is a group nickname. -#: actions/showgroup.php:364 +#: actions/showgroup.php:359 #, php-format msgid "Notice feed for %s group (Atom)" msgstr "Neudenn alioù ar strollad %s (Atom)" #. TRANS: Tooltip for feed link. %s is a group nickname. -#: actions/showgroup.php:370 +#: actions/showgroup.php:365 #, php-format msgid "FOAF for %s group" msgstr "Mignon ur mignon evit ar strollad %s" #. TRANS: Header for mini list of group members on a group page (h2). -#: actions/showgroup.php:407 +#: actions/showgroup.php:402 msgid "Members" msgstr "Izili" #. TRANS: Description for mini list of group members on a group page when the group has no members. -#: actions/showgroup.php:413 lib/profileaction.php:117 +#: actions/showgroup.php:408 lib/profileaction.php:117 #: lib/profileaction.php:152 lib/profileaction.php:255 lib/section.php:95 #: lib/subscriptionlist.php:127 lib/tagcloudsection.php:71 msgid "(None)" msgstr "(Hini ebet)" #. TRANS: Link to all group members from mini list of group members if group has more than n members. -#: actions/showgroup.php:422 +#: actions/showgroup.php:417 msgid "All members" msgstr "An holl izili" #. TRANS: Label for creation date in statistics on group page. -#: actions/showgroup.php:458 +#: actions/showgroup.php:453 #, fuzzy msgctxt "LABEL" msgid "Created" msgstr "Krouet" #. TRANS: Label for member count in statistics on group page. -#: actions/showgroup.php:466 +#: actions/showgroup.php:461 #, fuzzy msgctxt "LABEL" msgid "Members" @@ -4693,7 +4714,7 @@ msgstr "Izili" #. TRANS: **%s** is the group alias, %%%%site.name%%%% is the site name, #. TRANS: %%%%action.register%%%% is the URL for registration, %%%%doc.help%%%% is a URL to help. #. TRANS: This message contains Markdown links. Ensure they are formatted correctly: [Description](link). -#: actions/showgroup.php:481 +#: actions/showgroup.php:476 #, fuzzy, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -4708,7 +4729,7 @@ msgstr "" #. TRANS: Notice on group pages for anonymous users for StatusNet sites that accept no new registrations. #. TRANS: **%s** is the group alias, %%%%site.name%%%% is the site name, #. TRANS: This message contains Markdown links. Ensure they are formatted correctly: [Description](link). -#: actions/showgroup.php:491 +#: actions/showgroup.php:486 #, fuzzy, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -4720,7 +4741,7 @@ msgstr "" "Microblog) diazezet war ar meziant frank [StatusNet](http://status.net/)." #. TRANS: Header for list of group administrators on a group page (h2). -#: actions/showgroup.php:520 +#: actions/showgroup.php:515 msgid "Admins" msgstr "Merourien" @@ -5497,7 +5518,7 @@ msgstr "" #. TRANS: Link description in user account settings menu. #: actions/useradminpanel.php:215 lib/accountsettingsaction.php:106 -#: lib/personalgroupnav.php:109 +#: lib/personalgroupnav.php:112 msgid "Profile" msgstr "Profil" @@ -5656,11 +5677,13 @@ msgstr "Dibosupl eo lenn URL an avatar \"%s\"." msgid "Wrong image type for avatar URL ‘%s’." msgstr "Seurt skeudenn direizh evit URL an avatar \"%s\"." -#: actions/userdesignsettings.php:76 lib/designsettings.php:65 +#. TRANS: Page title for profile design page. +#: actions/userdesignsettings.php:76 lib/designsettings.php:63 msgid "Profile design" msgstr "Design ar profil" -#: actions/userdesignsettings.php:87 lib/designsettings.php:76 +#. TRANS: Instructions for profile design page. +#: actions/userdesignsettings.php:87 lib/designsettings.php:74 msgid "" "Customize the way your profile looks with a background image and a colour " "palette of your choice." @@ -5778,29 +5801,38 @@ msgstr "" #. TRANS: Message given if an upload is larger than the configured maximum. #. TRANS: %1$d is the byte limit for uploads, %2$d is the byte count for the uploaded file. -#: classes/File.php:189 +#. TRANS: %1$s is used for plural. +#: classes/File.php:190 #, php-format msgid "" +"No file may be larger than %1$d byte and the file you sent was %2$d bytes. " +"Try to upload a smaller version." +msgid_plural "" "No file may be larger than %1$d bytes and the file you sent was %2$d bytes. " "Try to upload a smaller version." -msgstr "" +msgstr[0] "" +msgstr[1] "" #. TRANS: Message given if an upload would exceed user quota. -#. TRANS: %d (number) is the user quota in bytes. -#: classes/File.php:201 +#. TRANS: %d (number) is the user quota in bytes and is used for plural. +#: classes/File.php:203 #, php-format -msgid "A file this large would exceed your user quota of %d bytes." -msgstr "" +msgid "A file this large would exceed your user quota of %d byte." +msgid_plural "A file this large would exceed your user quota of %d bytes." +msgstr[0] "" +msgstr[1] "" #. TRANS: Message given id an upload would exceed a user's monthly quota. -#. TRANS: $d (number) is the monthly user quota in bytes. -#: classes/File.php:210 +#. TRANS: $d (number) is the monthly user quota in bytes and is used for plural. +#: classes/File.php:215 #, php-format -msgid "A file this large would exceed your monthly quota of %d bytes." -msgstr "" +msgid "A file this large would exceed your monthly quota of %d byte." +msgid_plural "A file this large would exceed your monthly quota of %d bytes." +msgstr[0] "" +msgstr[1] "" #. TRANS: Client exception thrown if a file upload does not have a valid name. -#: classes/File.php:247 classes/File.php:262 +#: classes/File.php:262 classes/File.php:277 #, fuzzy msgid "Invalid filename." msgstr "Ment direizh." @@ -5929,31 +5961,31 @@ msgid "Problem saving notice." msgstr "Ur gudenn 'zo bet pa veze enrollet an ali." #. TRANS: Server exception thrown when no array is provided to the method saveKnownGroups(). -#: classes/Notice.php:907 -msgid "Bad type provided to saveKnownGroups" +#: classes/Notice.php:905 +msgid "Bad type provided to saveKnownGroups." msgstr "" #. TRANS: Server exception thrown when an update for a group inbox fails. -#: classes/Notice.php:1006 +#: classes/Notice.php:1004 msgid "Problem saving group inbox." msgstr "Ur gudenn 'zo bet pa veze enrollet boest degemer ar strollad." #. TRANS: Server exception thrown when a reply cannot be saved. #. TRANS: %1$d is a notice ID, %2$d is the ID of the mentioned user. -#: classes/Notice.php:1120 +#: classes/Notice.php:1118 #, fuzzy, php-format msgid "Could not save reply for %1$d, %2$d." msgstr "Dibosupl eo enrollañ titouroù ar strollad lec'hel." #. TRANS: Message used to repeat a notice. RT is the abbreviation of 'retweet'. #. TRANS: %1$s is the repeated user's name, %2$s is the repeated notice. -#: classes/Notice.php:1822 +#: classes/Notice.php:1820 #, php-format msgid "RT @%1$s %2$s" msgstr "RT @%1$s %2$s" #. TRANS: Full name of a profile or group followed by nickname in parens -#: classes/Profile.php:164 +#: classes/Profile.php:164 classes/User_group.php:247 #, fuzzy, php-format msgctxt "FANCYNAME" msgid "%1$s (%2$s)" @@ -6048,22 +6080,22 @@ msgid "Single-user mode code called when not enabled." msgstr "" #. TRANS: Server exception thrown when creating a group failed. -#: classes/User_group.php:495 +#: classes/User_group.php:511 msgid "Could not create group." msgstr "Dibosupl eo krouiñ ar strollad." #. TRANS: Server exception thrown when updating a group URI failed. -#: classes/User_group.php:505 +#: classes/User_group.php:521 msgid "Could not set group URI." msgstr "Dibosupl eo termeniñ URI ar strollad." #. TRANS: Server exception thrown when setting group membership failed. -#: classes/User_group.php:528 +#: classes/User_group.php:544 msgid "Could not set group membership." msgstr "Dibosupl eo en em enskrivañ d'ar strollad." #. TRANS: Server exception thrown when saving local group information failed. -#: classes/User_group.php:543 +#: classes/User_group.php:559 msgid "Could not save local group info." msgstr "Dibosupl eo enrollañ titouroù ar strollad lec'hel." @@ -6466,7 +6498,7 @@ msgid "User configuration" msgstr "Kefluniadur an implijer" #. TRANS: Menu item for site administration -#: lib/adminpanelaction.php:355 lib/personalgroupnav.php:115 +#: lib/adminpanelaction.php:355 lib/personalgroupnav.php:118 msgid "User" msgstr "Implijer" @@ -7150,23 +7182,41 @@ msgstr "Poeladoù kevreet." msgid "Database error" msgstr "Fazi bank roadennoù" -#: lib/designsettings.php:105 +#. TRANS: Label in form on profile design page. +#. TRANS: Field contains file name on user's computer that could be that user's custom profile background image. +#: lib/designsettings.php:104 msgid "Upload file" msgstr "Enporzhiañ ar restr" +#. TRANS: Instructions for form on profile design page. #: lib/designsettings.php:109 msgid "" "You can upload your personal background image. The maximum file size is 2MB." msgstr "" -#: 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 "" +#. TRANS: Radio button on profile design page that will enable use of the uploaded profile image. +#: lib/designsettings.php:139 +#, fuzzy +msgctxt "RADIO" +msgid "On" +msgstr "Gweredekaet" -#: lib/designsettings.php:418 +#. TRANS: Radio button on profile design page that will disable use of the uploaded profile image. +#: lib/designsettings.php:156 +#, fuzzy +msgctxt "RADIO" +msgid "Off" +msgstr "Diweredekaet" + +#. TRANS: Button text on profile design page to reset all colour settings to default without saving. +#: lib/designsettings.php:264 +#, fuzzy +msgctxt "BUTTON" +msgid "Reset" +msgstr "Adderaouekaat" + +#. TRANS: Success message displayed if design settings were saved after clicking "Use defaults". +#: lib/designsettings.php:433 #, fuzzy msgid "Design defaults restored." msgstr "Enrollet eo bet an arventennoù design." @@ -7611,7 +7661,7 @@ msgstr "" #. TRANS: Subject for favorite notification e-mail. #. TRANS: %1$s is the adding user's long name, %2$s is the adding user's nickname. -#: lib/mail.php:603 +#: lib/mail.php:607 #, fuzzy, php-format msgid "%1$s (@%2$s) added your notice as a favorite" msgstr "Kas din ur postel pa lak unan bennak unan eus va alioù evel pennroll." @@ -7621,7 +7671,7 @@ msgstr "Kas din ur postel pa lak unan bennak unan eus va alioù evel pennroll." #. TRANS: %3$s is a URL to the faved notice, %4$s is the faved notice text, #. TRANS: %5$s is a URL to all faves of the adding user, %6$s is the StatusNet sitename, #. TRANS: %7$s is the adding user's nickname. -#: lib/mail.php:610 +#: lib/mail.php:614 #, php-format msgid "" "%1$s (@%7$s) just added your notice from %2$s as one of their favorites.\n" @@ -7643,7 +7693,7 @@ msgid "" msgstr "" #. TRANS: Line in @-reply notification e-mail. %s is conversation URL. -#: lib/mail.php:668 +#: lib/mail.php:672 #, php-format msgid "" "The full conversation can be read here:\n" @@ -7656,7 +7706,7 @@ msgstr "" #. TRANS: E-mail subject for notice notification. #. TRANS: %1$s is the sending user's long name, %2$s is the adding user's nickname. -#: lib/mail.php:676 +#: lib/mail.php:680 #, fuzzy, php-format msgid "%1$s (@%2$s) sent a notice to your attention" msgstr "%s (@%s) en deus kaset deoc'h ur c'hemenn" @@ -7667,7 +7717,7 @@ msgstr "%s (@%s) en deus kaset deoc'h ur c'hemenn" #. TRANS: %5$s is a URL to the full conversion if it exists (otherwise empty), #. TRANS: %6$s is a URL to reply to the notice, %7$s is a URL to all @-replied for the addressed user, #. TRANS: %8$s is a URL to the addressed user's e-mail settings, %9$s is the sender's nickname. -#: lib/mail.php:684 +#: lib/mail.php:688 #, php-format msgid "" "%1$s (@%9$s) just sent a notice to your attention (an '@-reply') on %2$s.\n" @@ -7791,7 +7841,7 @@ msgstr "Diposubl eo termeniñ an implijer mammenn." #. TRANS: Client exception thrown trying to upload a forbidden MIME type. #. TRANS: %1$s is the file type that was denied, %2$s is the application part of #. TRANS: the MIME type that was denied. -#: lib/mediafile.php:340 +#: lib/mediafile.php:345 #, php-format msgid "" "\"%1$s\" is not a supported file type on this server. Try using another %2$s " @@ -7800,7 +7850,7 @@ msgstr "" #. TRANS: Client exception thrown trying to upload a forbidden MIME type. #. TRANS: %s is the file type that was denied. -#: lib/mediafile.php:345 +#: lib/mediafile.php:350 #, php-format msgid "\"%s\" is not a supported file type on this server." msgstr "" @@ -7941,31 +7991,31 @@ msgstr "" msgid "Couldn't insert new subscription." msgstr "Dibosupl eo dilemel ar c'houmanant." -#: lib/personalgroupnav.php:99 +#: lib/personalgroupnav.php:102 msgid "Personal" msgstr "Hiniennel" -#: lib/personalgroupnav.php:104 +#: lib/personalgroupnav.php:107 msgid "Replies" msgstr "Respontoù" -#: lib/personalgroupnav.php:114 +#: lib/personalgroupnav.php:117 msgid "Favorites" msgstr "Pennrolloù" -#: lib/personalgroupnav.php:125 +#: lib/personalgroupnav.php:128 msgid "Inbox" msgstr "Boest resev" -#: lib/personalgroupnav.php:126 +#: lib/personalgroupnav.php:129 msgid "Your incoming messages" msgstr "Ar gemennadennoù ho peus resevet" -#: lib/personalgroupnav.php:130 +#: lib/personalgroupnav.php:133 msgid "Outbox" msgstr "Boest kas" -#: lib/personalgroupnav.php:131 +#: lib/personalgroupnav.php:134 msgid "Your sent messages" msgstr "Ar c'hemenadennoù kaset ganeoc'h" @@ -8167,6 +8217,12 @@ msgstr "" msgid "None" msgstr "Hini ebet" +#. TRANS: Server exception displayed if a theme name was invalid. +#: lib/theme.php:74 +#, fuzzy +msgid "Invalid theme name." +msgstr "Ment direizh." + #: lib/themeuploader.php:50 msgid "This server cannot handle theme uploads without ZIP support." msgstr "" @@ -8422,17 +8478,3 @@ msgid "%d entry in backup." msgid_plural "%d entries in backup." msgstr[0] "" msgstr[1] "" - -#, fuzzy -#~ msgid "Name is too long (maximum 255 chars)." -#~ msgstr "Re hir eo an anv (255 arouezenn d'ar muiañ)." - -#, fuzzy -#~ msgid "Organization is too long (maximum 255 chars)." -#~ msgstr "Re hir eo an aozadur (255 arouezenn d'ar muiañ)." - -#~ msgid "That's too long. Max notice size is %d chars." -#~ msgstr "Re hir eo ! Ment hirañ an ali a zo a %d arouezenn." - -#~ msgid " tagged %s" -#~ msgstr " merket %s" diff --git a/locale/ca/LC_MESSAGES/statusnet.po b/locale/ca/LC_MESSAGES/statusnet.po index 80f1e85970..3ea16fe4ee 100644 --- a/locale/ca/LC_MESSAGES/statusnet.po +++ b/locale/ca/LC_MESSAGES/statusnet.po @@ -14,17 +14,17 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet - Core\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-11-02 22:51+0000\n" -"PO-Revision-Date: 2010-11-02 22:53:08+0000\n" +"POT-Creation-Date: 2010-11-04 18:25+0000\n" +"PO-Revision-Date: 2010-11-04 18:27:08+0000\n" "Language-Team: Catalan \n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r75875); Translate extension (2010-09-17)\n" +"X-Generator: MediaWiki 1.17alpha (r76004); Translate extension (2010-09-17)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: ca\n" "X-Message-Group: #out-statusnet-core\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-POT-Import-Date: 2010-10-30 23:42:01+0000\n" +"X-POT-Import-Date: 2010-11-02 23:22:49+0000\n" #. TRANS: Page title for Access admin panel that allows configuring site access. #. TRANS: Menu item for site administration @@ -91,12 +91,14 @@ msgstr "Desa els paràmetres d'accés" #. TRANS: Save button for settings for a profile in a subscriptions list. #. TRANS: Button text to save user settings in user admin panel. #. TRANS: Button label in the "Edit application" form. +#. TRANS: Button text on profile design page to save settings. #: actions/accessadminpanel.php:193 actions/emailsettings.php:228 #: actions/imsettings.php:187 actions/othersettings.php:134 #: actions/pathsadminpanel.php:512 actions/profilesettings.php:201 #: actions/sitenoticeadminpanel.php:197 actions/smssettings.php:209 #: actions/subscriptions.php:246 actions/useradminpanel.php:298 -#: lib/applicationeditform.php:355 lib/groupeditform.php:207 +#: lib/applicationeditform.php:355 lib/designsettings.php:270 +#: lib/groupeditform.php:207 msgctxt "BUTTON" msgid "Save" msgstr "Desa" @@ -164,7 +166,7 @@ msgstr "%1$s i amics, pàgina %2$d" #. TRANS: Timeline title for user and friends. %s is a user nickname. #: actions/all.php:94 actions/all.php:191 actions/allrss.php:115 #: actions/apitimelinefriends.php:207 actions/apitimelinehome.php:113 -#: lib/personalgroupnav.php:100 +#: lib/personalgroupnav.php:103 #, php-format msgid "%s and friends" msgstr "%s i amics" @@ -340,11 +342,13 @@ msgstr "No s'ha pogut desar el perfil." #. TRANS: Client error displayed when the number of bytes in a POST request exceeds a limit. #. TRANS: %s is the number of bytes of the CONTENT_LENGTH. +#. TRANS: Form validation error in design settings form. POST should remain untranslated. #: actions/apiaccountupdateprofilebackgroundimage.php:108 #: actions/apiaccountupdateprofileimage.php:95 actions/apimediaupload.php:81 #: actions/apistatusesupdate.php:210 actions/avatarsettings.php:269 #: actions/designadminpanel.php:125 actions/editapplication.php:121 #: actions/newapplication.php:104 actions/newnotice.php:95 +#: lib/designsettings.php:298 #, fuzzy, php-format msgid "" "The server was unable to handle that much POST data (%s byte) due to its " @@ -757,7 +761,7 @@ msgstr "No esteu autoritzat." #: actions/repeat.php:83 actions/smssettings.php:256 actions/subedit.php:40 #: actions/subscribe.php:86 actions/tagother.php:166 #: actions/unsubscribe.php:69 actions/userauthorization.php:52 -#: lib/designsettings.php:294 +#: lib/designsettings.php:310 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 " @@ -781,12 +785,13 @@ msgstr "Error de la base de dades en inserir l'usuari de l'aplicació OAuth." #. TRANS: Message given submitting a form with an unknown action in IM settings. #. TRANS: Client error when submitting a form with unexpected information. #. TRANS: Message given submitting a form with an unknown action in SMS settings. +#. TRANS: Unknown form validation error in design settings form. #: actions/apioauthauthorize.php:294 actions/avatarsettings.php:294 #: actions/designadminpanel.php:104 actions/editapplication.php:144 #: actions/emailsettings.php:290 actions/grouplogo.php:322 #: actions/imsettings.php:245 actions/newapplication.php:125 #: actions/oauthconnectionssettings.php:147 actions/recoverpassword.php:44 -#: actions/smssettings.php:277 lib/designsettings.php:304 +#: actions/smssettings.php:277 lib/designsettings.php:321 msgid "Unexpected form submission." msgstr "Enviament de formulari inesperat." @@ -839,7 +844,7 @@ msgstr "Compte" #. TRANS: Label for group nickname (dt). Text hidden by default. #: actions/apioauthauthorize.php:459 actions/login.php:252 #: actions/profilesettings.php:110 actions/register.php:433 -#: actions/showgroup.php:245 actions/tagother.php:94 +#: actions/showgroup.php:240 actions/tagother.php:94 #: actions/userauthorization.php:145 lib/groupeditform.php:152 #: lib/userprofile.php:132 msgid "Nickname" @@ -1101,7 +1106,7 @@ msgstr "No existeix l'adjunció." #: actions/avatarbynickname.php:60 actions/blockedfromgroup.php:73 #: actions/editgroup.php:85 actions/groupdesignsettings.php:84 #: actions/grouplogo.php:86 actions/groupmembers.php:76 -#: actions/grouprss.php:91 actions/showgroup.php:121 +#: actions/grouprss.php:91 actions/showgroup.php:116 msgid "No nickname." msgstr "Cap sobrenom." @@ -1118,7 +1123,7 @@ msgstr "La mida no és vàlida." #. TRANS: Title for avatar upload page. #. TRANS: Label for group avatar (dt). Text hidden by default. #. TRANS: Link description in user account settings menu. -#: actions/avatarsettings.php:66 actions/showgroup.php:229 +#: actions/avatarsettings.php:66 actions/showgroup.php:224 #: lib/accountsettingsaction.php:113 msgid "Avatar" msgstr "Avatar" @@ -1297,7 +1302,7 @@ msgstr "No s'ha pogut desar la informació del bloc." #: actions/groupunblock.php:88 actions/joingroup.php:82 #: actions/joingroup.php:93 actions/leavegroup.php:82 #: actions/leavegroup.php:93 actions/makeadmin.php:86 -#: actions/showgroup.php:139 actions/showgroup.php:148 lib/command.php:168 +#: actions/showgroup.php:134 actions/showgroup.php:143 lib/command.php:168 #: lib/command.php:380 msgid "No such group." msgstr "No s'ha trobat el grup." @@ -1659,12 +1664,14 @@ msgstr "Tema personalitzat" msgid "You can upload a custom StatusNet theme as a .ZIP archive." msgstr "Podeu pujar un tema personalitzat de l'StatusNet amb un arxiu ZIP." -#: actions/designadminpanel.php:512 lib/designsettings.php:101 +#. TRANS: Fieldset legend on profile design page. +#: actions/designadminpanel.php:512 lib/designsettings.php:98 msgid "Change background image" msgstr "Canvia la imatge de fons" +#. TRANS: Label on profile design page for setting a profile page background colour. #: actions/designadminpanel.php:517 actions/designadminpanel.php:600 -#: lib/designsettings.php:178 +#: lib/designsettings.php:183 msgid "Background" msgstr "Fons" @@ -1677,40 +1684,48 @@ msgstr "" "Podeu pujar una imatge de fons per al lloc. La mida màxima de fitxer és %1$s." #. TRANS: Used as radio button label to add a background image. -#: actions/designadminpanel.php:553 lib/designsettings.php:139 +#: actions/designadminpanel.php:553 msgid "On" msgstr "Activada" #. TRANS: Used as radio button label to not add a background image. -#: actions/designadminpanel.php:570 lib/designsettings.php:155 +#: actions/designadminpanel.php:570 msgid "Off" msgstr "Desactivada" -#: actions/designadminpanel.php:571 lib/designsettings.php:156 +#. TRANS: Form guide for a set of radio buttons on the profile design page that will enable or disable +#. TRANS: use of the uploaded profile image. +#: actions/designadminpanel.php:571 lib/designsettings.php:159 msgid "Turn background image on or off." msgstr "Activa o desactiva la imatge de fons." -#: actions/designadminpanel.php:576 lib/designsettings.php:161 +#. TRANS: Checkbox label on profile design page that will cause the profile image to be tiled. +#: actions/designadminpanel.php:576 lib/designsettings.php:165 msgid "Tile background image" msgstr "Posa en mosaic la imatge de fons" -#: actions/designadminpanel.php:590 lib/designsettings.php:170 +#. TRANS: Fieldset legend on profile design page to change profile page colours. +#: actions/designadminpanel.php:590 lib/designsettings.php:175 msgid "Change colours" msgstr "Canvia els colors" -#: actions/designadminpanel.php:613 lib/designsettings.php:191 +#. TRANS: Label on profile design page for setting a profile page content colour. +#: actions/designadminpanel.php:613 lib/designsettings.php:197 msgid "Content" msgstr "Contingut" -#: actions/designadminpanel.php:626 lib/designsettings.php:204 +#. TRANS: Label on profile design page for setting a profile page sidebar colour. +#: actions/designadminpanel.php:626 lib/designsettings.php:211 msgid "Sidebar" msgstr "Barra lateral" -#: actions/designadminpanel.php:639 lib/designsettings.php:217 +#. TRANS: Label on profile design page for setting a profile page text colour. +#: actions/designadminpanel.php:639 lib/designsettings.php:225 msgid "Text" msgstr "Text" -#: actions/designadminpanel.php:652 lib/designsettings.php:230 +#. TRANS: Label on profile design page for setting a profile page links colour. +#: actions/designadminpanel.php:652 lib/designsettings.php:239 msgid "Links" msgstr "Enllaços" @@ -1722,15 +1737,18 @@ msgstr "Avançat" msgid "Custom CSS" msgstr "CSS personalitzat" -#: actions/designadminpanel.php:702 lib/designsettings.php:247 +#. TRANS: Button text on profile design page to immediately reset all colour settings to default. +#: actions/designadminpanel.php:702 lib/designsettings.php:257 msgid "Use defaults" msgstr "Utilitza els paràmetres per defecte" -#: actions/designadminpanel.php:703 lib/designsettings.php:248 +#. TRANS: Title for button on profile design page to reset all colour settings to default. +#: actions/designadminpanel.php:703 lib/designsettings.php:259 msgid "Restore default designs" msgstr "Restaura els dissenys per defecte" -#: actions/designadminpanel.php:709 lib/designsettings.php:254 +#. TRANS: Title for button on profile design page to reset all colour settings to default without saving. +#: actions/designadminpanel.php:709 lib/designsettings.php:267 msgid "Reset back to default" msgstr "Torna a restaurar al valor per defecte" @@ -1738,11 +1756,12 @@ msgstr "Torna a restaurar al valor per defecte" #: actions/designadminpanel.php:711 actions/licenseadminpanel.php:319 #: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:292 #: actions/snapshotadminpanel.php:245 actions/tagother.php:154 -#: lib/applicationeditform.php:357 lib/designsettings.php:256 +#: lib/applicationeditform.php:357 msgid "Save" msgstr "Desa" -#: actions/designadminpanel.php:712 lib/designsettings.php:257 +#. TRANS: Title for button on profile design page to save settings. +#: actions/designadminpanel.php:712 lib/designsettings.php:272 msgid "Save design" msgstr "Desa el disseny" @@ -1877,7 +1896,7 @@ msgstr "No s'ha pogut actualitzar el grup." #. TRANS: Server error displayed when group aliases could not be added. #. TRANS: Server exception thrown when creating group aliases failed. -#: actions/editgroup.php:288 classes/User_group.php:513 +#: actions/editgroup.php:288 classes/User_group.php:529 msgid "Could not create aliases." msgstr "No s'han pogut crear els àlies." @@ -2165,7 +2184,7 @@ msgstr "" "afegir un avís als vostres preferits!" #: actions/favoritesrss.php:111 actions/showfavorites.php:77 -#: lib/personalgroupnav.php:115 +#: lib/personalgroupnav.php:118 #, php-format msgid "%s's favorite notices" msgstr "Avisos preferits de %s" @@ -2343,8 +2362,10 @@ msgstr "" "Personalitzeu l'aspecte del vostre grup amb una imatge de fons i una paleta " "de colors de la vostra elecció." +#. TRANS: Error message displayed if design settings could not be saved. +#. TRANS: Error message displayed if design settings could not be saved after clicking "Use defaults". #: actions/groupdesignsettings.php:266 actions/userdesignsettings.php:186 -#: lib/designsettings.php:391 lib/designsettings.php:413 +#: lib/designsettings.php:405 lib/designsettings.php:427 msgid "Couldn't update your design." msgstr "No s'ha pogut actualitzar el vostre disseny." @@ -3312,25 +3333,25 @@ msgstr "" msgid "Notice has no profile." msgstr "L'avís no té cap perfil." -#: actions/oembed.php:87 actions/shownotice.php:176 +#: actions/oembed.php:83 actions/shownotice.php:172 #, php-format msgid "%1$s's status on %2$s" msgstr "estat de %1$s a %2$s" #. TRANS: Error message displaying attachments. %s is a raw MIME type (eg 'image/png') -#: actions/oembed.php:159 +#: actions/oembed.php:155 #, php-format msgid "Content type %s not supported." msgstr "El tipus de contingut %s no està permès." #. TRANS: Error message displaying attachments. %s is the site's base URL. -#: actions/oembed.php:163 +#: actions/oembed.php:159 #, php-format msgid "Only %s URLs over plain HTTP please." msgstr "Si us plau, només URL %s sobre HTTP pla." #. TRANS: Client error on an API request with an unsupported data format. -#: actions/oembed.php:184 actions/oembed.php:203 lib/apiaction.php:1200 +#: actions/oembed.php:180 actions/oembed.php:199 lib/apiaction.php:1200 #: lib/apiaction.php:1227 lib/apiaction.php:1356 msgid "Not a supported data format." msgstr "Format de data no suportat." @@ -3831,7 +3852,7 @@ msgstr "" #. TRANS: Field label in form for profile settings. #. TRANS: Label for full group name (dt). Text hidden by default. #: actions/profilesettings.php:117 actions/register.php:457 -#: actions/showgroup.php:257 actions/tagother.php:104 +#: actions/showgroup.php:252 actions/tagother.php:104 #: lib/groupeditform.php:157 lib/userprofile.php:150 msgid "Full name" msgstr "Nom complet" @@ -3873,7 +3894,7 @@ msgstr "Biografia" #. TRANS: Field label in form for profile settings. #. TRANS: Label for group location (dt). Text hidden by default. #: actions/profilesettings.php:149 actions/register.php:485 -#: actions/showgroup.php:267 actions/tagother.php:112 +#: actions/showgroup.php:262 actions/tagother.php:112 #: actions/userauthorization.php:166 lib/groupeditform.php:180 #: lib/userprofile.php:165 msgid "Location" @@ -4464,7 +4485,7 @@ msgid "Repeated!" msgstr "Repetit!" #: actions/replies.php:126 actions/repliesrss.php:68 -#: lib/personalgroupnav.php:105 +#: lib/personalgroupnav.php:108 #, php-format msgid "Replies to %s" msgstr "Respostes a %s" @@ -4601,7 +4622,7 @@ msgid "Description" msgstr "Descripció" #. TRANS: Header for group statistics on a group page (h2). -#: actions/showapplication.php:192 actions/showgroup.php:453 +#: actions/showapplication.php:192 actions/showgroup.php:448 #: lib/profileaction.php:187 msgid "Statistics" msgstr "Estadístiques" @@ -4717,95 +4738,95 @@ msgid "This is a way to share what you like." msgstr "És una forma de compartir allò que us agrada." #. TRANS: Page title for first group page. %s is a group name. -#: actions/showgroup.php:80 +#: actions/showgroup.php:75 #, php-format msgid "%s group" msgstr "%s grup" #. TRANS: Page title for any but first group page. #. TRANS: %1$s is a group name, $2$s is a page number. -#: actions/showgroup.php:84 +#: actions/showgroup.php:79 #, php-format msgid "%1$s group, page %2$d" msgstr "grup %1$s, pàgina %2$d" #. TRANS: Group profile header (h2). Text hidden by default. -#: actions/showgroup.php:225 +#: actions/showgroup.php:220 msgid "Group profile" msgstr "Perfil del grup" #. TRANS: Label for group URL (dt). Text hidden by default. -#: actions/showgroup.php:275 actions/tagother.php:118 +#: actions/showgroup.php:270 actions/tagother.php:118 #: actions/userauthorization.php:175 lib/userprofile.php:178 msgid "URL" msgstr "URL" #. TRANS: Label for group description or group note (dt). Text hidden by default. -#: actions/showgroup.php:287 actions/tagother.php:128 +#: actions/showgroup.php:282 actions/tagother.php:128 #: actions/userauthorization.php:187 lib/userprofile.php:195 msgid "Note" msgstr "Avisos" #. TRANS: Label for group aliases (dt). Text hidden by default. -#: actions/showgroup.php:298 lib/groupeditform.php:187 +#: actions/showgroup.php:293 lib/groupeditform.php:187 msgid "Aliases" msgstr "Àlies" #. TRANS: Group actions header (h2). Text hidden by default. -#: actions/showgroup.php:309 +#: actions/showgroup.php:304 msgid "Group actions" msgstr "Accions del grup" #. TRANS: Tooltip for feed link. %s is a group nickname. -#: actions/showgroup.php:350 +#: actions/showgroup.php:345 #, php-format msgid "Notice feed for %s group (RSS 1.0)" msgstr "Canal d'avisos del grup %s (RSS 1.0)" #. TRANS: Tooltip for feed link. %s is a group nickname. -#: actions/showgroup.php:357 +#: actions/showgroup.php:352 #, php-format msgid "Notice feed for %s group (RSS 2.0)" msgstr "Canal d'avisos del grup %s (RSS 2.0)" #. TRANS: Tooltip for feed link. %s is a group nickname. -#: actions/showgroup.php:364 +#: actions/showgroup.php:359 #, php-format msgid "Notice feed for %s group (Atom)" msgstr "Canal d'avisos del grup %s (Atom)" #. TRANS: Tooltip for feed link. %s is a group nickname. -#: actions/showgroup.php:370 +#: actions/showgroup.php:365 #, php-format msgid "FOAF for %s group" msgstr "Safata de sortida per %s" #. TRANS: Header for mini list of group members on a group page (h2). -#: actions/showgroup.php:407 +#: actions/showgroup.php:402 msgid "Members" msgstr "Membres" #. TRANS: Description for mini list of group members on a group page when the group has no members. -#: actions/showgroup.php:413 lib/profileaction.php:117 +#: actions/showgroup.php:408 lib/profileaction.php:117 #: lib/profileaction.php:152 lib/profileaction.php:255 lib/section.php:95 #: lib/subscriptionlist.php:127 lib/tagcloudsection.php:71 msgid "(None)" msgstr "(Cap)" #. TRANS: Link to all group members from mini list of group members if group has more than n members. -#: actions/showgroup.php:422 +#: actions/showgroup.php:417 msgid "All members" msgstr "Tots els membres" #. TRANS: Label for creation date in statistics on group page. -#: actions/showgroup.php:458 +#: actions/showgroup.php:453 #, fuzzy msgctxt "LABEL" msgid "Created" msgstr "S'ha creat" #. TRANS: Label for member count in statistics on group page. -#: actions/showgroup.php:466 +#: actions/showgroup.php:461 #, fuzzy msgctxt "LABEL" msgid "Members" @@ -4815,7 +4836,7 @@ msgstr "Membres" #. TRANS: **%s** is the group alias, %%%%site.name%%%% is the site name, #. TRANS: %%%%action.register%%%% is the URL for registration, %%%%doc.help%%%% is a URL to help. #. TRANS: This message contains Markdown links. Ensure they are formatted correctly: [Description](link). -#: actions/showgroup.php:481 +#: actions/showgroup.php:476 #, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -4834,7 +4855,7 @@ msgstr "" #. TRANS: Notice on group pages for anonymous users for StatusNet sites that accept no new registrations. #. TRANS: **%s** is the group alias, %%%%site.name%%%% is the site name, #. TRANS: This message contains Markdown links. Ensure they are formatted correctly: [Description](link). -#: actions/showgroup.php:491 +#: actions/showgroup.php:486 #, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -4848,7 +4869,7 @@ msgstr "" "curts sobre llur vida i interessos. " #. TRANS: Header for list of group administrators on a group page (h2). -#: actions/showgroup.php:520 +#: actions/showgroup.php:515 msgid "Admins" msgstr "Administradors" @@ -5639,7 +5660,7 @@ msgstr "La subscripció per defecte no és vàlida: «%1$s» no és cap usuari." #. TRANS: Link description in user account settings menu. #: actions/useradminpanel.php:215 lib/accountsettingsaction.php:106 -#: lib/personalgroupnav.php:109 +#: lib/personalgroupnav.php:112 msgid "Profile" msgstr "Perfil" @@ -5803,11 +5824,13 @@ msgstr "No es pot llegir l'URL de l'avatar «%s»." msgid "Wrong image type for avatar URL ‘%s’." msgstr "Tipus d'imatge incorrecta per a l'URL de l'avatar «%s»." -#: actions/userdesignsettings.php:76 lib/designsettings.php:65 +#. TRANS: Page title for profile design page. +#: actions/userdesignsettings.php:76 lib/designsettings.php:63 msgid "Profile design" msgstr "Disseny del perfil" -#: actions/userdesignsettings.php:87 lib/designsettings.php:76 +#. TRANS: Instructions for profile design page. +#: actions/userdesignsettings.php:87 lib/designsettings.php:74 msgid "" "Customize the way your profile looks with a background image and a colour " "palette of your choice." @@ -5939,33 +5962,46 @@ msgstr "El Robin pensa que quelcom és impossible." #. TRANS: Message given if an upload is larger than the configured maximum. #. TRANS: %1$d is the byte limit for uploads, %2$d is the byte count for the uploaded file. -#: classes/File.php:189 -#, php-format +#. TRANS: %1$s is used for plural. +#: classes/File.php:190 +#, fuzzy, php-format msgid "" +"No file may be larger than %1$d byte and the file you sent was %2$d bytes. " +"Try to upload a smaller version." +msgid_plural "" "No file may be larger than %1$d bytes and the file you sent was %2$d bytes. " "Try to upload a smaller version." -msgstr "" +msgstr[0] "" +"Cap fitxer pot ser major de %1$d bytes i el fitxer que heu enviat era de %2" +"$d bytes. Proveu de pujar una versió de mida menor." +msgstr[1] "" "Cap fitxer pot ser major de %1$d bytes i el fitxer que heu enviat era de %2" "$d bytes. Proveu de pujar una versió de mida menor." #. TRANS: Message given if an upload would exceed user quota. -#. TRANS: %d (number) is the user quota in bytes. -#: classes/File.php:201 -#, php-format -msgid "A file this large would exceed your user quota of %d bytes." -msgstr "" +#. TRANS: %d (number) is the user quota in bytes and is used for plural. +#: classes/File.php:203 +#, fuzzy, php-format +msgid "A file this large would exceed your user quota of %d byte." +msgid_plural "A file this large would exceed your user quota of %d bytes." +msgstr[0] "" +"Un fitxer d'aquesta mida excediria la vostra quota d'usuari de %d bytes." +msgstr[1] "" "Un fitxer d'aquesta mida excediria la vostra quota d'usuari de %d bytes." #. TRANS: Message given id an upload would exceed a user's monthly quota. -#. TRANS: $d (number) is the monthly user quota in bytes. -#: classes/File.php:210 -#, php-format -msgid "A file this large would exceed your monthly quota of %d bytes." -msgstr "" +#. TRANS: $d (number) is the monthly user quota in bytes and is used for plural. +#: classes/File.php:215 +#, fuzzy, php-format +msgid "A file this large would exceed your monthly quota of %d byte." +msgid_plural "A file this large would exceed your monthly quota of %d bytes." +msgstr[0] "" +"Un fitxer d'aquesta mida excediria la vostra quota mensual de %d bytes." +msgstr[1] "" "Un fitxer d'aquesta mida excediria la vostra quota mensual de %d bytes." #. TRANS: Client exception thrown if a file upload does not have a valid name. -#: classes/File.php:247 classes/File.php:262 +#: classes/File.php:262 classes/File.php:277 msgid "Invalid filename." msgstr "El nom del fitxer no és vàlid." @@ -6095,31 +6131,32 @@ msgid "Problem saving notice." msgstr "S'ha produït un problema en desar l'avís." #. TRANS: Server exception thrown when no array is provided to the method saveKnownGroups(). -#: classes/Notice.php:907 -msgid "Bad type provided to saveKnownGroups" +#: classes/Notice.php:905 +#, fuzzy +msgid "Bad type provided to saveKnownGroups." msgstr "S'ha proporcionat un tipus incorrecte per a saveKnownGroups" #. TRANS: Server exception thrown when an update for a group inbox fails. -#: classes/Notice.php:1006 +#: classes/Notice.php:1004 msgid "Problem saving group inbox." msgstr "S'ha produït un problema en desar la safata d'entrada del grup." #. TRANS: Server exception thrown when a reply cannot be saved. #. TRANS: %1$d is a notice ID, %2$d is the ID of the mentioned user. -#: classes/Notice.php:1120 +#: classes/Notice.php:1118 #, php-format msgid "Could not save reply for %1$d, %2$d." msgstr "No s'ha pogut desar la resposta de %1$d, %2$d." #. TRANS: Message used to repeat a notice. RT is the abbreviation of 'retweet'. #. TRANS: %1$s is the repeated user's name, %2$s is the repeated notice. -#: classes/Notice.php:1822 +#: classes/Notice.php:1820 #, php-format msgid "RT @%1$s %2$s" msgstr "RT @%1$s %2$s" #. TRANS: Full name of a profile or group followed by nickname in parens -#: classes/Profile.php:164 +#: classes/Profile.php:164 classes/User_group.php:247 #, fuzzy, php-format msgctxt "FANCYNAME" msgid "%1$s (%2$s)" @@ -6216,22 +6253,22 @@ msgid "Single-user mode code called when not enabled." msgstr "" #. TRANS: Server exception thrown when creating a group failed. -#: classes/User_group.php:495 +#: classes/User_group.php:511 msgid "Could not create group." msgstr "No s'ha pogut crear el grup." #. TRANS: Server exception thrown when updating a group URI failed. -#: classes/User_group.php:505 +#: classes/User_group.php:521 msgid "Could not set group URI." msgstr "No es pot definir l'URI del grup." #. TRANS: Server exception thrown when setting group membership failed. -#: classes/User_group.php:528 +#: classes/User_group.php:544 msgid "Could not set group membership." msgstr "No s'ha pogut establir la pertinença d'aquest grup." #. TRANS: Server exception thrown when saving local group information failed. -#: classes/User_group.php:543 +#: classes/User_group.php:559 msgid "Could not save local group info." msgstr "No s'ha pogut desar la informació del grup local." @@ -6643,7 +6680,7 @@ msgid "User configuration" msgstr "Configuració de l'usuari" #. TRANS: Menu item for site administration -#: lib/adminpanelaction.php:355 lib/personalgroupnav.php:115 +#: lib/adminpanelaction.php:355 lib/personalgroupnav.php:118 msgid "User" msgstr "Usuari" @@ -7359,10 +7396,13 @@ msgstr "Aplicacions de connexió autoritzades" msgid "Database error" msgstr "Error de la base de dades" -#: lib/designsettings.php:105 +#. TRANS: Label in form on profile design page. +#. TRANS: Field contains file name on user's computer that could be that user's custom profile background image. +#: lib/designsettings.php:104 msgid "Upload file" msgstr "Puja un fitxer" +#. TRANS: Instructions for form on profile design page. #: lib/designsettings.php:109 msgid "" "You can upload your personal background image. The maximum file size is 2MB." @@ -7370,16 +7410,29 @@ msgstr "" "Podeu pujar la vostra imatge de fons personal. La mida màxima del fitxer és " "2MB." -#: 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 "" -"El servidor no ha pogut gestionar tantes dades POST (%s bytes) a causa de la " -"configuració actual." +#. TRANS: Radio button on profile design page that will enable use of the uploaded profile image. +#: lib/designsettings.php:139 +#, fuzzy +msgctxt "RADIO" +msgid "On" +msgstr "Activada" -#: lib/designsettings.php:418 +#. TRANS: Radio button on profile design page that will disable use of the uploaded profile image. +#: lib/designsettings.php:156 +#, fuzzy +msgctxt "RADIO" +msgid "Off" +msgstr "Desactivada" + +#. TRANS: Button text on profile design page to reset all colour settings to default without saving. +#: lib/designsettings.php:264 +#, fuzzy +msgctxt "BUTTON" +msgid "Reset" +msgstr "Reinicialitza" + +#. TRANS: Success message displayed if design settings were saved after clicking "Use defaults". +#: lib/designsettings.php:433 msgid "Design defaults restored." msgstr "S'han restaurat els paràmetres de disseny per defecte." @@ -7880,7 +7933,7 @@ msgstr "" #. TRANS: Subject for favorite notification e-mail. #. TRANS: %1$s is the adding user's long name, %2$s is the adding user's nickname. -#: lib/mail.php:603 +#: lib/mail.php:607 #, fuzzy, php-format msgid "%1$s (@%2$s) added your notice as a favorite" msgstr "%s (@%s) ha afegit el vostre avís com a preferit" @@ -7890,7 +7943,7 @@ msgstr "%s (@%s) ha afegit el vostre avís com a preferit" #. TRANS: %3$s is a URL to the faved notice, %4$s is the faved notice text, #. TRANS: %5$s is a URL to all faves of the adding user, %6$s is the StatusNet sitename, #. TRANS: %7$s is the adding user's nickname. -#: lib/mail.php:610 +#: lib/mail.php:614 #, php-format msgid "" "%1$s (@%7$s) just added your notice from %2$s as one of their favorites.\n" @@ -7928,7 +7981,7 @@ msgstr "" "%6$s\n" #. TRANS: Line in @-reply notification e-mail. %s is conversation URL. -#: lib/mail.php:668 +#: lib/mail.php:672 #, php-format msgid "" "The full conversation can be read here:\n" @@ -7941,7 +7994,7 @@ msgstr "" #. TRANS: E-mail subject for notice notification. #. TRANS: %1$s is the sending user's long name, %2$s is the adding user's nickname. -#: lib/mail.php:676 +#: lib/mail.php:680 #, fuzzy, php-format msgid "%1$s (@%2$s) sent a notice to your attention" msgstr "%s (@%s) us ha enviat un avís a la vostra atenció" @@ -7952,7 +8005,7 @@ msgstr "%s (@%s) us ha enviat un avís a la vostra atenció" #. TRANS: %5$s is a URL to the full conversion if it exists (otherwise empty), #. TRANS: %6$s is a URL to reply to the notice, %7$s is a URL to all @-replied for the addressed user, #. TRANS: %8$s is a URL to the addressed user's e-mail settings, %9$s is the sender's nickname. -#: lib/mail.php:684 +#: lib/mail.php:688 #, php-format msgid "" "%1$s (@%9$s) just sent a notice to your attention (an '@-reply') on %2$s.\n" @@ -8103,7 +8156,7 @@ msgstr "No s'ha pogut determinar el tipus MIME del fitxer." #. TRANS: Client exception thrown trying to upload a forbidden MIME type. #. TRANS: %1$s is the file type that was denied, %2$s is the application part of #. TRANS: the MIME type that was denied. -#: lib/mediafile.php:340 +#: lib/mediafile.php:345 #, php-format msgid "" "\"%1$s\" is not a supported file type on this server. Try using another %2$s " @@ -8114,7 +8167,7 @@ msgstr "" #. TRANS: Client exception thrown trying to upload a forbidden MIME type. #. TRANS: %s is the file type that was denied. -#: lib/mediafile.php:345 +#: lib/mediafile.php:350 #, php-format msgid "\"%s\" is not a supported file type on this server." msgstr "«%s» no és un tipus de fitxer compatible en aquest servidor." @@ -8255,31 +8308,31 @@ msgstr "Avís duplicat." msgid "Couldn't insert new subscription." msgstr "No s'ha pogut inserir una nova subscripció." -#: lib/personalgroupnav.php:99 +#: lib/personalgroupnav.php:102 msgid "Personal" msgstr "Personal" -#: lib/personalgroupnav.php:104 +#: lib/personalgroupnav.php:107 msgid "Replies" msgstr "Respostes" -#: lib/personalgroupnav.php:114 +#: lib/personalgroupnav.php:117 msgid "Favorites" msgstr "Preferits" -#: lib/personalgroupnav.php:125 +#: lib/personalgroupnav.php:128 msgid "Inbox" msgstr "Safata d'entrada" -#: lib/personalgroupnav.php:126 +#: lib/personalgroupnav.php:129 msgid "Your incoming messages" msgstr "Els teus missatges rebuts" -#: lib/personalgroupnav.php:130 +#: lib/personalgroupnav.php:133 msgid "Outbox" msgstr "Safata de sortida" -#: lib/personalgroupnav.php:131 +#: lib/personalgroupnav.php:134 msgid "Your sent messages" msgstr "Els teus missatges enviats" @@ -8477,6 +8530,12 @@ msgstr "Núvol d'etiquetes personals" msgid "None" msgstr "Cap" +#. TRANS: Server exception displayed if a theme name was invalid. +#: lib/theme.php:74 +#, fuzzy +msgid "Invalid theme name." +msgstr "El nom del fitxer no és vàlid." + #: lib/themeuploader.php:50 msgid "This server cannot handle theme uploads without ZIP support." msgstr "El servidor no pot gestionar la pujada de temes si no pot tractar ZIP." @@ -8728,23 +8787,9 @@ msgid_plural "%d entries in backup." msgstr[0] "%d entrades a la còpia de seguretat." msgstr[1] "%d entrades a la còpia de seguretat." -#, fuzzy -#~ msgid "Name is too long (maximum 255 chars)." -#~ msgstr "El nom és massa llarg (màx. 255 caràcters)." - -#, fuzzy -#~ msgid "Organization is too long (maximum 255 chars)." -#~ msgstr "El camp organització és massa llarg (màx. 255 caràcters)." - -#~ msgid "That's too long. Max notice size is %d chars." -#~ msgstr "Massa llarg. La longitud màxima és de %d caràcters." - -#~ msgid "Max notice size is %d chars, including attachment URL." +#~ msgid "" +#~ "The server was unable to handle that much POST data (%s bytes) due to its " +#~ "current configuration." #~ msgstr "" -#~ "La mida màxima de l'avís és %d caràcters, incloent l'URL de l'adjunt." - -#~ msgid " tagged %s" -#~ msgstr " etiquetats amb %s" - -#~ msgid "Backup file for user %s (%s)" -#~ msgstr "Fitxer de còpia de seguretat de l'usuari %s (%s)" +#~ "El servidor no ha pogut gestionar tantes dades POST (%s bytes) a causa de " +#~ "la configuració actual." diff --git a/locale/cs/LC_MESSAGES/statusnet.po b/locale/cs/LC_MESSAGES/statusnet.po index c99c634a64..93561c0884 100644 --- a/locale/cs/LC_MESSAGES/statusnet.po +++ b/locale/cs/LC_MESSAGES/statusnet.po @@ -11,18 +11,18 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet - Core\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-11-02 22:51+0000\n" -"PO-Revision-Date: 2010-11-02 22:53:09+0000\n" +"POT-Creation-Date: 2010-11-04 18:25+0000\n" +"PO-Revision-Date: 2010-11-04 18:27:09+0000\n" "Language-Team: Czech \n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r75875); Translate extension (2010-09-17)\n" +"X-Generator: MediaWiki 1.17alpha (r76004); Translate extension (2010-09-17)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: cs\n" "X-Message-Group: #out-statusnet-core\n" "Plural-Forms: nplurals=3; plural=(n == 1) ? 0 : ( (n >= 2 && n <= 4) ? 1 : " "2 );\n" -"X-POT-Import-Date: 2010-10-30 23:42:01+0000\n" +"X-POT-Import-Date: 2010-11-02 23:22:49+0000\n" #. TRANS: Page title for Access admin panel that allows configuring site access. #. TRANS: Menu item for site administration @@ -87,12 +87,14 @@ msgstr "uložit nastavení přístupu" #. TRANS: Save button for settings for a profile in a subscriptions list. #. TRANS: Button text to save user settings in user admin panel. #. TRANS: Button label in the "Edit application" form. +#. TRANS: Button text on profile design page to save settings. #: actions/accessadminpanel.php:193 actions/emailsettings.php:228 #: actions/imsettings.php:187 actions/othersettings.php:134 #: actions/pathsadminpanel.php:512 actions/profilesettings.php:201 #: actions/sitenoticeadminpanel.php:197 actions/smssettings.php:209 #: actions/subscriptions.php:246 actions/useradminpanel.php:298 -#: lib/applicationeditform.php:355 lib/groupeditform.php:207 +#: lib/applicationeditform.php:355 lib/designsettings.php:270 +#: lib/groupeditform.php:207 msgctxt "BUTTON" msgid "Save" msgstr "Uložit" @@ -160,7 +162,7 @@ msgstr "%1$s a přátelé, strana %2$d" #. TRANS: Timeline title for user and friends. %s is a user nickname. #: actions/all.php:94 actions/all.php:191 actions/allrss.php:115 #: actions/apitimelinefriends.php:207 actions/apitimelinehome.php:113 -#: lib/personalgroupnav.php:100 +#: lib/personalgroupnav.php:103 #, php-format msgid "%s and friends" msgstr "%s a přátelé" @@ -335,11 +337,13 @@ msgstr "Nepodařilo se uložit profil." #. TRANS: Client error displayed when the number of bytes in a POST request exceeds a limit. #. TRANS: %s is the number of bytes of the CONTENT_LENGTH. +#. TRANS: Form validation error in design settings form. POST should remain untranslated. #: actions/apiaccountupdateprofilebackgroundimage.php:108 #: actions/apiaccountupdateprofileimage.php:95 actions/apimediaupload.php:81 #: actions/apistatusesupdate.php:210 actions/avatarsettings.php:269 #: actions/designadminpanel.php:125 actions/editapplication.php:121 #: actions/newapplication.php:104 actions/newnotice.php:95 +#: lib/designsettings.php:298 #, fuzzy, php-format msgid "" "The server was unable to handle that much POST data (%s byte) due to its " @@ -754,7 +758,7 @@ msgstr "Nejste autorizován." #: actions/repeat.php:83 actions/smssettings.php:256 actions/subedit.php:40 #: actions/subscribe.php:86 actions/tagother.php:166 #: actions/unsubscribe.php:69 actions/userauthorization.php:52 -#: lib/designsettings.php:294 +#: lib/designsettings.php:310 msgid "There was a problem with your session token. Try again, please." msgstr "Nastal problém s vaším session tokenem. Zkuste to znovu, prosím." @@ -776,12 +780,13 @@ msgstr "Chyba databáze při vkládání uživatele aplikace OAuth." #. TRANS: Message given submitting a form with an unknown action in IM settings. #. TRANS: Client error when submitting a form with unexpected information. #. TRANS: Message given submitting a form with an unknown action in SMS settings. +#. TRANS: Unknown form validation error in design settings form. #: actions/apioauthauthorize.php:294 actions/avatarsettings.php:294 #: actions/designadminpanel.php:104 actions/editapplication.php:144 #: actions/emailsettings.php:290 actions/grouplogo.php:322 #: actions/imsettings.php:245 actions/newapplication.php:125 #: actions/oauthconnectionssettings.php:147 actions/recoverpassword.php:44 -#: actions/smssettings.php:277 lib/designsettings.php:304 +#: actions/smssettings.php:277 lib/designsettings.php:321 msgid "Unexpected form submission." msgstr "Nečekaný požadavek." @@ -834,7 +839,7 @@ msgstr "Účet" #. TRANS: Label for group nickname (dt). Text hidden by default. #: actions/apioauthauthorize.php:459 actions/login.php:252 #: actions/profilesettings.php:110 actions/register.php:433 -#: actions/showgroup.php:245 actions/tagother.php:94 +#: actions/showgroup.php:240 actions/tagother.php:94 #: actions/userauthorization.php:145 lib/groupeditform.php:152 #: lib/userprofile.php:132 msgid "Nickname" @@ -1099,7 +1104,7 @@ msgstr "Žádná taková příloha." #: actions/avatarbynickname.php:60 actions/blockedfromgroup.php:73 #: actions/editgroup.php:85 actions/groupdesignsettings.php:84 #: actions/grouplogo.php:86 actions/groupmembers.php:76 -#: actions/grouprss.php:91 actions/showgroup.php:121 +#: actions/grouprss.php:91 actions/showgroup.php:116 msgid "No nickname." msgstr "Žádná přezdívka." @@ -1116,7 +1121,7 @@ msgstr "Neplatná velikost" #. TRANS: Title for avatar upload page. #. TRANS: Label for group avatar (dt). Text hidden by default. #. TRANS: Link description in user account settings menu. -#: actions/avatarsettings.php:66 actions/showgroup.php:229 +#: actions/avatarsettings.php:66 actions/showgroup.php:224 #: lib/accountsettingsaction.php:113 msgid "Avatar" msgstr "Avatar" @@ -1292,7 +1297,7 @@ msgstr "Nepodařilo se uložit blokování." #: actions/groupunblock.php:88 actions/joingroup.php:82 #: actions/joingroup.php:93 actions/leavegroup.php:82 #: actions/leavegroup.php:93 actions/makeadmin.php:86 -#: actions/showgroup.php:139 actions/showgroup.php:148 lib/command.php:168 +#: actions/showgroup.php:134 actions/showgroup.php:143 lib/command.php:168 #: lib/command.php:380 msgid "No such group." msgstr "Žádný takový uživatel." @@ -1657,12 +1662,14 @@ msgstr "Vlastní téma" msgid "You can upload a custom StatusNet theme as a .ZIP archive." msgstr "Můžete nahrát vlastní StatusNet téma jako .ZIP archiv." -#: actions/designadminpanel.php:512 lib/designsettings.php:101 +#. TRANS: Fieldset legend on profile design page. +#: actions/designadminpanel.php:512 lib/designsettings.php:98 msgid "Change background image" msgstr "Změnit obrázek na pozadí" +#. TRANS: Label on profile design page for setting a profile page background colour. #: actions/designadminpanel.php:517 actions/designadminpanel.php:600 -#: lib/designsettings.php:178 +#: lib/designsettings.php:183 msgid "Background" msgstr "Pozadí" @@ -1675,40 +1682,48 @@ msgstr "" "Můžete nahrát obrázek na pozadí stránek. Maximální velikost souboru je %1$s." #. TRANS: Used as radio button label to add a background image. -#: actions/designadminpanel.php:553 lib/designsettings.php:139 +#: actions/designadminpanel.php:553 msgid "On" msgstr "zap." #. TRANS: Used as radio button label to not add a background image. -#: actions/designadminpanel.php:570 lib/designsettings.php:155 +#: actions/designadminpanel.php:570 msgid "Off" msgstr "vyp." -#: actions/designadminpanel.php:571 lib/designsettings.php:156 +#. TRANS: Form guide for a set of radio buttons on the profile design page that will enable or disable +#. TRANS: use of the uploaded profile image. +#: actions/designadminpanel.php:571 lib/designsettings.php:159 msgid "Turn background image on or off." msgstr "Zapněte nebů vypněte obrázek na pozadí." -#: actions/designadminpanel.php:576 lib/designsettings.php:161 +#. TRANS: Checkbox label on profile design page that will cause the profile image to be tiled. +#: actions/designadminpanel.php:576 lib/designsettings.php:165 msgid "Tile background image" msgstr "Dlaždicovat obrázek na pozadí" -#: actions/designadminpanel.php:590 lib/designsettings.php:170 +#. TRANS: Fieldset legend on profile design page to change profile page colours. +#: actions/designadminpanel.php:590 lib/designsettings.php:175 msgid "Change colours" msgstr "Změnit barvy" -#: actions/designadminpanel.php:613 lib/designsettings.php:191 +#. TRANS: Label on profile design page for setting a profile page content colour. +#: actions/designadminpanel.php:613 lib/designsettings.php:197 msgid "Content" msgstr "Obsah" -#: actions/designadminpanel.php:626 lib/designsettings.php:204 +#. TRANS: Label on profile design page for setting a profile page sidebar colour. +#: actions/designadminpanel.php:626 lib/designsettings.php:211 msgid "Sidebar" msgstr "Boční panel" -#: actions/designadminpanel.php:639 lib/designsettings.php:217 +#. TRANS: Label on profile design page for setting a profile page text colour. +#: actions/designadminpanel.php:639 lib/designsettings.php:225 msgid "Text" msgstr "Text" -#: actions/designadminpanel.php:652 lib/designsettings.php:230 +#. TRANS: Label on profile design page for setting a profile page links colour. +#: actions/designadminpanel.php:652 lib/designsettings.php:239 msgid "Links" msgstr "Odkazy" @@ -1720,15 +1735,18 @@ msgstr "Rozšířené" msgid "Custom CSS" msgstr "Vlastní CSS" -#: actions/designadminpanel.php:702 lib/designsettings.php:247 +#. TRANS: Button text on profile design page to immediately reset all colour settings to default. +#: actions/designadminpanel.php:702 lib/designsettings.php:257 msgid "Use defaults" msgstr "Použít výchozí" -#: actions/designadminpanel.php:703 lib/designsettings.php:248 +#. TRANS: Title for button on profile design page to reset all colour settings to default. +#: actions/designadminpanel.php:703 lib/designsettings.php:259 msgid "Restore default designs" msgstr "Obnovit výchozí vzhledy" -#: actions/designadminpanel.php:709 lib/designsettings.php:254 +#. TRANS: Title for button on profile design page to reset all colour settings to default without saving. +#: actions/designadminpanel.php:709 lib/designsettings.php:267 msgid "Reset back to default" msgstr "Reset zpět do výchozího" @@ -1736,11 +1754,12 @@ msgstr "Reset zpět do výchozího" #: actions/designadminpanel.php:711 actions/licenseadminpanel.php:319 #: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:292 #: actions/snapshotadminpanel.php:245 actions/tagother.php:154 -#: lib/applicationeditform.php:357 lib/designsettings.php:256 +#: lib/applicationeditform.php:357 msgid "Save" msgstr "Uložit" -#: actions/designadminpanel.php:712 lib/designsettings.php:257 +#. TRANS: Title for button on profile design page to save settings. +#: actions/designadminpanel.php:712 lib/designsettings.php:272 msgid "Save design" msgstr "Uložit vzhled" @@ -1876,7 +1895,7 @@ msgstr "Nelze aktualizovat skupinu." #. TRANS: Server error displayed when group aliases could not be added. #. TRANS: Server exception thrown when creating group aliases failed. -#: actions/editgroup.php:288 classes/User_group.php:513 +#: actions/editgroup.php:288 classes/User_group.php:529 msgid "Could not create aliases." msgstr "Nelze vytvořit aliasy." @@ -2162,7 +2181,7 @@ msgstr "" "oznámení k oblíbeným!" #: actions/favoritesrss.php:111 actions/showfavorites.php:77 -#: lib/personalgroupnav.php:115 +#: lib/personalgroupnav.php:118 #, php-format msgid "%s's favorite notices" msgstr "oblíbená oznámení uživatele %s" @@ -2340,8 +2359,10 @@ msgstr "" "Přizpůsobit vzhled skupiny obrázkem na pozadí a barevnou paletou vašeho " "výběru." +#. TRANS: Error message displayed if design settings could not be saved. +#. TRANS: Error message displayed if design settings could not be saved after clicking "Use defaults". #: actions/groupdesignsettings.php:266 actions/userdesignsettings.php:186 -#: lib/designsettings.php:391 lib/designsettings.php:413 +#: lib/designsettings.php:405 lib/designsettings.php:427 msgid "Couldn't update your design." msgstr "Nelze uložit vzhled." @@ -3298,25 +3319,25 @@ msgstr "" msgid "Notice has no profile." msgstr "Uživatel nemá profil." -#: actions/oembed.php:87 actions/shownotice.php:176 +#: actions/oembed.php:83 actions/shownotice.php:172 #, php-format msgid "%1$s's status on %2$s" msgstr "status %1 na %2" #. TRANS: Error message displaying attachments. %s is a raw MIME type (eg 'image/png') -#: actions/oembed.php:159 +#: actions/oembed.php:155 #, php-format msgid "Content type %s not supported." msgstr "Typ obsahu %s není podporován." #. TRANS: Error message displaying attachments. %s is the site's base URL. -#: actions/oembed.php:163 +#: actions/oembed.php:159 #, php-format msgid "Only %s URLs over plain HTTP please." msgstr "Only %s URLs over plain HTTP please." #. TRANS: Client error on an API request with an unsupported data format. -#: actions/oembed.php:184 actions/oembed.php:203 lib/apiaction.php:1200 +#: actions/oembed.php:180 actions/oembed.php:199 lib/apiaction.php:1200 #: lib/apiaction.php:1227 lib/apiaction.php:1356 msgid "Not a supported data format." msgstr "Nepodporovaný formát dat." @@ -3815,7 +3836,7 @@ msgstr "1-64 znaků nebo čísel, bez teček, čárek a mezer" #. TRANS: Field label in form for profile settings. #. TRANS: Label for full group name (dt). Text hidden by default. #: actions/profilesettings.php:117 actions/register.php:457 -#: actions/showgroup.php:257 actions/tagother.php:104 +#: actions/showgroup.php:252 actions/tagother.php:104 #: lib/groupeditform.php:157 lib/userprofile.php:150 msgid "Full name" msgstr "Celé jméno" @@ -3858,7 +3879,7 @@ msgstr "O mě" #. TRANS: Field label in form for profile settings. #. TRANS: Label for group location (dt). Text hidden by default. #: actions/profilesettings.php:149 actions/register.php:485 -#: actions/showgroup.php:267 actions/tagother.php:112 +#: actions/showgroup.php:262 actions/tagother.php:112 #: actions/userauthorization.php:166 lib/groupeditform.php:180 #: lib/userprofile.php:165 msgid "Location" @@ -4437,7 +4458,7 @@ msgid "Repeated!" msgstr "Opakované!" #: actions/replies.php:126 actions/repliesrss.php:68 -#: lib/personalgroupnav.php:105 +#: lib/personalgroupnav.php:108 #, php-format msgid "Replies to %s" msgstr "Odpovědi na %s" @@ -4575,7 +4596,7 @@ msgid "Description" msgstr "Popis" #. TRANS: Header for group statistics on a group page (h2). -#: actions/showapplication.php:192 actions/showgroup.php:453 +#: actions/showapplication.php:192 actions/showgroup.php:448 #: lib/profileaction.php:187 msgid "Statistics" msgstr "Statistiky" @@ -4691,95 +4712,95 @@ msgid "This is a way to share what you like." msgstr "Toto je způsob, jak sdílet to, co se vám líbí." #. TRANS: Page title for first group page. %s is a group name. -#: actions/showgroup.php:80 +#: actions/showgroup.php:75 #, php-format msgid "%s group" msgstr "skupina %s" #. TRANS: Page title for any but first group page. #. TRANS: %1$s is a group name, $2$s is a page number. -#: actions/showgroup.php:84 +#: actions/showgroup.php:79 #, php-format msgid "%1$s group, page %2$d" msgstr "skupina %1$s, str. %2$d" #. TRANS: Group profile header (h2). Text hidden by default. -#: actions/showgroup.php:225 +#: actions/showgroup.php:220 msgid "Group profile" msgstr "Profil skupiny" #. TRANS: Label for group URL (dt). Text hidden by default. -#: actions/showgroup.php:275 actions/tagother.php:118 +#: actions/showgroup.php:270 actions/tagother.php:118 #: actions/userauthorization.php:175 lib/userprofile.php:178 msgid "URL" msgstr "URL" #. TRANS: Label for group description or group note (dt). Text hidden by default. -#: actions/showgroup.php:287 actions/tagother.php:128 +#: actions/showgroup.php:282 actions/tagother.php:128 #: actions/userauthorization.php:187 lib/userprofile.php:195 msgid "Note" msgstr "Poznámka" #. TRANS: Label for group aliases (dt). Text hidden by default. -#: actions/showgroup.php:298 lib/groupeditform.php:187 +#: actions/showgroup.php:293 lib/groupeditform.php:187 msgid "Aliases" msgstr "Aliasy" #. TRANS: Group actions header (h2). Text hidden by default. -#: actions/showgroup.php:309 +#: actions/showgroup.php:304 msgid "Group actions" msgstr "Akce skupiny" #. TRANS: Tooltip for feed link. %s is a group nickname. -#: actions/showgroup.php:350 +#: actions/showgroup.php:345 #, php-format msgid "Notice feed for %s group (RSS 1.0)" msgstr "Feed sdělení skupiny %s (RSS 1.0" #. TRANS: Tooltip for feed link. %s is a group nickname. -#: actions/showgroup.php:357 +#: actions/showgroup.php:352 #, php-format msgid "Notice feed for %s group (RSS 2.0)" msgstr "Feed sdělení skupiny %s (RSS 2.0)" #. TRANS: Tooltip for feed link. %s is a group nickname. -#: actions/showgroup.php:364 +#: actions/showgroup.php:359 #, php-format msgid "Notice feed for %s group (Atom)" msgstr "Feed sdělení skupiny %s (Atom)" #. TRANS: Tooltip for feed link. %s is a group nickname. -#: actions/showgroup.php:370 +#: actions/showgroup.php:365 #, php-format msgid "FOAF for %s group" msgstr "FOAF pro skupinu %s" #. TRANS: Header for mini list of group members on a group page (h2). -#: actions/showgroup.php:407 +#: actions/showgroup.php:402 msgid "Members" msgstr "Členové" #. TRANS: Description for mini list of group members on a group page when the group has no members. -#: actions/showgroup.php:413 lib/profileaction.php:117 +#: actions/showgroup.php:408 lib/profileaction.php:117 #: lib/profileaction.php:152 lib/profileaction.php:255 lib/section.php:95 #: lib/subscriptionlist.php:127 lib/tagcloudsection.php:71 msgid "(None)" msgstr "(nic)" #. TRANS: Link to all group members from mini list of group members if group has more than n members. -#: actions/showgroup.php:422 +#: actions/showgroup.php:417 msgid "All members" msgstr "Všichni členové" #. TRANS: Label for creation date in statistics on group page. -#: actions/showgroup.php:458 +#: actions/showgroup.php:453 #, fuzzy msgctxt "LABEL" msgid "Created" msgstr "Vytvořeno" #. TRANS: Label for member count in statistics on group page. -#: actions/showgroup.php:466 +#: actions/showgroup.php:461 #, fuzzy msgctxt "LABEL" msgid "Members" @@ -4789,7 +4810,7 @@ msgstr "Členové" #. TRANS: **%s** is the group alias, %%%%site.name%%%% is the site name, #. TRANS: %%%%action.register%%%% is the URL for registration, %%%%doc.help%%%% is a URL to help. #. TRANS: This message contains Markdown links. Ensure they are formatted correctly: [Description](link). -#: actions/showgroup.php:481 +#: actions/showgroup.php:476 #, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -4807,7 +4828,7 @@ msgstr "" #. TRANS: Notice on group pages for anonymous users for StatusNet sites that accept no new registrations. #. TRANS: **%s** is the group alias, %%%%site.name%%%% is the site name, #. TRANS: This message contains Markdown links. Ensure they are formatted correctly: [Description](link). -#: actions/showgroup.php:491 +#: actions/showgroup.php:486 #, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -4821,7 +4842,7 @@ msgstr "" "životě a zájmech. " #. TRANS: Header for list of group administrators on a group page (h2). -#: actions/showgroup.php:520 +#: actions/showgroup.php:515 msgid "Admins" msgstr "Adminové" @@ -5600,7 +5621,7 @@ msgstr "Neplatné výchozí přihlášení: '%1$s' není uživatel." #. TRANS: Link description in user account settings menu. #: actions/useradminpanel.php:215 lib/accountsettingsaction.php:106 -#: lib/personalgroupnav.php:109 +#: lib/personalgroupnav.php:112 msgid "Profile" msgstr "Profil" @@ -5763,11 +5784,13 @@ msgstr "Nelze načíst avatara z URL '%s'" msgid "Wrong image type for avatar URL ‘%s’." msgstr "Špatný typ obrázku na URL '%s'" -#: actions/userdesignsettings.php:76 lib/designsettings.php:65 +#. TRANS: Page title for profile design page. +#: actions/userdesignsettings.php:76 lib/designsettings.php:63 msgid "Profile design" msgstr "Vzhled profilu" -#: actions/userdesignsettings.php:87 lib/designsettings.php:76 +#. TRANS: Instructions for profile design page. +#: actions/userdesignsettings.php:87 lib/designsettings.php:74 msgid "" "Customize the way your profile looks with a background image and a colour " "palette of your choice." @@ -5900,31 +5923,47 @@ msgstr "Robin si myslí, že je něco nemožné." #. TRANS: Message given if an upload is larger than the configured maximum. #. TRANS: %1$d is the byte limit for uploads, %2$d is the byte count for the uploaded file. -#: classes/File.php:189 -#, php-format +#. TRANS: %1$s is used for plural. +#: classes/File.php:190 +#, fuzzy, php-format msgid "" +"No file may be larger than %1$d byte and the file you sent was %2$d bytes. " +"Try to upload a smaller version." +msgid_plural "" "No file may be larger than %1$d bytes and the file you sent was %2$d bytes. " "Try to upload a smaller version." -msgstr "" +msgstr[0] "" +"Žádný soubor nesmí být větší než %1$d bajtů a soubor, který jste poslal měl %" +"2$d bajtů. Zkuste nahrát menší verzi." +msgstr[1] "" +"Žádný soubor nesmí být větší než %1$d bajtů a soubor, který jste poslal měl %" +"2$d bajtů. Zkuste nahrát menší verzi." +msgstr[2] "" "Žádný soubor nesmí být větší než %1$d bajtů a soubor, který jste poslal měl %" "2$d bajtů. Zkuste nahrát menší verzi." #. TRANS: Message given if an upload would exceed user quota. -#. TRANS: %d (number) is the user quota in bytes. -#: classes/File.php:201 -#, php-format -msgid "A file this large would exceed your user quota of %d bytes." -msgstr "Takto velký soubor by překročil vaši uživatelskou kvótu %d bajtů." +#. TRANS: %d (number) is the user quota in bytes and is used for plural. +#: classes/File.php:203 +#, fuzzy, php-format +msgid "A file this large would exceed your user quota of %d byte." +msgid_plural "A file this large would exceed your user quota of %d bytes." +msgstr[0] "Takto velký soubor by překročil vaši uživatelskou kvótu %d bajtů." +msgstr[1] "Takto velký soubor by překročil vaši uživatelskou kvótu %d bajtů." +msgstr[2] "Takto velký soubor by překročil vaši uživatelskou kvótu %d bajtů." #. TRANS: Message given id an upload would exceed a user's monthly quota. -#. TRANS: $d (number) is the monthly user quota in bytes. -#: classes/File.php:210 -#, php-format -msgid "A file this large would exceed your monthly quota of %d bytes." -msgstr "Takto velký soubor by překročil vaši měsíční kvótu %d bajtů." +#. TRANS: $d (number) is the monthly user quota in bytes and is used for plural. +#: classes/File.php:215 +#, fuzzy, php-format +msgid "A file this large would exceed your monthly quota of %d byte." +msgid_plural "A file this large would exceed your monthly quota of %d bytes." +msgstr[0] "Takto velký soubor by překročil vaši měsíční kvótu %d bajtů." +msgstr[1] "Takto velký soubor by překročil vaši měsíční kvótu %d bajtů." +msgstr[2] "Takto velký soubor by překročil vaši měsíční kvótu %d bajtů." #. TRANS: Client exception thrown if a file upload does not have a valid name. -#: classes/File.php:247 classes/File.php:262 +#: classes/File.php:262 classes/File.php:277 msgid "Invalid filename." msgstr "Neplatné jméno souboru." @@ -6053,31 +6092,32 @@ msgid "Problem saving notice." msgstr "Problém při ukládání sdělení" #. TRANS: Server exception thrown when no array is provided to the method saveKnownGroups(). -#: classes/Notice.php:907 -msgid "Bad type provided to saveKnownGroups" +#: classes/Notice.php:905 +#, fuzzy +msgid "Bad type provided to saveKnownGroups." msgstr "saveKnownGroups obdrželo špatný typ." #. TRANS: Server exception thrown when an update for a group inbox fails. -#: classes/Notice.php:1006 +#: classes/Notice.php:1004 msgid "Problem saving group inbox." msgstr "Problém při ukládání skupinového inboxu" #. TRANS: Server exception thrown when a reply cannot be saved. #. TRANS: %1$d is a notice ID, %2$d is the ID of the mentioned user. -#: classes/Notice.php:1120 +#: classes/Notice.php:1118 #, fuzzy, php-format msgid "Could not save reply for %1$d, %2$d." msgstr "Nelze uložit místní info skupiny." #. TRANS: Message used to repeat a notice. RT is the abbreviation of 'retweet'. #. TRANS: %1$s is the repeated user's name, %2$s is the repeated notice. -#: classes/Notice.php:1822 +#: classes/Notice.php:1820 #, php-format msgid "RT @%1$s %2$s" msgstr "RT @%1$s %2$s" #. TRANS: Full name of a profile or group followed by nickname in parens -#: classes/Profile.php:164 +#: classes/Profile.php:164 classes/User_group.php:247 #, fuzzy, php-format msgctxt "FANCYNAME" msgid "%1$s (%2$s)" @@ -6172,22 +6212,22 @@ msgid "Single-user mode code called when not enabled." msgstr "" #. TRANS: Server exception thrown when creating a group failed. -#: classes/User_group.php:495 +#: classes/User_group.php:511 msgid "Could not create group." msgstr "Nelze vytvořit skupinu." #. TRANS: Server exception thrown when updating a group URI failed. -#: classes/User_group.php:505 +#: classes/User_group.php:521 msgid "Could not set group URI." msgstr "Nelze nastavit URI skupiny." #. TRANS: Server exception thrown when setting group membership failed. -#: classes/User_group.php:528 +#: classes/User_group.php:544 msgid "Could not set group membership." msgstr "Nelze nastavit členství ve skupině." #. TRANS: Server exception thrown when saving local group information failed. -#: classes/User_group.php:543 +#: classes/User_group.php:559 msgid "Could not save local group info." msgstr "Nelze uložit místní info skupiny." @@ -6592,7 +6632,7 @@ msgid "User configuration" msgstr "Akce uživatele" #. TRANS: Menu item for site administration -#: lib/adminpanelaction.php:355 lib/personalgroupnav.php:115 +#: lib/adminpanelaction.php:355 lib/personalgroupnav.php:118 msgid "User" msgstr "Uživatel" @@ -7307,10 +7347,13 @@ msgstr "Autorizované propojené aplikace" msgid "Database error" msgstr "Chyba databáze" -#: lib/designsettings.php:105 +#. TRANS: Label in form on profile design page. +#. TRANS: Field contains file name on user's computer that could be that user's custom profile background image. +#: lib/designsettings.php:104 msgid "Upload file" msgstr "Nahrát soubor" +#. TRANS: Instructions for form on profile design page. #: lib/designsettings.php:109 msgid "" "You can upload your personal background image. The maximum file size is 2MB." @@ -7318,16 +7361,29 @@ msgstr "" "Můžete nahrát váš osobní obrázek na pozadí. Maximální velikost souboru je 2 " "MB." -#: 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 "" -"Server nebyl schopen zpracovat tolik POST dat (%s bytů) vzhledem k jeho " -"aktuální konfiguraci." +#. TRANS: Radio button on profile design page that will enable use of the uploaded profile image. +#: lib/designsettings.php:139 +#, fuzzy +msgctxt "RADIO" +msgid "On" +msgstr "zap." -#: lib/designsettings.php:418 +#. TRANS: Radio button on profile design page that will disable use of the uploaded profile image. +#: lib/designsettings.php:156 +#, fuzzy +msgctxt "RADIO" +msgid "Off" +msgstr "vyp." + +#. TRANS: Button text on profile design page to reset all colour settings to default without saving. +#: lib/designsettings.php:264 +#, fuzzy +msgctxt "BUTTON" +msgid "Reset" +msgstr "Reset" + +#. TRANS: Success message displayed if design settings were saved after clicking "Use defaults". +#: lib/designsettings.php:433 msgid "Design defaults restored." msgstr "Obnoveno výchozí nastavení vzhledu." @@ -7831,7 +7887,7 @@ msgstr "" #. TRANS: Subject for favorite notification e-mail. #. TRANS: %1$s is the adding user's long name, %2$s is the adding user's nickname. -#: lib/mail.php:603 +#: lib/mail.php:607 #, fuzzy, php-format msgid "%1$s (@%2$s) added your notice as a favorite" msgstr "%s (@%s) přidal vaše oznámení jako oblíbené" @@ -7841,7 +7897,7 @@ msgstr "%s (@%s) přidal vaše oznámení jako oblíbené" #. TRANS: %3$s is a URL to the faved notice, %4$s is the faved notice text, #. TRANS: %5$s is a URL to all faves of the adding user, %6$s is the StatusNet sitename, #. TRANS: %7$s is the adding user's nickname. -#: lib/mail.php:610 +#: lib/mail.php:614 #, php-format msgid "" "%1$s (@%7$s) just added your notice from %2$s as one of their favorites.\n" @@ -7880,7 +7936,7 @@ msgstr "" " %6$s \n" #. TRANS: Line in @-reply notification e-mail. %s is conversation URL. -#: lib/mail.php:668 +#: lib/mail.php:672 #, php-format msgid "" "The full conversation can be read here:\n" @@ -7893,7 +7949,7 @@ msgstr "" #. TRANS: E-mail subject for notice notification. #. TRANS: %1$s is the sending user's long name, %2$s is the adding user's nickname. -#: lib/mail.php:676 +#: lib/mail.php:680 #, fuzzy, php-format msgid "%1$s (@%2$s) sent a notice to your attention" msgstr "%s (@%s) poslal oznámení žádající o vaši pozornost" @@ -7904,7 +7960,7 @@ msgstr "%s (@%s) poslal oznámení žádající o vaši pozornost" #. TRANS: %5$s is a URL to the full conversion if it exists (otherwise empty), #. TRANS: %6$s is a URL to reply to the notice, %7$s is a URL to all @-replied for the addressed user, #. TRANS: %8$s is a URL to the addressed user's e-mail settings, %9$s is the sender's nickname. -#: lib/mail.php:684 +#: lib/mail.php:688 #, php-format msgid "" "%1$s (@%9$s) just sent a notice to your attention (an '@-reply') on %2$s.\n" @@ -8052,7 +8108,7 @@ msgstr "Nelze určit typ MIME souboru." #. TRANS: Client exception thrown trying to upload a forbidden MIME type. #. TRANS: %1$s is the file type that was denied, %2$s is the application part of #. TRANS: the MIME type that was denied. -#: lib/mediafile.php:340 +#: lib/mediafile.php:345 #, php-format msgid "" "\"%1$s\" is not a supported file type on this server. Try using another %2$s " @@ -8061,7 +8117,7 @@ msgstr "" #. TRANS: Client exception thrown trying to upload a forbidden MIME type. #. TRANS: %s is the file type that was denied. -#: lib/mediafile.php:345 +#: lib/mediafile.php:350 #, php-format msgid "\"%s\" is not a supported file type on this server." msgstr "" @@ -8202,31 +8258,31 @@ msgstr "" msgid "Couldn't insert new subscription." msgstr "Nelze vložit odebírání" -#: lib/personalgroupnav.php:99 +#: lib/personalgroupnav.php:102 msgid "Personal" msgstr "Osobní" -#: lib/personalgroupnav.php:104 +#: lib/personalgroupnav.php:107 msgid "Replies" msgstr "Odpovědi" -#: lib/personalgroupnav.php:114 +#: lib/personalgroupnav.php:117 msgid "Favorites" msgstr "Oblíbené" -#: lib/personalgroupnav.php:125 +#: lib/personalgroupnav.php:128 msgid "Inbox" msgstr "Doručená pošta" -#: lib/personalgroupnav.php:126 +#: lib/personalgroupnav.php:129 msgid "Your incoming messages" msgstr "Vaše příchozí zprávy" -#: lib/personalgroupnav.php:130 +#: lib/personalgroupnav.php:133 msgid "Outbox" msgstr "Odeslaná pošta" -#: lib/personalgroupnav.php:131 +#: lib/personalgroupnav.php:134 msgid "Your sent messages" msgstr "Vaše odeslané zprávy" @@ -8424,6 +8480,12 @@ msgstr "Mrak štítků kterými jsou uživatelé označeni" msgid "None" msgstr "Nic" +#. TRANS: Server exception displayed if a theme name was invalid. +#: lib/theme.php:74 +#, fuzzy +msgid "Invalid theme name." +msgstr "Neplatné jméno souboru." + #: lib/themeuploader.php:50 msgid "This server cannot handle theme uploads without ZIP support." msgstr "Tento server nemůže zpracovat nahrání tématu bez podpory ZIP." @@ -8682,19 +8744,9 @@ msgstr[0] "" msgstr[1] "" msgstr[2] "" -#, fuzzy -#~ msgid "Name is too long (maximum 255 chars)." -#~ msgstr "Jméno je moc dlouhé (maximální délka je 255 znaků)." - -#, fuzzy -#~ msgid "Organization is too long (maximum 255 chars)." -#~ msgstr "Organizace je příliš dlouhá (max 255 znaků)." - -#~ msgid "That's too long. Max notice size is %d chars." -#~ msgstr "Je to příliš dlouhé. Maximální délka sdělení je %d znaků" - -#~ msgid "Max notice size is %d chars, including attachment URL." -#~ msgstr "Maximální délka notice je %d znaků včetně přiložené URL." - -#~ msgid " tagged %s" -#~ msgstr "označen %s" +#~ msgid "" +#~ "The server was unable to handle that much POST data (%s bytes) due to its " +#~ "current configuration." +#~ msgstr "" +#~ "Server nebyl schopen zpracovat tolik POST dat (%s bytů) vzhledem k jeho " +#~ "aktuální konfiguraci." diff --git a/locale/de/LC_MESSAGES/statusnet.po b/locale/de/LC_MESSAGES/statusnet.po index 27edfc5594..63416a8ba4 100644 --- a/locale/de/LC_MESSAGES/statusnet.po +++ b/locale/de/LC_MESSAGES/statusnet.po @@ -19,17 +19,17 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet - Core\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-11-02 22:51+0000\n" -"PO-Revision-Date: 2010-11-02 22:53:10+0000\n" +"POT-Creation-Date: 2010-11-04 18:25+0000\n" +"PO-Revision-Date: 2010-11-04 18:27:10+0000\n" "Language-Team: German \n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r75875); Translate extension (2010-09-17)\n" +"X-Generator: MediaWiki 1.17alpha (r76004); Translate extension (2010-09-17)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: de\n" "X-Message-Group: #out-statusnet-core\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-POT-Import-Date: 2010-10-30 23:42:01+0000\n" +"X-POT-Import-Date: 2010-11-02 23:22:49+0000\n" #. TRANS: Page title for Access admin panel that allows configuring site access. #. TRANS: Menu item for site administration @@ -95,12 +95,14 @@ msgstr "Zugangs-Einstellungen speichern" #. TRANS: Save button for settings for a profile in a subscriptions list. #. TRANS: Button text to save user settings in user admin panel. #. TRANS: Button label in the "Edit application" form. +#. TRANS: Button text on profile design page to save settings. #: actions/accessadminpanel.php:193 actions/emailsettings.php:228 #: actions/imsettings.php:187 actions/othersettings.php:134 #: actions/pathsadminpanel.php:512 actions/profilesettings.php:201 #: actions/sitenoticeadminpanel.php:197 actions/smssettings.php:209 #: actions/subscriptions.php:246 actions/useradminpanel.php:298 -#: lib/applicationeditform.php:355 lib/groupeditform.php:207 +#: lib/applicationeditform.php:355 lib/designsettings.php:270 +#: lib/groupeditform.php:207 msgctxt "BUTTON" msgid "Save" msgstr "Speichern" @@ -168,7 +170,7 @@ msgstr "%1$s und Freunde, Seite% 2$d" #. TRANS: Timeline title for user and friends. %s is a user nickname. #: actions/all.php:94 actions/all.php:191 actions/allrss.php:115 #: actions/apitimelinefriends.php:207 actions/apitimelinehome.php:113 -#: lib/personalgroupnav.php:100 +#: lib/personalgroupnav.php:103 #, php-format msgid "%s and friends" msgstr "%s und Freunde" @@ -344,11 +346,13 @@ msgstr "Konnte Profil nicht speichern." #. TRANS: Client error displayed when the number of bytes in a POST request exceeds a limit. #. TRANS: %s is the number of bytes of the CONTENT_LENGTH. +#. TRANS: Form validation error in design settings form. POST should remain untranslated. #: actions/apiaccountupdateprofilebackgroundimage.php:108 #: actions/apiaccountupdateprofileimage.php:95 actions/apimediaupload.php:81 #: actions/apistatusesupdate.php:210 actions/avatarsettings.php:269 #: actions/designadminpanel.php:125 actions/editapplication.php:121 #: actions/newapplication.php:104 actions/newnotice.php:95 +#: lib/designsettings.php:298 #, php-format msgid "" "The server was unable to handle that much POST data (%s byte) due to its " @@ -761,7 +765,7 @@ msgstr "Du bist nicht autorisiert." #: actions/repeat.php:83 actions/smssettings.php:256 actions/subedit.php:40 #: actions/subscribe.php:86 actions/tagother.php:166 #: actions/unsubscribe.php:69 actions/userauthorization.php:52 -#: lib/designsettings.php:294 +#: lib/designsettings.php:310 msgid "There was a problem with your session token. Try again, please." msgstr "Es gab ein Problem mit deinem Sitzungstoken. Bitte versuche es erneut." @@ -783,12 +787,13 @@ msgstr "Datenbankfehler beim Einfügen des OAuth-Programm-Benutzers." #. TRANS: Message given submitting a form with an unknown action in IM settings. #. TRANS: Client error when submitting a form with unexpected information. #. TRANS: Message given submitting a form with an unknown action in SMS settings. +#. TRANS: Unknown form validation error in design settings form. #: actions/apioauthauthorize.php:294 actions/avatarsettings.php:294 #: actions/designadminpanel.php:104 actions/editapplication.php:144 #: actions/emailsettings.php:290 actions/grouplogo.php:322 #: actions/imsettings.php:245 actions/newapplication.php:125 #: actions/oauthconnectionssettings.php:147 actions/recoverpassword.php:44 -#: actions/smssettings.php:277 lib/designsettings.php:304 +#: actions/smssettings.php:277 lib/designsettings.php:321 msgid "Unexpected form submission." msgstr "Unerwartete Formulareingabe." @@ -840,7 +845,7 @@ msgstr "Profil" #. TRANS: Label for group nickname (dt). Text hidden by default. #: actions/apioauthauthorize.php:459 actions/login.php:252 #: actions/profilesettings.php:110 actions/register.php:433 -#: actions/showgroup.php:245 actions/tagother.php:94 +#: actions/showgroup.php:240 actions/tagother.php:94 #: actions/userauthorization.php:145 lib/groupeditform.php:152 #: lib/userprofile.php:132 msgid "Nickname" @@ -1111,7 +1116,7 @@ msgstr "Kein solcher Anhang." #: actions/avatarbynickname.php:60 actions/blockedfromgroup.php:73 #: actions/editgroup.php:85 actions/groupdesignsettings.php:84 #: actions/grouplogo.php:86 actions/groupmembers.php:76 -#: actions/grouprss.php:91 actions/showgroup.php:121 +#: actions/grouprss.php:91 actions/showgroup.php:116 msgid "No nickname." msgstr "Kein Benutzername." @@ -1128,7 +1133,7 @@ msgstr "Ungültige Größe." #. TRANS: Title for avatar upload page. #. TRANS: Label for group avatar (dt). Text hidden by default. #. TRANS: Link description in user account settings menu. -#: actions/avatarsettings.php:66 actions/showgroup.php:229 +#: actions/avatarsettings.php:66 actions/showgroup.php:224 #: lib/accountsettingsaction.php:113 msgid "Avatar" msgstr "Avatar" @@ -1303,7 +1308,7 @@ msgstr "Konnte Blockierungsdaten nicht speichern." #: actions/groupunblock.php:88 actions/joingroup.php:82 #: actions/joingroup.php:93 actions/leavegroup.php:82 #: actions/leavegroup.php:93 actions/makeadmin.php:86 -#: actions/showgroup.php:139 actions/showgroup.php:148 lib/command.php:168 +#: actions/showgroup.php:134 actions/showgroup.php:143 lib/command.php:168 #: lib/command.php:380 msgid "No such group." msgstr "Keine derartige Gruppe." @@ -1660,12 +1665,14 @@ msgstr "Angepasster Skin" msgid "You can upload a custom StatusNet theme as a .ZIP archive." msgstr "Du kannst ein angepasstes StatusNet-Theme als .ZIP-Archiv hochladen." -#: actions/designadminpanel.php:512 lib/designsettings.php:101 +#. TRANS: Fieldset legend on profile design page. +#: actions/designadminpanel.php:512 lib/designsettings.php:98 msgid "Change background image" msgstr "Hintergrundbild ändern" +#. TRANS: Label on profile design page for setting a profile page background colour. #: actions/designadminpanel.php:517 actions/designadminpanel.php:600 -#: lib/designsettings.php:178 +#: lib/designsettings.php:183 msgid "Background" msgstr "Hintergrund" @@ -1679,40 +1686,48 @@ msgstr "" "Dateigröße beträgt %1$s." #. TRANS: Used as radio button label to add a background image. -#: actions/designadminpanel.php:553 lib/designsettings.php:139 +#: actions/designadminpanel.php:553 msgid "On" msgstr "An" #. TRANS: Used as radio button label to not add a background image. -#: actions/designadminpanel.php:570 lib/designsettings.php:155 +#: actions/designadminpanel.php:570 msgid "Off" msgstr "Aus" -#: actions/designadminpanel.php:571 lib/designsettings.php:156 +#. TRANS: Form guide for a set of radio buttons on the profile design page that will enable or disable +#. TRANS: use of the uploaded profile image. +#: actions/designadminpanel.php:571 lib/designsettings.php:159 msgid "Turn background image on or off." msgstr "Hintergrundbild ein- oder ausschalten." -#: actions/designadminpanel.php:576 lib/designsettings.php:161 +#. TRANS: Checkbox label on profile design page that will cause the profile image to be tiled. +#: actions/designadminpanel.php:576 lib/designsettings.php:165 msgid "Tile background image" msgstr "Hintergrundbild kacheln" -#: actions/designadminpanel.php:590 lib/designsettings.php:170 +#. TRANS: Fieldset legend on profile design page to change profile page colours. +#: actions/designadminpanel.php:590 lib/designsettings.php:175 msgid "Change colours" msgstr "Farben ändern" -#: actions/designadminpanel.php:613 lib/designsettings.php:191 +#. TRANS: Label on profile design page for setting a profile page content colour. +#: actions/designadminpanel.php:613 lib/designsettings.php:197 msgid "Content" msgstr "Inhalt" -#: actions/designadminpanel.php:626 lib/designsettings.php:204 +#. TRANS: Label on profile design page for setting a profile page sidebar colour. +#: actions/designadminpanel.php:626 lib/designsettings.php:211 msgid "Sidebar" msgstr "Seitenleiste" -#: actions/designadminpanel.php:639 lib/designsettings.php:217 +#. TRANS: Label on profile design page for setting a profile page text colour. +#: actions/designadminpanel.php:639 lib/designsettings.php:225 msgid "Text" msgstr "Text" -#: actions/designadminpanel.php:652 lib/designsettings.php:230 +#. TRANS: Label on profile design page for setting a profile page links colour. +#: actions/designadminpanel.php:652 lib/designsettings.php:239 msgid "Links" msgstr "Links" @@ -1724,15 +1739,18 @@ msgstr "Erweitert" msgid "Custom CSS" msgstr "Eigene CSS" -#: actions/designadminpanel.php:702 lib/designsettings.php:247 +#. TRANS: Button text on profile design page to immediately reset all colour settings to default. +#: actions/designadminpanel.php:702 lib/designsettings.php:257 msgid "Use defaults" msgstr "Standardeinstellungen benutzen" -#: actions/designadminpanel.php:703 lib/designsettings.php:248 +#. TRANS: Title for button on profile design page to reset all colour settings to default. +#: actions/designadminpanel.php:703 lib/designsettings.php:259 msgid "Restore default designs" msgstr "Standard-Design wiederherstellen" -#: actions/designadminpanel.php:709 lib/designsettings.php:254 +#. TRANS: Title for button on profile design page to reset all colour settings to default without saving. +#: actions/designadminpanel.php:709 lib/designsettings.php:267 msgid "Reset back to default" msgstr "Standard wiederherstellen" @@ -1740,11 +1758,12 @@ msgstr "Standard wiederherstellen" #: actions/designadminpanel.php:711 actions/licenseadminpanel.php:319 #: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:292 #: actions/snapshotadminpanel.php:245 actions/tagother.php:154 -#: lib/applicationeditform.php:357 lib/designsettings.php:256 +#: lib/applicationeditform.php:357 msgid "Save" msgstr "Speichern" -#: actions/designadminpanel.php:712 lib/designsettings.php:257 +#. TRANS: Title for button on profile design page to save settings. +#: actions/designadminpanel.php:712 lib/designsettings.php:272 msgid "Save design" msgstr "Design speichern" @@ -1789,7 +1808,6 @@ msgstr "Name ist erforderlich." #. TRANS: Validation error shown when providing too long a name in the "Edit application" form. #: actions/editapplication.php:188 actions/newapplication.php:169 -#, fuzzy msgid "Name is too long (maximum 255 characters)." msgstr "Der Name ist zu lang (maximal 255 Zeichen)." @@ -1880,7 +1898,7 @@ msgstr "Konnte Gruppe nicht aktualisieren." #. TRANS: Server error displayed when group aliases could not be added. #. TRANS: Server exception thrown when creating group aliases failed. -#: actions/editgroup.php:288 classes/User_group.php:513 +#: actions/editgroup.php:288 classes/User_group.php:529 msgid "Could not create aliases." msgstr "Konnte keinen Favoriten erstellen." @@ -2170,7 +2188,7 @@ msgstr "" "bist der erste der eine Nachricht favorisiert!" #: actions/favoritesrss.php:111 actions/showfavorites.php:77 -#: lib/personalgroupnav.php:115 +#: lib/personalgroupnav.php:118 #, php-format msgid "%s's favorite notices" msgstr "%ss favorisierte Nachrichten" @@ -2350,8 +2368,10 @@ msgstr "" "Stelle ein wie die Gruppenseite aussehen soll. Hintergrundbild und " "Farbpalette frei wählbar." +#. TRANS: Error message displayed if design settings could not be saved. +#. TRANS: Error message displayed if design settings could not be saved after clicking "Use defaults". #: actions/groupdesignsettings.php:266 actions/userdesignsettings.php:186 -#: lib/designsettings.php:391 lib/designsettings.php:413 +#: lib/designsettings.php:405 lib/designsettings.php:427 msgid "Couldn't update your design." msgstr "Konnte dein Design nicht aktualisieren." @@ -2748,7 +2768,7 @@ msgstr[1] "Du hast diese Benutzer bereits abonniert:" #. TRANS: Used as list item for already subscribed users (%1$s is nickname, %2$s is e-mail address). #. TRANS: Used as list item for already registered people (%1$s is nickname, %2$s is e-mail address). #: actions/invite.php:145 actions/invite.php:159 -#, fuzzy, php-format +#, php-format msgctxt "INVITE" msgid "%1$s (%2$s)" msgstr "%1$s (%2$s)" @@ -2938,7 +2958,6 @@ msgstr "" "wählst." #: actions/licenseadminpanel.php:156 -#, fuzzy msgid "Invalid license title. Maximum length is 255 characters." msgstr "Ungültiger Lizenztitel. Die maximale Länge liegt bei 255 Zeichen." @@ -3320,25 +3339,25 @@ msgstr "" msgid "Notice has no profile." msgstr "Nachricht hat kein Profil" -#: actions/oembed.php:87 actions/shownotice.php:176 +#: actions/oembed.php:83 actions/shownotice.php:172 #, php-format msgid "%1$s's status on %2$s" msgstr "Status von %1$s auf %2$s" #. TRANS: Error message displaying attachments. %s is a raw MIME type (eg 'image/png') -#: actions/oembed.php:159 +#: actions/oembed.php:155 #, php-format msgid "Content type %s not supported." msgstr "Content-Typ %s wird nicht untersützt." #. TRANS: Error message displaying attachments. %s is the site's base URL. -#: actions/oembed.php:163 +#: actions/oembed.php:159 #, php-format msgid "Only %s URLs over plain HTTP please." msgstr "Bitte nur %s URLs über einfaches HTTP." #. TRANS: Client error on an API request with an unsupported data format. -#: actions/oembed.php:184 actions/oembed.php:203 lib/apiaction.php:1200 +#: actions/oembed.php:180 actions/oembed.php:199 lib/apiaction.php:1200 #: lib/apiaction.php:1227 lib/apiaction.php:1356 msgid "Not a supported data format." msgstr "Kein unterstütztes Datenformat." @@ -3389,9 +3408,8 @@ msgstr "Profil-Designs anzeigen oder verstecken." #. TRANS: Form validation error for form "Other settings" in user profile. #: actions/othersettings.php:162 -#, fuzzy msgid "URL shortening service is too long (maximum 50 characters)." -msgstr "URL-Auto-Kürzungs-Dienst ist zu lang (max. 50 Zeichen)." +msgstr "URL-Auto-Kürzungs-Dienst ist zu lang (maximal 50 Zeichen)." #: actions/otp.php:69 msgid "No user ID specified." @@ -3820,7 +3838,7 @@ msgstr "1-64 Kleinbuchstaben oder Zahlen, keine Satz- oder Leerzeichen." #. TRANS: Field label in form for profile settings. #. TRANS: Label for full group name (dt). Text hidden by default. #: actions/profilesettings.php:117 actions/register.php:457 -#: actions/showgroup.php:257 actions/tagother.php:104 +#: actions/showgroup.php:252 actions/tagother.php:104 #: lib/groupeditform.php:157 lib/userprofile.php:150 msgid "Full name" msgstr "Bürgerlicher Name" @@ -3863,7 +3881,7 @@ msgstr "Biografie" #. TRANS: Field label in form for profile settings. #. TRANS: Label for group location (dt). Text hidden by default. #: actions/profilesettings.php:149 actions/register.php:485 -#: actions/showgroup.php:267 actions/tagother.php:112 +#: actions/showgroup.php:262 actions/tagother.php:112 #: actions/userauthorization.php:166 lib/groupeditform.php:180 #: lib/userprofile.php:165 msgid "Location" @@ -4207,9 +4225,8 @@ msgid "Unexpected password reset." msgstr "Unerwarteter Passwortreset." #: actions/recoverpassword.php:365 -#, fuzzy msgid "Password must be 6 characters or more." -msgstr "Passwort muss mehr als 6 Zeichen enthalten" +msgstr "Passwort muss mehr als 6 Zeichen enthalten." #: actions/recoverpassword.php:369 msgid "Password and confirmation do not match." @@ -4455,7 +4472,7 @@ msgid "Repeated!" msgstr "Wiederholt!" #: actions/replies.php:126 actions/repliesrss.php:68 -#: lib/personalgroupnav.php:105 +#: lib/personalgroupnav.php:108 #, php-format msgid "Replies to %s" msgstr "Antworten an %s" @@ -4593,7 +4610,7 @@ msgid "Description" msgstr "Beschreibung" #. TRANS: Header for group statistics on a group page (h2). -#: actions/showapplication.php:192 actions/showgroup.php:453 +#: actions/showapplication.php:192 actions/showgroup.php:448 #: lib/profileaction.php:187 msgid "Statistics" msgstr "Statistik" @@ -4710,94 +4727,94 @@ msgid "This is a way to share what you like." msgstr "Dies ist ein Weg, Dinge zu teilen, die dir gefallen." #. TRANS: Page title for first group page. %s is a group name. -#: actions/showgroup.php:80 +#: actions/showgroup.php:75 #, php-format msgid "%s group" msgstr "%s-Gruppe" #. TRANS: Page title for any but first group page. #. TRANS: %1$s is a group name, $2$s is a page number. -#: actions/showgroup.php:84 +#: actions/showgroup.php:79 #, php-format msgid "%1$s group, page %2$d" msgstr "%1$s Gruppe, Seite %d" #. TRANS: Group profile header (h2). Text hidden by default. -#: actions/showgroup.php:225 +#: actions/showgroup.php:220 msgid "Group profile" msgstr "Gruppenprofil" #. TRANS: Label for group URL (dt). Text hidden by default. -#: actions/showgroup.php:275 actions/tagother.php:118 +#: actions/showgroup.php:270 actions/tagother.php:118 #: actions/userauthorization.php:175 lib/userprofile.php:178 msgid "URL" msgstr "URL" #. TRANS: Label for group description or group note (dt). Text hidden by default. -#: actions/showgroup.php:287 actions/tagother.php:128 +#: actions/showgroup.php:282 actions/tagother.php:128 #: actions/userauthorization.php:187 lib/userprofile.php:195 msgid "Note" msgstr "Nachricht" #. TRANS: Label for group aliases (dt). Text hidden by default. -#: actions/showgroup.php:298 lib/groupeditform.php:187 +#: actions/showgroup.php:293 lib/groupeditform.php:187 msgid "Aliases" msgstr "Pseudonyme" #. TRANS: Group actions header (h2). Text hidden by default. -#: actions/showgroup.php:309 +#: actions/showgroup.php:304 msgid "Group actions" msgstr "Gruppenaktionen" #. TRANS: Tooltip for feed link. %s is a group nickname. -#: actions/showgroup.php:350 +#: actions/showgroup.php:345 #, php-format msgid "Notice feed for %s group (RSS 1.0)" msgstr "Nachrichtenfeed der Gruppe %s (RSS 1.0)" #. TRANS: Tooltip for feed link. %s is a group nickname. -#: actions/showgroup.php:357 +#: actions/showgroup.php:352 #, php-format msgid "Notice feed for %s group (RSS 2.0)" msgstr "Nachrichtenfeed der Gruppe %s (RSS 2.0)" #. TRANS: Tooltip for feed link. %s is a group nickname. -#: actions/showgroup.php:364 +#: actions/showgroup.php:359 #, php-format msgid "Notice feed for %s group (Atom)" msgstr "Nachrichtenfeed der Gruppe %s (Atom)" #. TRANS: Tooltip for feed link. %s is a group nickname. -#: actions/showgroup.php:370 +#: actions/showgroup.php:365 #, php-format msgid "FOAF for %s group" msgstr "Postausgang von %s" #. TRANS: Header for mini list of group members on a group page (h2). -#: actions/showgroup.php:407 +#: actions/showgroup.php:402 msgid "Members" msgstr "Mitglieder" #. TRANS: Description for mini list of group members on a group page when the group has no members. -#: actions/showgroup.php:413 lib/profileaction.php:117 +#: actions/showgroup.php:408 lib/profileaction.php:117 #: lib/profileaction.php:152 lib/profileaction.php:255 lib/section.php:95 #: lib/subscriptionlist.php:127 lib/tagcloudsection.php:71 msgid "(None)" msgstr "(Kein)" #. TRANS: Link to all group members from mini list of group members if group has more than n members. -#: actions/showgroup.php:422 +#: actions/showgroup.php:417 msgid "All members" msgstr "Alle Mitglieder" #. TRANS: Label for creation date in statistics on group page. -#: actions/showgroup.php:458 +#: actions/showgroup.php:453 msgctxt "LABEL" msgid "Created" msgstr "Erstellt" #. TRANS: Label for member count in statistics on group page. -#: actions/showgroup.php:466 +#: actions/showgroup.php:461 msgctxt "LABEL" msgid "Members" msgstr "Mitglieder" @@ -4806,7 +4823,7 @@ msgstr "Mitglieder" #. TRANS: **%s** is the group alias, %%%%site.name%%%% is the site name, #. TRANS: %%%%action.register%%%% is the URL for registration, %%%%doc.help%%%% is a URL to help. #. TRANS: This message contains Markdown links. Ensure they are formatted correctly: [Description](link). -#: actions/showgroup.php:481 +#: actions/showgroup.php:476 #, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -4824,7 +4841,7 @@ msgstr "" #. TRANS: Notice on group pages for anonymous users for StatusNet sites that accept no new registrations. #. TRANS: **%s** is the group alias, %%%%site.name%%%% is the site name, #. TRANS: This message contains Markdown links. Ensure they are formatted correctly: [Description](link). -#: actions/showgroup.php:491 +#: actions/showgroup.php:486 #, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -4838,7 +4855,7 @@ msgstr "" "Nachrichten über ihr Leben und Interessen. " #. TRANS: Header for list of group administrators on a group page (h2). -#: actions/showgroup.php:520 +#: actions/showgroup.php:515 msgid "Admins" msgstr "Admins" @@ -4925,11 +4942,10 @@ msgstr "FOAF von %s" #. TRANS: First sentence of empty list message for a stream. $1%s is a user nickname. #: actions/showstream.php:211 -#, fuzzy, php-format +#, php-format msgid "This is the timeline for %1$s, but %1$s hasn't posted anything yet." msgstr "" -"Dies ist die Zeitleiste von %1$s und Freunden, aber bisher hat niemand etwas " -"gepostet." +"Dies ist die Zeitleiste von %1$s, aber bisher hat %1$s noch nichts gepostet." #. TRANS: Second sentence of empty list message for a stream for the user themselves. #: actions/showstream.php:217 @@ -5127,7 +5143,7 @@ msgstr "Seitenbenachrichtigung" #: actions/sitenoticeadminpanel.php:179 #, fuzzy msgid "Site-wide notice text (255 characters maximum; HTML allowed)" -msgstr "Systembenachrichtigung (max. 255 Zeichen; HTML erlaubt)" +msgstr "Systembenachrichtigung (maximal 255 Zeichen; HTML erlaubt)" #. TRANS: Title for button to save site notice in admin panel. #: actions/sitenoticeadminpanel.php:201 @@ -5613,7 +5629,6 @@ msgstr "Das Zeichenlimit der Biografie muss numerisch sein!" #. TRANS: Form validation error in user admin panel when welcome text is too long. #: actions/useradminpanel.php:154 -#, fuzzy msgid "Invalid welcome text. Maximum length is 255 characters." msgstr "Willkommens-Nachricht ungültig. Maximale Länge sind 255 Zeichen." @@ -5626,7 +5641,7 @@ msgstr "Ungültiges Abonnement: „%1$s“ ist kein Benutzer" #. TRANS: Link description in user account settings menu. #: actions/useradminpanel.php:215 lib/accountsettingsaction.php:106 -#: lib/personalgroupnav.php:109 +#: lib/personalgroupnav.php:112 msgid "Profile" msgstr "Profil" @@ -5652,7 +5667,6 @@ msgstr "Neue Benutzer empfangen" #. TRANS: Tooltip in user admin panel for setting new user welcome text. #: actions/useradminpanel.php:238 -#, fuzzy msgid "Welcome text for new users (maximum 255 characters)." msgstr "Willkommens-Nachricht für neue Benutzer (maximal 255 Zeichen)." @@ -5790,11 +5804,13 @@ msgstr "Konnte Avatar-URL nicht öffnen „%s“" msgid "Wrong image type for avatar URL ‘%s’." msgstr "Falscher Bildtyp für „%s“" -#: actions/userdesignsettings.php:76 lib/designsettings.php:65 +#. TRANS: Page title for profile design page. +#: actions/userdesignsettings.php:76 lib/designsettings.php:63 msgid "Profile design" msgstr "Profil-Design-Einstellungen" -#: actions/userdesignsettings.php:87 lib/designsettings.php:76 +#. TRANS: Instructions for profile design page. +#: actions/userdesignsettings.php:87 lib/designsettings.php:74 msgid "" "Customize the way your profile looks with a background image and a colour " "palette of your choice." @@ -5927,33 +5943,46 @@ msgstr "Robin denkt, dass etwas unmöglich ist." #. TRANS: Message given if an upload is larger than the configured maximum. #. TRANS: %1$d is the byte limit for uploads, %2$d is the byte count for the uploaded file. -#: classes/File.php:189 -#, php-format +#. TRANS: %1$s is used for plural. +#: classes/File.php:190 +#, fuzzy, php-format msgid "" +"No file may be larger than %1$d byte and the file you sent was %2$d bytes. " +"Try to upload a smaller version." +msgid_plural "" "No file may be larger than %1$d bytes and the file you sent was %2$d bytes. " "Try to upload a smaller version." -msgstr "" +msgstr[0] "" +"Keine Datei darf größer als %d Bytes sein und die Datei die du verschicken " +"wolltest war %d Bytes groß. Bitte eine kleinere Version hochladen." +msgstr[1] "" "Keine Datei darf größer als %d Bytes sein und die Datei die du verschicken " "wolltest war %d Bytes groß. Bitte eine kleinere Version hochladen." #. TRANS: Message given if an upload would exceed user quota. -#. TRANS: %d (number) is the user quota in bytes. -#: classes/File.php:201 -#, php-format -msgid "A file this large would exceed your user quota of %d bytes." -msgstr "Eine Datei dieser Größe überschreitet deine User Quota von %d Byte." +#. TRANS: %d (number) is the user quota in bytes and is used for plural. +#: classes/File.php:203 +#, fuzzy, php-format +msgid "A file this large would exceed your user quota of %d byte." +msgid_plural "A file this large would exceed your user quota of %d bytes." +msgstr[0] "Eine Datei dieser Größe überschreitet deine User Quota von %d Byte." +msgstr[1] "Eine Datei dieser Größe überschreitet deine User Quota von %d Byte." #. TRANS: Message given id an upload would exceed a user's monthly quota. -#. TRANS: $d (number) is the monthly user quota in bytes. -#: classes/File.php:210 -#, php-format -msgid "A file this large would exceed your monthly quota of %d bytes." -msgstr "" +#. TRANS: $d (number) is the monthly user quota in bytes and is used for plural. +#: classes/File.php:215 +#, fuzzy, php-format +msgid "A file this large would exceed your monthly quota of %d byte." +msgid_plural "A file this large would exceed your monthly quota of %d bytes." +msgstr[0] "" +"Eine Datei dieser Größe würde deine monatliche Quota von %d Byte " +"überschreiten." +msgstr[1] "" "Eine Datei dieser Größe würde deine monatliche Quota von %d Byte " "überschreiten." #. TRANS: Client exception thrown if a file upload does not have a valid name. -#: classes/File.php:247 classes/File.php:262 +#: classes/File.php:262 classes/File.php:277 msgid "Invalid filename." msgstr "Ungültiger Dateiname." @@ -6083,33 +6112,34 @@ msgid "Problem saving notice." msgstr "Problem bei Speichern der Nachricht." #. TRANS: Server exception thrown when no array is provided to the method saveKnownGroups(). -#: classes/Notice.php:907 -msgid "Bad type provided to saveKnownGroups" +#: classes/Notice.php:905 +#, fuzzy +msgid "Bad type provided to saveKnownGroups." msgstr "" "Der Methode saveKnownGroups wurde ein schlechter Wert zur Verfügung gestellt" #. TRANS: Server exception thrown when an update for a group inbox fails. -#: classes/Notice.php:1006 +#: classes/Notice.php:1004 msgid "Problem saving group inbox." msgstr "Problem bei Speichern der Nachricht." #. TRANS: Server exception thrown when a reply cannot be saved. #. TRANS: %1$d is a notice ID, %2$d is the ID of the mentioned user. -#: classes/Notice.php:1120 +#: classes/Notice.php:1118 #, php-format msgid "Could not save reply for %1$d, %2$d." msgstr "Konnte Antwort auf %1$d, %2$d nicht speichern." #. TRANS: Message used to repeat a notice. RT is the abbreviation of 'retweet'. #. TRANS: %1$s is the repeated user's name, %2$s is the repeated notice. -#: classes/Notice.php:1822 +#: classes/Notice.php:1820 #, php-format msgid "RT @%1$s %2$s" msgstr "RT @%1$s %2$s" #. TRANS: Full name of a profile or group followed by nickname in parens -#: classes/Profile.php:164 -#, fuzzy, php-format +#: classes/Profile.php:164 classes/User_group.php:247 +#, php-format msgctxt "FANCYNAME" msgid "%1$s (%2$s)" msgstr "%1$s (%2$s)" @@ -6208,22 +6238,22 @@ msgid "Single-user mode code called when not enabled." msgstr "" #. TRANS: Server exception thrown when creating a group failed. -#: classes/User_group.php:495 +#: classes/User_group.php:511 msgid "Could not create group." msgstr "Konnte Gruppe nicht erstellen." #. TRANS: Server exception thrown when updating a group URI failed. -#: classes/User_group.php:505 +#: classes/User_group.php:521 msgid "Could not set group URI." msgstr "Konnte die Gruppen-URI nicht setzen." #. TRANS: Server exception thrown when setting group membership failed. -#: classes/User_group.php:528 +#: classes/User_group.php:544 msgid "Could not set group membership." msgstr "Konnte Gruppenmitgliedschaft nicht setzen." #. TRANS: Server exception thrown when saving local group information failed. -#: classes/User_group.php:543 +#: classes/User_group.php:559 msgid "Could not save local group info." msgstr "Konnte die lokale Gruppen Information nicht speichern." @@ -6632,7 +6662,7 @@ msgid "User configuration" msgstr "Benutzereinstellung" #. TRANS: Menu item for site administration -#: lib/adminpanelaction.php:355 lib/personalgroupnav.php:115 +#: lib/adminpanelaction.php:355 lib/personalgroupnav.php:118 msgid "User" msgstr "Benutzer" @@ -6984,7 +7014,7 @@ msgstr "%1$s hat die Gruppe %2$s verlassen." #. TRANS: Whois output. #. TRANS: %1$s nickname of the queried user, %2$s is their profile URL. #: lib/command.php:426 -#, fuzzy, php-format +#, php-format msgctxt "WHOIS" msgid "%1$s (%2$s)" msgstr "%1$s (%2$s)" @@ -7031,11 +7061,11 @@ msgstr "" #. TRANS: Message given if content is too long. %1$sd is used for plural. #. TRANS: %1$d is the maximum number of characters, %2$d is the number of submitted characters. #: lib/command.php:488 -#, fuzzy, php-format +#, php-format msgid "Message too long - maximum is %1$d character, you sent %2$d." msgid_plural "Message too long - maximum is %1$d characters, you sent %2$d." msgstr[0] "" -"Nachricht zu lang - maximal %1$d Zeichen erlaubt, du hast %2$d gesendet." +"Nachricht zu lang - maximal ein Zeichen erlaubt, du hast %2$d gesendet." msgstr[1] "" "Nachricht zu lang - maximal %1$d Zeichen erlaubt, du hast %2$d gesendet." @@ -7059,13 +7089,13 @@ msgstr "Fehler beim Wiederholen der Nachricht" #. TRANS: Message given if content of a notice for a reply is too long. %1$d is used for plural. #. TRANS: %1$d is the maximum number of characters, %2$d is the number of submitted characters. #: lib/command.php:591 -#, fuzzy, php-format +#, php-format msgid "Notice too long - maximum is %1$d character, you sent %2$d." msgid_plural "Notice too long - maximum is %1$d characters, you sent %2$d." msgstr[0] "" -"Nachricht zu lange - maximal %1$d Zeichen erlaubt, du hast %2$ gesendet" +"Nachricht zu lang - maximal ein Zeichen erlaubt, du hast %2$d gesendet." msgstr[1] "" -"Nachricht zu lange - maximal %1$d Zeichen erlaubt, du hast %2$ gesendet" +"Nachricht zu lang - maximal %1$d Zeichen erlaubt, du hast %2$d gesendet." #. TRANS: Text shown having sent a reply to a notice successfully. #. TRANS: %s is the nickname of the user of the notice the reply was sent to. @@ -7341,10 +7371,13 @@ msgstr "Programme mit Zugriffserlaubnis" msgid "Database error" msgstr "Datenbankfehler." -#: lib/designsettings.php:105 +#. TRANS: Label in form on profile design page. +#. TRANS: Field contains file name on user's computer that could be that user's custom profile background image. +#: lib/designsettings.php:104 msgid "Upload file" msgstr "Datei hochladen" +#. TRANS: Instructions for form on profile design page. #: lib/designsettings.php:109 msgid "" "You can upload your personal background image. The maximum file size is 2MB." @@ -7352,16 +7385,29 @@ msgstr "" "Du kannst dein persönliches Hintergrundbild hochladen. Die maximale " "Dateigröße ist 2MB." -#: 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 "" -"Der Server kann so große POST Abfragen (%s bytes) aufgrund der Konfiguration " -"nicht verarbeiten." +#. TRANS: Radio button on profile design page that will enable use of the uploaded profile image. +#: lib/designsettings.php:139 +#, fuzzy +msgctxt "RADIO" +msgid "On" +msgstr "An" -#: lib/designsettings.php:418 +#. TRANS: Radio button on profile design page that will disable use of the uploaded profile image. +#: lib/designsettings.php:156 +#, fuzzy +msgctxt "RADIO" +msgid "Off" +msgstr "Aus" + +#. TRANS: Button text on profile design page to reset all colour settings to default without saving. +#: lib/designsettings.php:264 +#, fuzzy +msgctxt "BUTTON" +msgid "Reset" +msgstr "Zurücksetzen" + +#. TRANS: Success message displayed if design settings were saved after clicking "Use defaults". +#: lib/designsettings.php:433 msgid "Design defaults restored." msgstr "Standard-Design wieder hergestellt." @@ -7428,29 +7474,27 @@ msgid "1-64 lowercase letters or numbers, no punctuation or spaces" msgstr "1-64 Kleinbuchstaben oder Zahlen, keine Satz- oder Leerzeichen" #: lib/groupeditform.php:163 -#, fuzzy msgid "URL of the homepage or blog of the group or topic." -msgstr "Adresse der Homepage oder Blogs der Gruppe oder des Themas" +msgstr "Adresse der Homepage oder Blogs der Gruppe oder des Themas." #: lib/groupeditform.php:168 msgid "Describe the group or topic" msgstr "Beschreibe die Gruppe oder das Thema" #: lib/groupeditform.php:170 -#, fuzzy, php-format +#, php-format msgid "Describe the group or topic in %d character or less" msgid_plural "Describe the group or topic in %d characters or less" -msgstr[0] "Beschreibe die Gruppe oder das Thema in %d Zeichen" +msgstr[0] "Beschreibe die Gruppe oder das Thema in einem Zeichen" msgstr[1] "Beschreibe die Gruppe oder das Thema in %d Zeichen" #: lib/groupeditform.php:182 -#, fuzzy msgid "" "Location for the group, if any, like \"City, State (or Region), Country\"." -msgstr "Ort der Gruppe, optional, beispielsweise „Stadt, Region, Land“" +msgstr "Ort der Gruppe, optional, beispielsweise „Stadt, Region, Land“." #: lib/groupeditform.php:190 -#, fuzzy, php-format +#, php-format msgid "" "Extra nicknames for the group, separated with commas or spaces. Maximum %d " "alias allowed." @@ -7458,11 +7502,11 @@ msgid_plural "" "Extra nicknames for the group, separated with commas or spaces. Maximum %d " "aliases allowed." msgstr[0] "" -"Zusätzliche Spitznamen für die Gruppe, Komma oder Leerzeichen getrennt, max %" -"d" +"Zusätzliche Spitznamen für die Gruppe, Komma oder Leerzeichen getrennt, " +"maximal einer." msgstr[1] "" -"Zusätzliche Spitznamen für die Gruppe, Komma oder Leerzeichen getrennt, max %" -"d" +"Zusätzliche Spitznamen für die Gruppe, Komma oder Leerzeichen getrennt, " +"maximal %d." #. TRANS: Menu item in the group navigation page. #: lib/groupnav.php:86 @@ -7866,7 +7910,7 @@ msgstr "" #. TRANS: Subject for favorite notification e-mail. #. TRANS: %1$s is the adding user's long name, %2$s is the adding user's nickname. -#: lib/mail.php:603 +#: lib/mail.php:607 #, php-format msgid "%1$s (@%2$s) added your notice as a favorite" msgstr "%1$s (@%2$s) hat deine Nachricht als Favorit gespeichert" @@ -7876,7 +7920,7 @@ msgstr "%1$s (@%2$s) hat deine Nachricht als Favorit gespeichert" #. TRANS: %3$s is a URL to the faved notice, %4$s is the faved notice text, #. TRANS: %5$s is a URL to all faves of the adding user, %6$s is the StatusNet sitename, #. TRANS: %7$s is the adding user's nickname. -#: lib/mail.php:610 +#: lib/mail.php:614 #, php-format msgid "" "%1$s (@%7$s) just added your notice from %2$s as one of their favorites.\n" @@ -7908,7 +7952,7 @@ msgstr "" "%6$s\n" #. TRANS: Line in @-reply notification e-mail. %s is conversation URL. -#: lib/mail.php:668 +#: lib/mail.php:672 #, php-format msgid "" "The full conversation can be read here:\n" @@ -7921,7 +7965,7 @@ msgstr "" #. TRANS: E-mail subject for notice notification. #. TRANS: %1$s is the sending user's long name, %2$s is the adding user's nickname. -#: lib/mail.php:676 +#: lib/mail.php:680 #, php-format msgid "%1$s (@%2$s) sent a notice to your attention" msgstr "" @@ -7934,7 +7978,7 @@ msgstr "" #. TRANS: %5$s is a URL to the full conversion if it exists (otherwise empty), #. TRANS: %6$s is a URL to reply to the notice, %7$s is a URL to all @-replied for the addressed user, #. TRANS: %8$s is a URL to the addressed user's e-mail settings, %9$s is the sender's nickname. -#: lib/mail.php:684 +#: lib/mail.php:688 #, php-format msgid "" "%1$s (@%9$s) just sent a notice to your attention (an '@-reply') on %2$s.\n" @@ -8085,7 +8129,7 @@ msgstr "Konnte den MIME-Typ nicht feststellen." #. TRANS: Client exception thrown trying to upload a forbidden MIME type. #. TRANS: %1$s is the file type that was denied, %2$s is the application part of #. TRANS: the MIME type that was denied. -#: lib/mediafile.php:340 +#: lib/mediafile.php:345 #, php-format msgid "" "\"%1$s\" is not a supported file type on this server. Try using another %2$s " @@ -8096,7 +8140,7 @@ msgstr "" #. TRANS: Client exception thrown trying to upload a forbidden MIME type. #. TRANS: %s is the file type that was denied. -#: lib/mediafile.php:345 +#: lib/mediafile.php:350 #, php-format msgid "\"%s\" is not a supported file type on this server." msgstr "„%s“ ist kein unterstütztes Dateiformat auf diesem Server." @@ -8237,31 +8281,31 @@ msgstr "Doppelte Nachricht." msgid "Couldn't insert new subscription." msgstr "Konnte neues Abonnement nicht eintragen." -#: lib/personalgroupnav.php:99 +#: lib/personalgroupnav.php:102 msgid "Personal" msgstr "Meine Zeitleiste" -#: lib/personalgroupnav.php:104 +#: lib/personalgroupnav.php:107 msgid "Replies" msgstr "Antworten" -#: lib/personalgroupnav.php:114 +#: lib/personalgroupnav.php:117 msgid "Favorites" msgstr "Favoriten" -#: lib/personalgroupnav.php:125 +#: lib/personalgroupnav.php:128 msgid "Inbox" msgstr "Posteingang" -#: lib/personalgroupnav.php:126 +#: lib/personalgroupnav.php:129 msgid "Your incoming messages" msgstr "Deine eingehenden Nachrichten" -#: lib/personalgroupnav.php:130 +#: lib/personalgroupnav.php:133 msgid "Outbox" msgstr "Postausgang" -#: lib/personalgroupnav.php:131 +#: lib/personalgroupnav.php:134 msgid "Your sent messages" msgstr "Deine gesendeten Nachrichten" @@ -8355,9 +8399,8 @@ msgstr "Widerrufe die „%s“-Rolle von diesem Benutzer" #. TRANS: Client error on action trying to visit a non-existing page. #: lib/router.php:847 -#, fuzzy msgid "Page not found." -msgstr "API-Methode nicht gefunden." +msgstr "Seite nicht gefunden." #: lib/sandboxform.php:67 msgid "Sandbox" @@ -8459,6 +8502,12 @@ msgstr "Personen-Tag, wie markiert wurde" msgid "None" msgstr "Nichts" +#. TRANS: Server exception displayed if a theme name was invalid. +#: lib/theme.php:74 +#, fuzzy +msgid "Invalid theme name." +msgstr "Ungültiger Dateiname." + #: lib/themeuploader.php:50 msgid "This server cannot handle theme uploads without ZIP support." msgstr "Dieser Server kann nicht mit Theme-Uploads ohne ZIP-Support umgehen." @@ -8478,12 +8527,16 @@ msgid "Invalid theme: bad directory structure." msgstr "Ungültiger Theme: schlechte Ordner-Struktur." #: lib/themeuploader.php:166 -#, fuzzy, php-format +#, php-format msgid "Uploaded theme is too large; must be less than %d byte uncompressed." msgid_plural "" "Uploaded theme is too large; must be less than %d bytes uncompressed." -msgstr[0] "Der hochgeladene Theme ist zu groß; er muss unter %d Bytes sein." -msgstr[1] "Der hochgeladene Theme ist zu groß; er muss unter %d Bytes sein." +msgstr[0] "" +"Der hochgeladene Theme ist zu groß; er muss unkomprimiert unter einem Byte " +"sein." +msgstr[1] "" +"Der hochgeladene Theme ist zu groß; er muss unkomprimiert unter %d Bytes " +"sein." #: lib/themeuploader.php:179 msgid "Invalid theme archive: missing file css/display.css" @@ -8516,7 +8569,6 @@ msgstr "Top-Schreiber" #. TRANS: Title for the form to unblock a user. #: lib/unblockform.php:67 -#, fuzzy msgctxt "TITLE" msgid "Unblock" msgstr "Freigeben" @@ -8702,29 +8754,15 @@ msgstr "Keine Benutzer-ID angegeben" #. TRANS: Commandline script output. %d is the number of entries in the activity stream in backup; used for plural. #: scripts/restoreuser.php:98 -#, fuzzy, php-format +#, php-format msgid "%d entry in backup." msgid_plural "%d entries in backup." -msgstr[0] "%d Einträge im Backup." +msgstr[0] "Ein Eintrag im Backup." msgstr[1] "%d Einträge im Backup." -#~ msgid "Name is too long (maximum 255 chars)." -#~ msgstr "Der Name ist zu lang (maximal 255 Zeichen)." - -#~ msgid "Organization is too long (maximum 255 chars)." -#~ msgstr "Die angegebene Organisation ist zu lang (maximal 255 Zeichen)." - -#~ msgid "That's too long. Max notice size is %d chars." +#~ msgid "" +#~ "The server was unable to handle that much POST data (%s bytes) due to its " +#~ "current configuration." #~ msgstr "" -#~ "Das war zu lang. Die Länge einer Nachricht ist auf %d Zeichen beschränkt." - -#~ msgid "Max notice size is %d chars, including attachment URL." -#~ msgstr "" -#~ "Die maximale Größe von Nachrichten ist %d Zeichen, inklusive der URL der " -#~ "Anhänge" - -#~ msgid " tagged %s" -#~ msgstr "Nachrichten, die mit %s getagt sind" - -#~ msgid "Backup file for user %s (%s)" -#~ msgstr "Backup-Datei des Benutzers %s (%s)" +#~ "Der Server kann so große POST Abfragen (%s bytes) aufgrund der " +#~ "Konfiguration nicht verarbeiten." diff --git a/locale/en_GB/LC_MESSAGES/statusnet.po b/locale/en_GB/LC_MESSAGES/statusnet.po index c36341dc6f..740a9de724 100644 --- a/locale/en_GB/LC_MESSAGES/statusnet.po +++ b/locale/en_GB/LC_MESSAGES/statusnet.po @@ -13,17 +13,17 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet - Core\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-11-02 22:51+0000\n" -"PO-Revision-Date: 2010-11-02 22:53:12+0000\n" +"POT-Creation-Date: 2010-11-04 18:25+0000\n" +"PO-Revision-Date: 2010-11-04 18:27:11+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 (r75875); Translate extension (2010-09-17)\n" +"X-Generator: MediaWiki 1.17alpha (r76004); Translate extension (2010-09-17)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: en-gb\n" "X-Message-Group: #out-statusnet-core\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-POT-Import-Date: 2010-10-30 23:42:01+0000\n" +"X-POT-Import-Date: 2010-11-02 23:22:49+0000\n" #. TRANS: Page title for Access admin panel that allows configuring site access. #. TRANS: Menu item for site administration @@ -88,12 +88,14 @@ msgstr "Save access settings" #. TRANS: Save button for settings for a profile in a subscriptions list. #. TRANS: Button text to save user settings in user admin panel. #. TRANS: Button label in the "Edit application" form. +#. TRANS: Button text on profile design page to save settings. #: actions/accessadminpanel.php:193 actions/emailsettings.php:228 #: actions/imsettings.php:187 actions/othersettings.php:134 #: actions/pathsadminpanel.php:512 actions/profilesettings.php:201 #: actions/sitenoticeadminpanel.php:197 actions/smssettings.php:209 #: actions/subscriptions.php:246 actions/useradminpanel.php:298 -#: lib/applicationeditform.php:355 lib/groupeditform.php:207 +#: lib/applicationeditform.php:355 lib/designsettings.php:270 +#: lib/groupeditform.php:207 msgctxt "BUTTON" msgid "Save" msgstr "Save" @@ -161,7 +163,7 @@ msgstr "%1$s and friends, page %2$d" #. TRANS: Timeline title for user and friends. %s is a user nickname. #: actions/all.php:94 actions/all.php:191 actions/allrss.php:115 #: actions/apitimelinefriends.php:207 actions/apitimelinehome.php:113 -#: lib/personalgroupnav.php:100 +#: lib/personalgroupnav.php:103 #, php-format msgid "%s and friends" msgstr "%s and friends" @@ -336,11 +338,13 @@ msgstr "Could not save profile." #. TRANS: Client error displayed when the number of bytes in a POST request exceeds a limit. #. TRANS: %s is the number of bytes of the CONTENT_LENGTH. +#. TRANS: Form validation error in design settings form. POST should remain untranslated. #: actions/apiaccountupdateprofilebackgroundimage.php:108 #: actions/apiaccountupdateprofileimage.php:95 actions/apimediaupload.php:81 #: actions/apistatusesupdate.php:210 actions/avatarsettings.php:269 #: actions/designadminpanel.php:125 actions/editapplication.php:121 #: actions/newapplication.php:104 actions/newnotice.php:95 +#: lib/designsettings.php:298 #, fuzzy, php-format msgid "" "The server was unable to handle that much POST data (%s byte) due to its " @@ -747,7 +751,7 @@ msgstr "You are not authorised." #: actions/repeat.php:83 actions/smssettings.php:256 actions/subedit.php:40 #: actions/subscribe.php:86 actions/tagother.php:166 #: actions/unsubscribe.php:69 actions/userauthorization.php:52 -#: lib/designsettings.php:294 +#: lib/designsettings.php:310 msgid "There was a problem with your session token. Try again, please." msgstr "There was a problem with your session token. Try again, please." @@ -769,12 +773,13 @@ msgstr "Database error inserting OAuth application user." #. TRANS: Message given submitting a form with an unknown action in IM settings. #. TRANS: Client error when submitting a form with unexpected information. #. TRANS: Message given submitting a form with an unknown action in SMS settings. +#. TRANS: Unknown form validation error in design settings form. #: actions/apioauthauthorize.php:294 actions/avatarsettings.php:294 #: actions/designadminpanel.php:104 actions/editapplication.php:144 #: actions/emailsettings.php:290 actions/grouplogo.php:322 #: actions/imsettings.php:245 actions/newapplication.php:125 #: actions/oauthconnectionssettings.php:147 actions/recoverpassword.php:44 -#: actions/smssettings.php:277 lib/designsettings.php:304 +#: actions/smssettings.php:277 lib/designsettings.php:321 msgid "Unexpected form submission." msgstr "Unexpected form submission." @@ -827,7 +832,7 @@ msgstr "Account" #. TRANS: Label for group nickname (dt). Text hidden by default. #: actions/apioauthauthorize.php:459 actions/login.php:252 #: actions/profilesettings.php:110 actions/register.php:433 -#: actions/showgroup.php:245 actions/tagother.php:94 +#: actions/showgroup.php:240 actions/tagother.php:94 #: actions/userauthorization.php:145 lib/groupeditform.php:152 #: lib/userprofile.php:132 msgid "Nickname" @@ -1087,7 +1092,7 @@ msgstr "No such attachment." #: actions/avatarbynickname.php:60 actions/blockedfromgroup.php:73 #: actions/editgroup.php:85 actions/groupdesignsettings.php:84 #: actions/grouplogo.php:86 actions/groupmembers.php:76 -#: actions/grouprss.php:91 actions/showgroup.php:121 +#: actions/grouprss.php:91 actions/showgroup.php:116 msgid "No nickname." msgstr "No nickname." @@ -1104,7 +1109,7 @@ msgstr "Invalid size." #. TRANS: Title for avatar upload page. #. TRANS: Label for group avatar (dt). Text hidden by default. #. TRANS: Link description in user account settings menu. -#: actions/avatarsettings.php:66 actions/showgroup.php:229 +#: actions/avatarsettings.php:66 actions/showgroup.php:224 #: lib/accountsettingsaction.php:113 msgid "Avatar" msgstr "Avatar" @@ -1280,7 +1285,7 @@ msgstr "Failed to save block information." #: actions/groupunblock.php:88 actions/joingroup.php:82 #: actions/joingroup.php:93 actions/leavegroup.php:82 #: actions/leavegroup.php:93 actions/makeadmin.php:86 -#: actions/showgroup.php:139 actions/showgroup.php:148 lib/command.php:168 +#: actions/showgroup.php:134 actions/showgroup.php:143 lib/command.php:168 #: lib/command.php:380 msgid "No such group." msgstr "No such group." @@ -1639,12 +1644,14 @@ msgstr "Custom theme" msgid "You can upload a custom StatusNet theme as a .ZIP archive." msgstr "" -#: actions/designadminpanel.php:512 lib/designsettings.php:101 +#. TRANS: Fieldset legend on profile design page. +#: actions/designadminpanel.php:512 lib/designsettings.php:98 msgid "Change background image" msgstr "Change background image" +#. TRANS: Label on profile design page for setting a profile page background colour. #: actions/designadminpanel.php:517 actions/designadminpanel.php:600 -#: lib/designsettings.php:178 +#: lib/designsettings.php:183 msgid "Background" msgstr "Background" @@ -1658,40 +1665,48 @@ msgstr "" "$s." #. TRANS: Used as radio button label to add a background image. -#: actions/designadminpanel.php:553 lib/designsettings.php:139 +#: actions/designadminpanel.php:553 msgid "On" msgstr "On" #. TRANS: Used as radio button label to not add a background image. -#: actions/designadminpanel.php:570 lib/designsettings.php:155 +#: actions/designadminpanel.php:570 msgid "Off" msgstr "Off" -#: actions/designadminpanel.php:571 lib/designsettings.php:156 +#. TRANS: Form guide for a set of radio buttons on the profile design page that will enable or disable +#. TRANS: use of the uploaded profile image. +#: actions/designadminpanel.php:571 lib/designsettings.php:159 msgid "Turn background image on or off." msgstr "Turn background image on or off." -#: actions/designadminpanel.php:576 lib/designsettings.php:161 +#. TRANS: Checkbox label on profile design page that will cause the profile image to be tiled. +#: actions/designadminpanel.php:576 lib/designsettings.php:165 msgid "Tile background image" msgstr "Tile background image" -#: actions/designadminpanel.php:590 lib/designsettings.php:170 +#. TRANS: Fieldset legend on profile design page to change profile page colours. +#: actions/designadminpanel.php:590 lib/designsettings.php:175 msgid "Change colours" msgstr "Change colours" -#: actions/designadminpanel.php:613 lib/designsettings.php:191 +#. TRANS: Label on profile design page for setting a profile page content colour. +#: actions/designadminpanel.php:613 lib/designsettings.php:197 msgid "Content" msgstr "Content" -#: actions/designadminpanel.php:626 lib/designsettings.php:204 +#. TRANS: Label on profile design page for setting a profile page sidebar colour. +#: actions/designadminpanel.php:626 lib/designsettings.php:211 msgid "Sidebar" msgstr "Sidebar" -#: actions/designadminpanel.php:639 lib/designsettings.php:217 +#. TRANS: Label on profile design page for setting a profile page text colour. +#: actions/designadminpanel.php:639 lib/designsettings.php:225 msgid "Text" msgstr "Text" -#: actions/designadminpanel.php:652 lib/designsettings.php:230 +#. TRANS: Label on profile design page for setting a profile page links colour. +#: actions/designadminpanel.php:652 lib/designsettings.php:239 msgid "Links" msgstr "Links" @@ -1703,15 +1718,18 @@ msgstr "" msgid "Custom CSS" msgstr "" -#: actions/designadminpanel.php:702 lib/designsettings.php:247 +#. TRANS: Button text on profile design page to immediately reset all colour settings to default. +#: actions/designadminpanel.php:702 lib/designsettings.php:257 msgid "Use defaults" msgstr "Use defaults" -#: actions/designadminpanel.php:703 lib/designsettings.php:248 +#. TRANS: Title for button on profile design page to reset all colour settings to default. +#: actions/designadminpanel.php:703 lib/designsettings.php:259 msgid "Restore default designs" msgstr "Restore default designs" -#: actions/designadminpanel.php:709 lib/designsettings.php:254 +#. TRANS: Title for button on profile design page to reset all colour settings to default without saving. +#: actions/designadminpanel.php:709 lib/designsettings.php:267 msgid "Reset back to default" msgstr "Reset back to default" @@ -1719,11 +1737,12 @@ msgstr "Reset back to default" #: actions/designadminpanel.php:711 actions/licenseadminpanel.php:319 #: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:292 #: actions/snapshotadminpanel.php:245 actions/tagother.php:154 -#: lib/applicationeditform.php:357 lib/designsettings.php:256 +#: lib/applicationeditform.php:357 msgid "Save" msgstr "Save" -#: actions/designadminpanel.php:712 lib/designsettings.php:257 +#. TRANS: Title for button on profile design page to save settings. +#: actions/designadminpanel.php:712 lib/designsettings.php:272 msgid "Save design" msgstr "Save design" @@ -1859,7 +1878,7 @@ msgstr "Could not update group." #. TRANS: Server error displayed when group aliases could not be added. #. TRANS: Server exception thrown when creating group aliases failed. -#: actions/editgroup.php:288 classes/User_group.php:513 +#: actions/editgroup.php:288 classes/User_group.php:529 msgid "Could not create aliases." msgstr "Could not create aliases." @@ -2143,7 +2162,7 @@ msgstr "" "notice to your favourites!" #: actions/favoritesrss.php:111 actions/showfavorites.php:77 -#: lib/personalgroupnav.php:115 +#: lib/personalgroupnav.php:118 #, php-format msgid "%s's favorite notices" msgstr "%s's favourite notices" @@ -2322,8 +2341,10 @@ msgstr "" "Customise the way your group looks with a background image and a colour " "palette of your choice." +#. TRANS: Error message displayed if design settings could not be saved. +#. TRANS: Error message displayed if design settings could not be saved after clicking "Use defaults". #: actions/groupdesignsettings.php:266 actions/userdesignsettings.php:186 -#: lib/designsettings.php:391 lib/designsettings.php:413 +#: lib/designsettings.php:405 lib/designsettings.php:427 msgid "Couldn't update your design." msgstr "Couldn't update your design." @@ -3275,25 +3296,25 @@ msgstr "" msgid "Notice has no profile." msgstr "Notice has no profile." -#: actions/oembed.php:87 actions/shownotice.php:176 +#: actions/oembed.php:83 actions/shownotice.php:172 #, php-format msgid "%1$s's status on %2$s" msgstr "%1$s's status on %2$s" #. TRANS: Error message displaying attachments. %s is a raw MIME type (eg 'image/png') -#: actions/oembed.php:159 +#: actions/oembed.php:155 #, php-format msgid "Content type %s not supported." msgstr "Content type %s not supported." #. TRANS: Error message displaying attachments. %s is the site's base URL. -#: actions/oembed.php:163 +#: actions/oembed.php:159 #, php-format msgid "Only %s URLs over plain HTTP please." msgstr "" #. TRANS: Client error on an API request with an unsupported data format. -#: actions/oembed.php:184 actions/oembed.php:203 lib/apiaction.php:1200 +#: actions/oembed.php:180 actions/oembed.php:199 lib/apiaction.php:1200 #: lib/apiaction.php:1227 lib/apiaction.php:1356 msgid "Not a supported data format." msgstr "Not a supported data format." @@ -3780,7 +3801,7 @@ msgstr "1-64 lowercase letters or numbers, no punctuation or spaces" #. TRANS: Field label in form for profile settings. #. TRANS: Label for full group name (dt). Text hidden by default. #: actions/profilesettings.php:117 actions/register.php:457 -#: actions/showgroup.php:257 actions/tagother.php:104 +#: actions/showgroup.php:252 actions/tagother.php:104 #: lib/groupeditform.php:157 lib/userprofile.php:150 msgid "Full name" msgstr "Full name" @@ -3822,7 +3843,7 @@ msgstr "Bio" #. TRANS: Field label in form for profile settings. #. TRANS: Label for group location (dt). Text hidden by default. #: actions/profilesettings.php:149 actions/register.php:485 -#: actions/showgroup.php:267 actions/tagother.php:112 +#: actions/showgroup.php:262 actions/tagother.php:112 #: actions/userauthorization.php:166 lib/groupeditform.php:180 #: lib/userprofile.php:165 msgid "Location" @@ -4398,7 +4419,7 @@ msgid "Repeated!" msgstr "Repeated!" #: actions/replies.php:126 actions/repliesrss.php:68 -#: lib/personalgroupnav.php:105 +#: lib/personalgroupnav.php:108 #, php-format msgid "Replies to %s" msgstr "Replies to %s" @@ -4534,7 +4555,7 @@ msgid "Description" msgstr "Description" #. TRANS: Header for group statistics on a group page (h2). -#: actions/showapplication.php:192 actions/showgroup.php:453 +#: actions/showapplication.php:192 actions/showgroup.php:448 #: lib/profileaction.php:187 msgid "Statistics" msgstr "Statistics" @@ -4648,95 +4669,95 @@ msgid "This is a way to share what you like." msgstr "" #. TRANS: Page title for first group page. %s is a group name. -#: actions/showgroup.php:80 +#: actions/showgroup.php:75 #, php-format msgid "%s group" msgstr "%s group" #. TRANS: Page title for any but first group page. #. TRANS: %1$s is a group name, $2$s is a page number. -#: actions/showgroup.php:84 +#: actions/showgroup.php:79 #, php-format msgid "%1$s group, page %2$d" msgstr "%1$s group, page %2$d" #. TRANS: Group profile header (h2). Text hidden by default. -#: actions/showgroup.php:225 +#: actions/showgroup.php:220 msgid "Group profile" msgstr "Group profile" #. TRANS: Label for group URL (dt). Text hidden by default. -#: actions/showgroup.php:275 actions/tagother.php:118 +#: actions/showgroup.php:270 actions/tagother.php:118 #: actions/userauthorization.php:175 lib/userprofile.php:178 msgid "URL" msgstr "URL" #. TRANS: Label for group description or group note (dt). Text hidden by default. -#: actions/showgroup.php:287 actions/tagother.php:128 +#: actions/showgroup.php:282 actions/tagother.php:128 #: actions/userauthorization.php:187 lib/userprofile.php:195 msgid "Note" msgstr "Note" #. TRANS: Label for group aliases (dt). Text hidden by default. -#: actions/showgroup.php:298 lib/groupeditform.php:187 +#: actions/showgroup.php:293 lib/groupeditform.php:187 msgid "Aliases" msgstr "" #. TRANS: Group actions header (h2). Text hidden by default. -#: actions/showgroup.php:309 +#: actions/showgroup.php:304 msgid "Group actions" msgstr "Group actions" #. TRANS: Tooltip for feed link. %s is a group nickname. -#: actions/showgroup.php:350 +#: actions/showgroup.php:345 #, php-format msgid "Notice feed for %s group (RSS 1.0)" msgstr "Notice feed for %s group (RSS 1.0)" #. TRANS: Tooltip for feed link. %s is a group nickname. -#: actions/showgroup.php:357 +#: actions/showgroup.php:352 #, php-format msgid "Notice feed for %s group (RSS 2.0)" msgstr "Notice feed for %s group (RSS 2.0)" #. TRANS: Tooltip for feed link. %s is a group nickname. -#: actions/showgroup.php:364 +#: actions/showgroup.php:359 #, php-format msgid "Notice feed for %s group (Atom)" msgstr "Notice feed for %s group (Atom)" #. TRANS: Tooltip for feed link. %s is a group nickname. -#: actions/showgroup.php:370 +#: actions/showgroup.php:365 #, php-format msgid "FOAF for %s group" msgstr "FOAF for %s group" #. TRANS: Header for mini list of group members on a group page (h2). -#: actions/showgroup.php:407 +#: actions/showgroup.php:402 msgid "Members" msgstr "Members" #. TRANS: Description for mini list of group members on a group page when the group has no members. -#: actions/showgroup.php:413 lib/profileaction.php:117 +#: actions/showgroup.php:408 lib/profileaction.php:117 #: lib/profileaction.php:152 lib/profileaction.php:255 lib/section.php:95 #: lib/subscriptionlist.php:127 lib/tagcloudsection.php:71 msgid "(None)" msgstr "(None)" #. TRANS: Link to all group members from mini list of group members if group has more than n members. -#: actions/showgroup.php:422 +#: actions/showgroup.php:417 msgid "All members" msgstr "All members" #. TRANS: Label for creation date in statistics on group page. -#: actions/showgroup.php:458 +#: actions/showgroup.php:453 #, fuzzy msgctxt "LABEL" msgid "Created" msgstr "Created" #. TRANS: Label for member count in statistics on group page. -#: actions/showgroup.php:466 +#: actions/showgroup.php:461 #, fuzzy msgctxt "LABEL" msgid "Members" @@ -4746,7 +4767,7 @@ msgstr "Members" #. TRANS: **%s** is the group alias, %%%%site.name%%%% is the site name, #. TRANS: %%%%action.register%%%% is the URL for registration, %%%%doc.help%%%% is a URL to help. #. TRANS: This message contains Markdown links. Ensure they are formatted correctly: [Description](link). -#: actions/showgroup.php:481 +#: actions/showgroup.php:476 #, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -4764,7 +4785,7 @@ msgstr "" #. TRANS: Notice on group pages for anonymous users for StatusNet sites that accept no new registrations. #. TRANS: **%s** is the group alias, %%%%site.name%%%% is the site name, #. TRANS: This message contains Markdown links. Ensure they are formatted correctly: [Description](link). -#: actions/showgroup.php:491 +#: actions/showgroup.php:486 #, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -4778,7 +4799,7 @@ msgstr "" "their life and interests. " #. TRANS: Header for list of group administrators on a group page (h2). -#: actions/showgroup.php:520 +#: actions/showgroup.php:515 msgid "Admins" msgstr "Admins" @@ -5542,7 +5563,7 @@ msgstr "" #. TRANS: Link description in user account settings menu. #: actions/useradminpanel.php:215 lib/accountsettingsaction.php:106 -#: lib/personalgroupnav.php:109 +#: lib/personalgroupnav.php:112 msgid "Profile" msgstr "Profile" @@ -5706,11 +5727,13 @@ msgstr "Can’t read avatar URL ‘%s’." msgid "Wrong image type for avatar URL ‘%s’." msgstr "Wrong image type for avatar URL ‘%s’." -#: actions/userdesignsettings.php:76 lib/designsettings.php:65 +#. TRANS: Page title for profile design page. +#: actions/userdesignsettings.php:76 lib/designsettings.php:63 msgid "Profile design" msgstr "Profile design" -#: actions/userdesignsettings.php:87 lib/designsettings.php:76 +#. TRANS: Instructions for profile design page. +#: actions/userdesignsettings.php:87 lib/designsettings.php:74 msgid "" "Customize the way your profile looks with a background image and a colour " "palette of your choice." @@ -5840,29 +5863,38 @@ msgstr "" #. TRANS: Message given if an upload is larger than the configured maximum. #. TRANS: %1$d is the byte limit for uploads, %2$d is the byte count for the uploaded file. -#: classes/File.php:189 +#. TRANS: %1$s is used for plural. +#: classes/File.php:190 #, php-format msgid "" +"No file may be larger than %1$d byte and the file you sent was %2$d bytes. " +"Try to upload a smaller version." +msgid_plural "" "No file may be larger than %1$d bytes and the file you sent was %2$d bytes. " "Try to upload a smaller version." -msgstr "" +msgstr[0] "" +msgstr[1] "" #. TRANS: Message given if an upload would exceed user quota. -#. TRANS: %d (number) is the user quota in bytes. -#: classes/File.php:201 +#. TRANS: %d (number) is the user quota in bytes and is used for plural. +#: classes/File.php:203 #, php-format -msgid "A file this large would exceed your user quota of %d bytes." -msgstr "" +msgid "A file this large would exceed your user quota of %d byte." +msgid_plural "A file this large would exceed your user quota of %d bytes." +msgstr[0] "" +msgstr[1] "" #. TRANS: Message given id an upload would exceed a user's monthly quota. -#. TRANS: $d (number) is the monthly user quota in bytes. -#: classes/File.php:210 +#. TRANS: $d (number) is the monthly user quota in bytes and is used for plural. +#: classes/File.php:215 #, php-format -msgid "A file this large would exceed your monthly quota of %d bytes." -msgstr "" +msgid "A file this large would exceed your monthly quota of %d byte." +msgid_plural "A file this large would exceed your monthly quota of %d bytes." +msgstr[0] "" +msgstr[1] "" #. TRANS: Client exception thrown if a file upload does not have a valid name. -#: classes/File.php:247 classes/File.php:262 +#: classes/File.php:262 classes/File.php:277 msgid "Invalid filename." msgstr "Invalid filename." @@ -5990,31 +6022,31 @@ msgid "Problem saving notice." msgstr "Problem saving notice." #. TRANS: Server exception thrown when no array is provided to the method saveKnownGroups(). -#: classes/Notice.php:907 -msgid "Bad type provided to saveKnownGroups" +#: classes/Notice.php:905 +msgid "Bad type provided to saveKnownGroups." msgstr "" #. TRANS: Server exception thrown when an update for a group inbox fails. -#: classes/Notice.php:1006 +#: classes/Notice.php:1004 msgid "Problem saving group inbox." msgstr "Problem saving group inbox." #. TRANS: Server exception thrown when a reply cannot be saved. #. TRANS: %1$d is a notice ID, %2$d is the ID of the mentioned user. -#: classes/Notice.php:1120 +#: classes/Notice.php:1118 #, php-format msgid "Could not save reply for %1$d, %2$d." msgstr "Could not save reply for %1$d, %2$d." #. TRANS: Message used to repeat a notice. RT is the abbreviation of 'retweet'. #. TRANS: %1$s is the repeated user's name, %2$s is the repeated notice. -#: classes/Notice.php:1822 +#: classes/Notice.php:1820 #, php-format msgid "RT @%1$s %2$s" msgstr "RT @%1$s %2$s" #. TRANS: Full name of a profile or group followed by nickname in parens -#: classes/Profile.php:164 +#: classes/Profile.php:164 classes/User_group.php:247 #, fuzzy, php-format msgctxt "FANCYNAME" msgid "%1$s (%2$s)" @@ -6109,22 +6141,22 @@ msgid "Single-user mode code called when not enabled." msgstr "" #. TRANS: Server exception thrown when creating a group failed. -#: classes/User_group.php:495 +#: classes/User_group.php:511 msgid "Could not create group." msgstr "Could not create group." #. TRANS: Server exception thrown when updating a group URI failed. -#: classes/User_group.php:505 +#: classes/User_group.php:521 msgid "Could not set group URI." msgstr "Could not set group URI." #. TRANS: Server exception thrown when setting group membership failed. -#: classes/User_group.php:528 +#: classes/User_group.php:544 msgid "Could not set group membership." msgstr "Could not set group membership." #. TRANS: Server exception thrown when saving local group information failed. -#: classes/User_group.php:543 +#: classes/User_group.php:559 msgid "Could not save local group info." msgstr "Could not save local group info." @@ -6529,7 +6561,7 @@ msgid "User configuration" msgstr "User configuration" #. TRANS: Menu item for site administration -#: lib/adminpanelaction.php:355 lib/personalgroupnav.php:115 +#: lib/adminpanelaction.php:355 lib/personalgroupnav.php:118 msgid "User" msgstr "User" @@ -7225,26 +7257,42 @@ msgstr "Authorised connected applications" msgid "Database error" msgstr "" -#: lib/designsettings.php:105 +#. TRANS: Label in form on profile design page. +#. TRANS: Field contains file name on user's computer that could be that user's custom profile background image. +#: lib/designsettings.php:104 msgid "Upload file" msgstr "Upload file" +#. TRANS: Instructions for form on profile design page. #: lib/designsettings.php:109 msgid "" "You can upload your personal background image. The maximum file size is 2MB." msgstr "" "You can upload your personal background image. The maximum file size is 2MB." -#: 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 "" -"The server was unable to handle that much POST data (%s bytes) due to its " -"current configuration." +#. TRANS: Radio button on profile design page that will enable use of the uploaded profile image. +#: lib/designsettings.php:139 +#, fuzzy +msgctxt "RADIO" +msgid "On" +msgstr "On" -#: lib/designsettings.php:418 +#. TRANS: Radio button on profile design page that will disable use of the uploaded profile image. +#: lib/designsettings.php:156 +#, fuzzy +msgctxt "RADIO" +msgid "Off" +msgstr "Off" + +#. TRANS: Button text on profile design page to reset all colour settings to default without saving. +#: lib/designsettings.php:264 +#, fuzzy +msgctxt "BUTTON" +msgid "Reset" +msgstr "Reset" + +#. TRANS: Success message displayed if design settings were saved after clicking "Use defaults". +#: lib/designsettings.php:433 msgid "Design defaults restored." msgstr "Design defaults restored." @@ -7702,7 +7750,7 @@ msgstr "" #. TRANS: Subject for favorite notification e-mail. #. TRANS: %1$s is the adding user's long name, %2$s is the adding user's nickname. -#: lib/mail.php:603 +#: lib/mail.php:607 #, fuzzy, php-format msgid "%1$s (@%2$s) added your notice as a favorite" msgstr "%s (@%s) added your notice as a favorite" @@ -7712,7 +7760,7 @@ msgstr "%s (@%s) added your notice as a favorite" #. TRANS: %3$s is a URL to the faved notice, %4$s is the faved notice text, #. TRANS: %5$s is a URL to all faves of the adding user, %6$s is the StatusNet sitename, #. TRANS: %7$s is the adding user's nickname. -#: lib/mail.php:610 +#: lib/mail.php:614 #, php-format msgid "" "%1$s (@%7$s) just added your notice from %2$s as one of their favorites.\n" @@ -7734,7 +7782,7 @@ msgid "" msgstr "" #. TRANS: Line in @-reply notification e-mail. %s is conversation URL. -#: lib/mail.php:668 +#: lib/mail.php:672 #, php-format msgid "" "The full conversation can be read here:\n" @@ -7744,7 +7792,7 @@ msgstr "" #. TRANS: E-mail subject for notice notification. #. TRANS: %1$s is the sending user's long name, %2$s is the adding user's nickname. -#: lib/mail.php:676 +#: lib/mail.php:680 #, fuzzy, php-format msgid "%1$s (@%2$s) sent a notice to your attention" msgstr "%s (@%s) sent a notice to your attention" @@ -7755,7 +7803,7 @@ msgstr "%s (@%s) sent a notice to your attention" #. TRANS: %5$s is a URL to the full conversion if it exists (otherwise empty), #. TRANS: %6$s is a URL to reply to the notice, %7$s is a URL to all @-replied for the addressed user, #. TRANS: %8$s is a URL to the addressed user's e-mail settings, %9$s is the sender's nickname. -#: lib/mail.php:684 +#: lib/mail.php:688 #, php-format msgid "" "%1$s (@%9$s) just sent a notice to your attention (an '@-reply') on %2$s.\n" @@ -7874,7 +7922,7 @@ msgstr "Could not determine file's MIME type." #. TRANS: Client exception thrown trying to upload a forbidden MIME type. #. TRANS: %1$s is the file type that was denied, %2$s is the application part of #. TRANS: the MIME type that was denied. -#: lib/mediafile.php:340 +#: lib/mediafile.php:345 #, php-format msgid "" "\"%1$s\" is not a supported file type on this server. Try using another %2$s " @@ -7883,7 +7931,7 @@ msgstr "" #. TRANS: Client exception thrown trying to upload a forbidden MIME type. #. TRANS: %s is the file type that was denied. -#: lib/mediafile.php:345 +#: lib/mediafile.php:350 #, php-format msgid "\"%s\" is not a supported file type on this server." msgstr "" @@ -8022,31 +8070,31 @@ msgstr "" msgid "Couldn't insert new subscription." msgstr "Couldn't insert new subscription." -#: lib/personalgroupnav.php:99 +#: lib/personalgroupnav.php:102 msgid "Personal" msgstr "Personal" -#: lib/personalgroupnav.php:104 +#: lib/personalgroupnav.php:107 msgid "Replies" msgstr "Replies" -#: lib/personalgroupnav.php:114 +#: lib/personalgroupnav.php:117 msgid "Favorites" msgstr "Favourites" -#: lib/personalgroupnav.php:125 +#: lib/personalgroupnav.php:128 msgid "Inbox" msgstr "Inbox" -#: lib/personalgroupnav.php:126 +#: lib/personalgroupnav.php:129 msgid "Your incoming messages" msgstr "Your incoming messages" -#: lib/personalgroupnav.php:130 +#: lib/personalgroupnav.php:133 msgid "Outbox" msgstr "Outbox" -#: lib/personalgroupnav.php:131 +#: lib/personalgroupnav.php:134 msgid "Your sent messages" msgstr "Your sent messages" @@ -8244,6 +8292,12 @@ msgstr "" msgid "None" msgstr "None" +#. TRANS: Server exception displayed if a theme name was invalid. +#: lib/theme.php:74 +#, fuzzy +msgid "Invalid theme name." +msgstr "Invalid filename." + #: lib/themeuploader.php:50 msgid "This server cannot handle theme uploads without ZIP support." msgstr "" @@ -8489,19 +8543,9 @@ msgid_plural "%d entries in backup." msgstr[0] "" msgstr[1] "" -#, fuzzy -#~ msgid "Name is too long (maximum 255 chars)." -#~ msgstr "Name is too long (max 255 chars)." - -#, fuzzy -#~ msgid "Organization is too long (maximum 255 chars)." -#~ msgstr "Organisation is too long (max 255 chars)." - -#~ msgid "That's too long. Max notice size is %d chars." -#~ msgstr "That's too long. Max notice size is %d chars." - -#~ msgid "Max notice size is %d chars, including attachment URL." -#~ msgstr "Max notice size is %d chars, including attachment URL." - -#~ msgid " tagged %s" -#~ msgstr " tagged %s" +#~ msgid "" +#~ "The server was unable to handle that much POST data (%s bytes) due to its " +#~ "current configuration." +#~ msgstr "" +#~ "The server was unable to handle that much POST data (%s bytes) due to its " +#~ "current configuration." diff --git a/locale/eo/LC_MESSAGES/statusnet.po b/locale/eo/LC_MESSAGES/statusnet.po index 10bb52471b..a324ca412b 100644 --- a/locale/eo/LC_MESSAGES/statusnet.po +++ b/locale/eo/LC_MESSAGES/statusnet.po @@ -15,17 +15,17 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet - Core\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-11-02 22:51+0000\n" -"PO-Revision-Date: 2010-11-02 22:53:13+0000\n" +"POT-Creation-Date: 2010-11-04 18:25+0000\n" +"PO-Revision-Date: 2010-11-04 18:27:12+0000\n" "Language-Team: Esperanto \n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r75875); Translate extension (2010-09-17)\n" +"X-Generator: MediaWiki 1.17alpha (r76004); Translate extension (2010-09-17)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: eo\n" "X-Message-Group: #out-statusnet-core\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-POT-Import-Date: 2010-10-30 23:42:01+0000\n" +"X-POT-Import-Date: 2010-11-02 23:22:49+0000\n" #. TRANS: Page title for Access admin panel that allows configuring site access. #. TRANS: Menu item for site administration @@ -90,12 +90,14 @@ msgstr "Konservu atingan agordon" #. TRANS: Save button for settings for a profile in a subscriptions list. #. TRANS: Button text to save user settings in user admin panel. #. TRANS: Button label in the "Edit application" form. +#. TRANS: Button text on profile design page to save settings. #: actions/accessadminpanel.php:193 actions/emailsettings.php:228 #: actions/imsettings.php:187 actions/othersettings.php:134 #: actions/pathsadminpanel.php:512 actions/profilesettings.php:201 #: actions/sitenoticeadminpanel.php:197 actions/smssettings.php:209 #: actions/subscriptions.php:246 actions/useradminpanel.php:298 -#: lib/applicationeditform.php:355 lib/groupeditform.php:207 +#: lib/applicationeditform.php:355 lib/designsettings.php:270 +#: lib/groupeditform.php:207 msgctxt "BUTTON" msgid "Save" msgstr "Konservu" @@ -163,7 +165,7 @@ msgstr "%1$s kaj amikoj, paĝo %2$d" #. TRANS: Timeline title for user and friends. %s is a user nickname. #: actions/all.php:94 actions/all.php:191 actions/allrss.php:115 #: actions/apitimelinefriends.php:207 actions/apitimelinehome.php:113 -#: lib/personalgroupnav.php:100 +#: lib/personalgroupnav.php:103 #, php-format msgid "%s and friends" msgstr "%s kaj amikoj" @@ -338,11 +340,13 @@ msgstr "Malsukcesis konservi la profilon." #. TRANS: Client error displayed when the number of bytes in a POST request exceeds a limit. #. TRANS: %s is the number of bytes of the CONTENT_LENGTH. +#. TRANS: Form validation error in design settings form. POST should remain untranslated. #: actions/apiaccountupdateprofilebackgroundimage.php:108 #: actions/apiaccountupdateprofileimage.php:95 actions/apimediaupload.php:81 #: actions/apistatusesupdate.php:210 actions/avatarsettings.php:269 #: actions/designadminpanel.php:125 actions/editapplication.php:121 #: actions/newapplication.php:104 actions/newnotice.php:95 +#: lib/designsettings.php:298 #, fuzzy, php-format msgid "" "The server was unable to handle that much POST data (%s byte) due to its " @@ -750,7 +754,7 @@ msgstr "Vi ne estas rajtigita." #: actions/repeat.php:83 actions/smssettings.php:256 actions/subedit.php:40 #: actions/subscribe.php:86 actions/tagother.php:166 #: actions/unsubscribe.php:69 actions/userauthorization.php:52 -#: lib/designsettings.php:294 +#: lib/designsettings.php:310 msgid "There was a problem with your session token. Try again, please." msgstr "Estis problemo pri via seanco. Bonvolu provi refoje." @@ -772,12 +776,13 @@ msgstr "Datumbaza eraro enigi la uzanton de *OAuth-aplikaĵo." #. TRANS: Message given submitting a form with an unknown action in IM settings. #. TRANS: Client error when submitting a form with unexpected information. #. TRANS: Message given submitting a form with an unknown action in SMS settings. +#. TRANS: Unknown form validation error in design settings form. #: actions/apioauthauthorize.php:294 actions/avatarsettings.php:294 #: actions/designadminpanel.php:104 actions/editapplication.php:144 #: actions/emailsettings.php:290 actions/grouplogo.php:322 #: actions/imsettings.php:245 actions/newapplication.php:125 #: actions/oauthconnectionssettings.php:147 actions/recoverpassword.php:44 -#: actions/smssettings.php:277 lib/designsettings.php:304 +#: actions/smssettings.php:277 lib/designsettings.php:321 msgid "Unexpected form submission." msgstr "Neatendita formo-sendo." @@ -829,7 +834,7 @@ msgstr "Konto" #. TRANS: Label for group nickname (dt). Text hidden by default. #: actions/apioauthauthorize.php:459 actions/login.php:252 #: actions/profilesettings.php:110 actions/register.php:433 -#: actions/showgroup.php:245 actions/tagother.php:94 +#: actions/showgroup.php:240 actions/tagother.php:94 #: actions/userauthorization.php:145 lib/groupeditform.php:152 #: lib/userprofile.php:132 msgid "Nickname" @@ -1094,7 +1099,7 @@ msgstr "Ne estas tiu aldonaĵo." #: actions/avatarbynickname.php:60 actions/blockedfromgroup.php:73 #: actions/editgroup.php:85 actions/groupdesignsettings.php:84 #: actions/grouplogo.php:86 actions/groupmembers.php:76 -#: actions/grouprss.php:91 actions/showgroup.php:121 +#: actions/grouprss.php:91 actions/showgroup.php:116 msgid "No nickname." msgstr "Neniu kromnomo." @@ -1111,7 +1116,7 @@ msgstr "Grando nevalida." #. TRANS: Title for avatar upload page. #. TRANS: Label for group avatar (dt). Text hidden by default. #. TRANS: Link description in user account settings menu. -#: actions/avatarsettings.php:66 actions/showgroup.php:229 +#: actions/avatarsettings.php:66 actions/showgroup.php:224 #: lib/accountsettingsaction.php:113 msgid "Avatar" msgstr "Vizaĝbildo" @@ -1286,7 +1291,7 @@ msgstr "Eraris konservi blokado-informon." #: actions/groupunblock.php:88 actions/joingroup.php:82 #: actions/joingroup.php:93 actions/leavegroup.php:82 #: actions/leavegroup.php:93 actions/makeadmin.php:86 -#: actions/showgroup.php:139 actions/showgroup.php:148 lib/command.php:168 +#: actions/showgroup.php:134 actions/showgroup.php:143 lib/command.php:168 #: lib/command.php:380 msgid "No such group." msgstr "Ne estas tiu grupo." @@ -1650,12 +1655,14 @@ msgstr "Propra desegno" msgid "You can upload a custom StatusNet theme as a .ZIP archive." msgstr "Vi povas alŝuti propran StatusNet-desegnon kiel .zip-dosiero" -#: actions/designadminpanel.php:512 lib/designsettings.php:101 +#. TRANS: Fieldset legend on profile design page. +#: actions/designadminpanel.php:512 lib/designsettings.php:98 msgid "Change background image" msgstr "Ŝanĝi fonbildon" +#. TRANS: Label on profile design page for setting a profile page background colour. #: actions/designadminpanel.php:517 actions/designadminpanel.php:600 -#: lib/designsettings.php:178 +#: lib/designsettings.php:183 msgid "Background" msgstr "Fono" @@ -1667,40 +1674,48 @@ msgid "" msgstr "Vi povas alŝuti fonbildon por la retejo. Dosiero-grandlimo estas %1$s." #. TRANS: Used as radio button label to add a background image. -#: actions/designadminpanel.php:553 lib/designsettings.php:139 +#: actions/designadminpanel.php:553 msgid "On" msgstr "En" #. TRANS: Used as radio button label to not add a background image. -#: actions/designadminpanel.php:570 lib/designsettings.php:155 +#: actions/designadminpanel.php:570 msgid "Off" msgstr "For" -#: actions/designadminpanel.php:571 lib/designsettings.php:156 +#. TRANS: Form guide for a set of radio buttons on the profile design page that will enable or disable +#. TRANS: use of the uploaded profile image. +#: actions/designadminpanel.php:571 lib/designsettings.php:159 msgid "Turn background image on or off." msgstr "Aktivigi aŭ senaktivigi fonbildon" -#: actions/designadminpanel.php:576 lib/designsettings.php:161 +#. TRANS: Checkbox label on profile design page that will cause the profile image to be tiled. +#: actions/designadminpanel.php:576 lib/designsettings.php:165 msgid "Tile background image" msgstr "Ripeti la fonbildon" -#: actions/designadminpanel.php:590 lib/designsettings.php:170 +#. TRANS: Fieldset legend on profile design page to change profile page colours. +#: actions/designadminpanel.php:590 lib/designsettings.php:175 msgid "Change colours" msgstr "Ŝanĝi kolorojn" -#: actions/designadminpanel.php:613 lib/designsettings.php:191 +#. TRANS: Label on profile design page for setting a profile page content colour. +#: actions/designadminpanel.php:613 lib/designsettings.php:197 msgid "Content" msgstr "Enhavo" -#: actions/designadminpanel.php:626 lib/designsettings.php:204 +#. TRANS: Label on profile design page for setting a profile page sidebar colour. +#: actions/designadminpanel.php:626 lib/designsettings.php:211 msgid "Sidebar" msgstr "Flanka strio" -#: actions/designadminpanel.php:639 lib/designsettings.php:217 +#. TRANS: Label on profile design page for setting a profile page text colour. +#: actions/designadminpanel.php:639 lib/designsettings.php:225 msgid "Text" msgstr "Teksto" -#: actions/designadminpanel.php:652 lib/designsettings.php:230 +#. TRANS: Label on profile design page for setting a profile page links colour. +#: actions/designadminpanel.php:652 lib/designsettings.php:239 msgid "Links" msgstr "Ligiloj" @@ -1712,15 +1727,18 @@ msgstr "Speciala" msgid "Custom CSS" msgstr "Propra CSS" -#: actions/designadminpanel.php:702 lib/designsettings.php:247 +#. TRANS: Button text on profile design page to immediately reset all colour settings to default. +#: actions/designadminpanel.php:702 lib/designsettings.php:257 msgid "Use defaults" msgstr "Uzu defaŭlton" -#: actions/designadminpanel.php:703 lib/designsettings.php:248 +#. TRANS: Title for button on profile design page to reset all colour settings to default. +#: actions/designadminpanel.php:703 lib/designsettings.php:259 msgid "Restore default designs" msgstr "Restaŭri defaŭltajn desegnojn" -#: actions/designadminpanel.php:709 lib/designsettings.php:254 +#. TRANS: Title for button on profile design page to reset all colour settings to default without saving. +#: actions/designadminpanel.php:709 lib/designsettings.php:267 msgid "Reset back to default" msgstr "Redefaŭltiĝi" @@ -1728,11 +1746,12 @@ msgstr "Redefaŭltiĝi" #: actions/designadminpanel.php:711 actions/licenseadminpanel.php:319 #: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:292 #: actions/snapshotadminpanel.php:245 actions/tagother.php:154 -#: lib/applicationeditform.php:357 lib/designsettings.php:256 +#: lib/applicationeditform.php:357 msgid "Save" msgstr "Konservi" -#: actions/designadminpanel.php:712 lib/designsettings.php:257 +#. TRANS: Title for button on profile design page to save settings. +#: actions/designadminpanel.php:712 lib/designsettings.php:272 msgid "Save design" msgstr "Savi desegnon" @@ -1868,7 +1887,7 @@ msgstr "Malsukcesis ĝisdatigi grupon." #. TRANS: Server error displayed when group aliases could not be added. #. TRANS: Server exception thrown when creating group aliases failed. -#: actions/editgroup.php:288 classes/User_group.php:513 +#: actions/editgroup.php:288 classes/User_group.php:529 msgid "Could not create aliases." msgstr "Malsukcesis krei alinomon." @@ -2151,7 +2170,7 @@ msgstr "" "sia ŝatolisto!" #: actions/favoritesrss.php:111 actions/showfavorites.php:77 -#: lib/personalgroupnav.php:115 +#: lib/personalgroupnav.php:118 #, php-format msgid "%s's favorite notices" msgstr "Ŝatataj avizoj de %s" @@ -2327,8 +2346,10 @@ msgid "" "palette of your choice." msgstr "Agordi kiel aspektu via grupo, per elekto de fonbildo kaj koloraro." +#. TRANS: Error message displayed if design settings could not be saved. +#. TRANS: Error message displayed if design settings could not be saved after clicking "Use defaults". #: actions/groupdesignsettings.php:266 actions/userdesignsettings.php:186 -#: lib/designsettings.php:391 lib/designsettings.php:413 +#: lib/designsettings.php:405 lib/designsettings.php:427 msgid "Couldn't update your design." msgstr "Malsukcesis ĝisdatigi vian desegnon." @@ -3275,25 +3296,25 @@ msgstr "" msgid "Notice has no profile." msgstr "Avizo sen profilo" -#: actions/oembed.php:87 actions/shownotice.php:176 +#: actions/oembed.php:83 actions/shownotice.php:172 #, php-format msgid "%1$s's status on %2$s" msgstr "Stato de %1$s ĉe %2$s" #. TRANS: Error message displaying attachments. %s is a raw MIME type (eg 'image/png') -#: actions/oembed.php:159 +#: actions/oembed.php:155 #, php-format msgid "Content type %s not supported." msgstr "Enhavtipo %s ne subteniĝas." #. TRANS: Error message displaying attachments. %s is the site's base URL. -#: actions/oembed.php:163 +#: actions/oembed.php:159 #, php-format msgid "Only %s URLs over plain HTTP please." msgstr "Bonvolu, nur %s-URL per plata HTTP." #. TRANS: Client error on an API request with an unsupported data format. -#: actions/oembed.php:184 actions/oembed.php:203 lib/apiaction.php:1200 +#: actions/oembed.php:180 actions/oembed.php:199 lib/apiaction.php:1200 #: lib/apiaction.php:1227 lib/apiaction.php:1356 msgid "Not a supported data format." msgstr "Datumformato ne subteniĝas." @@ -3774,7 +3795,7 @@ msgstr "1-64 minusklaj literoj aŭ ciferoj, neniu interpunkcio aŭ spaco" #. TRANS: Field label in form for profile settings. #. TRANS: Label for full group name (dt). Text hidden by default. #: actions/profilesettings.php:117 actions/register.php:457 -#: actions/showgroup.php:257 actions/tagother.php:104 +#: actions/showgroup.php:252 actions/tagother.php:104 #: lib/groupeditform.php:157 lib/userprofile.php:150 msgid "Full name" msgstr "Plena nomo" @@ -3816,7 +3837,7 @@ msgstr "Biografio" #. TRANS: Field label in form for profile settings. #. TRANS: Label for group location (dt). Text hidden by default. #: actions/profilesettings.php:149 actions/register.php:485 -#: actions/showgroup.php:267 actions/tagother.php:112 +#: actions/showgroup.php:262 actions/tagother.php:112 #: actions/userauthorization.php:166 lib/groupeditform.php:180 #: lib/userprofile.php:165 msgid "Location" @@ -4392,7 +4413,7 @@ msgid "Repeated!" msgstr "Ripetita!" #: actions/replies.php:126 actions/repliesrss.php:68 -#: lib/personalgroupnav.php:105 +#: lib/personalgroupnav.php:108 #, php-format msgid "Replies to %s" msgstr "Respondoj al %s" @@ -4530,7 +4551,7 @@ msgid "Description" msgstr "Priskribo" #. TRANS: Header for group statistics on a group page (h2). -#: actions/showapplication.php:192 actions/showgroup.php:453 +#: actions/showapplication.php:192 actions/showgroup.php:448 #: lib/profileaction.php:187 msgid "Statistics" msgstr "Statistiko" @@ -4644,95 +4665,95 @@ msgid "This is a way to share what you like." msgstr "Tiel vi povas diskonigi vian ŝataton." #. TRANS: Page title for first group page. %s is a group name. -#: actions/showgroup.php:80 +#: actions/showgroup.php:75 #, php-format msgid "%s group" msgstr "Grupo %s" #. TRANS: Page title for any but first group page. #. TRANS: %1$s is a group name, $2$s is a page number. -#: actions/showgroup.php:84 +#: actions/showgroup.php:79 #, php-format msgid "%1$s group, page %2$d" msgstr "Grupo %1$s, paĝo %2$d" #. TRANS: Group profile header (h2). Text hidden by default. -#: actions/showgroup.php:225 +#: actions/showgroup.php:220 msgid "Group profile" msgstr "Grupa profilo" #. TRANS: Label for group URL (dt). Text hidden by default. -#: actions/showgroup.php:275 actions/tagother.php:118 +#: actions/showgroup.php:270 actions/tagother.php:118 #: actions/userauthorization.php:175 lib/userprofile.php:178 msgid "URL" msgstr "URL" #. TRANS: Label for group description or group note (dt). Text hidden by default. -#: actions/showgroup.php:287 actions/tagother.php:128 +#: actions/showgroup.php:282 actions/tagother.php:128 #: actions/userauthorization.php:187 lib/userprofile.php:195 msgid "Note" msgstr "Noto" #. TRANS: Label for group aliases (dt). Text hidden by default. -#: actions/showgroup.php:298 lib/groupeditform.php:187 +#: actions/showgroup.php:293 lib/groupeditform.php:187 msgid "Aliases" msgstr "Alnomo" #. TRANS: Group actions header (h2). Text hidden by default. -#: actions/showgroup.php:309 +#: actions/showgroup.php:304 msgid "Group actions" msgstr "Grupaj agoj" #. TRANS: Tooltip for feed link. %s is a group nickname. -#: actions/showgroup.php:350 +#: actions/showgroup.php:345 #, php-format msgid "Notice feed for %s group (RSS 1.0)" msgstr "Avizofluo de grupo %s (RSS 1.0)" #. TRANS: Tooltip for feed link. %s is a group nickname. -#: actions/showgroup.php:357 +#: actions/showgroup.php:352 #, php-format msgid "Notice feed for %s group (RSS 2.0)" msgstr "Avizofluo de grupo %s (RSS 2.0)" #. TRANS: Tooltip for feed link. %s is a group nickname. -#: actions/showgroup.php:364 +#: actions/showgroup.php:359 #, php-format msgid "Notice feed for %s group (Atom)" msgstr "Avizofluo de grupo %s (Atom)" #. TRANS: Tooltip for feed link. %s is a group nickname. -#: actions/showgroup.php:370 +#: actions/showgroup.php:365 #, php-format msgid "FOAF for %s group" msgstr "Foramiko de grupo %s" #. TRANS: Header for mini list of group members on a group page (h2). -#: actions/showgroup.php:407 +#: actions/showgroup.php:402 msgid "Members" msgstr "Grupanoj" #. TRANS: Description for mini list of group members on a group page when the group has no members. -#: actions/showgroup.php:413 lib/profileaction.php:117 +#: actions/showgroup.php:408 lib/profileaction.php:117 #: lib/profileaction.php:152 lib/profileaction.php:255 lib/section.php:95 #: lib/subscriptionlist.php:127 lib/tagcloudsection.php:71 msgid "(None)" msgstr "(nenio)" #. TRANS: Link to all group members from mini list of group members if group has more than n members. -#: actions/showgroup.php:422 +#: actions/showgroup.php:417 msgid "All members" msgstr "Ĉiuj grupanoj" #. TRANS: Label for creation date in statistics on group page. -#: actions/showgroup.php:458 +#: actions/showgroup.php:453 #, fuzzy msgctxt "LABEL" msgid "Created" msgstr "Kreita" #. TRANS: Label for member count in statistics on group page. -#: actions/showgroup.php:466 +#: actions/showgroup.php:461 #, fuzzy msgctxt "LABEL" msgid "Members" @@ -4742,7 +4763,7 @@ msgstr "Grupanoj" #. TRANS: **%s** is the group alias, %%%%site.name%%%% is the site name, #. TRANS: %%%%action.register%%%% is the URL for registration, %%%%doc.help%%%% is a URL to help. #. TRANS: This message contains Markdown links. Ensure they are formatted correctly: [Description](link). -#: actions/showgroup.php:481 +#: actions/showgroup.php:476 #, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -4759,7 +4780,7 @@ msgstr "" #. TRANS: Notice on group pages for anonymous users for StatusNet sites that accept no new registrations. #. TRANS: **%s** is the group alias, %%%%site.name%%%% is the site name, #. TRANS: This message contains Markdown links. Ensure they are formatted correctly: [Description](link). -#: actions/showgroup.php:491 +#: actions/showgroup.php:486 #, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -4773,7 +4794,7 @@ msgstr "" "siaj vivoj kaj ŝatokupoj. " #. TRANS: Header for list of group administrators on a group page (h2). -#: actions/showgroup.php:520 +#: actions/showgroup.php:515 msgid "Admins" msgstr "Administrantoj" @@ -5543,7 +5564,7 @@ msgstr "Nevalida defaŭlta abono: '%1$s' ne estas uzanto." #. TRANS: Link description in user account settings menu. #: actions/useradminpanel.php:215 lib/accountsettingsaction.php:106 -#: lib/personalgroupnav.php:109 +#: lib/personalgroupnav.php:112 msgid "Profile" msgstr "Profilo" @@ -5704,11 +5725,13 @@ msgstr "Malsukcesis legi vizaĝbildan URL ‘%s’." msgid "Wrong image type for avatar URL ‘%s’." msgstr "Malĝusta bildotipo por vizaĝbilda URL ‘%s'." -#: actions/userdesignsettings.php:76 lib/designsettings.php:65 +#. TRANS: Page title for profile design page. +#: actions/userdesignsettings.php:76 lib/designsettings.php:63 msgid "Profile design" msgstr "Profila desegno" -#: actions/userdesignsettings.php:87 lib/designsettings.php:76 +#. TRANS: Instructions for profile design page. +#: actions/userdesignsettings.php:87 lib/designsettings.php:74 msgid "" "Customize the way your profile looks with a background image and a colour " "palette of your choice." @@ -5837,31 +5860,42 @@ msgstr "Robin pensas ke io neeblas." #. TRANS: Message given if an upload is larger than the configured maximum. #. TRANS: %1$d is the byte limit for uploads, %2$d is the byte count for the uploaded file. -#: classes/File.php:189 -#, php-format +#. TRANS: %1$s is used for plural. +#: classes/File.php:190 +#, fuzzy, php-format msgid "" +"No file may be larger than %1$d byte and the file you sent was %2$d bytes. " +"Try to upload a smaller version." +msgid_plural "" "No file may be larger than %1$d bytes and the file you sent was %2$d bytes. " "Try to upload a smaller version." -msgstr "" +msgstr[0] "" +"Grandlimo por sendota dosiero estas %1$d bajtoj, tamen tio, kion vi volis " +"sendi grandas %2$d bajtojn. Provu per versio pli malgranda." +msgstr[1] "" "Grandlimo por sendota dosiero estas %1$d bajtoj, tamen tio, kion vi volis " "sendi grandas %2$d bajtojn. Provu per versio pli malgranda." #. TRANS: Message given if an upload would exceed user quota. -#. TRANS: %d (number) is the user quota in bytes. -#: classes/File.php:201 -#, php-format -msgid "A file this large would exceed your user quota of %d bytes." -msgstr "Dosiero tiel granda superos vian uzantan kvoton kun %d bajtoj." +#. TRANS: %d (number) is the user quota in bytes and is used for plural. +#: classes/File.php:203 +#, fuzzy, php-format +msgid "A file this large would exceed your user quota of %d byte." +msgid_plural "A file this large would exceed your user quota of %d bytes." +msgstr[0] "Dosiero tiel granda superos vian uzantan kvoton kun %d bajtoj." +msgstr[1] "Dosiero tiel granda superos vian uzantan kvoton kun %d bajtoj." #. TRANS: Message given id an upload would exceed a user's monthly quota. -#. TRANS: $d (number) is the monthly user quota in bytes. -#: classes/File.php:210 -#, php-format -msgid "A file this large would exceed your monthly quota of %d bytes." -msgstr "Dosiero tiel granda superos vian monatan kvoton kun %d bajtoj." +#. TRANS: $d (number) is the monthly user quota in bytes and is used for plural. +#: classes/File.php:215 +#, fuzzy, php-format +msgid "A file this large would exceed your monthly quota of %d byte." +msgid_plural "A file this large would exceed your monthly quota of %d bytes." +msgstr[0] "Dosiero tiel granda superos vian monatan kvoton kun %d bajtoj." +msgstr[1] "Dosiero tiel granda superos vian monatan kvoton kun %d bajtoj." #. TRANS: Client exception thrown if a file upload does not have a valid name. -#: classes/File.php:247 classes/File.php:262 +#: classes/File.php:262 classes/File.php:277 msgid "Invalid filename." msgstr "Nevalida dosiernomo." @@ -5988,31 +6022,32 @@ msgid "Problem saving notice." msgstr "Malsukcesis konservi avizon." #. TRANS: Server exception thrown when no array is provided to the method saveKnownGroups(). -#: classes/Notice.php:907 -msgid "Bad type provided to saveKnownGroups" +#: classes/Notice.php:905 +#, fuzzy +msgid "Bad type provided to saveKnownGroups." msgstr "Fuŝa tipo donita al saveKnownGroups" #. TRANS: Server exception thrown when an update for a group inbox fails. -#: classes/Notice.php:1006 +#: classes/Notice.php:1004 msgid "Problem saving group inbox." msgstr "Malsukcesis konservi grupan alvenkeston." #. TRANS: Server exception thrown when a reply cannot be saved. #. TRANS: %1$d is a notice ID, %2$d is the ID of the mentioned user. -#: classes/Notice.php:1120 +#: classes/Notice.php:1118 #, fuzzy, php-format msgid "Could not save reply for %1$d, %2$d." msgstr "Malsukcesis lokan grupan informon." #. TRANS: Message used to repeat a notice. RT is the abbreviation of 'retweet'. #. TRANS: %1$s is the repeated user's name, %2$s is the repeated notice. -#: classes/Notice.php:1822 +#: classes/Notice.php:1820 #, php-format msgid "RT @%1$s %2$s" msgstr "RT @%1$s %2$s" #. TRANS: Full name of a profile or group followed by nickname in parens -#: classes/Profile.php:164 +#: classes/Profile.php:164 classes/User_group.php:247 #, fuzzy, php-format msgctxt "FANCYNAME" msgid "%1$s (%2$s)" @@ -6107,22 +6142,22 @@ msgid "Single-user mode code called when not enabled." msgstr "" #. TRANS: Server exception thrown when creating a group failed. -#: classes/User_group.php:495 +#: classes/User_group.php:511 msgid "Could not create group." msgstr "Malsukcesis krei grupon." #. TRANS: Server exception thrown when updating a group URI failed. -#: classes/User_group.php:505 +#: classes/User_group.php:521 msgid "Could not set group URI." msgstr "Malsukcesis ĝisdatigi grupan URI." #. TRANS: Server exception thrown when setting group membership failed. -#: classes/User_group.php:528 +#: classes/User_group.php:544 msgid "Could not set group membership." msgstr "Malsukcesis ĝisdatigi grupan anecon." #. TRANS: Server exception thrown when saving local group information failed. -#: classes/User_group.php:543 +#: classes/User_group.php:559 msgid "Could not save local group info." msgstr "Malsukcesis lokan grupan informon." @@ -6530,7 +6565,7 @@ msgid "User configuration" msgstr "Uzanta agordo" #. TRANS: Menu item for site administration -#: lib/adminpanelaction.php:355 lib/personalgroupnav.php:115 +#: lib/adminpanelaction.php:355 lib/personalgroupnav.php:118 msgid "User" msgstr "Uzanto" @@ -7241,26 +7276,42 @@ msgstr "Konektitaj aplikaĵoj rajtigitaj" msgid "Database error" msgstr "Datumbaza eraro" -#: lib/designsettings.php:105 +#. TRANS: Label in form on profile design page. +#. TRANS: Field contains file name on user's computer that could be that user's custom profile background image. +#: lib/designsettings.php:104 msgid "Upload file" msgstr "Alŝuti dosieron" +#. TRANS: Instructions for form on profile design page. #: lib/designsettings.php:109 msgid "" "You can upload your personal background image. The maximum file size is 2MB." msgstr "" "Vi povas alŝuti vian propran fonbildon. La dosiera grandlimo estas 2MB." -#: 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 "" -"La servilo ne povis trakti tiom da POST-datumo (% bajtoj) pro ĝia nuna " -"agordo." +#. TRANS: Radio button on profile design page that will enable use of the uploaded profile image. +#: lib/designsettings.php:139 +#, fuzzy +msgctxt "RADIO" +msgid "On" +msgstr "En" -#: lib/designsettings.php:418 +#. TRANS: Radio button on profile design page that will disable use of the uploaded profile image. +#: lib/designsettings.php:156 +#, fuzzy +msgctxt "RADIO" +msgid "Off" +msgstr "For" + +#. TRANS: Button text on profile design page to reset all colour settings to default without saving. +#: lib/designsettings.php:264 +#, fuzzy +msgctxt "BUTTON" +msgid "Reset" +msgstr "Restarigi" + +#. TRANS: Success message displayed if design settings were saved after clicking "Use defaults". +#: lib/designsettings.php:433 msgid "Design defaults restored." msgstr "Desegnaj defaŭltoj konserviĝas." @@ -7760,7 +7811,7 @@ msgstr "" #. TRANS: Subject for favorite notification e-mail. #. TRANS: %1$s is the adding user's long name, %2$s is the adding user's nickname. -#: lib/mail.php:603 +#: lib/mail.php:607 #, fuzzy, php-format msgid "%1$s (@%2$s) added your notice as a favorite" msgstr "%s (@%s) ŝatis vian avizon" @@ -7770,7 +7821,7 @@ msgstr "%s (@%s) ŝatis vian avizon" #. TRANS: %3$s is a URL to the faved notice, %4$s is the faved notice text, #. TRANS: %5$s is a URL to all faves of the adding user, %6$s is the StatusNet sitename, #. TRANS: %7$s is the adding user's nickname. -#: lib/mail.php:610 +#: lib/mail.php:614 #, php-format msgid "" "%1$s (@%7$s) just added your notice from %2$s as one of their favorites.\n" @@ -7808,7 +7859,7 @@ msgstr "" "%6$s\n" #. TRANS: Line in @-reply notification e-mail. %s is conversation URL. -#: lib/mail.php:668 +#: lib/mail.php:672 #, php-format msgid "" "The full conversation can be read here:\n" @@ -7821,7 +7872,7 @@ msgstr "" #. TRANS: E-mail subject for notice notification. #. TRANS: %1$s is the sending user's long name, %2$s is the adding user's nickname. -#: lib/mail.php:676 +#: lib/mail.php:680 #, fuzzy, php-format msgid "%1$s (@%2$s) sent a notice to your attention" msgstr "%s (@%s) afiŝis avizon al vi" @@ -7832,7 +7883,7 @@ msgstr "%s (@%s) afiŝis avizon al vi" #. TRANS: %5$s is a URL to the full conversion if it exists (otherwise empty), #. TRANS: %6$s is a URL to reply to the notice, %7$s is a URL to all @-replied for the addressed user, #. TRANS: %8$s is a URL to the addressed user's e-mail settings, %9$s is the sender's nickname. -#: lib/mail.php:684 +#: lib/mail.php:688 #, php-format msgid "" "%1$s (@%9$s) just sent a notice to your attention (an '@-reply') on %2$s.\n" @@ -7980,7 +8031,7 @@ msgstr "Malsukcesis decidi dosieran MIME-tipon." #. TRANS: Client exception thrown trying to upload a forbidden MIME type. #. TRANS: %1$s is the file type that was denied, %2$s is the application part of #. TRANS: the MIME type that was denied. -#: lib/mediafile.php:340 +#: lib/mediafile.php:345 #, php-format msgid "" "\"%1$s\" is not a supported file type on this server. Try using another %2$s " @@ -7991,7 +8042,7 @@ msgstr "" #. TRANS: Client exception thrown trying to upload a forbidden MIME type. #. TRANS: %s is the file type that was denied. -#: lib/mediafile.php:345 +#: lib/mediafile.php:350 #, php-format msgid "\"%s\" is not a supported file type on this server." msgstr "\"%s\" ne estas subtenata tipo ĉe tiu ĉi servilo." @@ -8132,31 +8183,31 @@ msgstr "Refoja avizo." msgid "Couldn't insert new subscription." msgstr "Eraris enmeti novan abonon." -#: lib/personalgroupnav.php:99 +#: lib/personalgroupnav.php:102 msgid "Personal" msgstr "Persona" -#: lib/personalgroupnav.php:104 +#: lib/personalgroupnav.php:107 msgid "Replies" msgstr "Respondoj" -#: lib/personalgroupnav.php:114 +#: lib/personalgroupnav.php:117 msgid "Favorites" msgstr "Ŝatolisto" -#: lib/personalgroupnav.php:125 +#: lib/personalgroupnav.php:128 msgid "Inbox" msgstr "Alvenkesto" -#: lib/personalgroupnav.php:126 +#: lib/personalgroupnav.php:129 msgid "Your incoming messages" msgstr "Viaj alvenaj mesaĝoj" -#: lib/personalgroupnav.php:130 +#: lib/personalgroupnav.php:133 msgid "Outbox" msgstr "Elirkesto" -#: lib/personalgroupnav.php:131 +#: lib/personalgroupnav.php:134 msgid "Your sent messages" msgstr "Viaj senditaj mesaĝoj" @@ -8355,6 +8406,12 @@ msgstr "" msgid "None" msgstr "Nenio" +#. TRANS: Server exception displayed if a theme name was invalid. +#: lib/theme.php:74 +#, fuzzy +msgid "Invalid theme name." +msgstr "Nevalida dosiernomo." + #: lib/themeuploader.php:50 msgid "This server cannot handle theme uploads without ZIP support." msgstr "Ĉi tiu servilo ne povas disponi desegnan alŝuton sen ZIP-a subteno." @@ -8605,20 +8662,9 @@ msgid_plural "%d entries in backup." msgstr[0] "" msgstr[1] "" -#, fuzzy -#~ msgid "Name is too long (maximum 255 chars)." -#~ msgstr "La nomo estas tro longa (maksimume 255 literoj)" - -#, fuzzy -#~ msgid "Organization is too long (maximum 255 chars)." -#~ msgstr "Organizonomo estas tro longa (maksimume 255 literoj)." - -#~ msgid "That's too long. Max notice size is %d chars." -#~ msgstr "Tro longas. Longlimo por avizo estas %d signoj." - -#~ msgid "Max notice size is %d chars, including attachment URL." +#~ msgid "" +#~ "The server was unable to handle that much POST data (%s bytes) due to its " +#~ "current configuration." #~ msgstr "" -#~ "Longlimo por avizo estas %d signoj, enkalkulante ankaŭ la retadresojn." - -#~ msgid " tagged %s" -#~ msgstr " Etikedigita %s" +#~ "La servilo ne povis trakti tiom da POST-datumo (% bajtoj) pro ĝia nuna " +#~ "agordo." diff --git a/locale/es/LC_MESSAGES/statusnet.po b/locale/es/LC_MESSAGES/statusnet.po index 6a9a3fcb43..37d9a68120 100644 --- a/locale/es/LC_MESSAGES/statusnet.po +++ b/locale/es/LC_MESSAGES/statusnet.po @@ -16,17 +16,17 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet - Core\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-11-02 22:51+0000\n" -"PO-Revision-Date: 2010-11-02 22:53:14+0000\n" +"POT-Creation-Date: 2010-11-04 18:25+0000\n" +"PO-Revision-Date: 2010-11-04 18:27:13+0000\n" "Language-Team: Spanish \n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r75875); Translate extension (2010-09-17)\n" +"X-Generator: MediaWiki 1.17alpha (r76004); Translate extension (2010-09-17)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: es\n" "X-Message-Group: #out-statusnet-core\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-POT-Import-Date: 2010-10-30 23:42:01+0000\n" +"X-POT-Import-Date: 2010-11-02 23:22:49+0000\n" #. TRANS: Page title for Access admin panel that allows configuring site access. #. TRANS: Menu item for site administration @@ -91,12 +91,14 @@ msgstr "Guardar la configuración de acceso" #. TRANS: Save button for settings for a profile in a subscriptions list. #. TRANS: Button text to save user settings in user admin panel. #. TRANS: Button label in the "Edit application" form. +#. TRANS: Button text on profile design page to save settings. #: actions/accessadminpanel.php:193 actions/emailsettings.php:228 #: actions/imsettings.php:187 actions/othersettings.php:134 #: actions/pathsadminpanel.php:512 actions/profilesettings.php:201 #: actions/sitenoticeadminpanel.php:197 actions/smssettings.php:209 #: actions/subscriptions.php:246 actions/useradminpanel.php:298 -#: lib/applicationeditform.php:355 lib/groupeditform.php:207 +#: lib/applicationeditform.php:355 lib/designsettings.php:270 +#: lib/groupeditform.php:207 msgctxt "BUTTON" msgid "Save" msgstr "Guardar" @@ -164,7 +166,7 @@ msgstr "%1$s y sus amistades, página %2$d" #. TRANS: Timeline title for user and friends. %s is a user nickname. #: actions/all.php:94 actions/all.php:191 actions/allrss.php:115 #: actions/apitimelinefriends.php:207 actions/apitimelinehome.php:113 -#: lib/personalgroupnav.php:100 +#: lib/personalgroupnav.php:103 #, php-format msgid "%s and friends" msgstr "%s y sus amistades" @@ -340,11 +342,13 @@ msgstr "No se pudo guardar el perfil." #. TRANS: Client error displayed when the number of bytes in a POST request exceeds a limit. #. TRANS: %s is the number of bytes of the CONTENT_LENGTH. +#. TRANS: Form validation error in design settings form. POST should remain untranslated. #: actions/apiaccountupdateprofilebackgroundimage.php:108 #: actions/apiaccountupdateprofileimage.php:95 actions/apimediaupload.php:81 #: actions/apistatusesupdate.php:210 actions/avatarsettings.php:269 #: actions/designadminpanel.php:125 actions/editapplication.php:121 #: actions/newapplication.php:104 actions/newnotice.php:95 +#: lib/designsettings.php:298 #, fuzzy, php-format msgid "" "The server was unable to handle that much POST data (%s byte) due to its " @@ -755,7 +759,7 @@ msgstr "No estás autorizado." #: actions/repeat.php:83 actions/smssettings.php:256 actions/subedit.php:40 #: actions/subscribe.php:86 actions/tagother.php:166 #: actions/unsubscribe.php:69 actions/userauthorization.php:52 -#: lib/designsettings.php:294 +#: lib/designsettings.php:310 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." @@ -778,12 +782,13 @@ msgstr "Error de base de datos al insertar usuario de la aplicación OAuth." #. TRANS: Message given submitting a form with an unknown action in IM settings. #. TRANS: Client error when submitting a form with unexpected information. #. TRANS: Message given submitting a form with an unknown action in SMS settings. +#. TRANS: Unknown form validation error in design settings form. #: actions/apioauthauthorize.php:294 actions/avatarsettings.php:294 #: actions/designadminpanel.php:104 actions/editapplication.php:144 #: actions/emailsettings.php:290 actions/grouplogo.php:322 #: actions/imsettings.php:245 actions/newapplication.php:125 #: actions/oauthconnectionssettings.php:147 actions/recoverpassword.php:44 -#: actions/smssettings.php:277 lib/designsettings.php:304 +#: actions/smssettings.php:277 lib/designsettings.php:321 msgid "Unexpected form submission." msgstr "Envío de formulario inesperado." @@ -836,7 +841,7 @@ msgstr "Cuenta" #. TRANS: Label for group nickname (dt). Text hidden by default. #: actions/apioauthauthorize.php:459 actions/login.php:252 #: actions/profilesettings.php:110 actions/register.php:433 -#: actions/showgroup.php:245 actions/tagother.php:94 +#: actions/showgroup.php:240 actions/tagother.php:94 #: actions/userauthorization.php:145 lib/groupeditform.php:152 #: lib/userprofile.php:132 msgid "Nickname" @@ -1100,7 +1105,7 @@ msgstr "No existe tal archivo adjunto." #: actions/avatarbynickname.php:60 actions/blockedfromgroup.php:73 #: actions/editgroup.php:85 actions/groupdesignsettings.php:84 #: actions/grouplogo.php:86 actions/groupmembers.php:76 -#: actions/grouprss.php:91 actions/showgroup.php:121 +#: actions/grouprss.php:91 actions/showgroup.php:116 msgid "No nickname." msgstr "Ningún nombre de usuario." @@ -1117,7 +1122,7 @@ msgstr "Tamaño inválido." #. TRANS: Title for avatar upload page. #. TRANS: Label for group avatar (dt). Text hidden by default. #. TRANS: Link description in user account settings menu. -#: actions/avatarsettings.php:66 actions/showgroup.php:229 +#: actions/avatarsettings.php:66 actions/showgroup.php:224 #: lib/accountsettingsaction.php:113 msgid "Avatar" msgstr "Imagen" @@ -1293,7 +1298,7 @@ msgstr "No se guardó información de bloqueo." #: actions/groupunblock.php:88 actions/joingroup.php:82 #: actions/joingroup.php:93 actions/leavegroup.php:82 #: actions/leavegroup.php:93 actions/makeadmin.php:86 -#: actions/showgroup.php:139 actions/showgroup.php:148 lib/command.php:168 +#: actions/showgroup.php:134 actions/showgroup.php:143 lib/command.php:168 #: lib/command.php:380 msgid "No such group." msgstr "No existe ese grupo." @@ -1660,12 +1665,14 @@ msgstr "Personalizar tema" msgid "You can upload a custom StatusNet theme as a .ZIP archive." msgstr "Puedes subir un tema personalizado StatusNet como un archivo .ZIP." -#: actions/designadminpanel.php:512 lib/designsettings.php:101 +#. TRANS: Fieldset legend on profile design page. +#: actions/designadminpanel.php:512 lib/designsettings.php:98 msgid "Change background image" msgstr "Cambiar la imagen de fondo" +#. TRANS: Label on profile design page for setting a profile page background colour. #: actions/designadminpanel.php:517 actions/designadminpanel.php:600 -#: lib/designsettings.php:178 +#: lib/designsettings.php:183 msgid "Background" msgstr "Fondo" @@ -1679,40 +1686,48 @@ msgstr "" "es %1$s." #. TRANS: Used as radio button label to add a background image. -#: actions/designadminpanel.php:553 lib/designsettings.php:139 +#: actions/designadminpanel.php:553 msgid "On" msgstr "Activar" #. TRANS: Used as radio button label to not add a background image. -#: actions/designadminpanel.php:570 lib/designsettings.php:155 +#: actions/designadminpanel.php:570 msgid "Off" msgstr "Desactivar" -#: actions/designadminpanel.php:571 lib/designsettings.php:156 +#. TRANS: Form guide for a set of radio buttons on the profile design page that will enable or disable +#. TRANS: use of the uploaded profile image. +#: actions/designadminpanel.php:571 lib/designsettings.php:159 msgid "Turn background image on or off." msgstr "Activar o desactivar la imagen de fondo." -#: actions/designadminpanel.php:576 lib/designsettings.php:161 +#. TRANS: Checkbox label on profile design page that will cause the profile image to be tiled. +#: actions/designadminpanel.php:576 lib/designsettings.php:165 msgid "Tile background image" msgstr "Imagen de fondo en mosaico" -#: actions/designadminpanel.php:590 lib/designsettings.php:170 +#. TRANS: Fieldset legend on profile design page to change profile page colours. +#: actions/designadminpanel.php:590 lib/designsettings.php:175 msgid "Change colours" msgstr "Cambiar colores" -#: actions/designadminpanel.php:613 lib/designsettings.php:191 +#. TRANS: Label on profile design page for setting a profile page content colour. +#: actions/designadminpanel.php:613 lib/designsettings.php:197 msgid "Content" msgstr "Contenido" -#: actions/designadminpanel.php:626 lib/designsettings.php:204 +#. TRANS: Label on profile design page for setting a profile page sidebar colour. +#: actions/designadminpanel.php:626 lib/designsettings.php:211 msgid "Sidebar" msgstr "Barra lateral" -#: actions/designadminpanel.php:639 lib/designsettings.php:217 +#. TRANS: Label on profile design page for setting a profile page text colour. +#: actions/designadminpanel.php:639 lib/designsettings.php:225 msgid "Text" msgstr "Texto" -#: actions/designadminpanel.php:652 lib/designsettings.php:230 +#. TRANS: Label on profile design page for setting a profile page links colour. +#: actions/designadminpanel.php:652 lib/designsettings.php:239 msgid "Links" msgstr "Vínculos" @@ -1724,15 +1739,18 @@ msgstr "Avanzado" msgid "Custom CSS" msgstr "Personalizar CSS" -#: actions/designadminpanel.php:702 lib/designsettings.php:247 +#. TRANS: Button text on profile design page to immediately reset all colour settings to default. +#: actions/designadminpanel.php:702 lib/designsettings.php:257 msgid "Use defaults" msgstr "Utilizar los valores predeterminados" -#: actions/designadminpanel.php:703 lib/designsettings.php:248 +#. TRANS: Title for button on profile design page to reset all colour settings to default. +#: actions/designadminpanel.php:703 lib/designsettings.php:259 msgid "Restore default designs" msgstr "Restaurar los diseños predeterminados" -#: actions/designadminpanel.php:709 lib/designsettings.php:254 +#. TRANS: Title for button on profile design page to reset all colour settings to default without saving. +#: actions/designadminpanel.php:709 lib/designsettings.php:267 msgid "Reset back to default" msgstr "Volver a los valores predeterminados" @@ -1740,11 +1758,12 @@ msgstr "Volver a los valores predeterminados" #: actions/designadminpanel.php:711 actions/licenseadminpanel.php:319 #: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:292 #: actions/snapshotadminpanel.php:245 actions/tagother.php:154 -#: lib/applicationeditform.php:357 lib/designsettings.php:256 +#: lib/applicationeditform.php:357 msgid "Save" msgstr "Guardar" -#: actions/designadminpanel.php:712 lib/designsettings.php:257 +#. TRANS: Title for button on profile design page to save settings. +#: actions/designadminpanel.php:712 lib/designsettings.php:272 msgid "Save design" msgstr "Guardar el diseño" @@ -1880,7 +1899,7 @@ msgstr "No se pudo actualizar el grupo." #. TRANS: Server error displayed when group aliases could not be added. #. TRANS: Server exception thrown when creating group aliases failed. -#: actions/editgroup.php:288 classes/User_group.php:513 +#: actions/editgroup.php:288 classes/User_group.php:529 msgid "Could not create aliases." msgstr "No fue posible crear alias." @@ -2169,7 +2188,7 @@ msgstr "" "persona en añadir un mensaje a tus favoritos?" #: actions/favoritesrss.php:111 actions/showfavorites.php:77 -#: lib/personalgroupnav.php:115 +#: lib/personalgroupnav.php:118 #, php-format msgid "%s's favorite notices" msgstr "Mensajes favoritos de %s" @@ -2350,8 +2369,10 @@ msgstr "" "Personaliza el aspecto de tu grupo con una imagen de fondo y la paleta de " "colores que prefieras." +#. TRANS: Error message displayed if design settings could not be saved. +#. TRANS: Error message displayed if design settings could not be saved after clicking "Use defaults". #: actions/groupdesignsettings.php:266 actions/userdesignsettings.php:186 -#: lib/designsettings.php:391 lib/designsettings.php:413 +#: lib/designsettings.php:405 lib/designsettings.php:427 msgid "Couldn't update your design." msgstr "No fue posible actualizar tu diseño." @@ -3313,25 +3334,25 @@ msgstr "" msgid "Notice has no profile." msgstr "Mensaje sin perfil." -#: actions/oembed.php:87 actions/shownotice.php:176 +#: actions/oembed.php:83 actions/shownotice.php:172 #, php-format msgid "%1$s's status on %2$s" msgstr "estado de %1$s en %2$s" #. TRANS: Error message displaying attachments. %s is a raw MIME type (eg 'image/png') -#: actions/oembed.php:159 +#: actions/oembed.php:155 #, php-format msgid "Content type %s not supported." msgstr "Tipo de contenido %s no compatible." #. TRANS: Error message displaying attachments. %s is the site's base URL. -#: actions/oembed.php:163 +#: actions/oembed.php:159 #, php-format msgid "Only %s URLs over plain HTTP please." msgstr "Solamente %s URL sobre HTTP simples, por favor." #. TRANS: Client error on an API request with an unsupported data format. -#: actions/oembed.php:184 actions/oembed.php:203 lib/apiaction.php:1200 +#: actions/oembed.php:180 actions/oembed.php:199 lib/apiaction.php:1200 #: lib/apiaction.php:1227 lib/apiaction.php:1356 msgid "Not a supported data format." msgstr "No es un formato de datos compatible." @@ -3832,7 +3853,7 @@ msgstr "" #. TRANS: Field label in form for profile settings. #. TRANS: Label for full group name (dt). Text hidden by default. #: actions/profilesettings.php:117 actions/register.php:457 -#: actions/showgroup.php:257 actions/tagother.php:104 +#: actions/showgroup.php:252 actions/tagother.php:104 #: lib/groupeditform.php:157 lib/userprofile.php:150 msgid "Full name" msgstr "Nombre completo" @@ -3874,7 +3895,7 @@ msgstr "Biografía" #. TRANS: Field label in form for profile settings. #. TRANS: Label for group location (dt). Text hidden by default. #: actions/profilesettings.php:149 actions/register.php:485 -#: actions/showgroup.php:267 actions/tagother.php:112 +#: actions/showgroup.php:262 actions/tagother.php:112 #: actions/userauthorization.php:166 lib/groupeditform.php:180 #: lib/userprofile.php:165 msgid "Location" @@ -4472,7 +4493,7 @@ msgid "Repeated!" msgstr "¡Repetido!" #: actions/replies.php:126 actions/repliesrss.php:68 -#: lib/personalgroupnav.php:105 +#: lib/personalgroupnav.php:108 #, php-format msgid "Replies to %s" msgstr "Respuestas a %s" @@ -4610,7 +4631,7 @@ msgid "Description" msgstr "Descripción" #. TRANS: Header for group statistics on a group page (h2). -#: actions/showapplication.php:192 actions/showgroup.php:453 +#: actions/showapplication.php:192 actions/showgroup.php:448 #: lib/profileaction.php:187 msgid "Statistics" msgstr "Estadísticas" @@ -4726,95 +4747,95 @@ msgid "This is a way to share what you like." msgstr "Esta es una manera de compartir lo que te gusta." #. TRANS: Page title for first group page. %s is a group name. -#: actions/showgroup.php:80 +#: actions/showgroup.php:75 #, php-format msgid "%s group" msgstr "Grupo %s" #. TRANS: Page title for any but first group page. #. TRANS: %1$s is a group name, $2$s is a page number. -#: actions/showgroup.php:84 +#: actions/showgroup.php:79 #, php-format msgid "%1$s group, page %2$d" msgstr "grupo %1$s, página %2$d" #. TRANS: Group profile header (h2). Text hidden by default. -#: actions/showgroup.php:225 +#: actions/showgroup.php:220 msgid "Group profile" msgstr "Perfil del grupo" #. TRANS: Label for group URL (dt). Text hidden by default. -#: actions/showgroup.php:275 actions/tagother.php:118 +#: actions/showgroup.php:270 actions/tagother.php:118 #: actions/userauthorization.php:175 lib/userprofile.php:178 msgid "URL" msgstr "URL" #. TRANS: Label for group description or group note (dt). Text hidden by default. -#: actions/showgroup.php:287 actions/tagother.php:128 +#: actions/showgroup.php:282 actions/tagother.php:128 #: actions/userauthorization.php:187 lib/userprofile.php:195 msgid "Note" msgstr "Nota" #. TRANS: Label for group aliases (dt). Text hidden by default. -#: actions/showgroup.php:298 lib/groupeditform.php:187 +#: actions/showgroup.php:293 lib/groupeditform.php:187 msgid "Aliases" msgstr "Alias" #. TRANS: Group actions header (h2). Text hidden by default. -#: actions/showgroup.php:309 +#: actions/showgroup.php:304 msgid "Group actions" msgstr "Acciones del grupo" #. TRANS: Tooltip for feed link. %s is a group nickname. -#: actions/showgroup.php:350 +#: actions/showgroup.php:345 #, php-format msgid "Notice feed for %s group (RSS 1.0)" msgstr "Canal de mensajes del grupo %s (RSS 1.0)" #. TRANS: Tooltip for feed link. %s is a group nickname. -#: actions/showgroup.php:357 +#: actions/showgroup.php:352 #, php-format msgid "Notice feed for %s group (RSS 2.0)" msgstr "Canal de mensajes del grupo %s (RSS 2.0)" #. TRANS: Tooltip for feed link. %s is a group nickname. -#: actions/showgroup.php:364 +#: actions/showgroup.php:359 #, php-format msgid "Notice feed for %s group (Atom)" msgstr "Canal de mensajes del grupo %s (Atom)" #. TRANS: Tooltip for feed link. %s is a group nickname. -#: actions/showgroup.php:370 +#: actions/showgroup.php:365 #, php-format msgid "FOAF for %s group" msgstr "Amistades de amistades del grupo %s" #. TRANS: Header for mini list of group members on a group page (h2). -#: actions/showgroup.php:407 +#: actions/showgroup.php:402 msgid "Members" msgstr "Miembros" #. TRANS: Description for mini list of group members on a group page when the group has no members. -#: actions/showgroup.php:413 lib/profileaction.php:117 +#: actions/showgroup.php:408 lib/profileaction.php:117 #: lib/profileaction.php:152 lib/profileaction.php:255 lib/section.php:95 #: lib/subscriptionlist.php:127 lib/tagcloudsection.php:71 msgid "(None)" msgstr "(Ninguno)" #. TRANS: Link to all group members from mini list of group members if group has more than n members. -#: actions/showgroup.php:422 +#: actions/showgroup.php:417 msgid "All members" msgstr "Todos los miembros" #. TRANS: Label for creation date in statistics on group page. -#: actions/showgroup.php:458 +#: actions/showgroup.php:453 #, fuzzy msgctxt "LABEL" msgid "Created" msgstr "Creado" #. TRANS: Label for member count in statistics on group page. -#: actions/showgroup.php:466 +#: actions/showgroup.php:461 #, fuzzy msgctxt "LABEL" msgid "Members" @@ -4824,7 +4845,7 @@ msgstr "Miembros" #. TRANS: **%s** is the group alias, %%%%site.name%%%% is the site name, #. TRANS: %%%%action.register%%%% is the URL for registration, %%%%doc.help%%%% is a URL to help. #. TRANS: This message contains Markdown links. Ensure they are formatted correctly: [Description](link). -#: actions/showgroup.php:481 +#: actions/showgroup.php:476 #, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -4843,7 +4864,7 @@ msgstr "" #. TRANS: Notice on group pages for anonymous users for StatusNet sites that accept no new registrations. #. TRANS: **%s** is the group alias, %%%%site.name%%%% is the site name, #. TRANS: This message contains Markdown links. Ensure they are formatted correctly: [Description](link). -#: actions/showgroup.php:491 +#: actions/showgroup.php:486 #, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -4857,7 +4878,7 @@ msgstr "" "comparten mensajes cortos acerca de su vida e intereses. " #. TRANS: Header for list of group administrators on a group page (h2). -#: actions/showgroup.php:520 +#: actions/showgroup.php:515 msgid "Admins" msgstr "Administradores" @@ -5646,7 +5667,7 @@ msgstr "Suscripción predeterminada inválida : '%1$s' no es un usuario" #. TRANS: Link description in user account settings menu. #: actions/useradminpanel.php:215 lib/accountsettingsaction.php:106 -#: lib/personalgroupnav.php:109 +#: lib/personalgroupnav.php:112 msgid "Profile" msgstr "Perfil" @@ -5810,11 +5831,13 @@ msgstr "No se puede leer la URL de la imagen ‘%s’." msgid "Wrong image type for avatar URL ‘%s’." msgstr "Tipo de imagen incorrecto para la URL de imagen ‘%s’." -#: actions/userdesignsettings.php:76 lib/designsettings.php:65 +#. TRANS: Page title for profile design page. +#: actions/userdesignsettings.php:76 lib/designsettings.php:63 msgid "Profile design" msgstr "Diseño del perfil" -#: actions/userdesignsettings.php:87 lib/designsettings.php:76 +#. TRANS: Instructions for profile design page. +#: actions/userdesignsettings.php:87 lib/designsettings.php:74 msgid "" "Customize the way your profile looks with a background image and a colour " "palette of your choice." @@ -5946,32 +5969,46 @@ msgstr " Robin piensa que algo es imposible." #. TRANS: Message given if an upload is larger than the configured maximum. #. TRANS: %1$d is the byte limit for uploads, %2$d is the byte count for the uploaded file. -#: classes/File.php:189 -#, php-format +#. TRANS: %1$s is used for plural. +#: classes/File.php:190 +#, fuzzy, php-format msgid "" +"No file may be larger than %1$d byte and the file you sent was %2$d bytes. " +"Try to upload a smaller version." +msgid_plural "" "No file may be larger than %1$d bytes and the file you sent was %2$d bytes. " "Try to upload a smaller version." -msgstr "" +msgstr[0] "" +"Ningún archivopuede ser de tamaño mayor a %1$d bytes y el archivo que " +"enviaste es de %2$d bytes. Trata de subir una versión más pequeña." +msgstr[1] "" "Ningún archivopuede ser de tamaño mayor a %1$d bytes y el archivo que " "enviaste es de %2$d bytes. Trata de subir una versión más pequeña." #. TRANS: Message given if an upload would exceed user quota. -#. TRANS: %d (number) is the user quota in bytes. -#: classes/File.php:201 -#, php-format -msgid "A file this large would exceed your user quota of %d bytes." -msgstr "" +#. TRANS: %d (number) is the user quota in bytes and is used for plural. +#: classes/File.php:203 +#, fuzzy, php-format +msgid "A file this large would exceed your user quota of %d byte." +msgid_plural "A file this large would exceed your user quota of %d bytes." +msgstr[0] "" +"Un archivo tan grande podría sobrepasar tu cuota de usuario de %d bytes." +msgstr[1] "" "Un archivo tan grande podría sobrepasar tu cuota de usuario de %d bytes." #. TRANS: Message given id an upload would exceed a user's monthly quota. -#. TRANS: $d (number) is the monthly user quota in bytes. -#: classes/File.php:210 -#, php-format -msgid "A file this large would exceed your monthly quota of %d bytes." -msgstr "Un archivo tan grande podría sobrepasar tu cuota mensual de %d bytes." +#. TRANS: $d (number) is the monthly user quota in bytes and is used for plural. +#: classes/File.php:215 +#, fuzzy, php-format +msgid "A file this large would exceed your monthly quota of %d byte." +msgid_plural "A file this large would exceed your monthly quota of %d bytes." +msgstr[0] "" +"Un archivo tan grande podría sobrepasar tu cuota mensual de %d bytes." +msgstr[1] "" +"Un archivo tan grande podría sobrepasar tu cuota mensual de %d bytes." #. TRANS: Client exception thrown if a file upload does not have a valid name. -#: classes/File.php:247 classes/File.php:262 +#: classes/File.php:262 classes/File.php:277 msgid "Invalid filename." msgstr "Nombre de archivo inválido." @@ -6100,31 +6137,32 @@ msgid "Problem saving notice." msgstr "Hubo un problema al guardar el mensaje." #. TRANS: Server exception thrown when no array is provided to the method saveKnownGroups(). -#: classes/Notice.php:907 -msgid "Bad type provided to saveKnownGroups" +#: classes/Notice.php:905 +#, fuzzy +msgid "Bad type provided to saveKnownGroups." msgstr "Mal tipo proveído a saveKnownGroups" #. TRANS: Server exception thrown when an update for a group inbox fails. -#: classes/Notice.php:1006 +#: classes/Notice.php:1004 msgid "Problem saving group inbox." msgstr "Hubo un problema al guarda la bandeja de entrada del grupo." #. TRANS: Server exception thrown when a reply cannot be saved. #. TRANS: %1$d is a notice ID, %2$d is the ID of the mentioned user. -#: classes/Notice.php:1120 +#: classes/Notice.php:1118 #, fuzzy, php-format msgid "Could not save reply for %1$d, %2$d." msgstr "No se ha podido guardar la información del grupo local." #. TRANS: Message used to repeat a notice. RT is the abbreviation of 'retweet'. #. TRANS: %1$s is the repeated user's name, %2$s is the repeated notice. -#: classes/Notice.php:1822 +#: classes/Notice.php:1820 #, php-format msgid "RT @%1$s %2$s" msgstr "RT @%1$s %2$s" #. TRANS: Full name of a profile or group followed by nickname in parens -#: classes/Profile.php:164 +#: classes/Profile.php:164 classes/User_group.php:247 #, fuzzy, php-format msgctxt "FANCYNAME" msgid "%1$s (%2$s)" @@ -6221,22 +6259,22 @@ msgid "Single-user mode code called when not enabled." msgstr "" #. TRANS: Server exception thrown when creating a group failed. -#: classes/User_group.php:495 +#: classes/User_group.php:511 msgid "Could not create group." msgstr "No se pudo crear grupo." #. TRANS: Server exception thrown when updating a group URI failed. -#: classes/User_group.php:505 +#: classes/User_group.php:521 msgid "Could not set group URI." msgstr "No se pudo configurar el URI del grupo." #. TRANS: Server exception thrown when setting group membership failed. -#: classes/User_group.php:528 +#: classes/User_group.php:544 msgid "Could not set group membership." msgstr "No se pudo configurar la membresía del grupo." #. TRANS: Server exception thrown when saving local group information failed. -#: classes/User_group.php:543 +#: classes/User_group.php:559 msgid "Could not save local group info." msgstr "No se ha podido guardar la información del grupo local." @@ -6648,7 +6686,7 @@ msgid "User configuration" msgstr "Configuración de usuario" #. TRANS: Menu item for site administration -#: lib/adminpanelaction.php:355 lib/personalgroupnav.php:115 +#: lib/adminpanelaction.php:355 lib/personalgroupnav.php:118 msgid "User" msgstr "Usuario" @@ -7363,10 +7401,13 @@ msgstr "Aplicaciones conectadas autorizadas" msgid "Database error" msgstr "Error de la base de datos" -#: lib/designsettings.php:105 +#. TRANS: Label in form on profile design page. +#. TRANS: Field contains file name on user's computer that could be that user's custom profile background image. +#: lib/designsettings.php:104 msgid "Upload file" msgstr "Subir archivo" +#. TRANS: Instructions for form on profile design page. #: lib/designsettings.php:109 msgid "" "You can upload your personal background image. The maximum file size is 2MB." @@ -7374,16 +7415,29 @@ msgstr "" "Puedes subir tu imagen de fondo personal. El tamaño de archivo máximo " "permitido es 2 MB." -#: 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 "" -"El servidor no ha podido manejar tanta información del tipo POST (% de " -"bytes) a causa de su configuración actual." +#. TRANS: Radio button on profile design page that will enable use of the uploaded profile image. +#: lib/designsettings.php:139 +#, fuzzy +msgctxt "RADIO" +msgid "On" +msgstr "Activar" -#: lib/designsettings.php:418 +#. TRANS: Radio button on profile design page that will disable use of the uploaded profile image. +#: lib/designsettings.php:156 +#, fuzzy +msgctxt "RADIO" +msgid "Off" +msgstr "Desactivar" + +#. TRANS: Button text on profile design page to reset all colour settings to default without saving. +#: lib/designsettings.php:264 +#, fuzzy +msgctxt "BUTTON" +msgid "Reset" +msgstr "Restablecer" + +#. TRANS: Success message displayed if design settings were saved after clicking "Use defaults". +#: lib/designsettings.php:433 msgid "Design defaults restored." msgstr "Diseño predeterminado restaurado." @@ -7888,7 +7942,7 @@ msgstr "" #. TRANS: Subject for favorite notification e-mail. #. TRANS: %1$s is the adding user's long name, %2$s is the adding user's nickname. -#: lib/mail.php:603 +#: lib/mail.php:607 #, fuzzy, php-format msgid "%1$s (@%2$s) added your notice as a favorite" msgstr "%s (@%s) agregó tu mensaje a los favoritos" @@ -7898,7 +7952,7 @@ msgstr "%s (@%s) agregó tu mensaje a los favoritos" #. TRANS: %3$s is a URL to the faved notice, %4$s is the faved notice text, #. TRANS: %5$s is a URL to all faves of the adding user, %6$s is the StatusNet sitename, #. TRANS: %7$s is the adding user's nickname. -#: lib/mail.php:610 +#: lib/mail.php:614 #, php-format msgid "" "%1$s (@%7$s) just added your notice from %2$s as one of their favorites.\n" @@ -7936,7 +7990,7 @@ msgstr "" "%6$s\n" #. TRANS: Line in @-reply notification e-mail. %s is conversation URL. -#: lib/mail.php:668 +#: lib/mail.php:672 #, php-format msgid "" "The full conversation can be read here:\n" @@ -7949,7 +8003,7 @@ msgstr "" #. TRANS: E-mail subject for notice notification. #. TRANS: %1$s is the sending user's long name, %2$s is the adding user's nickname. -#: lib/mail.php:676 +#: lib/mail.php:680 #, fuzzy, php-format msgid "%1$s (@%2$s) sent a notice to your attention" msgstr "%s (@%s) ha enviado un aviso a tu atención" @@ -7960,7 +8014,7 @@ msgstr "%s (@%s) ha enviado un aviso a tu atención" #. TRANS: %5$s is a URL to the full conversion if it exists (otherwise empty), #. TRANS: %6$s is a URL to reply to the notice, %7$s is a URL to all @-replied for the addressed user, #. TRANS: %8$s is a URL to the addressed user's e-mail settings, %9$s is the sender's nickname. -#: lib/mail.php:684 +#: lib/mail.php:688 #, php-format msgid "" "%1$s (@%9$s) just sent a notice to your attention (an '@-reply') on %2$s.\n" @@ -8110,7 +8164,7 @@ msgstr "No se pudo determinar tipo MIME del archivo" #. TRANS: Client exception thrown trying to upload a forbidden MIME type. #. TRANS: %1$s is the file type that was denied, %2$s is the application part of #. TRANS: the MIME type that was denied. -#: lib/mediafile.php:340 +#: lib/mediafile.php:345 #, php-format msgid "" "\"%1$s\" is not a supported file type on this server. Try using another %2$s " @@ -8121,7 +8175,7 @@ msgstr "" #. TRANS: Client exception thrown trying to upload a forbidden MIME type. #. TRANS: %s is the file type that was denied. -#: lib/mediafile.php:345 +#: lib/mediafile.php:350 #, php-format msgid "\"%s\" is not a supported file type on this server." msgstr "\"%s\" no es un tipo de archivo compatible en este servidor." @@ -8262,31 +8316,31 @@ msgstr "Mensaje duplicado." msgid "Couldn't insert new subscription." msgstr "No se pudo insertar una nueva suscripción." -#: lib/personalgroupnav.php:99 +#: lib/personalgroupnav.php:102 msgid "Personal" msgstr "Personal" -#: lib/personalgroupnav.php:104 +#: lib/personalgroupnav.php:107 msgid "Replies" msgstr "Respuestas" -#: lib/personalgroupnav.php:114 +#: lib/personalgroupnav.php:117 msgid "Favorites" msgstr "Favoritos" -#: lib/personalgroupnav.php:125 +#: lib/personalgroupnav.php:128 msgid "Inbox" msgstr "Bandeja de Entrada" -#: lib/personalgroupnav.php:126 +#: lib/personalgroupnav.php:129 msgid "Your incoming messages" msgstr "Mensajes entrantes" -#: lib/personalgroupnav.php:130 +#: lib/personalgroupnav.php:133 msgid "Outbox" msgstr "Bandeja de Salida" -#: lib/personalgroupnav.php:131 +#: lib/personalgroupnav.php:134 msgid "Your sent messages" msgstr "Mensajes enviados" @@ -8484,6 +8538,12 @@ msgstr "Nube de etiquetas de personas etiquetadas" msgid "None" msgstr "Ninguno" +#. TRANS: Server exception displayed if a theme name was invalid. +#: lib/theme.php:74 +#, fuzzy +msgid "Invalid theme name." +msgstr "Nombre de archivo inválido." + #: lib/themeuploader.php:50 msgid "This server cannot handle theme uploads without ZIP support." msgstr "Este servidor no puede manejar cargas de temas sin soporte ZIP." @@ -8736,20 +8796,9 @@ msgid_plural "%d entries in backup." msgstr[0] "" msgstr[1] "" -#, fuzzy -#~ msgid "Name is too long (maximum 255 chars)." -#~ msgstr "El nombre es muy largo (máx. 255 carac.)" - -#, fuzzy -#~ msgid "Organization is too long (maximum 255 chars)." -#~ msgstr "El texto de organización es muy largo (máx. 255 caracteres)." - -#~ msgid "That's too long. Max notice size is %d chars." -#~ msgstr "El mensaje es muy largo. El tamaño máximo es de %d caracteres." - -#~ msgid "Max notice size is %d chars, including attachment URL." +#~ msgid "" +#~ "The server was unable to handle that much POST data (%s bytes) due to its " +#~ "current configuration." #~ msgstr "" -#~ "El tamaño máximo del mensaje es %d caracteres, incluyendo el URL adjunto." - -#~ msgid " tagged %s" -#~ msgstr "%s etiquetados" +#~ "El servidor no ha podido manejar tanta información del tipo POST (% de " +#~ "bytes) a causa de su configuración actual." diff --git a/locale/fa/LC_MESSAGES/statusnet.po b/locale/fa/LC_MESSAGES/statusnet.po index bc2d2b2754..4471ed91a2 100644 --- a/locale/fa/LC_MESSAGES/statusnet.po +++ b/locale/fa/LC_MESSAGES/statusnet.po @@ -13,8 +13,8 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet - Core\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-11-02 22:51+0000\n" -"PO-Revision-Date: 2010-11-02 22:53:16+0000\n" +"POT-Creation-Date: 2010-11-04 18:25+0000\n" +"PO-Revision-Date: 2010-11-04 18:27:14+0000\n" "Last-Translator: Ahmad Sufi Mahmudi\n" "Language-Team: Persian \n" "MIME-Version: 1.0\n" @@ -23,9 +23,9 @@ msgstr "" "X-Language-Code: fa\n" "X-Message-Group: #out-statusnet-core\n" "Plural-Forms: nplurals=1; plural=0;\n" -"X-Generator: MediaWiki 1.17alpha (r75875); Translate extension (2010-09-17)\n" +"X-Generator: MediaWiki 1.17alpha (r76004); Translate extension (2010-09-17)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" -"X-POT-Import-Date: 2010-10-30 23:42:01+0000\n" +"X-POT-Import-Date: 2010-11-02 23:22:49+0000\n" #. TRANS: Page title for Access admin panel that allows configuring site access. #. TRANS: Menu item for site administration @@ -90,12 +90,14 @@ msgstr "ذخیرهٔ تنظیمات دسترسی" #. TRANS: Save button for settings for a profile in a subscriptions list. #. TRANS: Button text to save user settings in user admin panel. #. TRANS: Button label in the "Edit application" form. +#. TRANS: Button text on profile design page to save settings. #: actions/accessadminpanel.php:193 actions/emailsettings.php:228 #: actions/imsettings.php:187 actions/othersettings.php:134 #: actions/pathsadminpanel.php:512 actions/profilesettings.php:201 #: actions/sitenoticeadminpanel.php:197 actions/smssettings.php:209 #: actions/subscriptions.php:246 actions/useradminpanel.php:298 -#: lib/applicationeditform.php:355 lib/groupeditform.php:207 +#: lib/applicationeditform.php:355 lib/designsettings.php:270 +#: lib/groupeditform.php:207 msgctxt "BUTTON" msgid "Save" msgstr "ذخیره" @@ -163,7 +165,7 @@ msgstr "%1$s و دوستان، صفحهٔ %2$d" #. TRANS: Timeline title for user and friends. %s is a user nickname. #: actions/all.php:94 actions/all.php:191 actions/allrss.php:115 #: actions/apitimelinefriends.php:207 actions/apitimelinehome.php:113 -#: lib/personalgroupnav.php:100 +#: lib/personalgroupnav.php:103 #, php-format msgid "%s and friends" msgstr "%s و دوستان" @@ -336,11 +338,13 @@ msgstr "نمی‌توان نمایه را ذخیره کرد." #. TRANS: Client error displayed when the number of bytes in a POST request exceeds a limit. #. TRANS: %s is the number of bytes of the CONTENT_LENGTH. +#. TRANS: Form validation error in design settings form. POST should remain untranslated. #: actions/apiaccountupdateprofilebackgroundimage.php:108 #: actions/apiaccountupdateprofileimage.php:95 actions/apimediaupload.php:81 #: actions/apistatusesupdate.php:210 actions/avatarsettings.php:269 #: actions/designadminpanel.php:125 actions/editapplication.php:121 #: actions/newapplication.php:104 actions/newnotice.php:95 +#: lib/designsettings.php:298 #, fuzzy, php-format msgid "" "The server was unable to handle that much POST data (%s byte) due to its " @@ -743,7 +747,7 @@ msgstr "شما شناسایی نشده اید." #: actions/repeat.php:83 actions/smssettings.php:256 actions/subedit.php:40 #: actions/subscribe.php:86 actions/tagother.php:166 #: actions/unsubscribe.php:69 actions/userauthorization.php:52 -#: lib/designsettings.php:294 +#: lib/designsettings.php:310 msgid "There was a problem with your session token. Try again, please." msgstr "مشکلی در دریافت نشست شما وجود دارد. لطفا بعدا سعی کنید." @@ -765,12 +769,13 @@ msgstr "هنگام افزودن کاربر برنامهٔ OAuth در پایگا #. TRANS: Message given submitting a form with an unknown action in IM settings. #. TRANS: Client error when submitting a form with unexpected information. #. TRANS: Message given submitting a form with an unknown action in SMS settings. +#. TRANS: Unknown form validation error in design settings form. #: actions/apioauthauthorize.php:294 actions/avatarsettings.php:294 #: actions/designadminpanel.php:104 actions/editapplication.php:144 #: actions/emailsettings.php:290 actions/grouplogo.php:322 #: actions/imsettings.php:245 actions/newapplication.php:125 #: actions/oauthconnectionssettings.php:147 actions/recoverpassword.php:44 -#: actions/smssettings.php:277 lib/designsettings.php:304 +#: actions/smssettings.php:277 lib/designsettings.php:321 msgid "Unexpected form submission." msgstr "ارسال غیر قابل انتظار فرم." @@ -825,7 +830,7 @@ msgstr "حساب کاربری" #. TRANS: Label for group nickname (dt). Text hidden by default. #: actions/apioauthauthorize.php:459 actions/login.php:252 #: actions/profilesettings.php:110 actions/register.php:433 -#: actions/showgroup.php:245 actions/tagother.php:94 +#: actions/showgroup.php:240 actions/tagother.php:94 #: actions/userauthorization.php:145 lib/groupeditform.php:152 #: lib/userprofile.php:132 msgid "Nickname" @@ -1086,7 +1091,7 @@ msgstr "چنین پیوستی وجود ندارد." #: actions/avatarbynickname.php:60 actions/blockedfromgroup.php:73 #: actions/editgroup.php:85 actions/groupdesignsettings.php:84 #: actions/grouplogo.php:86 actions/groupmembers.php:76 -#: actions/grouprss.php:91 actions/showgroup.php:121 +#: actions/grouprss.php:91 actions/showgroup.php:116 msgid "No nickname." msgstr "لقبی وجود ندارد." @@ -1103,7 +1108,7 @@ msgstr "اندازه نادرست است." #. TRANS: Title for avatar upload page. #. TRANS: Label for group avatar (dt). Text hidden by default. #. TRANS: Link description in user account settings menu. -#: actions/avatarsettings.php:66 actions/showgroup.php:229 +#: actions/avatarsettings.php:66 actions/showgroup.php:224 #: lib/accountsettingsaction.php:113 msgid "Avatar" msgstr "چهره" @@ -1282,7 +1287,7 @@ msgstr "ذخیرهٔ ردیف اطلاعات شکست خورد." #: actions/groupunblock.php:88 actions/joingroup.php:82 #: actions/joingroup.php:93 actions/leavegroup.php:82 #: actions/leavegroup.php:93 actions/makeadmin.php:86 -#: actions/showgroup.php:139 actions/showgroup.php:148 lib/command.php:168 +#: actions/showgroup.php:134 actions/showgroup.php:143 lib/command.php:168 #: lib/command.php:380 msgid "No such group." msgstr "چنین گروهی وجود ندارد." @@ -1650,12 +1655,14 @@ msgstr "" "شما می‌توانید یک پوستهٔ اختصاصی StatusNet را به‌عنوان یک آرشیو .ZIP بارگذاری " "کنید." -#: actions/designadminpanel.php:512 lib/designsettings.php:101 +#. TRANS: Fieldset legend on profile design page. +#: actions/designadminpanel.php:512 lib/designsettings.php:98 msgid "Change background image" msgstr "تغییر تصویر پیش‌زمینه" +#. TRANS: Label on profile design page for setting a profile page background colour. #: actions/designadminpanel.php:517 actions/designadminpanel.php:600 -#: lib/designsettings.php:178 +#: lib/designsettings.php:183 msgid "Background" msgstr "پیش‌زمینه" @@ -1669,40 +1676,48 @@ msgstr "" "پرونده %1 $s است." #. TRANS: Used as radio button label to add a background image. -#: actions/designadminpanel.php:553 lib/designsettings.php:139 +#: actions/designadminpanel.php:553 msgid "On" msgstr "روشن" #. TRANS: Used as radio button label to not add a background image. -#: actions/designadminpanel.php:570 lib/designsettings.php:155 +#: actions/designadminpanel.php:570 msgid "Off" msgstr "خاموش" -#: actions/designadminpanel.php:571 lib/designsettings.php:156 +#. TRANS: Form guide for a set of radio buttons on the profile design page that will enable or disable +#. TRANS: use of the uploaded profile image. +#: actions/designadminpanel.php:571 lib/designsettings.php:159 msgid "Turn background image on or off." msgstr "تصویر پیش‌زمینه را فعال یا غیرفعال کنید." -#: actions/designadminpanel.php:576 lib/designsettings.php:161 +#. TRANS: Checkbox label on profile design page that will cause the profile image to be tiled. +#: actions/designadminpanel.php:576 lib/designsettings.php:165 msgid "Tile background image" msgstr "تصویر پیش‌زمینهٔ موزاییکی" -#: actions/designadminpanel.php:590 lib/designsettings.php:170 +#. TRANS: Fieldset legend on profile design page to change profile page colours. +#: actions/designadminpanel.php:590 lib/designsettings.php:175 msgid "Change colours" msgstr "تغییر رنگ‌ها" -#: actions/designadminpanel.php:613 lib/designsettings.php:191 +#. TRANS: Label on profile design page for setting a profile page content colour. +#: actions/designadminpanel.php:613 lib/designsettings.php:197 msgid "Content" msgstr "محتوا" -#: actions/designadminpanel.php:626 lib/designsettings.php:204 +#. TRANS: Label on profile design page for setting a profile page sidebar colour. +#: actions/designadminpanel.php:626 lib/designsettings.php:211 msgid "Sidebar" msgstr "ستون کناری" -#: actions/designadminpanel.php:639 lib/designsettings.php:217 +#. TRANS: Label on profile design page for setting a profile page text colour. +#: actions/designadminpanel.php:639 lib/designsettings.php:225 msgid "Text" msgstr "متن" -#: actions/designadminpanel.php:652 lib/designsettings.php:230 +#. TRANS: Label on profile design page for setting a profile page links colour. +#: actions/designadminpanel.php:652 lib/designsettings.php:239 msgid "Links" msgstr "پیوندها" @@ -1714,15 +1729,18 @@ msgstr "پیشرفته" msgid "Custom CSS" msgstr "CSS اختصاصی" -#: actions/designadminpanel.php:702 lib/designsettings.php:247 +#. TRANS: Button text on profile design page to immediately reset all colour settings to default. +#: actions/designadminpanel.php:702 lib/designsettings.php:257 msgid "Use defaults" msgstr "استفاده‌کردن از پیش‌فرض‌ها" -#: actions/designadminpanel.php:703 lib/designsettings.php:248 +#. TRANS: Title for button on profile design page to reset all colour settings to default. +#: actions/designadminpanel.php:703 lib/designsettings.php:259 msgid "Restore default designs" msgstr "بازگرداندن طرح‌های پیش‌فرض" -#: actions/designadminpanel.php:709 lib/designsettings.php:254 +#. TRANS: Title for button on profile design page to reset all colour settings to default without saving. +#: actions/designadminpanel.php:709 lib/designsettings.php:267 msgid "Reset back to default" msgstr "برگشت به حالت پیش گزیده" @@ -1730,11 +1748,12 @@ msgstr "برگشت به حالت پیش گزیده" #: actions/designadminpanel.php:711 actions/licenseadminpanel.php:319 #: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:292 #: actions/snapshotadminpanel.php:245 actions/tagother.php:154 -#: lib/applicationeditform.php:357 lib/designsettings.php:256 +#: lib/applicationeditform.php:357 msgid "Save" msgstr "ذخیره‌کردن" -#: actions/designadminpanel.php:712 lib/designsettings.php:257 +#. TRANS: Title for button on profile design page to save settings. +#: actions/designadminpanel.php:712 lib/designsettings.php:272 msgid "Save design" msgstr "ذخیره‌کردن طرح" @@ -1872,7 +1891,7 @@ msgstr "نمی‌توان گروه را به‌هنگام‌سازی کرد." #. TRANS: Server error displayed when group aliases could not be added. #. TRANS: Server exception thrown when creating group aliases failed. -#: actions/editgroup.php:288 classes/User_group.php:513 +#: actions/editgroup.php:288 classes/User_group.php:529 msgid "Could not create aliases." msgstr "نمی‌توان نام‌های مستعار را ساخت." @@ -2160,7 +2179,7 @@ msgstr "" "باشید که یک پیام را به برگزیده‌هایش اضافه می‌کند!" #: actions/favoritesrss.php:111 actions/showfavorites.php:77 -#: lib/personalgroupnav.php:115 +#: lib/personalgroupnav.php:118 #, php-format msgid "%s's favorite notices" msgstr "پیام‌های برگزیدهٔ %s" @@ -2337,8 +2356,10 @@ msgid "" "palette of your choice." msgstr "ظاهر گروه را تغییر دهید تا شما را راضی کند." +#. TRANS: Error message displayed if design settings could not be saved. +#. TRANS: Error message displayed if design settings could not be saved after clicking "Use defaults". #: actions/groupdesignsettings.php:266 actions/userdesignsettings.php:186 -#: lib/designsettings.php:391 lib/designsettings.php:413 +#: lib/designsettings.php:405 lib/designsettings.php:427 msgid "Couldn't update your design." msgstr "نمی‌توان ظاهر را به روز کرد." @@ -3283,25 +3304,25 @@ msgstr "" msgid "Notice has no profile." msgstr "این پیام نمایه‌ای ندارد." -#: actions/oembed.php:87 actions/shownotice.php:176 +#: actions/oembed.php:83 actions/shownotice.php:172 #, php-format msgid "%1$s's status on %2$s" msgstr "وضعیت %1$s در %2$s" #. TRANS: Error message displaying attachments. %s is a raw MIME type (eg 'image/png') -#: actions/oembed.php:159 +#: actions/oembed.php:155 #, php-format msgid "Content type %s not supported." msgstr "نوع محتوای %s پشتیبانی نشده است." #. TRANS: Error message displaying attachments. %s is the site's base URL. -#: actions/oembed.php:163 +#: actions/oembed.php:159 #, php-format msgid "Only %s URLs over plain HTTP please." msgstr "لطفا تنها از نشانی‌های اینترنتی %s از راه HTTP ساده استفاده کنید." #. TRANS: Client error on an API request with an unsupported data format. -#: actions/oembed.php:184 actions/oembed.php:203 lib/apiaction.php:1200 +#: actions/oembed.php:180 actions/oembed.php:199 lib/apiaction.php:1200 #: lib/apiaction.php:1227 lib/apiaction.php:1356 msgid "Not a supported data format." msgstr "یک قالب دادهٔ پشتیبانی‌شده نیست." @@ -3800,7 +3821,7 @@ msgstr "۱-۶۴ کاراکتر کوچک یا اعداد، بدون نقطه گذ #. TRANS: Field label in form for profile settings. #. TRANS: Label for full group name (dt). Text hidden by default. #: actions/profilesettings.php:117 actions/register.php:457 -#: actions/showgroup.php:257 actions/tagother.php:104 +#: actions/showgroup.php:252 actions/tagother.php:104 #: lib/groupeditform.php:157 lib/userprofile.php:150 msgid "Full name" msgstr "نام‌کامل" @@ -3841,7 +3862,7 @@ msgstr "شرح‌حال" #. TRANS: Field label in form for profile settings. #. TRANS: Label for group location (dt). Text hidden by default. #: actions/profilesettings.php:149 actions/register.php:485 -#: actions/showgroup.php:267 actions/tagother.php:112 +#: actions/showgroup.php:262 actions/tagother.php:112 #: actions/userauthorization.php:166 lib/groupeditform.php:180 #: lib/userprofile.php:165 msgid "Location" @@ -4421,7 +4442,7 @@ msgid "Repeated!" msgstr "تکرار شد!" #: actions/replies.php:126 actions/repliesrss.php:68 -#: lib/personalgroupnav.php:105 +#: lib/personalgroupnav.php:108 #, php-format msgid "Replies to %s" msgstr "پاسخ‌های به %s" @@ -4560,7 +4581,7 @@ msgid "Description" msgstr "توصیف" #. TRANS: Header for group statistics on a group page (h2). -#: actions/showapplication.php:192 actions/showgroup.php:453 +#: actions/showapplication.php:192 actions/showgroup.php:448 #: lib/profileaction.php:187 msgid "Statistics" msgstr "آمار" @@ -4676,95 +4697,95 @@ msgid "This is a way to share what you like." msgstr "این یک راه است برای به اشتراک گذاشتن آنچه که دوست دارید." #. TRANS: Page title for first group page. %s is a group name. -#: actions/showgroup.php:80 +#: actions/showgroup.php:75 #, php-format msgid "%s group" msgstr "گروه %s" #. TRANS: Page title for any but first group page. #. TRANS: %1$s is a group name, $2$s is a page number. -#: actions/showgroup.php:84 +#: actions/showgroup.php:79 #, php-format msgid "%1$s group, page %2$d" msgstr "گروه %1$s، صفحهٔ %2$d" #. TRANS: Group profile header (h2). Text hidden by default. -#: actions/showgroup.php:225 +#: actions/showgroup.php:220 msgid "Group profile" msgstr "نمایهٔ گروه" #. TRANS: Label for group URL (dt). Text hidden by default. -#: actions/showgroup.php:275 actions/tagother.php:118 +#: actions/showgroup.php:270 actions/tagother.php:118 #: actions/userauthorization.php:175 lib/userprofile.php:178 msgid "URL" msgstr "نشانی اینترنتی" #. TRANS: Label for group description or group note (dt). Text hidden by default. -#: actions/showgroup.php:287 actions/tagother.php:128 +#: actions/showgroup.php:282 actions/tagother.php:128 #: actions/userauthorization.php:187 lib/userprofile.php:195 msgid "Note" msgstr "یادداشت" #. TRANS: Label for group aliases (dt). Text hidden by default. -#: actions/showgroup.php:298 lib/groupeditform.php:187 +#: actions/showgroup.php:293 lib/groupeditform.php:187 msgid "Aliases" msgstr "نام های مستعار" #. TRANS: Group actions header (h2). Text hidden by default. -#: actions/showgroup.php:309 +#: actions/showgroup.php:304 msgid "Group actions" msgstr "اعمال گروه" #. TRANS: Tooltip for feed link. %s is a group nickname. -#: actions/showgroup.php:350 +#: actions/showgroup.php:345 #, php-format msgid "Notice feed for %s group (RSS 1.0)" msgstr "خوراک پیام برای گروه %s (RSS 1.0)" #. TRANS: Tooltip for feed link. %s is a group nickname. -#: actions/showgroup.php:357 +#: actions/showgroup.php:352 #, php-format msgid "Notice feed for %s group (RSS 2.0)" msgstr "خوراک پیام برای گروه %s (RSS 2.0)" #. TRANS: Tooltip for feed link. %s is a group nickname. -#: actions/showgroup.php:364 +#: actions/showgroup.php:359 #, php-format msgid "Notice feed for %s group (Atom)" msgstr "خوراک پیام برای گروه %s (Atom)" #. TRANS: Tooltip for feed link. %s is a group nickname. -#: actions/showgroup.php:370 +#: actions/showgroup.php:365 #, php-format msgid "FOAF for %s group" msgstr "FOAF برای گروه %s" #. TRANS: Header for mini list of group members on a group page (h2). -#: actions/showgroup.php:407 +#: actions/showgroup.php:402 msgid "Members" msgstr "اعضا" #. TRANS: Description for mini list of group members on a group page when the group has no members. -#: actions/showgroup.php:413 lib/profileaction.php:117 +#: actions/showgroup.php:408 lib/profileaction.php:117 #: lib/profileaction.php:152 lib/profileaction.php:255 lib/section.php:95 #: lib/subscriptionlist.php:127 lib/tagcloudsection.php:71 msgid "(None)" msgstr "هیچ" #. TRANS: Link to all group members from mini list of group members if group has more than n members. -#: actions/showgroup.php:422 +#: actions/showgroup.php:417 msgid "All members" msgstr "همهٔ اعضا" #. TRANS: Label for creation date in statistics on group page. -#: actions/showgroup.php:458 +#: actions/showgroup.php:453 #, fuzzy msgctxt "LABEL" msgid "Created" msgstr "ساخته شد" #. TRANS: Label for member count in statistics on group page. -#: actions/showgroup.php:466 +#: actions/showgroup.php:461 #, fuzzy msgctxt "LABEL" msgid "Members" @@ -4774,7 +4795,7 @@ msgstr "اعضا" #. TRANS: **%s** is the group alias, %%%%site.name%%%% is the site name, #. TRANS: %%%%action.register%%%% is the URL for registration, %%%%doc.help%%%% is a URL to help. #. TRANS: This message contains Markdown links. Ensure they are formatted correctly: [Description](link). -#: actions/showgroup.php:481 +#: actions/showgroup.php:476 #, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -4793,7 +4814,7 @@ msgstr "" #. TRANS: Notice on group pages for anonymous users for StatusNet sites that accept no new registrations. #. TRANS: **%s** is the group alias, %%%%site.name%%%% is the site name, #. TRANS: This message contains Markdown links. Ensure they are formatted correctly: [Description](link). -#: actions/showgroup.php:491 +#: actions/showgroup.php:486 #, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -4808,7 +4829,7 @@ msgstr "" "می‌گذارند. " #. TRANS: Header for list of group administrators on a group page (h2). -#: actions/showgroup.php:520 +#: actions/showgroup.php:515 msgid "Admins" msgstr "مدیران" @@ -5590,7 +5611,7 @@ msgstr "اشتراک پیش‌فرض نامعتبر است: «%1$s» کاربر #. TRANS: Link description in user account settings menu. #: actions/useradminpanel.php:215 lib/accountsettingsaction.php:106 -#: lib/personalgroupnav.php:109 +#: lib/personalgroupnav.php:112 msgid "Profile" msgstr "نمایه" @@ -5748,11 +5769,13 @@ msgstr "نمی‌توان نشانی اینترنتی چهره را خواند« msgid "Wrong image type for avatar URL ‘%s’." msgstr "نوع تصویر برای نشانی اینترنتی چهره نادرست است «%s»." -#: actions/userdesignsettings.php:76 lib/designsettings.php:65 +#. TRANS: Page title for profile design page. +#: actions/userdesignsettings.php:76 lib/designsettings.php:63 msgid "Profile design" msgstr "طراحی نمایه" -#: actions/userdesignsettings.php:87 lib/designsettings.php:76 +#. TRANS: Instructions for profile design page. +#: actions/userdesignsettings.php:87 lib/designsettings.php:74 msgid "" "Customize the way your profile looks with a background image and a colour " "palette of your choice." @@ -5883,34 +5906,40 @@ msgstr "" #. TRANS: Message given if an upload is larger than the configured maximum. #. TRANS: %1$d is the byte limit for uploads, %2$d is the byte count for the uploaded file. -#: classes/File.php:189 +#. TRANS: %1$s is used for plural. +#: classes/File.php:190 #, fuzzy, php-format msgid "" +"No file may be larger than %1$d byte and the file you sent was %2$d bytes. " +"Try to upload a smaller version." +msgid_plural "" "No file may be larger than %1$d bytes and the file you sent was %2$d bytes. " "Try to upload a smaller version." -msgstr "" +msgstr[0] "" "هیچ پرونده‌ای نباید بزرگ‌تر از %d بایت باشد و پرونده‌ای که شما فرستادید %d بایت " "بود. بارگذاری یک نسخهٔ کوچک‌تر را امتحان کنید." #. TRANS: Message given if an upload would exceed user quota. -#. TRANS: %d (number) is the user quota in bytes. -#: classes/File.php:201 -#, php-format -msgid "A file this large would exceed your user quota of %d bytes." -msgstr "" +#. TRANS: %d (number) is the user quota in bytes and is used for plural. +#: classes/File.php:203 +#, fuzzy, php-format +msgid "A file this large would exceed your user quota of %d byte." +msgid_plural "A file this large would exceed your user quota of %d bytes." +msgstr[0] "" "یک پرونده با این حجم زیاد می‌تواند از سهمیهٔ کاربری شما از %d بایت بگذرد." #. TRANS: Message given id an upload would exceed a user's monthly quota. -#. TRANS: $d (number) is the monthly user quota in bytes. -#: classes/File.php:210 -#, php-format -msgid "A file this large would exceed your monthly quota of %d bytes." -msgstr "" +#. TRANS: $d (number) is the monthly user quota in bytes and is used for plural. +#: classes/File.php:215 +#, fuzzy, php-format +msgid "A file this large would exceed your monthly quota of %d byte." +msgid_plural "A file this large would exceed your monthly quota of %d bytes." +msgstr[0] "" "یک پرونده با این حجم زیاد می‌تواند از سهمیهٔ کاربری ماهانهٔ شما از %d بایت " "بگذرد." #. TRANS: Client exception thrown if a file upload does not have a valid name. -#: classes/File.php:247 classes/File.php:262 +#: classes/File.php:262 classes/File.php:277 msgid "Invalid filename." msgstr "نام‌پرونده نادرست است." @@ -6040,31 +6069,31 @@ msgid "Problem saving notice." msgstr "هنگام ذخیرهٔ پیام مشکلی ایجاد شد." #. TRANS: Server exception thrown when no array is provided to the method saveKnownGroups(). -#: classes/Notice.php:907 -msgid "Bad type provided to saveKnownGroups" +#: classes/Notice.php:905 +msgid "Bad type provided to saveKnownGroups." msgstr "" #. TRANS: Server exception thrown when an update for a group inbox fails. -#: classes/Notice.php:1006 +#: classes/Notice.php:1004 msgid "Problem saving group inbox." msgstr "هنگام ذخیرهٔ صندوق ورودی گروه مشکلی رخ داد." #. TRANS: Server exception thrown when a reply cannot be saved. #. TRANS: %1$d is a notice ID, %2$d is the ID of the mentioned user. -#: classes/Notice.php:1120 +#: classes/Notice.php:1118 #, fuzzy, php-format msgid "Could not save reply for %1$d, %2$d." msgstr "نمی‌توان اطلاعات گروه محلی را ذخیره کرد." #. TRANS: Message used to repeat a notice. RT is the abbreviation of 'retweet'. #. TRANS: %1$s is the repeated user's name, %2$s is the repeated notice. -#: classes/Notice.php:1822 +#: classes/Notice.php:1820 #, php-format msgid "RT @%1$s %2$s" msgstr "RT @%1$s %2$s" #. TRANS: Full name of a profile or group followed by nickname in parens -#: classes/Profile.php:164 +#: classes/Profile.php:164 classes/User_group.php:247 #, fuzzy, php-format msgctxt "FANCYNAME" msgid "%1$s (%2$s)" @@ -6161,23 +6190,23 @@ msgid "Single-user mode code called when not enabled." msgstr "" #. TRANS: Server exception thrown when creating a group failed. -#: classes/User_group.php:495 +#: classes/User_group.php:511 msgid "Could not create group." msgstr "نمیتوان گروه را تشکیل داد" #. TRANS: Server exception thrown when updating a group URI failed. -#: classes/User_group.php:505 +#: classes/User_group.php:521 #, fuzzy msgid "Could not set group URI." msgstr "نمیتوان گروه را تشکیل داد" #. TRANS: Server exception thrown when setting group membership failed. -#: classes/User_group.php:528 +#: classes/User_group.php:544 msgid "Could not set group membership." msgstr "نمی‌توان عضویت گروه را تعیین کرد." #. TRANS: Server exception thrown when saving local group information failed. -#: classes/User_group.php:543 +#: classes/User_group.php:559 msgid "Could not save local group info." msgstr "نمی‌توان اطلاعات گروه محلی را ذخیره کرد." @@ -6583,7 +6612,7 @@ msgid "User configuration" msgstr "پیکربندی کاربر" #. TRANS: Menu item for site administration -#: lib/adminpanelaction.php:355 lib/personalgroupnav.php:115 +#: lib/adminpanelaction.php:355 lib/personalgroupnav.php:118 msgid "User" msgstr "کاربر" @@ -7292,10 +7321,13 @@ msgstr "برنامه‌های وصل‌شدهٔ مجاز" msgid "Database error" msgstr "خطای پایگاه داده" -#: lib/designsettings.php:105 +#. TRANS: Label in form on profile design page. +#. TRANS: Field contains file name on user's computer that could be that user's custom profile background image. +#: lib/designsettings.php:104 msgid "Upload file" msgstr "بارگذاری پرونده" +#. TRANS: Instructions for form on profile design page. #: lib/designsettings.php:109 msgid "" "You can upload your personal background image. The maximum file size is 2MB." @@ -7303,15 +7335,29 @@ msgstr "" "شما می‌توانید تصویر پیش‌زمینهٔ شخصی خود را بارگذاری کنید. بیشینهٔ اندازهٔ پرونده " "۲ مگابایت است." -#: 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 "" -"به دلیل تنظبمات، سرور نمی‌تواند این مقدار اطلاعات (%s بایت( را دریافت کند." +#. TRANS: Radio button on profile design page that will enable use of the uploaded profile image. +#: lib/designsettings.php:139 +#, fuzzy +msgctxt "RADIO" +msgid "On" +msgstr "روشن" -#: lib/designsettings.php:418 +#. TRANS: Radio button on profile design page that will disable use of the uploaded profile image. +#: lib/designsettings.php:156 +#, fuzzy +msgctxt "RADIO" +msgid "Off" +msgstr "خاموش" + +#. TRANS: Button text on profile design page to reset all colour settings to default without saving. +#: lib/designsettings.php:264 +#, fuzzy +msgctxt "BUTTON" +msgid "Reset" +msgstr "بازنشاندن" + +#. TRANS: Success message displayed if design settings were saved after clicking "Use defaults". +#: lib/designsettings.php:433 msgid "Design defaults restored." msgstr "پیش‌فرض‌های طراحی برگردانده شدند." @@ -7804,7 +7850,7 @@ msgstr "" #. TRANS: Subject for favorite notification e-mail. #. TRANS: %1$s is the adding user's long name, %2$s is the adding user's nickname. -#: lib/mail.php:603 +#: lib/mail.php:607 #, fuzzy, php-format msgid "%1$s (@%2$s) added your notice as a favorite" msgstr "پیام شما را به برگزیده‌های خود اضافه کرد %s (@%s)" @@ -7814,7 +7860,7 @@ msgstr "پیام شما را به برگزیده‌های خود اضافه کر #. TRANS: %3$s is a URL to the faved notice, %4$s is the faved notice text, #. TRANS: %5$s is a URL to all faves of the adding user, %6$s is the StatusNet sitename, #. TRANS: %7$s is the adding user's nickname. -#: lib/mail.php:610 +#: lib/mail.php:614 #, php-format msgid "" "%1$s (@%7$s) just added your notice from %2$s as one of their favorites.\n" @@ -7856,7 +7902,7 @@ msgstr "" "%6$s\n" #. TRANS: Line in @-reply notification e-mail. %s is conversation URL. -#: lib/mail.php:668 +#: lib/mail.php:672 #, php-format msgid "" "The full conversation can be read here:\n" @@ -7869,7 +7915,7 @@ msgstr "" #. TRANS: E-mail subject for notice notification. #. TRANS: %1$s is the sending user's long name, %2$s is the adding user's nickname. -#: lib/mail.php:676 +#: lib/mail.php:680 #, fuzzy, php-format msgid "%1$s (@%2$s) sent a notice to your attention" msgstr "%s (@%s) به توجه شما یک پیام فرستاد" @@ -7880,7 +7926,7 @@ msgstr "%s (@%s) به توجه شما یک پیام فرستاد" #. TRANS: %5$s is a URL to the full conversion if it exists (otherwise empty), #. TRANS: %6$s is a URL to reply to the notice, %7$s is a URL to all @-replied for the addressed user, #. TRANS: %8$s is a URL to the addressed user's e-mail settings, %9$s is the sender's nickname. -#: lib/mail.php:684 +#: lib/mail.php:688 #, php-format msgid "" "%1$s (@%9$s) just sent a notice to your attention (an '@-reply') on %2$s.\n" @@ -8022,7 +8068,7 @@ msgstr "نمی‌توان فرمت پرونده را تعیین کرد." #. TRANS: Client exception thrown trying to upload a forbidden MIME type. #. TRANS: %1$s is the file type that was denied, %2$s is the application part of #. TRANS: the MIME type that was denied. -#: lib/mediafile.php:340 +#: lib/mediafile.php:345 #, php-format msgid "" "\"%1$s\" is not a supported file type on this server. Try using another %2$s " @@ -8031,7 +8077,7 @@ msgstr "" #. TRANS: Client exception thrown trying to upload a forbidden MIME type. #. TRANS: %s is the file type that was denied. -#: lib/mediafile.php:345 +#: lib/mediafile.php:350 #, php-format msgid "\"%s\" is not a supported file type on this server." msgstr "" @@ -8173,31 +8219,31 @@ msgstr "" msgid "Couldn't insert new subscription." msgstr "نمی‌توان اشتراک تازه‌ای افزود." -#: lib/personalgroupnav.php:99 +#: lib/personalgroupnav.php:102 msgid "Personal" msgstr "شخصی" -#: lib/personalgroupnav.php:104 +#: lib/personalgroupnav.php:107 msgid "Replies" msgstr "پاسخ ها" -#: lib/personalgroupnav.php:114 +#: lib/personalgroupnav.php:117 msgid "Favorites" msgstr "برگزیده‌ها" -#: lib/personalgroupnav.php:125 +#: lib/personalgroupnav.php:128 msgid "Inbox" msgstr "صندوق دریافتی" -#: lib/personalgroupnav.php:126 +#: lib/personalgroupnav.php:129 msgid "Your incoming messages" msgstr "پیام های وارد شونده ی شما" -#: lib/personalgroupnav.php:130 +#: lib/personalgroupnav.php:133 msgid "Outbox" msgstr "صندوق خروجی" -#: lib/personalgroupnav.php:131 +#: lib/personalgroupnav.php:134 msgid "Your sent messages" msgstr "پیام‌های فرستاده شدهٔ شما" @@ -8398,6 +8444,12 @@ msgstr "" msgid "None" msgstr "هیچ" +#. TRANS: Server exception displayed if a theme name was invalid. +#: lib/theme.php:74 +#, fuzzy +msgid "Invalid theme name." +msgstr "نام‌پرونده نادرست است." + #: lib/themeuploader.php:50 msgid "This server cannot handle theme uploads without ZIP support." msgstr "" @@ -8642,19 +8694,8 @@ msgid "%d entry in backup." msgid_plural "%d entries in backup." msgstr[0] "" -#, fuzzy -#~ msgid "Name is too long (maximum 255 chars)." -#~ msgstr "نام خیلی طولانی است (حداکثر ۲۵۵ نویسه)." - -#, fuzzy -#~ msgid "Organization is too long (maximum 255 chars)." -#~ msgstr "نام سازمان خیلی طولانی است (حداکثر ۲۵۵ نویسه)." - -#~ msgid "That's too long. Max notice size is %d chars." -#~ msgstr "این خیلی طولانی است. بیشینهٔ طول پیام %d نویسه است." - -#~ msgid "Max notice size is %d chars, including attachment URL." -#~ msgstr "بیشینهٔ طول پیام %d نویسه که شامل نشانی اینترنتی پیوست هم هست." - -#~ msgid " tagged %s" -#~ msgstr " برچسب‌گذاری‌شده %s" +#~ msgid "" +#~ "The server was unable to handle that much POST data (%s bytes) due to its " +#~ "current configuration." +#~ msgstr "" +#~ "به دلیل تنظبمات، سرور نمی‌تواند این مقدار اطلاعات (%s بایت( را دریافت کند." diff --git a/locale/fi/LC_MESSAGES/statusnet.po b/locale/fi/LC_MESSAGES/statusnet.po index 01b4a4bccb..0fbdc4ed94 100644 --- a/locale/fi/LC_MESSAGES/statusnet.po +++ b/locale/fi/LC_MESSAGES/statusnet.po @@ -14,17 +14,17 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet - Core\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-11-02 22:51+0000\n" -"PO-Revision-Date: 2010-11-02 22:53:17+0000\n" +"POT-Creation-Date: 2010-11-04 18:25+0000\n" +"PO-Revision-Date: 2010-11-04 18:27:15+0000\n" "Language-Team: Finnish \n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r75875); Translate extension (2010-09-17)\n" +"X-Generator: MediaWiki 1.17alpha (r76004); Translate extension (2010-09-17)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: fi\n" "X-Message-Group: #out-statusnet-core\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-POT-Import-Date: 2010-10-30 23:42:01+0000\n" +"X-POT-Import-Date: 2010-11-02 23:22:49+0000\n" #. TRANS: Page title for Access admin panel that allows configuring site access. #. TRANS: Menu item for site administration @@ -95,12 +95,14 @@ msgstr "Profiilikuva-asetukset" #. TRANS: Save button for settings for a profile in a subscriptions list. #. TRANS: Button text to save user settings in user admin panel. #. TRANS: Button label in the "Edit application" form. +#. TRANS: Button text on profile design page to save settings. #: actions/accessadminpanel.php:193 actions/emailsettings.php:228 #: actions/imsettings.php:187 actions/othersettings.php:134 #: actions/pathsadminpanel.php:512 actions/profilesettings.php:201 #: actions/sitenoticeadminpanel.php:197 actions/smssettings.php:209 #: actions/subscriptions.php:246 actions/useradminpanel.php:298 -#: lib/applicationeditform.php:355 lib/groupeditform.php:207 +#: lib/applicationeditform.php:355 lib/designsettings.php:270 +#: lib/groupeditform.php:207 msgctxt "BUTTON" msgid "Save" msgstr "Tallenna" @@ -168,7 +170,7 @@ msgstr "%s ja kaverit" #. TRANS: Timeline title for user and friends. %s is a user nickname. #: actions/all.php:94 actions/all.php:191 actions/allrss.php:115 #: actions/apitimelinefriends.php:207 actions/apitimelinehome.php:113 -#: lib/personalgroupnav.php:100 +#: lib/personalgroupnav.php:103 #, php-format msgid "%s and friends" msgstr "%s ja kaverit" @@ -340,11 +342,13 @@ msgstr "Profiilin tallennus epäonnistui." #. TRANS: Client error displayed when the number of bytes in a POST request exceeds a limit. #. TRANS: %s is the number of bytes of the CONTENT_LENGTH. +#. TRANS: Form validation error in design settings form. POST should remain untranslated. #: actions/apiaccountupdateprofilebackgroundimage.php:108 #: actions/apiaccountupdateprofileimage.php:95 actions/apimediaupload.php:81 #: actions/apistatusesupdate.php:210 actions/avatarsettings.php:269 #: actions/designadminpanel.php:125 actions/editapplication.php:121 #: actions/newapplication.php:104 actions/newnotice.php:95 +#: lib/designsettings.php:298 #, php-format msgid "" "The server was unable to handle that much POST data (%s byte) due to its " @@ -757,7 +761,7 @@ msgstr "Sinulla ei ole valtuutusta tähän." #: actions/repeat.php:83 actions/smssettings.php:256 actions/subedit.php:40 #: actions/subscribe.php:86 actions/tagother.php:166 #: actions/unsubscribe.php:69 actions/userauthorization.php:52 -#: lib/designsettings.php:294 +#: lib/designsettings.php:310 msgid "There was a problem with your session token. Try again, please." msgstr "" "Istuntosi avaimen kanssa oli ongelmia. Olisitko ystävällinen ja kokeilisit " @@ -782,12 +786,13 @@ msgstr "Tietokantavirhe tallennettaessa risutagiä: %s" #. TRANS: Message given submitting a form with an unknown action in IM settings. #. TRANS: Client error when submitting a form with unexpected information. #. TRANS: Message given submitting a form with an unknown action in SMS settings. +#. TRANS: Unknown form validation error in design settings form. #: actions/apioauthauthorize.php:294 actions/avatarsettings.php:294 #: actions/designadminpanel.php:104 actions/editapplication.php:144 #: actions/emailsettings.php:290 actions/grouplogo.php:322 #: actions/imsettings.php:245 actions/newapplication.php:125 #: actions/oauthconnectionssettings.php:147 actions/recoverpassword.php:44 -#: actions/smssettings.php:277 lib/designsettings.php:304 +#: actions/smssettings.php:277 lib/designsettings.php:321 msgid "Unexpected form submission." msgstr "Odottamaton lomakkeen lähetys." @@ -834,7 +839,7 @@ msgstr "Käyttäjätili" #. TRANS: Label for group nickname (dt). Text hidden by default. #: actions/apioauthauthorize.php:459 actions/login.php:252 #: actions/profilesettings.php:110 actions/register.php:433 -#: actions/showgroup.php:245 actions/tagother.php:94 +#: actions/showgroup.php:240 actions/tagother.php:94 #: actions/userauthorization.php:145 lib/groupeditform.php:152 #: lib/userprofile.php:132 msgid "Nickname" @@ -1098,7 +1103,7 @@ msgstr "Liitettä ei ole." #: actions/avatarbynickname.php:60 actions/blockedfromgroup.php:73 #: actions/editgroup.php:85 actions/groupdesignsettings.php:84 #: actions/grouplogo.php:86 actions/groupmembers.php:76 -#: actions/grouprss.php:91 actions/showgroup.php:121 +#: actions/grouprss.php:91 actions/showgroup.php:116 msgid "No nickname." msgstr "Tunnusta ei ole." @@ -1115,7 +1120,7 @@ msgstr "Koko ei kelpaa." #. TRANS: Title for avatar upload page. #. TRANS: Label for group avatar (dt). Text hidden by default. #. TRANS: Link description in user account settings menu. -#: actions/avatarsettings.php:66 actions/showgroup.php:229 +#: actions/avatarsettings.php:66 actions/showgroup.php:224 #: lib/accountsettingsaction.php:113 msgid "Avatar" msgstr "Kuva" @@ -1290,7 +1295,7 @@ msgstr "Käyttäjän estotiedon tallennus epäonnistui." #: actions/groupunblock.php:88 actions/joingroup.php:82 #: actions/joingroup.php:93 actions/leavegroup.php:82 #: actions/leavegroup.php:93 actions/makeadmin.php:86 -#: actions/showgroup.php:139 actions/showgroup.php:148 lib/command.php:168 +#: actions/showgroup.php:134 actions/showgroup.php:143 lib/command.php:168 #: lib/command.php:380 msgid "No such group." msgstr "Tuota ryhmää ei ole." @@ -1658,12 +1663,14 @@ msgstr "Palvelun ilmoitus" msgid "You can upload a custom StatusNet theme as a .ZIP archive." msgstr "" -#: actions/designadminpanel.php:512 lib/designsettings.php:101 +#. TRANS: Fieldset legend on profile design page. +#: actions/designadminpanel.php:512 lib/designsettings.php:98 msgid "Change background image" msgstr "Vaihda tautakuva" +#. TRANS: Label on profile design page for setting a profile page background colour. #: actions/designadminpanel.php:517 actions/designadminpanel.php:600 -#: lib/designsettings.php:178 +#: lib/designsettings.php:183 msgid "Background" msgstr "Tausta" @@ -1675,43 +1682,51 @@ msgid "" msgstr "Voit ladata ryhmälle logokuvan. Maksimikoko on %s." #. TRANS: Used as radio button label to add a background image. -#: actions/designadminpanel.php:553 lib/designsettings.php:139 +#: actions/designadminpanel.php:553 msgid "On" msgstr "On" #. TRANS: Used as radio button label to not add a background image. -#: actions/designadminpanel.php:570 lib/designsettings.php:155 +#: actions/designadminpanel.php:570 msgid "Off" msgstr "Off" -#: actions/designadminpanel.php:571 lib/designsettings.php:156 +#. TRANS: Form guide for a set of radio buttons on the profile design page that will enable or disable +#. TRANS: use of the uploaded profile image. +#: actions/designadminpanel.php:571 lib/designsettings.php:159 #, fuzzy msgid "Turn background image on or off." msgstr "Vaihda tautakuva" -#: actions/designadminpanel.php:576 lib/designsettings.php:161 +#. TRANS: Checkbox label on profile design page that will cause the profile image to be tiled. +#: actions/designadminpanel.php:576 lib/designsettings.php:165 #, fuzzy msgid "Tile background image" msgstr "Vaihda tautakuva" -#: actions/designadminpanel.php:590 lib/designsettings.php:170 +#. TRANS: Fieldset legend on profile design page to change profile page colours. +#: actions/designadminpanel.php:590 lib/designsettings.php:175 msgid "Change colours" msgstr "Vaihda väriä" -#: actions/designadminpanel.php:613 lib/designsettings.php:191 +#. TRANS: Label on profile design page for setting a profile page content colour. +#: actions/designadminpanel.php:613 lib/designsettings.php:197 msgid "Content" msgstr "Sisältö" -#: actions/designadminpanel.php:626 lib/designsettings.php:204 +#. TRANS: Label on profile design page for setting a profile page sidebar colour. +#: actions/designadminpanel.php:626 lib/designsettings.php:211 #, fuzzy msgid "Sidebar" msgstr "Haku" -#: actions/designadminpanel.php:639 lib/designsettings.php:217 +#. TRANS: Label on profile design page for setting a profile page text colour. +#: actions/designadminpanel.php:639 lib/designsettings.php:225 msgid "Text" msgstr "Teksti" -#: actions/designadminpanel.php:652 lib/designsettings.php:230 +#. TRANS: Label on profile design page for setting a profile page links colour. +#: actions/designadminpanel.php:652 lib/designsettings.php:239 msgid "Links" msgstr "Linkit" @@ -1723,16 +1738,19 @@ msgstr "" msgid "Custom CSS" msgstr "" -#: actions/designadminpanel.php:702 lib/designsettings.php:247 +#. TRANS: Button text on profile design page to immediately reset all colour settings to default. +#: actions/designadminpanel.php:702 lib/designsettings.php:257 msgid "Use defaults" msgstr "Käytä oletusasetuksia" -#: actions/designadminpanel.php:703 lib/designsettings.php:248 +#. TRANS: Title for button on profile design page to reset all colour settings to default. +#: actions/designadminpanel.php:703 lib/designsettings.php:259 #, fuzzy msgid "Restore default designs" msgstr "Käytä oletusasetuksia" -#: actions/designadminpanel.php:709 lib/designsettings.php:254 +#. TRANS: Title for button on profile design page to reset all colour settings to default without saving. +#: actions/designadminpanel.php:709 lib/designsettings.php:267 #, fuzzy msgid "Reset back to default" msgstr "Käytä oletusasetuksia" @@ -1741,11 +1759,12 @@ msgstr "Käytä oletusasetuksia" #: actions/designadminpanel.php:711 actions/licenseadminpanel.php:319 #: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:292 #: actions/snapshotadminpanel.php:245 actions/tagother.php:154 -#: lib/applicationeditform.php:357 lib/designsettings.php:256 +#: lib/applicationeditform.php:357 msgid "Save" msgstr "Tallenna" -#: actions/designadminpanel.php:712 lib/designsettings.php:257 +#. TRANS: Title for button on profile design page to save settings. +#: actions/designadminpanel.php:712 lib/designsettings.php:272 #, fuzzy msgid "Save design" msgstr "Ryhmän ulkoasu" @@ -1892,7 +1911,7 @@ msgstr "Ei voitu päivittää ryhmää." #. TRANS: Server error displayed when group aliases could not be added. #. TRANS: Server exception thrown when creating group aliases failed. -#: actions/editgroup.php:288 classes/User_group.php:513 +#: actions/editgroup.php:288 classes/User_group.php:529 msgid "Could not create aliases." msgstr "Ei voitu lisätä aliasta." @@ -2180,7 +2199,7 @@ msgid "" msgstr "" #: actions/favoritesrss.php:111 actions/showfavorites.php:77 -#: lib/personalgroupnav.php:115 +#: lib/personalgroupnav.php:118 #, php-format msgid "%s's favorite notices" msgstr "Käyttäjän %s suosikkipäivitykset" @@ -2362,8 +2381,10 @@ msgid "" "palette of your choice." msgstr "" +#. TRANS: Error message displayed if design settings could not be saved. +#. TRANS: Error message displayed if design settings could not be saved after clicking "Use defaults". #: actions/groupdesignsettings.php:266 actions/userdesignsettings.php:186 -#: lib/designsettings.php:391 lib/designsettings.php:413 +#: lib/designsettings.php:405 lib/designsettings.php:427 msgid "Couldn't update your design." msgstr "Ei voitu päivittää sinun sivusi ulkoasua." @@ -3326,25 +3347,25 @@ msgstr "" msgid "Notice has no profile." msgstr "Käyttäjällä ei ole profiilia." -#: actions/oembed.php:87 actions/shownotice.php:176 +#: actions/oembed.php:83 actions/shownotice.php:172 #, php-format msgid "%1$s's status on %2$s" msgstr "Käyttäjän %1$s päivitys %2$s" #. TRANS: Error message displaying attachments. %s is a raw MIME type (eg 'image/png') -#: actions/oembed.php:159 +#: actions/oembed.php:155 #, fuzzy, php-format msgid "Content type %s not supported." msgstr "Yhdistä" #. TRANS: Error message displaying attachments. %s is the site's base URL. -#: actions/oembed.php:163 +#: actions/oembed.php:159 #, php-format msgid "Only %s URLs over plain HTTP please." msgstr "" #. TRANS: Client error on an API request with an unsupported data format. -#: actions/oembed.php:184 actions/oembed.php:203 lib/apiaction.php:1200 +#: actions/oembed.php:180 actions/oembed.php:199 lib/apiaction.php:1200 #: lib/apiaction.php:1227 lib/apiaction.php:1356 msgid "Not a supported data format." msgstr "Tuo ei ole tuettu tietomuoto." @@ -3854,7 +3875,7 @@ msgstr "" #. TRANS: Field label in form for profile settings. #. TRANS: Label for full group name (dt). Text hidden by default. #: actions/profilesettings.php:117 actions/register.php:457 -#: actions/showgroup.php:257 actions/tagother.php:104 +#: actions/showgroup.php:252 actions/tagother.php:104 #: lib/groupeditform.php:157 lib/userprofile.php:150 msgid "Full name" msgstr "Koko nimi" @@ -3896,7 +3917,7 @@ msgstr "Tietoja" #. TRANS: Field label in form for profile settings. #. TRANS: Label for group location (dt). Text hidden by default. #: actions/profilesettings.php:149 actions/register.php:485 -#: actions/showgroup.php:267 actions/tagother.php:112 +#: actions/showgroup.php:262 actions/tagother.php:112 #: actions/userauthorization.php:166 lib/groupeditform.php:180 #: lib/userprofile.php:165 msgid "Location" @@ -4489,7 +4510,7 @@ msgid "Repeated!" msgstr "Luotu" #: actions/replies.php:126 actions/repliesrss.php:68 -#: lib/personalgroupnav.php:105 +#: lib/personalgroupnav.php:108 #, php-format msgid "Replies to %s" msgstr "Vastaukset käyttäjälle %s" @@ -4634,7 +4655,7 @@ msgid "Description" msgstr "Kuvaus" #. TRANS: Header for group statistics on a group page (h2). -#: actions/showapplication.php:192 actions/showgroup.php:453 +#: actions/showapplication.php:192 actions/showgroup.php:448 #: lib/profileaction.php:187 msgid "Statistics" msgstr "Tilastot" @@ -4742,76 +4763,76 @@ msgid "This is a way to share what you like." msgstr "" #. TRANS: Page title for first group page. %s is a group name. -#: actions/showgroup.php:80 +#: actions/showgroup.php:75 #, php-format msgid "%s group" msgstr "Ryhmä %s" #. TRANS: Page title for any but first group page. #. TRANS: %1$s is a group name, $2$s is a page number. -#: actions/showgroup.php:84 +#: actions/showgroup.php:79 #, php-format msgid "%1$s group, page %2$d" msgstr "Ryhmät, sivu %d" #. TRANS: Group profile header (h2). Text hidden by default. -#: actions/showgroup.php:225 +#: actions/showgroup.php:220 msgid "Group profile" msgstr "Ryhmän profiili" #. TRANS: Label for group URL (dt). Text hidden by default. -#: actions/showgroup.php:275 actions/tagother.php:118 +#: actions/showgroup.php:270 actions/tagother.php:118 #: actions/userauthorization.php:175 lib/userprofile.php:178 msgid "URL" msgstr "URL" #. TRANS: Label for group description or group note (dt). Text hidden by default. -#: actions/showgroup.php:287 actions/tagother.php:128 +#: actions/showgroup.php:282 actions/tagother.php:128 #: actions/userauthorization.php:187 lib/userprofile.php:195 msgid "Note" msgstr "Huomaa" #. TRANS: Label for group aliases (dt). Text hidden by default. -#: actions/showgroup.php:298 lib/groupeditform.php:187 +#: actions/showgroup.php:293 lib/groupeditform.php:187 msgid "Aliases" msgstr "Aliakset" #. TRANS: Group actions header (h2). Text hidden by default. -#: actions/showgroup.php:309 +#: actions/showgroup.php:304 msgid "Group actions" msgstr "Ryhmän toiminnot" #. TRANS: Tooltip for feed link. %s is a group nickname. -#: actions/showgroup.php:350 +#: actions/showgroup.php:345 #, php-format msgid "Notice feed for %s group (RSS 1.0)" msgstr "Syöte ryhmän %s päivityksille (RSS 1.0)" #. TRANS: Tooltip for feed link. %s is a group nickname. -#: actions/showgroup.php:357 +#: actions/showgroup.php:352 #, php-format msgid "Notice feed for %s group (RSS 2.0)" msgstr "Syöte ryhmän %s päivityksille (RSS 2.0)" #. TRANS: Tooltip for feed link. %s is a group nickname. -#: actions/showgroup.php:364 +#: actions/showgroup.php:359 #, php-format msgid "Notice feed for %s group (Atom)" msgstr "Syöte ryhmän %s päivityksille (Atom)" #. TRANS: Tooltip for feed link. %s is a group nickname. -#: actions/showgroup.php:370 +#: actions/showgroup.php:365 #, php-format msgid "FOAF for %s group" msgstr "Käyttäjän %s lähetetyt viestit" #. TRANS: Header for mini list of group members on a group page (h2). -#: actions/showgroup.php:407 +#: actions/showgroup.php:402 msgid "Members" msgstr "Jäsenet" #. TRANS: Description for mini list of group members on a group page when the group has no members. -#: actions/showgroup.php:413 lib/profileaction.php:117 +#: actions/showgroup.php:408 lib/profileaction.php:117 #: lib/profileaction.php:152 lib/profileaction.php:255 lib/section.php:95 #: lib/subscriptionlist.php:127 lib/tagcloudsection.php:71 #, fuzzy @@ -4819,19 +4840,19 @@ msgid "(None)" msgstr "(Tyhjä)" #. TRANS: Link to all group members from mini list of group members if group has more than n members. -#: actions/showgroup.php:422 +#: actions/showgroup.php:417 msgid "All members" msgstr "Kaikki jäsenet" #. TRANS: Label for creation date in statistics on group page. -#: actions/showgroup.php:458 +#: actions/showgroup.php:453 #, fuzzy msgctxt "LABEL" msgid "Created" msgstr "Luotu" #. TRANS: Label for member count in statistics on group page. -#: actions/showgroup.php:466 +#: actions/showgroup.php:461 #, fuzzy msgctxt "LABEL" msgid "Members" @@ -4841,7 +4862,7 @@ msgstr "Jäsenet" #. TRANS: **%s** is the group alias, %%%%site.name%%%% is the site name, #. TRANS: %%%%action.register%%%% is the URL for registration, %%%%doc.help%%%% is a URL to help. #. TRANS: This message contains Markdown links. Ensure they are formatted correctly: [Description](link). -#: actions/showgroup.php:481 +#: actions/showgroup.php:476 #, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -4854,7 +4875,7 @@ msgstr "" #. TRANS: Notice on group pages for anonymous users for StatusNet sites that accept no new registrations. #. TRANS: **%s** is the group alias, %%%%site.name%%%% is the site name, #. TRANS: This message contains Markdown links. Ensure they are formatted correctly: [Description](link). -#: actions/showgroup.php:491 +#: actions/showgroup.php:486 #, fuzzy, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -4866,7 +4887,7 @@ msgstr "" "(http://en.wikipedia.org/wiki/Micro-blogging)" #. TRANS: Header for list of group administrators on a group page (h2). -#: actions/showgroup.php:520 +#: actions/showgroup.php:515 msgid "Admins" msgstr "Ylläpitäjät" @@ -5648,7 +5669,7 @@ msgstr "" #. TRANS: Link description in user account settings menu. #: actions/useradminpanel.php:215 lib/accountsettingsaction.php:106 -#: lib/personalgroupnav.php:109 +#: lib/personalgroupnav.php:112 msgid "Profile" msgstr "Profiili" @@ -5822,12 +5843,14 @@ msgstr "Kuvan URL-osoitetta '%s' ei voi avata." msgid "Wrong image type for avatar URL ‘%s’." msgstr "Kuvan '%s' tyyppi on väärä" -#: actions/userdesignsettings.php:76 lib/designsettings.php:65 +#. TRANS: Page title for profile design page. +#: actions/userdesignsettings.php:76 lib/designsettings.php:63 #, fuzzy msgid "Profile design" msgstr "Profiiliasetukset" -#: actions/userdesignsettings.php:87 lib/designsettings.php:76 +#. TRANS: Instructions for profile design page. +#: actions/userdesignsettings.php:87 lib/designsettings.php:74 msgid "" "Customize the way your profile looks with a background image and a colour " "palette of your choice." @@ -5946,29 +5969,38 @@ msgstr "" #. TRANS: Message given if an upload is larger than the configured maximum. #. TRANS: %1$d is the byte limit for uploads, %2$d is the byte count for the uploaded file. -#: classes/File.php:189 +#. TRANS: %1$s is used for plural. +#: classes/File.php:190 #, php-format msgid "" +"No file may be larger than %1$d byte and the file you sent was %2$d bytes. " +"Try to upload a smaller version." +msgid_plural "" "No file may be larger than %1$d bytes and the file you sent was %2$d bytes. " "Try to upload a smaller version." -msgstr "" +msgstr[0] "" +msgstr[1] "" #. TRANS: Message given if an upload would exceed user quota. -#. TRANS: %d (number) is the user quota in bytes. -#: classes/File.php:201 +#. TRANS: %d (number) is the user quota in bytes and is used for plural. +#: classes/File.php:203 #, php-format -msgid "A file this large would exceed your user quota of %d bytes." -msgstr "" +msgid "A file this large would exceed your user quota of %d byte." +msgid_plural "A file this large would exceed your user quota of %d bytes." +msgstr[0] "" +msgstr[1] "" #. TRANS: Message given id an upload would exceed a user's monthly quota. -#. TRANS: $d (number) is the monthly user quota in bytes. -#: classes/File.php:210 +#. TRANS: $d (number) is the monthly user quota in bytes and is used for plural. +#: classes/File.php:215 #, php-format -msgid "A file this large would exceed your monthly quota of %d bytes." -msgstr "" +msgid "A file this large would exceed your monthly quota of %d byte." +msgid_plural "A file this large would exceed your monthly quota of %d bytes." +msgstr[0] "" +msgstr[1] "" #. TRANS: Client exception thrown if a file upload does not have a valid name. -#: classes/File.php:247 classes/File.php:262 +#: classes/File.php:262 classes/File.php:277 #, fuzzy msgid "Invalid filename." msgstr "Koko ei kelpaa." @@ -6104,32 +6136,32 @@ msgid "Problem saving notice." msgstr "Ongelma päivityksen tallentamisessa." #. TRANS: Server exception thrown when no array is provided to the method saveKnownGroups(). -#: classes/Notice.php:907 -msgid "Bad type provided to saveKnownGroups" +#: classes/Notice.php:905 +msgid "Bad type provided to saveKnownGroups." msgstr "" #. TRANS: Server exception thrown when an update for a group inbox fails. -#: classes/Notice.php:1006 +#: classes/Notice.php:1004 #, fuzzy msgid "Problem saving group inbox." msgstr "Ongelma päivityksen tallentamisessa." #. TRANS: Server exception thrown when a reply cannot be saved. #. TRANS: %1$d is a notice ID, %2$d is the ID of the mentioned user. -#: classes/Notice.php:1120 +#: classes/Notice.php:1118 #, fuzzy, php-format msgid "Could not save reply for %1$d, %2$d." msgstr "Tilausta ei onnistuttu tallentamaan." #. TRANS: Message used to repeat a notice. RT is the abbreviation of 'retweet'. #. TRANS: %1$s is the repeated user's name, %2$s is the repeated notice. -#: classes/Notice.php:1822 +#: classes/Notice.php:1820 #, php-format msgid "RT @%1$s %2$s" msgstr "RT @%1$s %2$s" #. TRANS: Full name of a profile or group followed by nickname in parens -#: classes/Profile.php:164 +#: classes/Profile.php:164 classes/User_group.php:247 #, fuzzy, php-format msgctxt "FANCYNAME" msgid "%1$s (%2$s)" @@ -6228,22 +6260,22 @@ msgid "Single-user mode code called when not enabled." msgstr "" #. TRANS: Server exception thrown when creating a group failed. -#: classes/User_group.php:495 +#: classes/User_group.php:511 msgid "Could not create group." msgstr "Ryhmän luonti ei onnistunut." #. TRANS: Server exception thrown when updating a group URI failed. -#: classes/User_group.php:505 +#: classes/User_group.php:521 msgid "Could not set group URI." msgstr "Ryhmän luonti ei onnistunut." #. TRANS: Server exception thrown when setting group membership failed. -#: classes/User_group.php:528 +#: classes/User_group.php:544 msgid "Could not set group membership." msgstr "Ryhmän jäsenyystietoja ei voitu asettaa." #. TRANS: Server exception thrown when saving local group information failed. -#: classes/User_group.php:543 +#: classes/User_group.php:559 #, fuzzy msgid "Could not save local group info." msgstr "Tilausta ei onnistuttu tallentamaan." @@ -6672,7 +6704,7 @@ msgid "User configuration" msgstr "SMS vahvistus" #. TRANS: Menu item for site administration -#: lib/adminpanelaction.php:355 lib/personalgroupnav.php:115 +#: lib/adminpanelaction.php:355 lib/personalgroupnav.php:118 msgid "User" msgstr "Käyttäjä" @@ -7360,25 +7392,43 @@ msgstr "" msgid "Database error" msgstr "Tietokantavirhe" -#: lib/designsettings.php:105 +#. TRANS: Label in form on profile design page. +#. TRANS: Field contains file name on user's computer that could be that user's custom profile background image. +#: lib/designsettings.php:104 #, fuzzy msgid "Upload file" msgstr "Lataa" +#. TRANS: Instructions for form on profile design page. #: lib/designsettings.php:109 #, fuzzy msgid "" "You can upload your personal background image. The maximum file size is 2MB." msgstr "Voit ladata oman profiilikuvasi. Maksimikoko on %s." -#: 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 "" +#. TRANS: Radio button on profile design page that will enable use of the uploaded profile image. +#: lib/designsettings.php:139 +#, fuzzy +msgctxt "RADIO" +msgid "On" +msgstr "On" -#: lib/designsettings.php:418 +#. TRANS: Radio button on profile design page that will disable use of the uploaded profile image. +#: lib/designsettings.php:156 +#, fuzzy +msgctxt "RADIO" +msgid "Off" +msgstr "Off" + +#. TRANS: Button text on profile design page to reset all colour settings to default without saving. +#: lib/designsettings.php:264 +#, fuzzy +msgctxt "BUTTON" +msgid "Reset" +msgstr "Vaihda" + +#. TRANS: Success message displayed if design settings were saved after clicking "Use defaults". +#: lib/designsettings.php:433 #, fuzzy msgid "Design defaults restored." msgstr "Ulkoasuasetukset tallennettu." @@ -7842,7 +7892,7 @@ msgstr "" #. TRANS: Subject for favorite notification e-mail. #. TRANS: %1$s is the adding user's long name, %2$s is the adding user's nickname. -#: lib/mail.php:603 +#: lib/mail.php:607 #, fuzzy, php-format msgid "%1$s (@%2$s) added your notice as a favorite" msgstr "Lähetä sähköpostia, jos joku lisää päivitykseni suosikiksi." @@ -7852,7 +7902,7 @@ msgstr "Lähetä sähköpostia, jos joku lisää päivitykseni suosikiksi." #. TRANS: %3$s is a URL to the faved notice, %4$s is the faved notice text, #. TRANS: %5$s is a URL to all faves of the adding user, %6$s is the StatusNet sitename, #. TRANS: %7$s is the adding user's nickname. -#: lib/mail.php:610 +#: lib/mail.php:614 #, php-format msgid "" "%1$s (@%7$s) just added your notice from %2$s as one of their favorites.\n" @@ -7874,7 +7924,7 @@ msgid "" msgstr "" #. TRANS: Line in @-reply notification e-mail. %s is conversation URL. -#: lib/mail.php:668 +#: lib/mail.php:672 #, php-format msgid "" "The full conversation can be read here:\n" @@ -7884,7 +7934,7 @@ msgstr "" #. TRANS: E-mail subject for notice notification. #. TRANS: %1$s is the sending user's long name, %2$s is the adding user's nickname. -#: lib/mail.php:676 +#: lib/mail.php:680 #, php-format msgid "%1$s (@%2$s) sent a notice to your attention" msgstr "" @@ -7895,7 +7945,7 @@ msgstr "" #. TRANS: %5$s is a URL to the full conversion if it exists (otherwise empty), #. TRANS: %6$s is a URL to reply to the notice, %7$s is a URL to all @-replied for the addressed user, #. TRANS: %8$s is a URL to the addressed user's e-mail settings, %9$s is the sender's nickname. -#: lib/mail.php:684 +#: lib/mail.php:688 #, php-format msgid "" "%1$s (@%9$s) just sent a notice to your attention (an '@-reply') on %2$s.\n" @@ -8015,7 +8065,7 @@ msgstr "Ei voitu poistaa suosikkia." #. TRANS: Client exception thrown trying to upload a forbidden MIME type. #. TRANS: %1$s is the file type that was denied, %2$s is the application part of #. TRANS: the MIME type that was denied. -#: lib/mediafile.php:340 +#: lib/mediafile.php:345 #, php-format msgid "" "\"%1$s\" is not a supported file type on this server. Try using another %2$s " @@ -8024,7 +8074,7 @@ msgstr "" #. TRANS: Client exception thrown trying to upload a forbidden MIME type. #. TRANS: %s is the file type that was denied. -#: lib/mediafile.php:345 +#: lib/mediafile.php:350 #, php-format msgid "\"%s\" is not a supported file type on this server." msgstr "" @@ -8170,31 +8220,31 @@ msgstr "" msgid "Couldn't insert new subscription." msgstr "Ei voitu lisätä uutta tilausta." -#: lib/personalgroupnav.php:99 +#: lib/personalgroupnav.php:102 msgid "Personal" msgstr "Omat" -#: lib/personalgroupnav.php:104 +#: lib/personalgroupnav.php:107 msgid "Replies" msgstr "Vastaukset" -#: lib/personalgroupnav.php:114 +#: lib/personalgroupnav.php:117 msgid "Favorites" msgstr "Suosikit" -#: lib/personalgroupnav.php:125 +#: lib/personalgroupnav.php:128 msgid "Inbox" msgstr "Saapuneet" -#: lib/personalgroupnav.php:126 +#: lib/personalgroupnav.php:129 msgid "Your incoming messages" msgstr "Sinulle saapuneet viestit" -#: lib/personalgroupnav.php:130 +#: lib/personalgroupnav.php:133 msgid "Outbox" msgstr "Lähetetyt" -#: lib/personalgroupnav.php:131 +#: lib/personalgroupnav.php:134 msgid "Your sent messages" msgstr "Lähettämäsi viestit" @@ -8403,6 +8453,12 @@ msgstr "" msgid "None" msgstr "Ei mitään" +#. TRANS: Server exception displayed if a theme name was invalid. +#: lib/theme.php:74 +#, fuzzy +msgid "Invalid theme name." +msgstr "Koko ei kelpaa." + #: lib/themeuploader.php:50 msgid "This server cannot handle theme uploads without ZIP support." msgstr "" @@ -8655,21 +8711,3 @@ msgid "%d entry in backup." msgid_plural "%d entries in backup." msgstr[0] "" msgstr[1] "" - -#, fuzzy -#~ msgid "Name is too long (maximum 255 chars)." -#~ msgstr "Koko nimi on liian pitkä (max 255 merkkiä)." - -#, fuzzy -#~ msgid "Organization is too long (maximum 255 chars)." -#~ msgstr "Kotipaikka on liian pitkä (max 255 merkkiä)." - -#~ msgid "That's too long. Max notice size is %d chars." -#~ msgstr "Päivitys on liian pitkä. Maksimipituus on %d merkkiä." - -#~ msgid "Max notice size is %d chars, including attachment URL." -#~ msgstr "Maksimikoko päivitykselle on %d merkkiä, mukaan lukien URL-osoite." - -#, fuzzy -#~ msgid " tagged %s" -#~ msgstr "Päivitykset joilla on tagi %s" diff --git a/locale/fr/LC_MESSAGES/statusnet.po b/locale/fr/LC_MESSAGES/statusnet.po index ed36d7e2a3..6c5f783137 100644 --- a/locale/fr/LC_MESSAGES/statusnet.po +++ b/locale/fr/LC_MESSAGES/statusnet.po @@ -20,17 +20,17 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet - Core\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-11-02 22:51+0000\n" -"PO-Revision-Date: 2010-11-02 22:53:18+0000\n" +"POT-Creation-Date: 2010-11-04 18:25+0000\n" +"PO-Revision-Date: 2010-11-04 18:27:23+0000\n" "Language-Team: French \n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r75875); Translate extension (2010-09-17)\n" +"X-Generator: MediaWiki 1.17alpha (r76004); Translate extension (2010-09-17)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: fr\n" "X-Message-Group: #out-statusnet-core\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" -"X-POT-Import-Date: 2010-10-30 23:42:01+0000\n" +"X-POT-Import-Date: 2010-11-02 23:22:49+0000\n" #. TRANS: Page title for Access admin panel that allows configuring site access. #. TRANS: Menu item for site administration @@ -95,12 +95,14 @@ msgstr "Sauvegarder les paramètres d’accès" #. TRANS: Save button for settings for a profile in a subscriptions list. #. TRANS: Button text to save user settings in user admin panel. #. TRANS: Button label in the "Edit application" form. +#. TRANS: Button text on profile design page to save settings. #: actions/accessadminpanel.php:193 actions/emailsettings.php:228 #: actions/imsettings.php:187 actions/othersettings.php:134 #: actions/pathsadminpanel.php:512 actions/profilesettings.php:201 #: actions/sitenoticeadminpanel.php:197 actions/smssettings.php:209 #: actions/subscriptions.php:246 actions/useradminpanel.php:298 -#: lib/applicationeditform.php:355 lib/groupeditform.php:207 +#: lib/applicationeditform.php:355 lib/designsettings.php:270 +#: lib/groupeditform.php:207 msgctxt "BUTTON" msgid "Save" msgstr "Enregistrer" @@ -168,7 +170,7 @@ msgstr "%1$s et ses amis, page %2$d" #. TRANS: Timeline title for user and friends. %s is a user nickname. #: actions/all.php:94 actions/all.php:191 actions/allrss.php:115 #: actions/apitimelinefriends.php:207 actions/apitimelinehome.php:113 -#: lib/personalgroupnav.php:100 +#: lib/personalgroupnav.php:103 #, php-format msgid "%s and friends" msgstr "%s et ses amis" @@ -345,11 +347,13 @@ msgstr "Impossible d’enregistrer le profil." #. TRANS: Client error displayed when the number of bytes in a POST request exceeds a limit. #. TRANS: %s is the number of bytes of the CONTENT_LENGTH. +#. TRANS: Form validation error in design settings form. POST should remain untranslated. #: actions/apiaccountupdateprofilebackgroundimage.php:108 #: actions/apiaccountupdateprofileimage.php:95 actions/apimediaupload.php:81 #: actions/apistatusesupdate.php:210 actions/avatarsettings.php:269 #: actions/designadminpanel.php:125 actions/editapplication.php:121 #: actions/newapplication.php:104 actions/newnotice.php:95 +#: lib/designsettings.php:298 #, php-format msgid "" "The server was unable to handle that much POST data (%s byte) due to its " @@ -758,7 +762,7 @@ msgstr "Le jeton de requête a déjà été autorisé." #: actions/repeat.php:83 actions/smssettings.php:256 actions/subedit.php:40 #: actions/subscribe.php:86 actions/tagother.php:166 #: actions/unsubscribe.php:69 actions/userauthorization.php:52 -#: lib/designsettings.php:294 +#: lib/designsettings.php:310 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 à " @@ -783,12 +787,13 @@ msgstr "" #. TRANS: Message given submitting a form with an unknown action in IM settings. #. TRANS: Client error when submitting a form with unexpected information. #. TRANS: Message given submitting a form with an unknown action in SMS settings. +#. TRANS: Unknown form validation error in design settings form. #: actions/apioauthauthorize.php:294 actions/avatarsettings.php:294 #: actions/designadminpanel.php:104 actions/editapplication.php:144 #: actions/emailsettings.php:290 actions/grouplogo.php:322 #: actions/imsettings.php:245 actions/newapplication.php:125 #: actions/oauthconnectionssettings.php:147 actions/recoverpassword.php:44 -#: actions/smssettings.php:277 lib/designsettings.php:304 +#: actions/smssettings.php:277 lib/designsettings.php:321 msgid "Unexpected form submission." msgstr "Soumission de formulaire inattendue." @@ -843,7 +848,7 @@ msgstr "Compte" #. TRANS: Label for group nickname (dt). Text hidden by default. #: actions/apioauthauthorize.php:459 actions/login.php:252 #: actions/profilesettings.php:110 actions/register.php:433 -#: actions/showgroup.php:245 actions/tagother.php:94 +#: actions/showgroup.php:240 actions/tagother.php:94 #: actions/userauthorization.php:145 lib/groupeditform.php:152 #: lib/userprofile.php:132 msgid "Nickname" @@ -1112,7 +1117,7 @@ msgstr "Pièce jointe non trouvée." #: actions/avatarbynickname.php:60 actions/blockedfromgroup.php:73 #: actions/editgroup.php:85 actions/groupdesignsettings.php:84 #: actions/grouplogo.php:86 actions/groupmembers.php:76 -#: actions/grouprss.php:91 actions/showgroup.php:121 +#: actions/grouprss.php:91 actions/showgroup.php:116 msgid "No nickname." msgstr "Aucun pseudo." @@ -1129,7 +1134,7 @@ msgstr "Taille incorrecte." #. TRANS: Title for avatar upload page. #. TRANS: Label for group avatar (dt). Text hidden by default. #. TRANS: Link description in user account settings menu. -#: actions/avatarsettings.php:66 actions/showgroup.php:229 +#: actions/avatarsettings.php:66 actions/showgroup.php:224 #: lib/accountsettingsaction.php:113 msgid "Avatar" msgstr "Avatar" @@ -1307,7 +1312,7 @@ msgstr "Impossible d’enregistrer les informations de blocage." #: actions/groupunblock.php:88 actions/joingroup.php:82 #: actions/joingroup.php:93 actions/leavegroup.php:82 #: actions/leavegroup.php:93 actions/makeadmin.php:86 -#: actions/showgroup.php:139 actions/showgroup.php:148 lib/command.php:168 +#: actions/showgroup.php:134 actions/showgroup.php:143 lib/command.php:168 #: lib/command.php:380 msgid "No such group." msgstr "Aucun groupe trouvé." @@ -1668,12 +1673,14 @@ msgid "You can upload a custom StatusNet theme as a .ZIP archive." msgstr "" "Vous pouvez importer un thème StatusNet personnalisé dans une archive .ZIP." -#: actions/designadminpanel.php:512 lib/designsettings.php:101 +#. TRANS: Fieldset legend on profile design page. +#: actions/designadminpanel.php:512 lib/designsettings.php:98 msgid "Change background image" msgstr "Changer l’image d’arrière plan" +#. TRANS: Label on profile design page for setting a profile page background colour. #: actions/designadminpanel.php:517 actions/designadminpanel.php:600 -#: lib/designsettings.php:178 +#: lib/designsettings.php:183 msgid "Background" msgstr "Arrière plan" @@ -1687,40 +1694,48 @@ msgstr "" "maximale du fichier est de %1$s." #. TRANS: Used as radio button label to add a background image. -#: actions/designadminpanel.php:553 lib/designsettings.php:139 +#: actions/designadminpanel.php:553 msgid "On" msgstr "Activé" #. TRANS: Used as radio button label to not add a background image. -#: actions/designadminpanel.php:570 lib/designsettings.php:155 +#: actions/designadminpanel.php:570 msgid "Off" msgstr "Désactivé" -#: actions/designadminpanel.php:571 lib/designsettings.php:156 +#. TRANS: Form guide for a set of radio buttons on the profile design page that will enable or disable +#. TRANS: use of the uploaded profile image. +#: actions/designadminpanel.php:571 lib/designsettings.php:159 msgid "Turn background image on or off." msgstr "Activer ou désactiver l’image d’arrière plan." -#: actions/designadminpanel.php:576 lib/designsettings.php:161 +#. TRANS: Checkbox label on profile design page that will cause the profile image to be tiled. +#: actions/designadminpanel.php:576 lib/designsettings.php:165 msgid "Tile background image" msgstr "Répéter l’image d’arrière plan" -#: actions/designadminpanel.php:590 lib/designsettings.php:170 +#. TRANS: Fieldset legend on profile design page to change profile page colours. +#: actions/designadminpanel.php:590 lib/designsettings.php:175 msgid "Change colours" msgstr "Modifier les couleurs" -#: actions/designadminpanel.php:613 lib/designsettings.php:191 +#. TRANS: Label on profile design page for setting a profile page content colour. +#: actions/designadminpanel.php:613 lib/designsettings.php:197 msgid "Content" msgstr "Contenu" -#: actions/designadminpanel.php:626 lib/designsettings.php:204 +#. TRANS: Label on profile design page for setting a profile page sidebar colour. +#: actions/designadminpanel.php:626 lib/designsettings.php:211 msgid "Sidebar" msgstr "Barre latérale" -#: actions/designadminpanel.php:639 lib/designsettings.php:217 +#. TRANS: Label on profile design page for setting a profile page text colour. +#: actions/designadminpanel.php:639 lib/designsettings.php:225 msgid "Text" msgstr "Texte" -#: actions/designadminpanel.php:652 lib/designsettings.php:230 +#. TRANS: Label on profile design page for setting a profile page links colour. +#: actions/designadminpanel.php:652 lib/designsettings.php:239 msgid "Links" msgstr "Liens" @@ -1732,15 +1747,18 @@ msgstr "Avancé" msgid "Custom CSS" msgstr "CSS personnalisé" -#: actions/designadminpanel.php:702 lib/designsettings.php:247 +#. TRANS: Button text on profile design page to immediately reset all colour settings to default. +#: actions/designadminpanel.php:702 lib/designsettings.php:257 msgid "Use defaults" msgstr "Utiliser les valeurs par défaut" -#: actions/designadminpanel.php:703 lib/designsettings.php:248 +#. TRANS: Title for button on profile design page to reset all colour settings to default. +#: actions/designadminpanel.php:703 lib/designsettings.php:259 msgid "Restore default designs" msgstr "Restaurer les conceptions par défaut" -#: actions/designadminpanel.php:709 lib/designsettings.php:254 +#. TRANS: Title for button on profile design page to reset all colour settings to default without saving. +#: actions/designadminpanel.php:709 lib/designsettings.php:267 msgid "Reset back to default" msgstr "Revenir aux valeurs par défaut" @@ -1748,11 +1766,12 @@ msgstr "Revenir aux valeurs par défaut" #: actions/designadminpanel.php:711 actions/licenseadminpanel.php:319 #: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:292 #: actions/snapshotadminpanel.php:245 actions/tagother.php:154 -#: lib/applicationeditform.php:357 lib/designsettings.php:256 +#: lib/applicationeditform.php:357 msgid "Save" msgstr "Enregistrer" -#: actions/designadminpanel.php:712 lib/designsettings.php:257 +#. TRANS: Title for button on profile design page to save settings. +#: actions/designadminpanel.php:712 lib/designsettings.php:272 msgid "Save design" msgstr "Sauvegarder la conception" @@ -1887,7 +1906,7 @@ msgstr "Impossible de mettre à jour le groupe." #. TRANS: Server error displayed when group aliases could not be added. #. TRANS: Server exception thrown when creating group aliases failed. -#: actions/editgroup.php:288 classes/User_group.php:513 +#: actions/editgroup.php:288 classes/User_group.php:529 msgid "Could not create aliases." msgstr "Impossible de créer les alias." @@ -2174,7 +2193,7 @@ msgstr "" "premier à ajouter un avis à vos favoris !" #: actions/favoritesrss.php:111 actions/showfavorites.php:77 -#: lib/personalgroupnav.php:115 +#: lib/personalgroupnav.php:118 #, php-format msgid "%s's favorite notices" msgstr "Avis favoris de %s" @@ -2354,8 +2373,10 @@ msgstr "" "Personnalisez l’apparence de votre groupe avec une image d’arrière plan et " "une palette de couleurs de votre choix" +#. TRANS: Error message displayed if design settings could not be saved. +#. TRANS: Error message displayed if design settings could not be saved after clicking "Use defaults". #: actions/groupdesignsettings.php:266 actions/userdesignsettings.php:186 -#: lib/designsettings.php:391 lib/designsettings.php:413 +#: lib/designsettings.php:405 lib/designsettings.php:427 msgid "Couldn't update your design." msgstr "Impossible de mettre à jour votre conception." @@ -3334,25 +3355,25 @@ msgstr "" msgid "Notice has no profile." msgstr "L’avis n’a pas de profil." -#: actions/oembed.php:87 actions/shownotice.php:176 +#: actions/oembed.php:83 actions/shownotice.php:172 #, php-format msgid "%1$s's status on %2$s" msgstr "Statut de %1$s sur %2$s" #. TRANS: Error message displaying attachments. %s is a raw MIME type (eg 'image/png') -#: actions/oembed.php:159 +#: actions/oembed.php:155 #, php-format msgid "Content type %s not supported." msgstr "Type de contenu %s non supporté." #. TRANS: Error message displaying attachments. %s is the site's base URL. -#: actions/oembed.php:163 +#: actions/oembed.php:159 #, php-format msgid "Only %s URLs over plain HTTP please." msgstr "Veuillez n'utiliser que des URL HTTP complètes en %s." #. TRANS: Client error on an API request with an unsupported data format. -#: actions/oembed.php:184 actions/oembed.php:203 lib/apiaction.php:1200 +#: actions/oembed.php:180 actions/oembed.php:199 lib/apiaction.php:1200 #: lib/apiaction.php:1227 lib/apiaction.php:1356 msgid "Not a supported data format." msgstr "Format de données non supporté." @@ -3834,7 +3855,7 @@ msgstr "1 à 64 lettres minuscules ou chiffres, sans ponctuation ni espaces." #. TRANS: Field label in form for profile settings. #. TRANS: Label for full group name (dt). Text hidden by default. #: actions/profilesettings.php:117 actions/register.php:457 -#: actions/showgroup.php:257 actions/tagother.php:104 +#: actions/showgroup.php:252 actions/tagother.php:104 #: lib/groupeditform.php:157 lib/userprofile.php:150 msgid "Full name" msgstr "Nom complet" @@ -3876,7 +3897,7 @@ msgstr "Bio" #. TRANS: Field label in form for profile settings. #. TRANS: Label for group location (dt). Text hidden by default. #: actions/profilesettings.php:149 actions/register.php:485 -#: actions/showgroup.php:267 actions/tagother.php:112 +#: actions/showgroup.php:262 actions/tagother.php:112 #: actions/userauthorization.php:166 lib/groupeditform.php:180 #: lib/userprofile.php:165 msgid "Location" @@ -4471,7 +4492,7 @@ msgid "Repeated!" msgstr "Repris !" #: actions/replies.php:126 actions/repliesrss.php:68 -#: lib/personalgroupnav.php:105 +#: lib/personalgroupnav.php:108 #, php-format msgid "Replies to %s" msgstr "Réponses à %s" @@ -4612,7 +4633,7 @@ msgid "Description" msgstr "Description" #. TRANS: Header for group statistics on a group page (h2). -#: actions/showapplication.php:192 actions/showgroup.php:453 +#: actions/showapplication.php:192 actions/showgroup.php:448 #: lib/profileaction.php:187 msgid "Statistics" msgstr "Statistiques" @@ -4729,95 +4750,95 @@ msgid "This is a way to share what you like." msgstr "C’est un moyen de partager ce que vous aimez." #. TRANS: Page title for first group page. %s is a group name. -#: actions/showgroup.php:80 +#: actions/showgroup.php:75 #, php-format msgid "%s group" msgstr "Groupe %s" #. TRANS: Page title for any but first group page. #. TRANS: %1$s is a group name, $2$s is a page number. -#: actions/showgroup.php:84 +#: actions/showgroup.php:79 #, php-format msgid "%1$s group, page %2$d" msgstr "Groupe %1$s, page %2$d" #. TRANS: Group profile header (h2). Text hidden by default. -#: actions/showgroup.php:225 +#: actions/showgroup.php:220 msgid "Group profile" msgstr "Profil du groupe" #. TRANS: Label for group URL (dt). Text hidden by default. -#: actions/showgroup.php:275 actions/tagother.php:118 +#: actions/showgroup.php:270 actions/tagother.php:118 #: actions/userauthorization.php:175 lib/userprofile.php:178 msgid "URL" msgstr "URL" #. TRANS: Label for group description or group note (dt). Text hidden by default. -#: actions/showgroup.php:287 actions/tagother.php:128 +#: actions/showgroup.php:282 actions/tagother.php:128 #: actions/userauthorization.php:187 lib/userprofile.php:195 msgid "Note" msgstr "Note" #. TRANS: Label for group aliases (dt). Text hidden by default. -#: actions/showgroup.php:298 lib/groupeditform.php:187 +#: actions/showgroup.php:293 lib/groupeditform.php:187 msgid "Aliases" msgstr "Alias" #. TRANS: Group actions header (h2). Text hidden by default. -#: actions/showgroup.php:309 +#: actions/showgroup.php:304 msgid "Group actions" msgstr "Actions du groupe" #. TRANS: Tooltip for feed link. %s is a group nickname. -#: actions/showgroup.php:350 +#: actions/showgroup.php:345 #, php-format msgid "Notice feed for %s group (RSS 1.0)" msgstr "Fil des avis du groupe %s (RSS 1.0)" #. TRANS: Tooltip for feed link. %s is a group nickname. -#: actions/showgroup.php:357 +#: actions/showgroup.php:352 #, php-format msgid "Notice feed for %s group (RSS 2.0)" msgstr "Fil des avis du groupe %s (RSS 2.0)" #. TRANS: Tooltip for feed link. %s is a group nickname. -#: actions/showgroup.php:364 +#: actions/showgroup.php:359 #, php-format msgid "Notice feed for %s group (Atom)" msgstr "Fil des avis du groupe %s (Atom)" #. TRANS: Tooltip for feed link. %s is a group nickname. -#: actions/showgroup.php:370 +#: actions/showgroup.php:365 #, php-format msgid "FOAF for %s group" msgstr "ami d’un ami pour le groupe %s" #. TRANS: Header for mini list of group members on a group page (h2). -#: actions/showgroup.php:407 +#: actions/showgroup.php:402 msgid "Members" msgstr "Membres" #. TRANS: Description for mini list of group members on a group page when the group has no members. -#: actions/showgroup.php:413 lib/profileaction.php:117 +#: actions/showgroup.php:408 lib/profileaction.php:117 #: lib/profileaction.php:152 lib/profileaction.php:255 lib/section.php:95 #: lib/subscriptionlist.php:127 lib/tagcloudsection.php:71 msgid "(None)" msgstr "(aucun)" #. TRANS: Link to all group members from mini list of group members if group has more than n members. -#: actions/showgroup.php:422 +#: actions/showgroup.php:417 msgid "All members" msgstr "Tous les membres" #. TRANS: Label for creation date in statistics on group page. -#: actions/showgroup.php:458 +#: actions/showgroup.php:453 #, fuzzy msgctxt "LABEL" msgid "Created" msgstr "Créé" #. TRANS: Label for member count in statistics on group page. -#: actions/showgroup.php:466 +#: actions/showgroup.php:461 #, fuzzy msgctxt "LABEL" msgid "Members" @@ -4827,7 +4848,7 @@ msgstr "Membres" #. TRANS: **%s** is the group alias, %%%%site.name%%%% is the site name, #. TRANS: %%%%action.register%%%% is the URL for registration, %%%%doc.help%%%% is a URL to help. #. TRANS: This message contains Markdown links. Ensure they are formatted correctly: [Description](link). -#: actions/showgroup.php:481 +#: actions/showgroup.php:476 #, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -4846,7 +4867,7 @@ msgstr "" #. TRANS: Notice on group pages for anonymous users for StatusNet sites that accept no new registrations. #. TRANS: **%s** is the group alias, %%%%site.name%%%% is the site name, #. TRANS: This message contains Markdown links. Ensure they are formatted correctly: [Description](link). -#: actions/showgroup.php:491 +#: actions/showgroup.php:486 #, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -4860,7 +4881,7 @@ msgstr "" "messages courts à propos de leur vie et leurs intérêts. " #. TRANS: Header for list of group administrators on a group page (h2). -#: actions/showgroup.php:520 +#: actions/showgroup.php:515 msgid "Admins" msgstr "Administrateurs" @@ -5653,7 +5674,7 @@ msgstr "Abonnement par défaut invalide : « %1$s » n’est pas un utilisateur. #. TRANS: Link description in user account settings menu. #: actions/useradminpanel.php:215 lib/accountsettingsaction.php:106 -#: lib/personalgroupnav.php:109 +#: lib/personalgroupnav.php:112 msgid "Profile" msgstr "Profil" @@ -5820,11 +5841,13 @@ msgstr "Impossible de lire l’URL de l’avatar « %s »." msgid "Wrong image type for avatar URL ‘%s’." msgstr "Format d’image invalide pour l’URL de l’avatar « %s »." -#: actions/userdesignsettings.php:76 lib/designsettings.php:65 +#. TRANS: Page title for profile design page. +#: actions/userdesignsettings.php:76 lib/designsettings.php:63 msgid "Profile design" msgstr "Conception de profil" -#: actions/userdesignsettings.php:87 lib/designsettings.php:76 +#. TRANS: Instructions for profile design page. +#: actions/userdesignsettings.php:87 lib/designsettings.php:74 msgid "" "Customize the way your profile looks with a background image and a colour " "palette of your choice." @@ -5958,31 +5981,44 @@ msgstr "Robin pense que quelque chose est impossible." #. TRANS: Message given if an upload is larger than the configured maximum. #. TRANS: %1$d is the byte limit for uploads, %2$d is the byte count for the uploaded file. -#: classes/File.php:189 -#, php-format +#. TRANS: %1$s is used for plural. +#: classes/File.php:190 +#, fuzzy, php-format msgid "" +"No file may be larger than %1$d byte and the file you sent was %2$d bytes. " +"Try to upload a smaller version." +msgid_plural "" "No file may be larger than %1$d bytes and the file you sent was %2$d bytes. " "Try to upload a smaller version." -msgstr "" +msgstr[0] "" +"Un fichier ne peut pas peser plus de %1$d octets et le fichier que vous avez " +"envoyé pesait %2$d octets. Essayez d’importer une version moins lourde." +msgstr[1] "" "Un fichier ne peut pas peser plus de %1$d octets et le fichier que vous avez " "envoyé pesait %2$d octets. Essayez d’importer une version moins lourde." #. TRANS: Message given if an upload would exceed user quota. -#. TRANS: %d (number) is the user quota in bytes. -#: classes/File.php:201 -#, php-format -msgid "A file this large would exceed your user quota of %d bytes." -msgstr "Un fichier aussi gros dépasserai votre quota utilisateur de %d octets." +#. TRANS: %d (number) is the user quota in bytes and is used for plural. +#: classes/File.php:203 +#, fuzzy, php-format +msgid "A file this large would exceed your user quota of %d byte." +msgid_plural "A file this large would exceed your user quota of %d bytes." +msgstr[0] "" +"Un fichier aussi gros dépasserai votre quota utilisateur de %d octets." +msgstr[1] "" +"Un fichier aussi gros dépasserai votre quota utilisateur de %d octets." #. TRANS: Message given id an upload would exceed a user's monthly quota. -#. TRANS: $d (number) is the monthly user quota in bytes. -#: classes/File.php:210 -#, php-format -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." +#. TRANS: $d (number) is the monthly user quota in bytes and is used for plural. +#: classes/File.php:215 +#, fuzzy, php-format +msgid "A file this large would exceed your monthly quota of %d byte." +msgid_plural "A file this large would exceed your monthly quota of %d bytes." +msgstr[0] "Un fichier aussi gros dépasserai votre quota mensuel de %d octets." +msgstr[1] "Un fichier aussi gros dépasserai votre quota mensuel de %d octets." #. TRANS: Client exception thrown if a file upload does not have a valid name. -#: classes/File.php:247 classes/File.php:262 +#: classes/File.php:262 classes/File.php:277 msgid "Invalid filename." msgstr "Nom de fichier non valide." @@ -6111,31 +6147,32 @@ msgid "Problem saving notice." msgstr "Problème lors de l’enregistrement de l’avis." #. TRANS: Server exception thrown when no array is provided to the method saveKnownGroups(). -#: classes/Notice.php:907 -msgid "Bad type provided to saveKnownGroups" +#: classes/Notice.php:905 +#, fuzzy +msgid "Bad type provided to saveKnownGroups." msgstr "Le type renseigné pour saveKnownGroups n’est pas valable" #. TRANS: Server exception thrown when an update for a group inbox fails. -#: classes/Notice.php:1006 +#: classes/Notice.php:1004 msgid "Problem saving group inbox." msgstr "Problème lors de l’enregistrement de la boîte de réception du groupe." #. TRANS: Server exception thrown when a reply cannot be saved. #. TRANS: %1$d is a notice ID, %2$d is the ID of the mentioned user. -#: classes/Notice.php:1120 +#: classes/Notice.php:1118 #, php-format msgid "Could not save reply for %1$d, %2$d." msgstr "Impossible d’enregistrer la réponse à %1$d, %2$d." #. TRANS: Message used to repeat a notice. RT is the abbreviation of 'retweet'. #. TRANS: %1$s is the repeated user's name, %2$s is the repeated notice. -#: classes/Notice.php:1822 +#: classes/Notice.php:1820 #, php-format msgid "RT @%1$s %2$s" msgstr "RT @%1$s %2$s" #. TRANS: Full name of a profile or group followed by nickname in parens -#: classes/Profile.php:164 +#: classes/Profile.php:164 classes/User_group.php:247 #, fuzzy, php-format msgctxt "FANCYNAME" msgid "%1$s (%2$s)" @@ -6234,22 +6271,22 @@ msgid "Single-user mode code called when not enabled." msgstr "Code en mode mono-utilisateur appelé quand ce n’est pas autorisé." #. TRANS: Server exception thrown when creating a group failed. -#: classes/User_group.php:495 +#: classes/User_group.php:511 msgid "Could not create group." msgstr "Impossible de créer le groupe." #. TRANS: Server exception thrown when updating a group URI failed. -#: classes/User_group.php:505 +#: classes/User_group.php:521 msgid "Could not set group URI." msgstr "Impossible de définir l'URI du groupe." #. TRANS: Server exception thrown when setting group membership failed. -#: classes/User_group.php:528 +#: classes/User_group.php:544 msgid "Could not set group membership." msgstr "Impossible d’établir l’inscription au groupe." #. TRANS: Server exception thrown when saving local group information failed. -#: classes/User_group.php:543 +#: classes/User_group.php:559 msgid "Could not save local group info." msgstr "Impossible d’enregistrer les informations du groupe local." @@ -6659,7 +6696,7 @@ msgid "User configuration" msgstr "Configuration utilisateur" #. TRANS: Menu item for site administration -#: lib/adminpanelaction.php:355 lib/personalgroupnav.php:115 +#: lib/adminpanelaction.php:355 lib/personalgroupnav.php:118 msgid "User" msgstr "Utilisateur" @@ -7381,10 +7418,13 @@ msgstr "Applications autorisées connectées" msgid "Database error" msgstr "Erreur de la base de données" -#: lib/designsettings.php:105 +#. TRANS: Label in form on profile design page. +#. TRANS: Field contains file name on user's computer that could be that user's custom profile background image. +#: lib/designsettings.php:104 msgid "Upload file" msgstr "Importer un fichier" +#. TRANS: Instructions for form on profile design page. #: lib/designsettings.php:109 msgid "" "You can upload your personal background image. The maximum file size is 2MB." @@ -7392,16 +7432,29 @@ msgstr "" "Vous pouvez importer votre image d’arrière plan personnelle. La taille " "maximale du fichier est de 2 Mo." -#: 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 "" -"Le serveur n’a pas pu gérer autant de données de POST (%s octets) en raison " -"de sa configuration actuelle." +#. TRANS: Radio button on profile design page that will enable use of the uploaded profile image. +#: lib/designsettings.php:139 +#, fuzzy +msgctxt "RADIO" +msgid "On" +msgstr "Activé" -#: lib/designsettings.php:418 +#. TRANS: Radio button on profile design page that will disable use of the uploaded profile image. +#: lib/designsettings.php:156 +#, fuzzy +msgctxt "RADIO" +msgid "Off" +msgstr "Désactivé" + +#. TRANS: Button text on profile design page to reset all colour settings to default without saving. +#: lib/designsettings.php:264 +#, fuzzy +msgctxt "BUTTON" +msgid "Reset" +msgstr "Réinitialiser" + +#. TRANS: Success message displayed if design settings were saved after clicking "Use defaults". +#: lib/designsettings.php:433 msgid "Design defaults restored." msgstr "Les paramètre par défaut de la conception ont été restaurés." @@ -7908,7 +7961,7 @@ msgstr "" #. TRANS: Subject for favorite notification e-mail. #. TRANS: %1$s is the adding user's long name, %2$s is the adding user's nickname. -#: lib/mail.php:603 +#: lib/mail.php:607 #, php-format msgid "%1$s (@%2$s) added your notice as a favorite" msgstr "%1$s (@%2$s) a ajouté votre avis à ses favoris" @@ -7918,7 +7971,7 @@ msgstr "%1$s (@%2$s) a ajouté votre avis à ses favoris" #. TRANS: %3$s is a URL to the faved notice, %4$s is the faved notice text, #. TRANS: %5$s is a URL to all faves of the adding user, %6$s is the StatusNet sitename, #. TRANS: %7$s is the adding user's nickname. -#: lib/mail.php:610 +#: lib/mail.php:614 #, php-format msgid "" "%1$s (@%7$s) just added your notice from %2$s as one of their favorites.\n" @@ -7957,7 +8010,7 @@ msgstr "" "%6$s\n" #. TRANS: Line in @-reply notification e-mail. %s is conversation URL. -#: lib/mail.php:668 +#: lib/mail.php:672 #, php-format msgid "" "The full conversation can be read here:\n" @@ -7970,7 +8023,7 @@ msgstr "" #. TRANS: E-mail subject for notice notification. #. TRANS: %1$s is the sending user's long name, %2$s is the adding user's nickname. -#: lib/mail.php:676 +#: lib/mail.php:680 #, php-format msgid "%1$s (@%2$s) sent a notice to your attention" msgstr "%1$s (@%2$s) a envoyé un avis à vote attention" @@ -7981,7 +8034,7 @@ msgstr "%1$s (@%2$s) a envoyé un avis à vote attention" #. TRANS: %5$s is a URL to the full conversion if it exists (otherwise empty), #. TRANS: %6$s is a URL to reply to the notice, %7$s is a URL to all @-replied for the addressed user, #. TRANS: %8$s is a URL to the addressed user's e-mail settings, %9$s is the sender's nickname. -#: lib/mail.php:684 +#: lib/mail.php:688 #, php-format msgid "" "%1$s (@%9$s) just sent a notice to your attention (an '@-reply') on %2$s.\n" @@ -8130,7 +8183,7 @@ msgstr "Impossible de déterminer le type MIME du fichier." #. TRANS: Client exception thrown trying to upload a forbidden MIME type. #. TRANS: %1$s is the file type that was denied, %2$s is the application part of #. TRANS: the MIME type that was denied. -#: lib/mediafile.php:340 +#: lib/mediafile.php:345 #, php-format msgid "" "\"%1$s\" is not a supported file type on this server. Try using another %2$s " @@ -8141,7 +8194,7 @@ msgstr "" #. TRANS: Client exception thrown trying to upload a forbidden MIME type. #. TRANS: %s is the file type that was denied. -#: lib/mediafile.php:345 +#: lib/mediafile.php:350 #, php-format msgid "\"%s\" is not a supported file type on this server." msgstr "« %s » n’est pas un type de fichier supporté sur ce serveur." @@ -8282,31 +8335,31 @@ msgstr "Avis en doublon." msgid "Couldn't insert new subscription." msgstr "Impossible d’insérer un nouvel abonnement." -#: lib/personalgroupnav.php:99 +#: lib/personalgroupnav.php:102 msgid "Personal" msgstr "Personnel" -#: lib/personalgroupnav.php:104 +#: lib/personalgroupnav.php:107 msgid "Replies" msgstr "Réponses" -#: lib/personalgroupnav.php:114 +#: lib/personalgroupnav.php:117 msgid "Favorites" msgstr "Favoris" -#: lib/personalgroupnav.php:125 +#: lib/personalgroupnav.php:128 msgid "Inbox" msgstr "Boîte de réception" -#: lib/personalgroupnav.php:126 +#: lib/personalgroupnav.php:129 msgid "Your incoming messages" msgstr "Vos messages reçus" -#: lib/personalgroupnav.php:130 +#: lib/personalgroupnav.php:133 msgid "Outbox" msgstr "Boîte d’envoi" -#: lib/personalgroupnav.php:131 +#: lib/personalgroupnav.php:134 msgid "Your sent messages" msgstr "Vos messages envoyés" @@ -8503,6 +8556,12 @@ msgstr "Nuage de marques pour une personne" msgid "None" msgstr "Aucun" +#. TRANS: Server exception displayed if a theme name was invalid. +#: lib/theme.php:74 +#, fuzzy +msgid "Invalid theme name." +msgstr "Nom de fichier non valide." + #: lib/themeuploader.php:50 msgid "This server cannot handle theme uploads without ZIP support." msgstr "" @@ -8764,23 +8823,9 @@ msgid_plural "%d entries in backup." msgstr[0] "%d entrées dans la sauvegarde." msgstr[1] "%d entrées dans la sauvegarde." -#~ msgid "Name is too long (maximum 255 chars)." -#~ msgstr "Le nom est trop long (limité à 255 caractères maximum)." - -#~ msgid "Organization is too long (maximum 255 chars)." -#~ msgstr "L’organisation est trop longue (limitée à 255 caractères maximum)." - -#~ msgid "That's too long. Max notice size is %d chars." +#~ msgid "" +#~ "The server was unable to handle that much POST data (%s bytes) due to its " +#~ "current configuration." #~ msgstr "" -#~ "C’est trop long ! La taille maximale de l’avis est de %d caractères." - -#~ msgid "Max notice size is %d chars, including attachment URL." -#~ msgstr "" -#~ "La taille maximale de l’avis est de %d caractères, en incluant l’URL de " -#~ "la pièce jointe." - -#~ msgid " tagged %s" -#~ msgstr " marqué %s" - -#~ msgid "Backup file for user %s (%s)" -#~ msgstr "Fichier de sauvegarde pour l’utilisateur %s (%s)" +#~ "Le serveur n’a pas pu gérer autant de données de POST (%s octets) en " +#~ "raison de sa configuration actuelle." diff --git a/locale/ga/LC_MESSAGES/statusnet.po b/locale/ga/LC_MESSAGES/statusnet.po index b05f9aba22..53d56befbc 100644 --- a/locale/ga/LC_MESSAGES/statusnet.po +++ b/locale/ga/LC_MESSAGES/statusnet.po @@ -9,18 +9,18 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet - Core\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-11-02 22:51+0000\n" -"PO-Revision-Date: 2010-11-02 22:53:19+0000\n" +"POT-Creation-Date: 2010-11-04 18:25+0000\n" +"PO-Revision-Date: 2010-11-04 18:27:25+0000\n" "Language-Team: Irish \n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r75875); Translate extension (2010-09-17)\n" +"X-Generator: MediaWiki 1.17alpha (r76004); Translate extension (2010-09-17)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: ga\n" "X-Message-Group: #out-statusnet-core\n" "Plural-Forms: nplurals=5; plural=(n == 1) ? 0 : ( (n == 2) ? 1 : ( (n < 7) ? " "2 : ( (n < 11) ? 3 : 4 ) ) );\n" -"X-POT-Import-Date: 2010-10-30 23:42:01+0000\n" +"X-POT-Import-Date: 2010-11-02 23:22:49+0000\n" #. TRANS: Page title for Access admin panel that allows configuring site access. #. TRANS: Menu item for site administration @@ -91,12 +91,14 @@ msgstr "Configuracións de Twitter" #. TRANS: Save button for settings for a profile in a subscriptions list. #. TRANS: Button text to save user settings in user admin panel. #. TRANS: Button label in the "Edit application" form. +#. TRANS: Button text on profile design page to save settings. #: actions/accessadminpanel.php:193 actions/emailsettings.php:228 #: actions/imsettings.php:187 actions/othersettings.php:134 #: actions/pathsadminpanel.php:512 actions/profilesettings.php:201 #: actions/sitenoticeadminpanel.php:197 actions/smssettings.php:209 #: actions/subscriptions.php:246 actions/useradminpanel.php:298 -#: lib/applicationeditform.php:355 lib/groupeditform.php:207 +#: lib/applicationeditform.php:355 lib/designsettings.php:270 +#: lib/groupeditform.php:207 #, fuzzy msgctxt "BUTTON" msgid "Save" @@ -166,7 +168,7 @@ msgstr "%s e amigos" #. TRANS: Timeline title for user and friends. %s is a user nickname. #: actions/all.php:94 actions/all.php:191 actions/allrss.php:115 #: actions/apitimelinefriends.php:207 actions/apitimelinehome.php:113 -#: lib/personalgroupnav.php:100 +#: lib/personalgroupnav.php:103 #, php-format msgid "%s and friends" msgstr "%s e amigos" @@ -336,11 +338,13 @@ msgstr "Non se puido gardar o perfil." #. TRANS: Client error displayed when the number of bytes in a POST request exceeds a limit. #. TRANS: %s is the number of bytes of the CONTENT_LENGTH. +#. TRANS: Form validation error in design settings form. POST should remain untranslated. #: actions/apiaccountupdateprofilebackgroundimage.php:108 #: actions/apiaccountupdateprofileimage.php:95 actions/apimediaupload.php:81 #: actions/apistatusesupdate.php:210 actions/avatarsettings.php:269 #: actions/designadminpanel.php:125 actions/editapplication.php:121 #: actions/newapplication.php:104 actions/newnotice.php:95 +#: lib/designsettings.php:298 #, php-format msgid "" "The server was unable to handle that much POST data (%s byte) due to its " @@ -769,7 +773,7 @@ msgstr "Non estás suscrito a ese perfil" #: actions/repeat.php:83 actions/smssettings.php:256 actions/subedit.php:40 #: actions/subscribe.php:86 actions/tagother.php:166 #: actions/unsubscribe.php:69 actions/userauthorization.php:52 -#: lib/designsettings.php:294 +#: lib/designsettings.php:310 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..." @@ -792,12 +796,13 @@ msgstr "Erro ó inserir o hashtag na BD: %s" #. TRANS: Message given submitting a form with an unknown action in IM settings. #. TRANS: Client error when submitting a form with unexpected information. #. TRANS: Message given submitting a form with an unknown action in SMS settings. +#. TRANS: Unknown form validation error in design settings form. #: actions/apioauthauthorize.php:294 actions/avatarsettings.php:294 #: actions/designadminpanel.php:104 actions/editapplication.php:144 #: actions/emailsettings.php:290 actions/grouplogo.php:322 #: actions/imsettings.php:245 actions/newapplication.php:125 #: actions/oauthconnectionssettings.php:147 actions/recoverpassword.php:44 -#: actions/smssettings.php:277 lib/designsettings.php:304 +#: actions/smssettings.php:277 lib/designsettings.php:321 msgid "Unexpected form submission." msgstr "Envio de formulario non esperada." @@ -844,7 +849,7 @@ msgstr "Sobre" #. TRANS: Label for group nickname (dt). Text hidden by default. #: actions/apioauthauthorize.php:459 actions/login.php:252 #: actions/profilesettings.php:110 actions/register.php:433 -#: actions/showgroup.php:245 actions/tagother.php:94 +#: actions/showgroup.php:240 actions/tagother.php:94 #: actions/userauthorization.php:145 lib/groupeditform.php:152 #: lib/userprofile.php:132 msgid "Nickname" @@ -1115,7 +1120,7 @@ msgstr "Non existe a etiqueta." #: actions/avatarbynickname.php:60 actions/blockedfromgroup.php:73 #: actions/editgroup.php:85 actions/groupdesignsettings.php:84 #: actions/grouplogo.php:86 actions/groupmembers.php:76 -#: actions/grouprss.php:91 actions/showgroup.php:121 +#: actions/grouprss.php:91 actions/showgroup.php:116 msgid "No nickname." msgstr "Sen alcume." @@ -1132,7 +1137,7 @@ msgstr "Tamaño inválido." #. TRANS: Title for avatar upload page. #. TRANS: Label for group avatar (dt). Text hidden by default. #. TRANS: Link description in user account settings menu. -#: actions/avatarsettings.php:66 actions/showgroup.php:229 +#: actions/avatarsettings.php:66 actions/showgroup.php:224 #: lib/accountsettingsaction.php:113 msgid "Avatar" msgstr "Avatar" @@ -1313,7 +1318,7 @@ msgstr "Erro ao gardar información de bloqueo." #: actions/groupunblock.php:88 actions/joingroup.php:82 #: actions/joingroup.php:93 actions/leavegroup.php:82 #: actions/leavegroup.php:93 actions/makeadmin.php:86 -#: actions/showgroup.php:139 actions/showgroup.php:148 lib/command.php:168 +#: actions/showgroup.php:134 actions/showgroup.php:143 lib/command.php:168 #: lib/command.php:380 #, fuzzy msgid "No such group." @@ -1693,12 +1698,14 @@ msgstr "Novo chío" msgid "You can upload a custom StatusNet theme as a .ZIP archive." msgstr "" -#: actions/designadminpanel.php:512 lib/designsettings.php:101 +#. TRANS: Fieldset legend on profile design page. +#: actions/designadminpanel.php:512 lib/designsettings.php:98 msgid "Change background image" msgstr "" +#. TRANS: Label on profile design page for setting a profile page background colour. #: actions/designadminpanel.php:517 actions/designadminpanel.php:600 -#: lib/designsettings.php:178 +#: lib/designsettings.php:183 msgid "Background" msgstr "" @@ -1710,43 +1717,51 @@ msgid "" msgstr "Podes actualizar a túa información do perfil persoal aquí" #. TRANS: Used as radio button label to add a background image. -#: actions/designadminpanel.php:553 lib/designsettings.php:139 +#: actions/designadminpanel.php:553 msgid "On" msgstr "" #. TRANS: Used as radio button label to not add a background image. -#: actions/designadminpanel.php:570 lib/designsettings.php:155 +#: actions/designadminpanel.php:570 msgid "Off" msgstr "" -#: actions/designadminpanel.php:571 lib/designsettings.php:156 +#. TRANS: Form guide for a set of radio buttons on the profile design page that will enable or disable +#. TRANS: use of the uploaded profile image. +#: actions/designadminpanel.php:571 lib/designsettings.php:159 msgid "Turn background image on or off." msgstr "" -#: actions/designadminpanel.php:576 lib/designsettings.php:161 +#. TRANS: Checkbox label on profile design page that will cause the profile image to be tiled. +#: actions/designadminpanel.php:576 lib/designsettings.php:165 msgid "Tile background image" msgstr "" -#: actions/designadminpanel.php:590 lib/designsettings.php:170 +#. TRANS: Fieldset legend on profile design page to change profile page colours. +#: actions/designadminpanel.php:590 lib/designsettings.php:175 #, fuzzy msgid "Change colours" msgstr "Cambiar contrasinal" -#: actions/designadminpanel.php:613 lib/designsettings.php:191 +#. TRANS: Label on profile design page for setting a profile page content colour. +#: actions/designadminpanel.php:613 lib/designsettings.php:197 #, fuzzy msgid "Content" msgstr "Conectar" -#: actions/designadminpanel.php:626 lib/designsettings.php:204 +#. TRANS: Label on profile design page for setting a profile page sidebar colour. +#: actions/designadminpanel.php:626 lib/designsettings.php:211 #, fuzzy msgid "Sidebar" msgstr "Buscar" -#: actions/designadminpanel.php:639 lib/designsettings.php:217 +#. TRANS: Label on profile design page for setting a profile page text colour. +#: actions/designadminpanel.php:639 lib/designsettings.php:225 msgid "Text" msgstr "Texto" -#: actions/designadminpanel.php:652 lib/designsettings.php:230 +#. TRANS: Label on profile design page for setting a profile page links colour. +#: actions/designadminpanel.php:652 lib/designsettings.php:239 msgid "Links" msgstr "Inicio de sesión" @@ -1758,15 +1773,18 @@ msgstr "" msgid "Custom CSS" msgstr "" -#: actions/designadminpanel.php:702 lib/designsettings.php:247 +#. TRANS: Button text on profile design page to immediately reset all colour settings to default. +#: actions/designadminpanel.php:702 lib/designsettings.php:257 msgid "Use defaults" msgstr "" -#: actions/designadminpanel.php:703 lib/designsettings.php:248 +#. TRANS: Title for button on profile design page to reset all colour settings to default. +#: actions/designadminpanel.php:703 lib/designsettings.php:259 msgid "Restore default designs" msgstr "" -#: actions/designadminpanel.php:709 lib/designsettings.php:254 +#. TRANS: Title for button on profile design page to reset all colour settings to default without saving. +#: actions/designadminpanel.php:709 lib/designsettings.php:267 msgid "Reset back to default" msgstr "" @@ -1774,11 +1792,12 @@ msgstr "" #: actions/designadminpanel.php:711 actions/licenseadminpanel.php:319 #: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:292 #: actions/snapshotadminpanel.php:245 actions/tagother.php:154 -#: lib/applicationeditform.php:357 lib/designsettings.php:256 +#: lib/applicationeditform.php:357 msgid "Save" msgstr "Gardar" -#: actions/designadminpanel.php:712 lib/designsettings.php:257 +#. TRANS: Title for button on profile design page to save settings. +#: actions/designadminpanel.php:712 lib/designsettings.php:272 msgid "Save design" msgstr "" @@ -1926,7 +1945,7 @@ msgstr "Non se puido actualizar o usuario." #. TRANS: Server error displayed when group aliases could not be added. #. TRANS: Server exception thrown when creating group aliases failed. -#: actions/editgroup.php:288 classes/User_group.php:513 +#: actions/editgroup.php:288 classes/User_group.php:529 #, fuzzy msgid "Could not create aliases." msgstr "Non se puido crear o favorito." @@ -2216,7 +2235,7 @@ msgid "" msgstr "" #: actions/favoritesrss.php:111 actions/showfavorites.php:77 -#: lib/personalgroupnav.php:115 +#: lib/personalgroupnav.php:118 #, php-format msgid "%s's favorite notices" msgstr "Chíos favoritos de %s" @@ -2405,8 +2424,10 @@ msgid "" "palette of your choice." msgstr "" +#. TRANS: Error message displayed if design settings could not be saved. +#. TRANS: Error message displayed if design settings could not be saved after clicking "Use defaults". #: actions/groupdesignsettings.php:266 actions/userdesignsettings.php:186 -#: lib/designsettings.php:391 lib/designsettings.php:413 +#: lib/designsettings.php:405 lib/designsettings.php:427 #, fuzzy msgid "Couldn't update your design." msgstr "Non se puido actualizar o usuario." @@ -3383,25 +3404,25 @@ msgstr "" msgid "Notice has no profile." msgstr "O usuario non ten perfil." -#: actions/oembed.php:87 actions/shownotice.php:176 +#: actions/oembed.php:83 actions/shownotice.php:172 #, php-format msgid "%1$s's status on %2$s" msgstr "Estado de %1$s en %2$s" #. TRANS: Error message displaying attachments. %s is a raw MIME type (eg 'image/png') -#: actions/oembed.php:159 +#: actions/oembed.php:155 #, fuzzy, php-format msgid "Content type %s not supported." msgstr "Conectar" #. TRANS: Error message displaying attachments. %s is the site's base URL. -#: actions/oembed.php:163 +#: actions/oembed.php:159 #, php-format msgid "Only %s URLs over plain HTTP please." msgstr "" #. TRANS: Client error on an API request with an unsupported data format. -#: actions/oembed.php:184 actions/oembed.php:203 lib/apiaction.php:1200 +#: actions/oembed.php:180 actions/oembed.php:199 lib/apiaction.php:1200 #: lib/apiaction.php:1227 lib/apiaction.php:1356 msgid "Not a supported data format." msgstr "Non é un formato de datos soportado." @@ -3905,7 +3926,7 @@ msgstr "" #. TRANS: Field label in form for profile settings. #. TRANS: Label for full group name (dt). Text hidden by default. #: actions/profilesettings.php:117 actions/register.php:457 -#: actions/showgroup.php:257 actions/tagother.php:104 +#: actions/showgroup.php:252 actions/tagother.php:104 #: lib/groupeditform.php:157 lib/userprofile.php:150 msgid "Full name" msgstr "Nome completo" @@ -3951,7 +3972,7 @@ msgstr "Bio" #. TRANS: Field label in form for profile settings. #. TRANS: Label for group location (dt). Text hidden by default. #: actions/profilesettings.php:149 actions/register.php:485 -#: actions/showgroup.php:267 actions/tagother.php:112 +#: actions/showgroup.php:262 actions/tagother.php:112 #: actions/userauthorization.php:166 lib/groupeditform.php:180 #: lib/userprofile.php:165 msgid "Location" @@ -4552,7 +4573,7 @@ msgid "Repeated!" msgstr "Crear" #: actions/replies.php:126 actions/repliesrss.php:68 -#: lib/personalgroupnav.php:105 +#: lib/personalgroupnav.php:108 #, php-format msgid "Replies to %s" msgstr "Replies to %s" @@ -4692,7 +4713,7 @@ msgid "Description" msgstr "Subscricións" #. TRANS: Header for group statistics on a group page (h2). -#: actions/showapplication.php:192 actions/showgroup.php:453 +#: actions/showapplication.php:192 actions/showgroup.php:448 #: lib/profileaction.php:187 msgid "Statistics" msgstr "Estatísticas" @@ -4800,79 +4821,79 @@ msgid "This is a way to share what you like." msgstr "" #. TRANS: Page title for first group page. %s is a group name. -#: actions/showgroup.php:80 +#: actions/showgroup.php:75 #, php-format msgid "%s group" msgstr "" #. TRANS: Page title for any but first group page. #. TRANS: %1$s is a group name, $2$s is a page number. -#: actions/showgroup.php:84 +#: actions/showgroup.php:79 #, fuzzy, php-format msgid "%1$s group, page %2$d" msgstr "Tódalas subscricións" #. TRANS: Group profile header (h2). Text hidden by default. -#: actions/showgroup.php:225 +#: actions/showgroup.php:220 msgid "Group profile" msgstr "O usuario non ten perfil." #. TRANS: Label for group URL (dt). Text hidden by default. -#: actions/showgroup.php:275 actions/tagother.php:118 +#: actions/showgroup.php:270 actions/tagother.php:118 #: actions/userauthorization.php:175 lib/userprofile.php:178 msgid "URL" msgstr "" #. TRANS: Label for group description or group note (dt). Text hidden by default. -#: actions/showgroup.php:287 actions/tagother.php:128 +#: actions/showgroup.php:282 actions/tagother.php:128 #: actions/userauthorization.php:187 lib/userprofile.php:195 #, fuzzy msgid "Note" msgstr "Chíos" #. TRANS: Label for group aliases (dt). Text hidden by default. -#: actions/showgroup.php:298 lib/groupeditform.php:187 +#: actions/showgroup.php:293 lib/groupeditform.php:187 msgid "Aliases" msgstr "" #. TRANS: Group actions header (h2). Text hidden by default. -#: actions/showgroup.php:309 +#: actions/showgroup.php:304 #, fuzzy msgid "Group actions" msgstr "Outras opcions" #. TRANS: Tooltip for feed link. %s is a group nickname. -#: actions/showgroup.php:350 +#: actions/showgroup.php:345 #, php-format msgid "Notice feed for %s group (RSS 1.0)" msgstr "Fonte para os amigos de %s" #. TRANS: Tooltip for feed link. %s is a group nickname. -#: actions/showgroup.php:357 +#: actions/showgroup.php:352 #, php-format msgid "Notice feed for %s group (RSS 2.0)" msgstr "Fonte para os amigos de %s" #. TRANS: Tooltip for feed link. %s is a group nickname. -#: actions/showgroup.php:364 +#: actions/showgroup.php:359 #, fuzzy, php-format msgid "Notice feed for %s group (Atom)" msgstr "Fonte de chíos para %s" #. TRANS: Tooltip for feed link. %s is a group nickname. -#: actions/showgroup.php:370 +#: actions/showgroup.php:365 #, fuzzy, php-format msgid "FOAF for %s group" msgstr "Band. Saída para %s" #. TRANS: Header for mini list of group members on a group page (h2). -#: actions/showgroup.php:407 +#: actions/showgroup.php:402 #, fuzzy msgid "Members" msgstr "Membro dende" #. TRANS: Description for mini list of group members on a group page when the group has no members. -#: actions/showgroup.php:413 lib/profileaction.php:117 +#: actions/showgroup.php:408 lib/profileaction.php:117 #: lib/profileaction.php:152 lib/profileaction.php:255 lib/section.php:95 #: lib/subscriptionlist.php:127 lib/tagcloudsection.php:71 #, fuzzy @@ -4880,19 +4901,19 @@ msgid "(None)" msgstr "(nada)" #. TRANS: Link to all group members from mini list of group members if group has more than n members. -#: actions/showgroup.php:422 +#: actions/showgroup.php:417 msgid "All members" msgstr "" #. TRANS: Label for creation date in statistics on group page. -#: actions/showgroup.php:458 +#: actions/showgroup.php:453 #, fuzzy msgctxt "LABEL" msgid "Created" msgstr "Destacado" #. TRANS: Label for member count in statistics on group page. -#: actions/showgroup.php:466 +#: actions/showgroup.php:461 #, fuzzy msgctxt "LABEL" msgid "Members" @@ -4902,7 +4923,7 @@ msgstr "Membro dende" #. TRANS: **%s** is the group alias, %%%%site.name%%%% is the site name, #. TRANS: %%%%action.register%%%% is the URL for registration, %%%%doc.help%%%% is a URL to help. #. TRANS: This message contains Markdown links. Ensure they are formatted correctly: [Description](link). -#: actions/showgroup.php:481 +#: actions/showgroup.php:476 #, fuzzy, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -4919,7 +4940,7 @@ msgstr "" #. TRANS: Notice on group pages for anonymous users for StatusNet sites that accept no new registrations. #. TRANS: **%s** is the group alias, %%%%site.name%%%% is the site name, #. TRANS: This message contains Markdown links. Ensure they are formatted correctly: [Description](link). -#: actions/showgroup.php:491 +#: actions/showgroup.php:486 #, fuzzy, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -4933,7 +4954,7 @@ msgstr "" "chíos cos teus amigos, colegas e familia! ([Ler mais](%%doc.help%%))" #. TRANS: Header for list of group administrators on a group page (h2). -#: actions/showgroup.php:520 +#: actions/showgroup.php:515 msgid "Admins" msgstr "" @@ -5715,7 +5736,7 @@ msgstr "" #. TRANS: Link description in user account settings menu. #: actions/useradminpanel.php:215 lib/accountsettingsaction.php:106 -#: lib/personalgroupnav.php:109 +#: lib/personalgroupnav.php:112 msgid "Profile" msgstr "Perfil" @@ -5891,12 +5912,14 @@ msgstr "Non se pode ler a URL do avatar de '%s'" msgid "Wrong image type for avatar URL ‘%s’." msgstr "Tipo de imaxe incorrecto para '%s'" -#: actions/userdesignsettings.php:76 lib/designsettings.php:65 +#. TRANS: Page title for profile design page. +#: actions/userdesignsettings.php:76 lib/designsettings.php:63 #, fuzzy msgid "Profile design" msgstr "Configuración de perfil" -#: actions/userdesignsettings.php:87 lib/designsettings.php:76 +#. TRANS: Instructions for profile design page. +#: actions/userdesignsettings.php:87 lib/designsettings.php:74 msgid "" "Customize the way your profile looks with a background image and a colour " "palette of your choice." @@ -6015,29 +6038,47 @@ msgstr "" #. TRANS: Message given if an upload is larger than the configured maximum. #. TRANS: %1$d is the byte limit for uploads, %2$d is the byte count for the uploaded file. -#: classes/File.php:189 +#. TRANS: %1$s is used for plural. +#: classes/File.php:190 #, php-format msgid "" +"No file may be larger than %1$d byte and the file you sent was %2$d bytes. " +"Try to upload a smaller version." +msgid_plural "" "No file may be larger than %1$d bytes and the file you sent was %2$d bytes. " "Try to upload a smaller version." -msgstr "" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" +msgstr[3] "" +msgstr[4] "" #. TRANS: Message given if an upload would exceed user quota. -#. TRANS: %d (number) is the user quota in bytes. -#: classes/File.php:201 +#. TRANS: %d (number) is the user quota in bytes and is used for plural. +#: classes/File.php:203 #, php-format -msgid "A file this large would exceed your user quota of %d bytes." -msgstr "" +msgid "A file this large would exceed your user quota of %d byte." +msgid_plural "A file this large would exceed your user quota of %d bytes." +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" +msgstr[3] "" +msgstr[4] "" #. TRANS: Message given id an upload would exceed a user's monthly quota. -#. TRANS: $d (number) is the monthly user quota in bytes. -#: classes/File.php:210 +#. TRANS: $d (number) is the monthly user quota in bytes and is used for plural. +#: classes/File.php:215 #, php-format -msgid "A file this large would exceed your monthly quota of %d bytes." -msgstr "" +msgid "A file this large would exceed your monthly quota of %d byte." +msgid_plural "A file this large would exceed your monthly quota of %d bytes." +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" +msgstr[3] "" +msgstr[4] "" #. TRANS: Client exception thrown if a file upload does not have a valid name. -#: classes/File.php:247 classes/File.php:262 +#: classes/File.php:262 classes/File.php:277 #, fuzzy msgid "Invalid filename." msgstr "Tamaño inválido." @@ -6175,32 +6216,32 @@ msgid "Problem saving notice." msgstr "Aconteceu un erro ó gardar o chío." #. TRANS: Server exception thrown when no array is provided to the method saveKnownGroups(). -#: classes/Notice.php:907 -msgid "Bad type provided to saveKnownGroups" +#: classes/Notice.php:905 +msgid "Bad type provided to saveKnownGroups." msgstr "" #. TRANS: Server exception thrown when an update for a group inbox fails. -#: classes/Notice.php:1006 +#: classes/Notice.php:1004 #, fuzzy msgid "Problem saving group inbox." msgstr "Aconteceu un erro ó gardar o chío." #. TRANS: Server exception thrown when a reply cannot be saved. #. TRANS: %1$d is a notice ID, %2$d is the ID of the mentioned user. -#: classes/Notice.php:1120 +#: classes/Notice.php:1118 #, fuzzy, php-format msgid "Could not save reply for %1$d, %2$d." msgstr "Non se pode gardar a subscrición." #. TRANS: Message used to repeat a notice. RT is the abbreviation of 'retweet'. #. TRANS: %1$s is the repeated user's name, %2$s is the repeated notice. -#: classes/Notice.php:1822 +#: classes/Notice.php:1820 #, php-format msgid "RT @%1$s %2$s" msgstr "RT @%1$s %2$s" #. TRANS: Full name of a profile or group followed by nickname in parens -#: classes/Profile.php:164 +#: classes/Profile.php:164 classes/User_group.php:247 #, fuzzy, php-format msgctxt "FANCYNAME" msgid "%1$s (%2$s)" @@ -6299,24 +6340,24 @@ msgid "Single-user mode code called when not enabled." msgstr "" #. TRANS: Server exception thrown when creating a group failed. -#: classes/User_group.php:495 +#: classes/User_group.php:511 #, fuzzy msgid "Could not create group." msgstr "Non se puido crear o favorito." #. TRANS: Server exception thrown when updating a group URI failed. -#: classes/User_group.php:505 +#: classes/User_group.php:521 msgid "Could not set group URI." msgstr "Non se poden gardar as etiquetas." #. TRANS: Server exception thrown when setting group membership failed. -#: classes/User_group.php:528 +#: classes/User_group.php:544 #, fuzzy msgid "Could not set group membership." msgstr "Non se pode gardar a subscrición." #. TRANS: Server exception thrown when saving local group information failed. -#: classes/User_group.php:543 +#: classes/User_group.php:559 #, fuzzy msgid "Could not save local group info." msgstr "Non se pode gardar a subscrición." @@ -6754,7 +6795,7 @@ msgid "User configuration" msgstr "Confirmación de SMS" #. TRANS: Menu item for site administration -#: lib/adminpanelaction.php:355 lib/personalgroupnav.php:115 +#: lib/adminpanelaction.php:355 lib/personalgroupnav.php:118 msgid "User" msgstr "Usuario" @@ -7495,25 +7536,41 @@ msgstr "" msgid "Database error" msgstr "" -#: lib/designsettings.php:105 +#. TRANS: Label in form on profile design page. +#. TRANS: Field contains file name on user's computer that could be that user's custom profile background image. +#: lib/designsettings.php:104 #, fuzzy msgid "Upload file" msgstr "Subir" +#. TRANS: Instructions for form on profile design page. #: lib/designsettings.php:109 #, fuzzy msgid "" "You can upload your personal background image. The maximum file size is 2MB." msgstr "Podes actualizar a túa información do perfil persoal aquí" -#: lib/designsettings.php:283 -#, php-format -msgid "" -"The server was unable to handle that much POST data (%s bytes) due to its " -"current configuration." +#. TRANS: Radio button on profile design page that will enable use of the uploaded profile image. +#: lib/designsettings.php:139 +msgctxt "RADIO" +msgid "On" msgstr "" -#: lib/designsettings.php:418 +#. TRANS: Radio button on profile design page that will disable use of the uploaded profile image. +#: lib/designsettings.php:156 +msgctxt "RADIO" +msgid "Off" +msgstr "" + +#. TRANS: Button text on profile design page to reset all colour settings to default without saving. +#: lib/designsettings.php:264 +#, fuzzy +msgctxt "BUTTON" +msgid "Reset" +msgstr "Restaurar" + +#. TRANS: Success message displayed if design settings were saved after clicking "Use defaults". +#: lib/designsettings.php:433 msgid "Design defaults restored." msgstr "" @@ -8023,7 +8080,7 @@ msgstr "" #. TRANS: Subject for favorite notification e-mail. #. TRANS: %1$s is the adding user's long name, %2$s is the adding user's nickname. -#: lib/mail.php:603 +#: lib/mail.php:607 #, fuzzy, php-format msgid "%1$s (@%2$s) added your notice as a favorite" msgstr "Enviar un correo cando alguen enganda un chío meu coma favorito." @@ -8033,7 +8090,7 @@ msgstr "Enviar un correo cando alguen enganda un chío meu coma favorito." #. TRANS: %3$s is a URL to the faved notice, %4$s is the faved notice text, #. TRANS: %5$s is a URL to all faves of the adding user, %6$s is the StatusNet sitename, #. TRANS: %7$s is the adding user's nickname. -#: lib/mail.php:610 +#: lib/mail.php:614 #, fuzzy, php-format msgid "" "%1$s (@%7$s) just added your notice from %2$s as one of their favorites.\n" @@ -8067,7 +8124,7 @@ msgstr "" "%5$s\n" #. TRANS: Line in @-reply notification e-mail. %s is conversation URL. -#: lib/mail.php:668 +#: lib/mail.php:672 #, php-format msgid "" "The full conversation can be read here:\n" @@ -8077,7 +8134,7 @@ msgstr "" #. TRANS: E-mail subject for notice notification. #. TRANS: %1$s is the sending user's long name, %2$s is the adding user's nickname. -#: lib/mail.php:676 +#: lib/mail.php:680 #, php-format msgid "%1$s (@%2$s) sent a notice to your attention" msgstr "" @@ -8088,7 +8145,7 @@ msgstr "" #. TRANS: %5$s is a URL to the full conversion if it exists (otherwise empty), #. TRANS: %6$s is a URL to reply to the notice, %7$s is a URL to all @-replied for the addressed user, #. TRANS: %8$s is a URL to the addressed user's e-mail settings, %9$s is the sender's nickname. -#: lib/mail.php:684 +#: lib/mail.php:688 #, php-format msgid "" "%1$s (@%9$s) just sent a notice to your attention (an '@-reply') on %2$s.\n" @@ -8208,7 +8265,7 @@ msgstr "Non se puido eliminar o favorito." #. TRANS: Client exception thrown trying to upload a forbidden MIME type. #. TRANS: %1$s is the file type that was denied, %2$s is the application part of #. TRANS: the MIME type that was denied. -#: lib/mediafile.php:340 +#: lib/mediafile.php:345 #, php-format msgid "" "\"%1$s\" is not a supported file type on this server. Try using another %2$s " @@ -8217,7 +8274,7 @@ msgstr "" #. TRANS: Client exception thrown trying to upload a forbidden MIME type. #. TRANS: %s is the file type that was denied. -#: lib/mediafile.php:345 +#: lib/mediafile.php:350 #, php-format msgid "\"%s\" is not a supported file type on this server." msgstr "" @@ -8369,31 +8426,31 @@ msgstr "" msgid "Couldn't insert new subscription." msgstr "Non se puido inserir a nova subscrición." -#: lib/personalgroupnav.php:99 +#: lib/personalgroupnav.php:102 msgid "Personal" msgstr "Persoal" -#: lib/personalgroupnav.php:104 +#: lib/personalgroupnav.php:107 msgid "Replies" msgstr "Respostas" -#: lib/personalgroupnav.php:114 +#: lib/personalgroupnav.php:117 msgid "Favorites" msgstr "Favoritos" -#: lib/personalgroupnav.php:125 +#: lib/personalgroupnav.php:128 msgid "Inbox" msgstr "Band. Entrada" -#: lib/personalgroupnav.php:126 +#: lib/personalgroupnav.php:129 msgid "Your incoming messages" msgstr "As túas mensaxes entrantes" -#: lib/personalgroupnav.php:130 +#: lib/personalgroupnav.php:133 msgid "Outbox" msgstr "Band. Saída" -#: lib/personalgroupnav.php:131 +#: lib/personalgroupnav.php:134 msgid "Your sent messages" msgstr "As túas mensaxes enviadas" @@ -8609,6 +8666,12 @@ msgstr "" msgid "None" msgstr "No" +#. TRANS: Server exception displayed if a theme name was invalid. +#: lib/theme.php:74 +#, fuzzy +msgid "Invalid theme name." +msgstr "Tamaño inválido." + #: lib/themeuploader.php:50 msgid "This server cannot handle theme uploads without ZIP support." msgstr "" @@ -8890,18 +8953,3 @@ msgstr[1] "" msgstr[2] "" msgstr[3] "" msgstr[4] "" - -#, fuzzy -#~ msgid "Name is too long (maximum 255 chars)." -#~ msgstr "O nome completo é demasiado longo (max 255 car)." - -#, fuzzy -#~ msgid "Organization is too long (maximum 255 chars)." -#~ msgstr "A localización é demasiado longa (max 255 car.)." - -#~ msgid "That's too long. Max notice size is %d chars." -#~ msgstr "Podes actualizar a túa información do perfil persoal aquí" - -#, fuzzy -#~ msgid " tagged %s" -#~ msgstr "Chíos tagueados con %s" diff --git a/locale/gl/LC_MESSAGES/statusnet.po b/locale/gl/LC_MESSAGES/statusnet.po index a5e70638f2..f293534848 100644 --- a/locale/gl/LC_MESSAGES/statusnet.po +++ b/locale/gl/LC_MESSAGES/statusnet.po @@ -11,17 +11,17 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet - Core\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-11-02 22:51+0000\n" -"PO-Revision-Date: 2010-11-02 22:53:20+0000\n" +"POT-Creation-Date: 2010-11-04 18:25+0000\n" +"PO-Revision-Date: 2010-11-04 18:27:26+0000\n" "Language-Team: Galician \n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r75875); Translate extension (2010-09-17)\n" +"X-Generator: MediaWiki 1.17alpha (r76004); Translate extension (2010-09-17)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: gl\n" "X-Message-Group: #out-statusnet-core\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-POT-Import-Date: 2010-10-30 23:42:01+0000\n" +"X-POT-Import-Date: 2010-11-02 23:22:49+0000\n" #. TRANS: Page title for Access admin panel that allows configuring site access. #. TRANS: Menu item for site administration @@ -86,12 +86,14 @@ msgstr "Gardar a configuración de acceso" #. TRANS: Save button for settings for a profile in a subscriptions list. #. TRANS: Button text to save user settings in user admin panel. #. TRANS: Button label in the "Edit application" form. +#. TRANS: Button text on profile design page to save settings. #: actions/accessadminpanel.php:193 actions/emailsettings.php:228 #: actions/imsettings.php:187 actions/othersettings.php:134 #: actions/pathsadminpanel.php:512 actions/profilesettings.php:201 #: actions/sitenoticeadminpanel.php:197 actions/smssettings.php:209 #: actions/subscriptions.php:246 actions/useradminpanel.php:298 -#: lib/applicationeditform.php:355 lib/groupeditform.php:207 +#: lib/applicationeditform.php:355 lib/designsettings.php:270 +#: lib/groupeditform.php:207 msgctxt "BUTTON" msgid "Save" msgstr "Gardar" @@ -159,7 +161,7 @@ msgstr "%1$s e amigos, páxina %2$d" #. TRANS: Timeline title for user and friends. %s is a user nickname. #: actions/all.php:94 actions/all.php:191 actions/allrss.php:115 #: actions/apitimelinefriends.php:207 actions/apitimelinehome.php:113 -#: lib/personalgroupnav.php:100 +#: lib/personalgroupnav.php:103 #, php-format msgid "%s and friends" msgstr "%s e amigos" @@ -335,11 +337,13 @@ msgstr "Non se puido gardar o perfil." #. TRANS: Client error displayed when the number of bytes in a POST request exceeds a limit. #. TRANS: %s is the number of bytes of the CONTENT_LENGTH. +#. TRANS: Form validation error in design settings form. POST should remain untranslated. #: actions/apiaccountupdateprofilebackgroundimage.php:108 #: actions/apiaccountupdateprofileimage.php:95 actions/apimediaupload.php:81 #: actions/apistatusesupdate.php:210 actions/avatarsettings.php:269 #: actions/designadminpanel.php:125 actions/editapplication.php:121 #: actions/newapplication.php:104 actions/newnotice.php:95 +#: lib/designsettings.php:298 #, fuzzy, php-format msgid "" "The server was unable to handle that much POST data (%s byte) due to its " @@ -753,7 +757,7 @@ msgstr "Non está autorizado." #: actions/repeat.php:83 actions/smssettings.php:256 actions/subedit.php:40 #: actions/subscribe.php:86 actions/tagother.php:166 #: actions/unsubscribe.php:69 actions/userauthorization.php:52 -#: lib/designsettings.php:294 +#: lib/designsettings.php:310 msgid "There was a problem with your session token. Try again, please." msgstr "Houbo un erro co seu pase. Inténteo de novo." @@ -777,12 +781,13 @@ msgstr "" #. TRANS: Message given submitting a form with an unknown action in IM settings. #. TRANS: Client error when submitting a form with unexpected information. #. TRANS: Message given submitting a form with an unknown action in SMS settings. +#. TRANS: Unknown form validation error in design settings form. #: actions/apioauthauthorize.php:294 actions/avatarsettings.php:294 #: actions/designadminpanel.php:104 actions/editapplication.php:144 #: actions/emailsettings.php:290 actions/grouplogo.php:322 #: actions/imsettings.php:245 actions/newapplication.php:125 #: actions/oauthconnectionssettings.php:147 actions/recoverpassword.php:44 -#: actions/smssettings.php:277 lib/designsettings.php:304 +#: actions/smssettings.php:277 lib/designsettings.php:321 msgid "Unexpected form submission." msgstr "Envío de formulario inesperado." @@ -835,7 +840,7 @@ msgstr "Conta" #. TRANS: Label for group nickname (dt). Text hidden by default. #: actions/apioauthauthorize.php:459 actions/login.php:252 #: actions/profilesettings.php:110 actions/register.php:433 -#: actions/showgroup.php:245 actions/tagother.php:94 +#: actions/showgroup.php:240 actions/tagother.php:94 #: actions/userauthorization.php:145 lib/groupeditform.php:152 #: lib/userprofile.php:132 msgid "Nickname" @@ -1102,7 +1107,7 @@ msgstr "Non existe tal dato adxunto." #: actions/avatarbynickname.php:60 actions/blockedfromgroup.php:73 #: actions/editgroup.php:85 actions/groupdesignsettings.php:84 #: actions/grouplogo.php:86 actions/groupmembers.php:76 -#: actions/grouprss.php:91 actions/showgroup.php:121 +#: actions/grouprss.php:91 actions/showgroup.php:116 msgid "No nickname." msgstr "Sen alcume." @@ -1119,7 +1124,7 @@ msgstr "Tamaño non válido." #. TRANS: Title for avatar upload page. #. TRANS: Label for group avatar (dt). Text hidden by default. #. TRANS: Link description in user account settings menu. -#: actions/avatarsettings.php:66 actions/showgroup.php:229 +#: actions/avatarsettings.php:66 actions/showgroup.php:224 #: lib/accountsettingsaction.php:113 msgid "Avatar" msgstr "Avatar" @@ -1297,7 +1302,7 @@ msgstr "Non se puido gardar a información do bloqueo." #: actions/groupunblock.php:88 actions/joingroup.php:82 #: actions/joingroup.php:93 actions/leavegroup.php:82 #: actions/leavegroup.php:93 actions/makeadmin.php:86 -#: actions/showgroup.php:139 actions/showgroup.php:148 lib/command.php:168 +#: actions/showgroup.php:134 actions/showgroup.php:143 lib/command.php:168 #: lib/command.php:380 msgid "No such group." msgstr "Non existe tal grupo." @@ -1664,12 +1669,14 @@ msgid "You can upload a custom StatusNet theme as a .ZIP archive." msgstr "" "Pode cargar como arquivo .ZIP un tema visual personalizado para StatusNet" -#: actions/designadminpanel.php:512 lib/designsettings.php:101 +#. TRANS: Fieldset legend on profile design page. +#: actions/designadminpanel.php:512 lib/designsettings.php:98 msgid "Change background image" msgstr "Cambiar a imaxe de fondo" +#. TRANS: Label on profile design page for setting a profile page background colour. #: actions/designadminpanel.php:517 actions/designadminpanel.php:600 -#: lib/designsettings.php:178 +#: lib/designsettings.php:183 msgid "Background" msgstr "Fondo" @@ -1683,40 +1690,48 @@ msgstr "" "ficheiro é de %1$s." #. TRANS: Used as radio button label to add a background image. -#: actions/designadminpanel.php:553 lib/designsettings.php:139 +#: actions/designadminpanel.php:553 msgid "On" msgstr "Activado" #. TRANS: Used as radio button label to not add a background image. -#: actions/designadminpanel.php:570 lib/designsettings.php:155 +#: actions/designadminpanel.php:570 msgid "Off" msgstr "Desactivado" -#: actions/designadminpanel.php:571 lib/designsettings.php:156 +#. TRANS: Form guide for a set of radio buttons on the profile design page that will enable or disable +#. TRANS: use of the uploaded profile image. +#: actions/designadminpanel.php:571 lib/designsettings.php:159 msgid "Turn background image on or off." msgstr "Activar ou desactivar a imaxe de fondo." -#: actions/designadminpanel.php:576 lib/designsettings.php:161 +#. TRANS: Checkbox label on profile design page that will cause the profile image to be tiled. +#: actions/designadminpanel.php:576 lib/designsettings.php:165 msgid "Tile background image" msgstr "Imaxe de fondo en mosaico" -#: actions/designadminpanel.php:590 lib/designsettings.php:170 +#. TRANS: Fieldset legend on profile design page to change profile page colours. +#: actions/designadminpanel.php:590 lib/designsettings.php:175 msgid "Change colours" msgstr "Cambiar as cores" -#: actions/designadminpanel.php:613 lib/designsettings.php:191 +#. TRANS: Label on profile design page for setting a profile page content colour. +#: actions/designadminpanel.php:613 lib/designsettings.php:197 msgid "Content" msgstr "Contido" -#: actions/designadminpanel.php:626 lib/designsettings.php:204 +#. TRANS: Label on profile design page for setting a profile page sidebar colour. +#: actions/designadminpanel.php:626 lib/designsettings.php:211 msgid "Sidebar" msgstr "Barra lateral" -#: actions/designadminpanel.php:639 lib/designsettings.php:217 +#. TRANS: Label on profile design page for setting a profile page text colour. +#: actions/designadminpanel.php:639 lib/designsettings.php:225 msgid "Text" msgstr "Texto" -#: actions/designadminpanel.php:652 lib/designsettings.php:230 +#. TRANS: Label on profile design page for setting a profile page links colour. +#: actions/designadminpanel.php:652 lib/designsettings.php:239 msgid "Links" msgstr "Ligazóns" @@ -1728,15 +1743,18 @@ msgstr "Avanzado" msgid "Custom CSS" msgstr "CSS personalizado" -#: actions/designadminpanel.php:702 lib/designsettings.php:247 +#. TRANS: Button text on profile design page to immediately reset all colour settings to default. +#: actions/designadminpanel.php:702 lib/designsettings.php:257 msgid "Use defaults" msgstr "Utilizar os valores por defecto" -#: actions/designadminpanel.php:703 lib/designsettings.php:248 +#. TRANS: Title for button on profile design page to reset all colour settings to default. +#: actions/designadminpanel.php:703 lib/designsettings.php:259 msgid "Restore default designs" msgstr "Restaurar o deseño por defecto" -#: actions/designadminpanel.php:709 lib/designsettings.php:254 +#. TRANS: Title for button on profile design page to reset all colour settings to default without saving. +#: actions/designadminpanel.php:709 lib/designsettings.php:267 msgid "Reset back to default" msgstr "Volver ao deseño por defecto" @@ -1744,11 +1762,12 @@ msgstr "Volver ao deseño por defecto" #: actions/designadminpanel.php:711 actions/licenseadminpanel.php:319 #: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:292 #: actions/snapshotadminpanel.php:245 actions/tagother.php:154 -#: lib/applicationeditform.php:357 lib/designsettings.php:256 +#: lib/applicationeditform.php:357 msgid "Save" msgstr "Gardar" -#: actions/designadminpanel.php:712 lib/designsettings.php:257 +#. TRANS: Title for button on profile design page to save settings. +#: actions/designadminpanel.php:712 lib/designsettings.php:272 msgid "Save design" msgstr "Gardar o deseño" @@ -1884,7 +1903,7 @@ msgstr "Non se puido actualizar o grupo." #. TRANS: Server error displayed when group aliases could not be added. #. TRANS: Server exception thrown when creating group aliases failed. -#: actions/editgroup.php:288 classes/User_group.php:513 +#: actions/editgroup.php:288 classes/User_group.php:529 msgid "Could not create aliases." msgstr "Non se puideron crear os pseudónimos." @@ -2175,7 +2194,7 @@ msgstr "" "engadir unha nota aos seus favoritos?" #: actions/favoritesrss.php:111 actions/showfavorites.php:77 -#: lib/personalgroupnav.php:115 +#: lib/personalgroupnav.php:118 #, php-format msgid "%s's favorite notices" msgstr "Notas favoritas de %s" @@ -2354,8 +2373,10 @@ msgstr "" "Personaliza o aspecto do grupo cunha imaxe de fondo e unha paleta de cores " "da súa escolla." +#. TRANS: Error message displayed if design settings could not be saved. +#. TRANS: Error message displayed if design settings could not be saved after clicking "Use defaults". #: actions/groupdesignsettings.php:266 actions/userdesignsettings.php:186 -#: lib/designsettings.php:391 lib/designsettings.php:413 +#: lib/designsettings.php:405 lib/designsettings.php:427 msgid "Couldn't update your design." msgstr "Non se puido actualizar o seu deseño." @@ -3319,25 +3340,25 @@ msgstr "" msgid "Notice has no profile." msgstr "Non hai perfil para a nota." -#: actions/oembed.php:87 actions/shownotice.php:176 +#: actions/oembed.php:83 actions/shownotice.php:172 #, php-format msgid "%1$s's status on %2$s" msgstr "Estado de %1$s en %2$s" #. TRANS: Error message displaying attachments. %s is a raw MIME type (eg 'image/png') -#: actions/oembed.php:159 +#: actions/oembed.php:155 #, php-format msgid "Content type %s not supported." msgstr "Non se soporta o tipo de contido %s." #. TRANS: Error message displaying attachments. %s is the site's base URL. -#: actions/oembed.php:163 +#: actions/oembed.php:159 #, php-format msgid "Only %s URLs over plain HTTP please." msgstr "Só %s enderezos URL sobre HTTP simple." #. TRANS: Client error on an API request with an unsupported data format. -#: actions/oembed.php:184 actions/oembed.php:203 lib/apiaction.php:1200 +#: actions/oembed.php:180 actions/oembed.php:199 lib/apiaction.php:1200 #: lib/apiaction.php:1227 lib/apiaction.php:1356 msgid "Not a supported data format." msgstr "Non se soporta ese formato de datos." @@ -3840,7 +3861,7 @@ msgstr "" #. TRANS: Field label in form for profile settings. #. TRANS: Label for full group name (dt). Text hidden by default. #: actions/profilesettings.php:117 actions/register.php:457 -#: actions/showgroup.php:257 actions/tagother.php:104 +#: actions/showgroup.php:252 actions/tagother.php:104 #: lib/groupeditform.php:157 lib/userprofile.php:150 msgid "Full name" msgstr "Nome completo" @@ -3882,7 +3903,7 @@ msgstr "Biografía" #. TRANS: Field label in form for profile settings. #. TRANS: Label for group location (dt). Text hidden by default. #: actions/profilesettings.php:149 actions/register.php:485 -#: actions/showgroup.php:267 actions/tagother.php:112 +#: actions/showgroup.php:262 actions/tagother.php:112 #: actions/userauthorization.php:166 lib/groupeditform.php:180 #: lib/userprofile.php:165 msgid "Location" @@ -4480,7 +4501,7 @@ msgid "Repeated!" msgstr "Repetida!" #: actions/replies.php:126 actions/repliesrss.php:68 -#: lib/personalgroupnav.php:105 +#: lib/personalgroupnav.php:108 #, php-format msgid "Replies to %s" msgstr "Respostas a %s" @@ -4618,7 +4639,7 @@ msgid "Description" msgstr "Descrición" #. TRANS: Header for group statistics on a group page (h2). -#: actions/showapplication.php:192 actions/showgroup.php:453 +#: actions/showapplication.php:192 actions/showgroup.php:448 #: lib/profileaction.php:187 msgid "Statistics" msgstr "Estatísticas" @@ -4736,95 +4757,95 @@ msgid "This is a way to share what you like." msgstr "Isto é un modo de compartir o que lle gusta." #. TRANS: Page title for first group page. %s is a group name. -#: actions/showgroup.php:80 +#: actions/showgroup.php:75 #, php-format msgid "%s group" msgstr "Grupo %s" #. TRANS: Page title for any but first group page. #. TRANS: %1$s is a group name, $2$s is a page number. -#: actions/showgroup.php:84 +#: actions/showgroup.php:79 #, php-format msgid "%1$s group, page %2$d" msgstr "Grupo %1$s, páxina %2$d" #. TRANS: Group profile header (h2). Text hidden by default. -#: actions/showgroup.php:225 +#: actions/showgroup.php:220 msgid "Group profile" msgstr "Perfil do grupo" #. TRANS: Label for group URL (dt). Text hidden by default. -#: actions/showgroup.php:275 actions/tagother.php:118 +#: actions/showgroup.php:270 actions/tagother.php:118 #: actions/userauthorization.php:175 lib/userprofile.php:178 msgid "URL" msgstr "URL" #. TRANS: Label for group description or group note (dt). Text hidden by default. -#: actions/showgroup.php:287 actions/tagother.php:128 +#: actions/showgroup.php:282 actions/tagother.php:128 #: actions/userauthorization.php:187 lib/userprofile.php:195 msgid "Note" msgstr "Nota" #. TRANS: Label for group aliases (dt). Text hidden by default. -#: actions/showgroup.php:298 lib/groupeditform.php:187 +#: actions/showgroup.php:293 lib/groupeditform.php:187 msgid "Aliases" msgstr "Pseudónimos" #. TRANS: Group actions header (h2). Text hidden by default. -#: actions/showgroup.php:309 +#: actions/showgroup.php:304 msgid "Group actions" msgstr "Accións do grupo" #. TRANS: Tooltip for feed link. %s is a group nickname. -#: actions/showgroup.php:350 +#: actions/showgroup.php:345 #, php-format msgid "Notice feed for %s group (RSS 1.0)" msgstr "Fonte de novas das notas do grupo %s (RSS 1.0)" #. TRANS: Tooltip for feed link. %s is a group nickname. -#: actions/showgroup.php:357 +#: actions/showgroup.php:352 #, php-format msgid "Notice feed for %s group (RSS 2.0)" msgstr "Fonte de novas das notas do grupo %s (RSS 2.0)" #. TRANS: Tooltip for feed link. %s is a group nickname. -#: actions/showgroup.php:364 +#: actions/showgroup.php:359 #, php-format msgid "Notice feed for %s group (Atom)" msgstr "Fonte de novas das notas do grupo %s (Atom)" #. TRANS: Tooltip for feed link. %s is a group nickname. -#: actions/showgroup.php:370 +#: actions/showgroup.php:365 #, php-format msgid "FOAF for %s group" msgstr "Amigo dun amigo para o grupo %s" #. TRANS: Header for mini list of group members on a group page (h2). -#: actions/showgroup.php:407 +#: actions/showgroup.php:402 msgid "Members" msgstr "Membros" #. TRANS: Description for mini list of group members on a group page when the group has no members. -#: actions/showgroup.php:413 lib/profileaction.php:117 +#: actions/showgroup.php:408 lib/profileaction.php:117 #: lib/profileaction.php:152 lib/profileaction.php:255 lib/section.php:95 #: lib/subscriptionlist.php:127 lib/tagcloudsection.php:71 msgid "(None)" msgstr "(Ningún)" #. TRANS: Link to all group members from mini list of group members if group has more than n members. -#: actions/showgroup.php:422 +#: actions/showgroup.php:417 msgid "All members" msgstr "Todos os membros" #. TRANS: Label for creation date in statistics on group page. -#: actions/showgroup.php:458 +#: actions/showgroup.php:453 #, fuzzy msgctxt "LABEL" msgid "Created" msgstr "Creado" #. TRANS: Label for member count in statistics on group page. -#: actions/showgroup.php:466 +#: actions/showgroup.php:461 #, fuzzy msgctxt "LABEL" msgid "Members" @@ -4834,7 +4855,7 @@ msgstr "Membros" #. TRANS: **%s** is the group alias, %%%%site.name%%%% is the site name, #. TRANS: %%%%action.register%%%% is the URL for registration, %%%%doc.help%%%% is a URL to help. #. TRANS: This message contains Markdown links. Ensure they are formatted correctly: [Description](link). -#: actions/showgroup.php:481 +#: actions/showgroup.php:476 #, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -4853,7 +4874,7 @@ msgstr "" #. TRANS: Notice on group pages for anonymous users for StatusNet sites that accept no new registrations. #. TRANS: **%s** is the group alias, %%%%site.name%%%% is the site name, #. TRANS: This message contains Markdown links. Ensure they are formatted correctly: [Description](link). -#: actions/showgroup.php:491 +#: actions/showgroup.php:486 #, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -4867,7 +4888,7 @@ msgstr "" "seus membros comparten mensaxes curtas sobre as súas vidas e intereses. " #. TRANS: Header for list of group administrators on a group page (h2). -#: actions/showgroup.php:520 +#: actions/showgroup.php:515 msgid "Admins" msgstr "Administradores" @@ -5656,7 +5677,7 @@ msgstr "Subscrición por defecto incorrecta. \"%1$s\" non é un usuario." #. TRANS: Link description in user account settings menu. #: actions/useradminpanel.php:215 lib/accountsettingsaction.php:106 -#: lib/personalgroupnav.php:109 +#: lib/personalgroupnav.php:112 msgid "Profile" msgstr "Perfil" @@ -5820,11 +5841,13 @@ msgstr "Non se puido ler o URL do avatar, \"%s\"." msgid "Wrong image type for avatar URL ‘%s’." msgstr "O tipo de imaxe do URL do avatar, \"%s\", é incorrecto." -#: actions/userdesignsettings.php:76 lib/designsettings.php:65 +#. TRANS: Page title for profile design page. +#: actions/userdesignsettings.php:76 lib/designsettings.php:63 msgid "Profile design" msgstr "Deseño do perfil" -#: actions/userdesignsettings.php:87 lib/designsettings.php:76 +#. TRANS: Instructions for profile design page. +#: actions/userdesignsettings.php:87 lib/designsettings.php:74 msgid "" "Customize the way your profile looks with a background image and a colour " "palette of your choice." @@ -5956,32 +5979,44 @@ msgstr "Robin pensa que algo é imposible." #. TRANS: Message given if an upload is larger than the configured maximum. #. TRANS: %1$d is the byte limit for uploads, %2$d is the byte count for the uploaded file. -#: classes/File.php:189 -#, php-format +#. TRANS: %1$s is used for plural. +#: classes/File.php:190 +#, fuzzy, php-format msgid "" +"No file may be larger than %1$d byte and the file you sent was %2$d bytes. " +"Try to upload a smaller version." +msgid_plural "" "No file may be larger than %1$d bytes and the file you sent was %2$d bytes. " "Try to upload a smaller version." -msgstr "" +msgstr[0] "" +"Ningún ficheiro pode superar os %1$d bytes e o que enviou ocupaba %2$d. " +"Probe a subir un ficheiro máis pequeno." +msgstr[1] "" "Ningún ficheiro pode superar os %1$d bytes e o que enviou ocupaba %2$d. " "Probe a subir un ficheiro máis pequeno." #. TRANS: Message given if an upload would exceed user quota. -#. TRANS: %d (number) is the user quota in bytes. -#: classes/File.php:201 -#, php-format -msgid "A file this large would exceed your user quota of %d bytes." -msgstr "" +#. TRANS: %d (number) is the user quota in bytes and is used for plural. +#: classes/File.php:203 +#, fuzzy, php-format +msgid "A file this large would exceed your user quota of %d byte." +msgid_plural "A file this large would exceed your user quota of %d bytes." +msgstr[0] "" +"Un ficheiro deste tamaño excedería a súa cota de usuario, que é de %d bytes." +msgstr[1] "" "Un ficheiro deste tamaño excedería a súa cota de usuario, que é de %d bytes." #. TRANS: Message given id an upload would exceed a user's monthly quota. -#. TRANS: $d (number) is the monthly user quota in bytes. -#: classes/File.php:210 -#, php-format -msgid "A file this large would exceed your monthly quota of %d bytes." -msgstr "Un ficheiro deste tamaño excedería a súa cota mensual de %d bytes." +#. TRANS: $d (number) is the monthly user quota in bytes and is used for plural. +#: classes/File.php:215 +#, fuzzy, php-format +msgid "A file this large would exceed your monthly quota of %d byte." +msgid_plural "A file this large would exceed your monthly quota of %d bytes." +msgstr[0] "Un ficheiro deste tamaño excedería a súa cota mensual de %d bytes." +msgstr[1] "Un ficheiro deste tamaño excedería a súa cota mensual de %d bytes." #. TRANS: Client exception thrown if a file upload does not have a valid name. -#: classes/File.php:247 classes/File.php:262 +#: classes/File.php:262 classes/File.php:277 msgid "Invalid filename." msgstr "Nome de ficheiro incorrecto." @@ -6110,31 +6145,32 @@ msgid "Problem saving notice." msgstr "Houbo un problema ao gardar a nota." #. TRANS: Server exception thrown when no array is provided to the method saveKnownGroups(). -#: classes/Notice.php:907 -msgid "Bad type provided to saveKnownGroups" +#: classes/Notice.php:905 +#, fuzzy +msgid "Bad type provided to saveKnownGroups." msgstr "O tipo dado para saveKnownGroups era incorrecto" #. TRANS: Server exception thrown when an update for a group inbox fails. -#: classes/Notice.php:1006 +#: classes/Notice.php:1004 msgid "Problem saving group inbox." msgstr "Houbo un problema ao gardar a caixa de entrada do grupo." #. TRANS: Server exception thrown when a reply cannot be saved. #. TRANS: %1$d is a notice ID, %2$d is the ID of the mentioned user. -#: classes/Notice.php:1120 +#: classes/Notice.php:1118 #, php-format msgid "Could not save reply for %1$d, %2$d." msgstr "Non se puido gardar a resposta a %1$d, %2$d." #. TRANS: Message used to repeat a notice. RT is the abbreviation of 'retweet'. #. TRANS: %1$s is the repeated user's name, %2$s is the repeated notice. -#: classes/Notice.php:1822 +#: classes/Notice.php:1820 #, php-format msgid "RT @%1$s %2$s" msgstr "RT @%1$s %2$s" #. TRANS: Full name of a profile or group followed by nickname in parens -#: classes/Profile.php:164 +#: classes/Profile.php:164 classes/User_group.php:247 #, fuzzy, php-format msgctxt "FANCYNAME" msgid "%1$s (%2$s)" @@ -6231,22 +6267,22 @@ msgid "Single-user mode code called when not enabled." msgstr "" #. TRANS: Server exception thrown when creating a group failed. -#: classes/User_group.php:495 +#: classes/User_group.php:511 msgid "Could not create group." msgstr "Non se puido crear o grupo." #. TRANS: Server exception thrown when updating a group URI failed. -#: classes/User_group.php:505 +#: classes/User_group.php:521 msgid "Could not set group URI." msgstr "Non se puido establecer o URI do grupo." #. TRANS: Server exception thrown when setting group membership failed. -#: classes/User_group.php:528 +#: classes/User_group.php:544 msgid "Could not set group membership." msgstr "Non se puido establecer a pertenza ao grupo." #. TRANS: Server exception thrown when saving local group information failed. -#: classes/User_group.php:543 +#: classes/User_group.php:559 msgid "Could not save local group info." msgstr "Non se puido gardar a información do grupo local." @@ -6657,7 +6693,7 @@ msgid "User configuration" msgstr "Configuración do usuario" #. TRANS: Menu item for site administration -#: lib/adminpanelaction.php:355 lib/personalgroupnav.php:115 +#: lib/adminpanelaction.php:355 lib/personalgroupnav.php:118 msgid "User" msgstr "Usuario" @@ -7375,10 +7411,13 @@ msgstr "Aplicacións conectadas autorizadas" msgid "Database error" msgstr "Houbo un erro na base de datos" -#: lib/designsettings.php:105 +#. TRANS: Label in form on profile design page. +#. TRANS: Field contains file name on user's computer that could be that user's custom profile background image. +#: lib/designsettings.php:104 msgid "Upload file" msgstr "Cargar un ficheiro" +#. TRANS: Instructions for form on profile design page. #: lib/designsettings.php:109 msgid "" "You can upload your personal background image. The maximum file size is 2MB." @@ -7386,16 +7425,29 @@ msgstr "" "Pode cargar a súa imaxe de fondo persoal. O ficheiro non pode ocupar máis de " "2MB." -#: 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 "" -"O servidor non puido manexar tantos datos POST (%s bytes) por mor da súa " -"configuración actual." +#. TRANS: Radio button on profile design page that will enable use of the uploaded profile image. +#: lib/designsettings.php:139 +#, fuzzy +msgctxt "RADIO" +msgid "On" +msgstr "Activado" -#: lib/designsettings.php:418 +#. TRANS: Radio button on profile design page that will disable use of the uploaded profile image. +#: lib/designsettings.php:156 +#, fuzzy +msgctxt "RADIO" +msgid "Off" +msgstr "Desactivado" + +#. TRANS: Button text on profile design page to reset all colour settings to default without saving. +#: lib/designsettings.php:264 +#, fuzzy +msgctxt "BUTTON" +msgid "Reset" +msgstr "Restablecer" + +#. TRANS: Success message displayed if design settings were saved after clicking "Use defaults". +#: lib/designsettings.php:433 msgid "Design defaults restored." msgstr "Restableceuse o deseño por defecto." @@ -7901,7 +7953,7 @@ msgstr "" #. TRANS: Subject for favorite notification e-mail. #. TRANS: %1$s is the adding user's long name, %2$s is the adding user's nickname. -#: lib/mail.php:603 +#: lib/mail.php:607 #, fuzzy, php-format msgid "%1$s (@%2$s) added your notice as a favorite" msgstr "%s (@%s) marcou a súa nota como favorita" @@ -7911,7 +7963,7 @@ msgstr "%s (@%s) marcou a súa nota como favorita" #. TRANS: %3$s is a URL to the faved notice, %4$s is the faved notice text, #. TRANS: %5$s is a URL to all faves of the adding user, %6$s is the StatusNet sitename, #. TRANS: %7$s is the adding user's nickname. -#: lib/mail.php:610 +#: lib/mail.php:614 #, php-format msgid "" "%1$s (@%7$s) just added your notice from %2$s as one of their favorites.\n" @@ -7950,7 +8002,7 @@ msgstr "" "%6$s\n" #. TRANS: Line in @-reply notification e-mail. %s is conversation URL. -#: lib/mail.php:668 +#: lib/mail.php:672 #, php-format msgid "" "The full conversation can be read here:\n" @@ -7963,7 +8015,7 @@ msgstr "" #. TRANS: E-mail subject for notice notification. #. TRANS: %1$s is the sending user's long name, %2$s is the adding user's nickname. -#: lib/mail.php:676 +#: lib/mail.php:680 #, fuzzy, php-format msgid "%1$s (@%2$s) sent a notice to your attention" msgstr "%s (@%s) enviou unha nota á súa atención" @@ -7974,7 +8026,7 @@ msgstr "%s (@%s) enviou unha nota á súa atención" #. TRANS: %5$s is a URL to the full conversion if it exists (otherwise empty), #. TRANS: %6$s is a URL to reply to the notice, %7$s is a URL to all @-replied for the addressed user, #. TRANS: %8$s is a URL to the addressed user's e-mail settings, %9$s is the sender's nickname. -#: lib/mail.php:684 +#: lib/mail.php:688 #, php-format msgid "" "%1$s (@%9$s) just sent a notice to your attention (an '@-reply') on %2$s.\n" @@ -8121,7 +8173,7 @@ msgstr "Non se puido determinar o tipo MIME do ficheiro." #. TRANS: Client exception thrown trying to upload a forbidden MIME type. #. TRANS: %1$s is the file type that was denied, %2$s is the application part of #. TRANS: the MIME type that was denied. -#: lib/mediafile.php:340 +#: lib/mediafile.php:345 #, php-format msgid "" "\"%1$s\" is not a supported file type on this server. Try using another %2$s " @@ -8132,7 +8184,7 @@ msgstr "" #. TRANS: Client exception thrown trying to upload a forbidden MIME type. #. TRANS: %s is the file type that was denied. -#: lib/mediafile.php:345 +#: lib/mediafile.php:350 #, php-format msgid "\"%s\" is not a supported file type on this server." msgstr "Neste servidor non se soporta o tipo de ficheiro \"%s\"." @@ -8273,31 +8325,31 @@ msgstr "Nota duplicada." msgid "Couldn't insert new subscription." msgstr "Non se puido inserir unha subscrición nova." -#: lib/personalgroupnav.php:99 +#: lib/personalgroupnav.php:102 msgid "Personal" msgstr "Persoal" -#: lib/personalgroupnav.php:104 +#: lib/personalgroupnav.php:107 msgid "Replies" msgstr "Respostas" -#: lib/personalgroupnav.php:114 +#: lib/personalgroupnav.php:117 msgid "Favorites" msgstr "Favoritas" -#: lib/personalgroupnav.php:125 +#: lib/personalgroupnav.php:128 msgid "Inbox" msgstr "Caixa de entrada" -#: lib/personalgroupnav.php:126 +#: lib/personalgroupnav.php:129 msgid "Your incoming messages" msgstr "As mensaxes recibidas" -#: lib/personalgroupnav.php:130 +#: lib/personalgroupnav.php:133 msgid "Outbox" msgstr "Caixa de saída" -#: lib/personalgroupnav.php:131 +#: lib/personalgroupnav.php:134 msgid "Your sent messages" msgstr "As mensaxes enviadas" @@ -8495,6 +8547,12 @@ msgstr "Nube de etiquetas que lle puxo a outras persoas" msgid "None" msgstr "Ningún" +#. TRANS: Server exception displayed if a theme name was invalid. +#: lib/theme.php:74 +#, fuzzy +msgid "Invalid theme name." +msgstr "Nome de ficheiro incorrecto." + #: lib/themeuploader.php:50 msgid "This server cannot handle theme uploads without ZIP support." msgstr "" @@ -8750,24 +8808,9 @@ msgid_plural "%d entries in backup." msgstr[0] "%d entradas na reserva." msgstr[1] "%d entradas na reserva." -#, fuzzy -#~ msgid "Name is too long (maximum 255 chars)." -#~ msgstr "O nome é longo de máis (o límite é de 255 caracteres)." - -#, fuzzy -#~ msgid "Organization is too long (maximum 255 chars)." -#~ msgstr "A organización é longa de máis (o límite é de 255 caracteres)." - -#~ msgid "That's too long. Max notice size is %d chars." -#~ msgstr "Iso é longo de máis. A nota non pode exceder os %d caracteres." - -#~ msgid "Max notice size is %d chars, including attachment URL." +#~ msgid "" +#~ "The server was unable to handle that much POST data (%s bytes) due to its " +#~ "current configuration." #~ msgstr "" -#~ "A lonxitude máxima das notas é de %d caracteres, incluído o URL do dato " -#~ "adxunto." - -#~ msgid " tagged %s" -#~ msgstr " etiquetouse %s" - -#~ msgid "Backup file for user %s (%s)" -#~ msgstr "Ficheiro de reserva para o usuario %s (%s)" +#~ "O servidor non puido manexar tantos datos POST (%s bytes) por mor da súa " +#~ "configuración actual." diff --git a/locale/hsb/LC_MESSAGES/statusnet.po b/locale/hsb/LC_MESSAGES/statusnet.po index e801adbc6d..4c67f0235e 100644 --- a/locale/hsb/LC_MESSAGES/statusnet.po +++ b/locale/hsb/LC_MESSAGES/statusnet.po @@ -11,18 +11,18 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet - Core\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-11-02 22:51+0000\n" -"PO-Revision-Date: 2010-11-02 22:53:22+0000\n" +"POT-Creation-Date: 2010-11-04 18:25+0000\n" +"PO-Revision-Date: 2010-11-04 18:27:28+0000\n" "Language-Team: Upper Sorbian \n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r75875); Translate extension (2010-09-17)\n" +"X-Generator: MediaWiki 1.17alpha (r76004); Translate extension (2010-09-17)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: hsb\n" "X-Message-Group: #out-statusnet-core\n" "Plural-Forms: nplurals=4; plural=(n%100==1 ? 0 : n%100==2 ? 1 : (n%100==3 || " "n%100==4) ? 2 : 3)\n" -"X-POT-Import-Date: 2010-10-30 23:42:01+0000\n" +"X-POT-Import-Date: 2010-11-02 23:22:49+0000\n" #. TRANS: Page title for Access admin panel that allows configuring site access. #. TRANS: Menu item for site administration @@ -87,12 +87,14 @@ msgstr "Přistupne nastajenja składować" #. TRANS: Save button for settings for a profile in a subscriptions list. #. TRANS: Button text to save user settings in user admin panel. #. TRANS: Button label in the "Edit application" form. +#. TRANS: Button text on profile design page to save settings. #: actions/accessadminpanel.php:193 actions/emailsettings.php:228 #: actions/imsettings.php:187 actions/othersettings.php:134 #: actions/pathsadminpanel.php:512 actions/profilesettings.php:201 #: actions/sitenoticeadminpanel.php:197 actions/smssettings.php:209 #: actions/subscriptions.php:246 actions/useradminpanel.php:298 -#: lib/applicationeditform.php:355 lib/groupeditform.php:207 +#: lib/applicationeditform.php:355 lib/designsettings.php:270 +#: lib/groupeditform.php:207 msgctxt "BUTTON" msgid "Save" msgstr "Składować" @@ -160,7 +162,7 @@ msgstr "%1$s a přećeljo, strona %2$d" #. TRANS: Timeline title for user and friends. %s is a user nickname. #: actions/all.php:94 actions/all.php:191 actions/allrss.php:115 #: actions/apitimelinefriends.php:207 actions/apitimelinehome.php:113 -#: lib/personalgroupnav.php:100 +#: lib/personalgroupnav.php:103 #, php-format msgid "%s and friends" msgstr "%s a přećeljo" @@ -326,11 +328,13 @@ msgstr "Profil njeje so składować dał." #. TRANS: Client error displayed when the number of bytes in a POST request exceeds a limit. #. TRANS: %s is the number of bytes of the CONTENT_LENGTH. +#. TRANS: Form validation error in design settings form. POST should remain untranslated. #: actions/apiaccountupdateprofilebackgroundimage.php:108 #: actions/apiaccountupdateprofileimage.php:95 actions/apimediaupload.php:81 #: actions/apistatusesupdate.php:210 actions/avatarsettings.php:269 #: actions/designadminpanel.php:125 actions/editapplication.php:121 #: actions/newapplication.php:104 actions/newnotice.php:95 +#: lib/designsettings.php:298 #, php-format msgid "" "The server was unable to handle that much POST data (%s byte) due to its " @@ -747,7 +751,7 @@ msgstr "Njejsy awtorizowany." #: actions/repeat.php:83 actions/smssettings.php:256 actions/subedit.php:40 #: actions/subscribe.php:86 actions/tagother.php:166 #: actions/unsubscribe.php:69 actions/userauthorization.php:52 -#: lib/designsettings.php:294 +#: lib/designsettings.php:310 msgid "There was a problem with your session token. Try again, please." msgstr "" @@ -769,12 +773,13 @@ msgstr "Zmylk datoweje banki při zasunjenju wužiwarja OAuth-aplikacije." #. TRANS: Message given submitting a form with an unknown action in IM settings. #. TRANS: Client error when submitting a form with unexpected information. #. TRANS: Message given submitting a form with an unknown action in SMS settings. +#. TRANS: Unknown form validation error in design settings form. #: actions/apioauthauthorize.php:294 actions/avatarsettings.php:294 #: actions/designadminpanel.php:104 actions/editapplication.php:144 #: actions/emailsettings.php:290 actions/grouplogo.php:322 #: actions/imsettings.php:245 actions/newapplication.php:125 #: actions/oauthconnectionssettings.php:147 actions/recoverpassword.php:44 -#: actions/smssettings.php:277 lib/designsettings.php:304 +#: actions/smssettings.php:277 lib/designsettings.php:321 msgid "Unexpected form submission." msgstr "Njewočakowane wotpósłanje formulara." @@ -821,7 +826,7 @@ msgstr "Konto" #. TRANS: Label for group nickname (dt). Text hidden by default. #: actions/apioauthauthorize.php:459 actions/login.php:252 #: actions/profilesettings.php:110 actions/register.php:433 -#: actions/showgroup.php:245 actions/tagother.php:94 +#: actions/showgroup.php:240 actions/tagother.php:94 #: actions/userauthorization.php:145 lib/groupeditform.php:152 #: lib/userprofile.php:132 msgid "Nickname" @@ -1089,7 +1094,7 @@ msgstr "Přiwěšk njeeksistuje." #: actions/avatarbynickname.php:60 actions/blockedfromgroup.php:73 #: actions/editgroup.php:85 actions/groupdesignsettings.php:84 #: actions/grouplogo.php:86 actions/groupmembers.php:76 -#: actions/grouprss.php:91 actions/showgroup.php:121 +#: actions/grouprss.php:91 actions/showgroup.php:116 msgid "No nickname." msgstr "Žane přimjeno." @@ -1106,7 +1111,7 @@ msgstr "Njepłaćiwa wulkosć." #. TRANS: Title for avatar upload page. #. TRANS: Label for group avatar (dt). Text hidden by default. #. TRANS: Link description in user account settings menu. -#: actions/avatarsettings.php:66 actions/showgroup.php:229 +#: actions/avatarsettings.php:66 actions/showgroup.php:224 #: lib/accountsettingsaction.php:113 msgid "Avatar" msgstr "Awatar" @@ -1281,7 +1286,7 @@ msgstr "Njeje móžno, sydłowu zdźělenku składować." #: actions/groupunblock.php:88 actions/joingroup.php:82 #: actions/joingroup.php:93 actions/leavegroup.php:82 #: actions/leavegroup.php:93 actions/makeadmin.php:86 -#: actions/showgroup.php:139 actions/showgroup.php:148 lib/command.php:168 +#: actions/showgroup.php:134 actions/showgroup.php:143 lib/command.php:168 #: lib/command.php:380 msgid "No such group." msgstr "Skupina njeeksistuje." @@ -1638,12 +1643,14 @@ msgstr "Swójski šat" msgid "You can upload a custom StatusNet theme as a .ZIP archive." msgstr "Móžeš swójski šat StatusNet jako .ZIP-archiw nahrać." -#: actions/designadminpanel.php:512 lib/designsettings.php:101 +#. TRANS: Fieldset legend on profile design page. +#: actions/designadminpanel.php:512 lib/designsettings.php:98 msgid "Change background image" msgstr "Pozadkowy wobraz změnić" +#. TRANS: Label on profile design page for setting a profile page background colour. #: actions/designadminpanel.php:517 actions/designadminpanel.php:600 -#: lib/designsettings.php:178 +#: lib/designsettings.php:183 msgid "Background" msgstr "Pozadk" @@ -1656,42 +1663,50 @@ msgstr "" "Móžeš pozadkowy wobraz za sydło nahrać. Maksimalna datajowa wulkosć je %1$s." #. TRANS: Used as radio button label to add a background image. -#: actions/designadminpanel.php:553 lib/designsettings.php:139 +#: actions/designadminpanel.php:553 msgid "On" msgstr "Zapinjeny" #. TRANS: Used as radio button label to not add a background image. -#: actions/designadminpanel.php:570 lib/designsettings.php:155 +#: actions/designadminpanel.php:570 msgid "Off" msgstr "Wupinjeny" -#: actions/designadminpanel.php:571 lib/designsettings.php:156 +#. TRANS: Form guide for a set of radio buttons on the profile design page that will enable or disable +#. TRANS: use of the uploaded profile image. +#: actions/designadminpanel.php:571 lib/designsettings.php:159 #, fuzzy msgid "Turn background image on or off." msgstr "Pozadkowy wobraz změnić" -#: actions/designadminpanel.php:576 lib/designsettings.php:161 +#. TRANS: Checkbox label on profile design page that will cause the profile image to be tiled. +#: actions/designadminpanel.php:576 lib/designsettings.php:165 #, fuzzy msgid "Tile background image" msgstr "Pozadkowy wobraz změnić" -#: actions/designadminpanel.php:590 lib/designsettings.php:170 +#. TRANS: Fieldset legend on profile design page to change profile page colours. +#: actions/designadminpanel.php:590 lib/designsettings.php:175 msgid "Change colours" msgstr "Barby změnić" -#: actions/designadminpanel.php:613 lib/designsettings.php:191 +#. TRANS: Label on profile design page for setting a profile page content colour. +#: actions/designadminpanel.php:613 lib/designsettings.php:197 msgid "Content" msgstr "Wobsah" -#: actions/designadminpanel.php:626 lib/designsettings.php:204 +#. TRANS: Label on profile design page for setting a profile page sidebar colour. +#: actions/designadminpanel.php:626 lib/designsettings.php:211 msgid "Sidebar" msgstr "Bóčnica" -#: actions/designadminpanel.php:639 lib/designsettings.php:217 +#. TRANS: Label on profile design page for setting a profile page text colour. +#: actions/designadminpanel.php:639 lib/designsettings.php:225 msgid "Text" msgstr "Tekst" -#: actions/designadminpanel.php:652 lib/designsettings.php:230 +#. TRANS: Label on profile design page for setting a profile page links colour. +#: actions/designadminpanel.php:652 lib/designsettings.php:239 msgid "Links" msgstr "Wotkazy" @@ -1703,15 +1718,18 @@ msgstr "Rozšěrjeny" msgid "Custom CSS" msgstr "Swójski CSS" -#: actions/designadminpanel.php:702 lib/designsettings.php:247 +#. TRANS: Button text on profile design page to immediately reset all colour settings to default. +#: actions/designadminpanel.php:702 lib/designsettings.php:257 msgid "Use defaults" msgstr "Standardne hódnoty wužiwać" -#: actions/designadminpanel.php:703 lib/designsettings.php:248 +#. TRANS: Title for button on profile design page to reset all colour settings to default. +#: actions/designadminpanel.php:703 lib/designsettings.php:259 msgid "Restore default designs" msgstr "Standardne designy wobnowić" -#: actions/designadminpanel.php:709 lib/designsettings.php:254 +#. TRANS: Title for button on profile design page to reset all colour settings to default without saving. +#: actions/designadminpanel.php:709 lib/designsettings.php:267 msgid "Reset back to default" msgstr "Na standard wróćo stajić" @@ -1719,11 +1737,12 @@ msgstr "Na standard wróćo stajić" #: actions/designadminpanel.php:711 actions/licenseadminpanel.php:319 #: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:292 #: actions/snapshotadminpanel.php:245 actions/tagother.php:154 -#: lib/applicationeditform.php:357 lib/designsettings.php:256 +#: lib/applicationeditform.php:357 msgid "Save" msgstr "Składować" -#: actions/designadminpanel.php:712 lib/designsettings.php:257 +#. TRANS: Title for button on profile design page to save settings. +#: actions/designadminpanel.php:712 lib/designsettings.php:272 msgid "Save design" msgstr "Design składować" @@ -1861,7 +1880,7 @@ msgstr "Skupina njeje so dała aktualizować." #. TRANS: Server error displayed when group aliases could not be added. #. TRANS: Server exception thrown when creating group aliases failed. -#: actions/editgroup.php:288 classes/User_group.php:513 +#: actions/editgroup.php:288 classes/User_group.php:529 msgid "Could not create aliases." msgstr "Aliasy njejsu so dali wutworić." @@ -2140,7 +2159,7 @@ msgid "" msgstr "" #: actions/favoritesrss.php:111 actions/showfavorites.php:77 -#: lib/personalgroupnav.php:115 +#: lib/personalgroupnav.php:118 #, fuzzy, php-format msgid "%s's favorite notices" msgstr "Preferowane zdźělenki wot %1$s, strona %2$d" @@ -2314,8 +2333,10 @@ msgid "" "palette of your choice." msgstr "" +#. TRANS: Error message displayed if design settings could not be saved. +#. TRANS: Error message displayed if design settings could not be saved after clicking "Use defaults". #: actions/groupdesignsettings.php:266 actions/userdesignsettings.php:186 -#: lib/designsettings.php:391 lib/designsettings.php:413 +#: lib/designsettings.php:405 lib/designsettings.php:427 msgid "Couldn't update your design." msgstr "Twój design njeda so aktualizować." @@ -3227,25 +3248,25 @@ msgstr "" msgid "Notice has no profile." msgstr "Zdźělenka nima profil." -#: actions/oembed.php:87 actions/shownotice.php:176 +#: actions/oembed.php:83 actions/shownotice.php:172 #, fuzzy, php-format msgid "%1$s's status on %2$s" msgstr "%1$s je skupinu %2$s wopušćił" #. TRANS: Error message displaying attachments. %s is a raw MIME type (eg 'image/png') -#: actions/oembed.php:159 +#: actions/oembed.php:155 #, php-format msgid "Content type %s not supported." msgstr "Wobsahowy typ %s so njepodpěruje." #. TRANS: Error message displaying attachments. %s is the site's base URL. -#: actions/oembed.php:163 +#: actions/oembed.php:159 #, php-format msgid "Only %s URLs over plain HTTP please." msgstr "" #. TRANS: Client error on an API request with an unsupported data format. -#: actions/oembed.php:184 actions/oembed.php:203 lib/apiaction.php:1200 +#: actions/oembed.php:180 actions/oembed.php:199 lib/apiaction.php:1200 #: lib/apiaction.php:1227 lib/apiaction.php:1356 msgid "Not a supported data format." msgstr "Njeje podpěrany datowy format." @@ -3743,7 +3764,7 @@ msgstr "" #. TRANS: Field label in form for profile settings. #. TRANS: Label for full group name (dt). Text hidden by default. #: actions/profilesettings.php:117 actions/register.php:457 -#: actions/showgroup.php:257 actions/tagother.php:104 +#: actions/showgroup.php:252 actions/tagother.php:104 #: lib/groupeditform.php:157 lib/userprofile.php:150 msgid "Full name" msgstr "Dospołne mjeno" @@ -3787,7 +3808,7 @@ msgstr "Biografija" #. TRANS: Field label in form for profile settings. #. TRANS: Label for group location (dt). Text hidden by default. #: actions/profilesettings.php:149 actions/register.php:485 -#: actions/showgroup.php:267 actions/tagother.php:112 +#: actions/showgroup.php:262 actions/tagother.php:112 #: actions/userauthorization.php:166 lib/groupeditform.php:180 #: lib/userprofile.php:165 msgid "Location" @@ -4337,7 +4358,7 @@ msgid "Repeated!" msgstr "Wospjetowany!" #: actions/replies.php:126 actions/repliesrss.php:68 -#: lib/personalgroupnav.php:105 +#: lib/personalgroupnav.php:108 #, fuzzy, php-format msgid "Replies to %s" msgstr "Wotmołwy" @@ -4471,7 +4492,7 @@ msgid "Description" msgstr "Wopisanje" #. TRANS: Header for group statistics on a group page (h2). -#: actions/showapplication.php:192 actions/showgroup.php:453 +#: actions/showapplication.php:192 actions/showgroup.php:448 #: lib/profileaction.php:187 msgid "Statistics" msgstr "Statistika" @@ -4579,96 +4600,96 @@ msgid "This is a way to share what you like." msgstr "" #. TRANS: Page title for first group page. %s is a group name. -#: actions/showgroup.php:80 +#: actions/showgroup.php:75 #, php-format msgid "%s group" msgstr "skupina %s" #. TRANS: Page title for any but first group page. #. TRANS: %1$s is a group name, $2$s is a page number. -#: actions/showgroup.php:84 +#: actions/showgroup.php:79 #, php-format msgid "%1$s group, page %2$d" msgstr "%1$s skupina, strona %2$d" #. TRANS: Group profile header (h2). Text hidden by default. -#: actions/showgroup.php:225 +#: actions/showgroup.php:220 msgid "Group profile" msgstr "Skupinski profil" #. TRANS: Label for group URL (dt). Text hidden by default. -#: actions/showgroup.php:275 actions/tagother.php:118 +#: actions/showgroup.php:270 actions/tagother.php:118 #: actions/userauthorization.php:175 lib/userprofile.php:178 msgid "URL" msgstr "URL" #. TRANS: Label for group description or group note (dt). Text hidden by default. -#: actions/showgroup.php:287 actions/tagother.php:128 +#: actions/showgroup.php:282 actions/tagother.php:128 #: actions/userauthorization.php:187 lib/userprofile.php:195 #, fuzzy msgid "Note" msgstr "Žadyn" #. TRANS: Label for group aliases (dt). Text hidden by default. -#: actions/showgroup.php:298 lib/groupeditform.php:187 +#: actions/showgroup.php:293 lib/groupeditform.php:187 msgid "Aliases" msgstr "Aliasy" #. TRANS: Group actions header (h2). Text hidden by default. -#: actions/showgroup.php:309 +#: actions/showgroup.php:304 msgid "Group actions" msgstr "Skupinske akcije" #. TRANS: Tooltip for feed link. %s is a group nickname. -#: actions/showgroup.php:350 +#: actions/showgroup.php:345 #, fuzzy, php-format msgid "Notice feed for %s group (RSS 1.0)" msgstr "Powěsćowy kanal za %1$s je %2$s (RSS 1.0) markěrował" #. TRANS: Tooltip for feed link. %s is a group nickname. -#: actions/showgroup.php:357 +#: actions/showgroup.php:352 #, fuzzy, php-format msgid "Notice feed for %s group (RSS 2.0)" msgstr "Powěsćowy kanal za %1$s je %2$s (RSS 1.0) markěrował" #. TRANS: Tooltip for feed link. %s is a group nickname. -#: actions/showgroup.php:364 +#: actions/showgroup.php:359 #, fuzzy, php-format msgid "Notice feed for %s group (Atom)" msgstr "Powěsćowy kanal za %1$s je %2$s (RSS 1.0) markěrował" #. TRANS: Tooltip for feed link. %s is a group nickname. -#: actions/showgroup.php:370 +#: actions/showgroup.php:365 #, fuzzy, php-format msgid "FOAF for %s group" msgstr "FOAF za %s" #. TRANS: Header for mini list of group members on a group page (h2). -#: actions/showgroup.php:407 +#: actions/showgroup.php:402 msgid "Members" msgstr "Čłonojo" #. TRANS: Description for mini list of group members on a group page when the group has no members. -#: actions/showgroup.php:413 lib/profileaction.php:117 +#: actions/showgroup.php:408 lib/profileaction.php:117 #: lib/profileaction.php:152 lib/profileaction.php:255 lib/section.php:95 #: lib/subscriptionlist.php:127 lib/tagcloudsection.php:71 msgid "(None)" msgstr "(Žadyn)" #. TRANS: Link to all group members from mini list of group members if group has more than n members. -#: actions/showgroup.php:422 +#: actions/showgroup.php:417 msgid "All members" msgstr "Wšitcy čłonojo" #. TRANS: Label for creation date in statistics on group page. -#: actions/showgroup.php:458 +#: actions/showgroup.php:453 #, fuzzy msgctxt "LABEL" msgid "Created" msgstr "Wutworjeny" #. TRANS: Label for member count in statistics on group page. -#: actions/showgroup.php:466 +#: actions/showgroup.php:461 #, fuzzy msgctxt "LABEL" msgid "Members" @@ -4678,7 +4699,7 @@ msgstr "Čłonojo" #. TRANS: **%s** is the group alias, %%%%site.name%%%% is the site name, #. TRANS: %%%%action.register%%%% is the URL for registration, %%%%doc.help%%%% is a URL to help. #. TRANS: This message contains Markdown links. Ensure they are formatted correctly: [Description](link). -#: actions/showgroup.php:481 +#: actions/showgroup.php:476 #, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -4691,7 +4712,7 @@ msgstr "" #. TRANS: Notice on group pages for anonymous users for StatusNet sites that accept no new registrations. #. TRANS: **%s** is the group alias, %%%%site.name%%%% is the site name, #. TRANS: This message contains Markdown links. Ensure they are formatted correctly: [Description](link). -#: actions/showgroup.php:491 +#: actions/showgroup.php:486 #, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -4701,7 +4722,7 @@ msgid "" msgstr "" #. TRANS: Header for list of group administrators on a group page (h2). -#: actions/showgroup.php:520 +#: actions/showgroup.php:515 msgid "Admins" msgstr "Administratorojo" @@ -5459,7 +5480,7 @@ msgstr "Njepłaćiwy standardny abonement: '%1$s' wužiwar njeje." #. TRANS: Link description in user account settings menu. #: actions/useradminpanel.php:215 lib/accountsettingsaction.php:106 -#: lib/personalgroupnav.php:109 +#: lib/personalgroupnav.php:112 msgid "Profile" msgstr "Profil" @@ -5616,12 +5637,14 @@ msgstr "Wopačny wobrazowy typ za awatarowy URL '%s'." msgid "Wrong image type for avatar URL ‘%s’." msgstr "Wopačny wobrazowy typ za awatarowy URL '%s'." -#: actions/userdesignsettings.php:76 lib/designsettings.php:65 +#. TRANS: Page title for profile design page. +#: actions/userdesignsettings.php:76 lib/designsettings.php:63 #, fuzzy msgid "Profile design" msgstr "Profilowe nastajenja" -#: actions/userdesignsettings.php:87 lib/designsettings.php:76 +#. TRANS: Instructions for profile design page. +#: actions/userdesignsettings.php:87 lib/designsettings.php:74 msgid "" "Customize the way your profile looks with a background image and a colour " "palette of your choice." @@ -5740,29 +5763,44 @@ msgstr "" #. TRANS: Message given if an upload is larger than the configured maximum. #. TRANS: %1$d is the byte limit for uploads, %2$d is the byte count for the uploaded file. -#: classes/File.php:189 +#. TRANS: %1$s is used for plural. +#: classes/File.php:190 #, php-format msgid "" +"No file may be larger than %1$d byte and the file you sent was %2$d bytes. " +"Try to upload a smaller version." +msgid_plural "" "No file may be larger than %1$d bytes and the file you sent was %2$d bytes. " "Try to upload a smaller version." -msgstr "" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" +msgstr[3] "" #. TRANS: Message given if an upload would exceed user quota. -#. TRANS: %d (number) is the user quota in bytes. -#: classes/File.php:201 +#. TRANS: %d (number) is the user quota in bytes and is used for plural. +#: classes/File.php:203 #, php-format -msgid "A file this large would exceed your user quota of %d bytes." -msgstr "" +msgid "A file this large would exceed your user quota of %d byte." +msgid_plural "A file this large would exceed your user quota of %d bytes." +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" +msgstr[3] "" #. TRANS: Message given id an upload would exceed a user's monthly quota. -#. TRANS: $d (number) is the monthly user quota in bytes. -#: classes/File.php:210 +#. TRANS: $d (number) is the monthly user quota in bytes and is used for plural. +#: classes/File.php:215 #, php-format -msgid "A file this large would exceed your monthly quota of %d bytes." -msgstr "" +msgid "A file this large would exceed your monthly quota of %d byte." +msgid_plural "A file this large would exceed your monthly quota of %d bytes." +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" +msgstr[3] "" #. TRANS: Client exception thrown if a file upload does not have a valid name. -#: classes/File.php:247 classes/File.php:262 +#: classes/File.php:262 classes/File.php:277 msgid "Invalid filename." msgstr "Njepłaćiwe datajowe mjeno." @@ -5893,31 +5931,31 @@ msgid "Problem saving notice." msgstr "Zmylk při składowanju powěsće" #. TRANS: Server exception thrown when no array is provided to the method saveKnownGroups(). -#: classes/Notice.php:907 -msgid "Bad type provided to saveKnownGroups" +#: classes/Notice.php:905 +msgid "Bad type provided to saveKnownGroups." msgstr "" #. TRANS: Server exception thrown when an update for a group inbox fails. -#: classes/Notice.php:1006 +#: classes/Notice.php:1004 msgid "Problem saving group inbox." msgstr "" #. TRANS: Server exception thrown when a reply cannot be saved. #. TRANS: %1$d is a notice ID, %2$d is the ID of the mentioned user. -#: classes/Notice.php:1120 +#: classes/Notice.php:1118 #, fuzzy, php-format msgid "Could not save reply for %1$d, %2$d." msgstr "Informacije wo lokalnej skupinje njedachu so składować." #. TRANS: Message used to repeat a notice. RT is the abbreviation of 'retweet'. #. TRANS: %1$s is the repeated user's name, %2$s is the repeated notice. -#: classes/Notice.php:1822 +#: classes/Notice.php:1820 #, php-format msgid "RT @%1$s %2$s" msgstr "RT @%1$s %2$s" #. TRANS: Full name of a profile or group followed by nickname in parens -#: classes/Profile.php:164 +#: classes/Profile.php:164 classes/User_group.php:247 #, fuzzy, php-format msgctxt "FANCYNAME" msgid "%1$s (%2$s)" @@ -6013,22 +6051,22 @@ msgid "Single-user mode code called when not enabled." msgstr "" #. TRANS: Server exception thrown when creating a group failed. -#: classes/User_group.php:495 +#: classes/User_group.php:511 msgid "Could not create group." msgstr "Skupina njeda so wutowrić." #. TRANS: Server exception thrown when updating a group URI failed. -#: classes/User_group.php:505 +#: classes/User_group.php:521 msgid "Could not set group URI." msgstr "URI skupiny njeda so nastajić." #. TRANS: Server exception thrown when setting group membership failed. -#: classes/User_group.php:528 +#: classes/User_group.php:544 msgid "Could not set group membership." msgstr "Skupinske čłonstwo njeda so stajić." #. TRANS: Server exception thrown when saving local group information failed. -#: classes/User_group.php:543 +#: classes/User_group.php:559 msgid "Could not save local group info." msgstr "Informacije wo lokalnej skupinje njedachu so składować." @@ -6438,7 +6476,7 @@ msgid "User configuration" msgstr "Wužiwarska konfiguracija" #. TRANS: Menu item for site administration -#: lib/adminpanelaction.php:355 lib/personalgroupnav.php:115 +#: lib/adminpanelaction.php:355 lib/personalgroupnav.php:118 msgid "User" msgstr "Wužiwar" @@ -7134,10 +7172,13 @@ msgstr "Awtorizowane zwjazane aplikacije" msgid "Database error" msgstr "Zmylk w datowej bance" -#: lib/designsettings.php:105 +#. TRANS: Label in form on profile design page. +#. TRANS: Field contains file name on user's computer that could be that user's custom profile background image. +#: lib/designsettings.php:104 msgid "Upload file" msgstr "Dataju nahrać" +#. TRANS: Instructions for form on profile design page. #: lib/designsettings.php:109 msgid "" "You can upload your personal background image. The maximum file size is 2MB." @@ -7145,14 +7186,29 @@ msgstr "" "Móžeš swój wosobinski pozadkowy wobraz nahrać. Maksimalna datajowa wulkosć " "je 2 MB." -#: 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 "" +#. TRANS: Radio button on profile design page that will enable use of the uploaded profile image. +#: lib/designsettings.php:139 +#, fuzzy +msgctxt "RADIO" +msgid "On" +msgstr "Zapinjeny" -#: lib/designsettings.php:418 +#. TRANS: Radio button on profile design page that will disable use of the uploaded profile image. +#: lib/designsettings.php:156 +#, fuzzy +msgctxt "RADIO" +msgid "Off" +msgstr "Wupinjeny" + +#. TRANS: Button text on profile design page to reset all colour settings to default without saving. +#: lib/designsettings.php:264 +#, fuzzy +msgctxt "BUTTON" +msgid "Reset" +msgstr "Wróćo stajić" + +#. TRANS: Success message displayed if design settings were saved after clicking "Use defaults". +#: lib/designsettings.php:433 #, fuzzy msgid "Design defaults restored." msgstr "Designowe nastajenja składowane." @@ -7610,7 +7666,7 @@ msgstr "" #. TRANS: Subject for favorite notification e-mail. #. TRANS: %1$s is the adding user's long name, %2$s is the adding user's nickname. -#: lib/mail.php:603 +#: lib/mail.php:607 #, fuzzy, php-format msgid "%1$s (@%2$s) added your notice as a favorite" msgstr "%s (@%s) je twoju zdźělenku jako faworit přidał" @@ -7620,7 +7676,7 @@ msgstr "%s (@%s) je twoju zdźělenku jako faworit přidał" #. TRANS: %3$s is a URL to the faved notice, %4$s is the faved notice text, #. TRANS: %5$s is a URL to all faves of the adding user, %6$s is the StatusNet sitename, #. TRANS: %7$s is the adding user's nickname. -#: lib/mail.php:610 +#: lib/mail.php:614 #, php-format msgid "" "%1$s (@%7$s) just added your notice from %2$s as one of their favorites.\n" @@ -7642,7 +7698,7 @@ msgid "" msgstr "" #. TRANS: Line in @-reply notification e-mail. %s is conversation URL. -#: lib/mail.php:668 +#: lib/mail.php:672 #, php-format msgid "" "The full conversation can be read here:\n" @@ -7655,7 +7711,7 @@ msgstr "" #. TRANS: E-mail subject for notice notification. #. TRANS: %1$s is the sending user's long name, %2$s is the adding user's nickname. -#: lib/mail.php:676 +#: lib/mail.php:680 #, fuzzy, php-format msgid "%1$s (@%2$s) sent a notice to your attention" msgstr "%s (@%s) je twoju zdźělenku jako faworit přidał" @@ -7666,7 +7722,7 @@ msgstr "%s (@%s) je twoju zdźělenku jako faworit přidał" #. TRANS: %5$s is a URL to the full conversion if it exists (otherwise empty), #. TRANS: %6$s is a URL to reply to the notice, %7$s is a URL to all @-replied for the addressed user, #. TRANS: %8$s is a URL to the addressed user's e-mail settings, %9$s is the sender's nickname. -#: lib/mail.php:684 +#: lib/mail.php:688 #, php-format msgid "" "%1$s (@%9$s) just sent a notice to your attention (an '@-reply') on %2$s.\n" @@ -7787,7 +7843,7 @@ msgstr "MIME-typ dataje njeda so zwěsćić." #. TRANS: Client exception thrown trying to upload a forbidden MIME type. #. TRANS: %1$s is the file type that was denied, %2$s is the application part of #. TRANS: the MIME type that was denied. -#: lib/mediafile.php:340 +#: lib/mediafile.php:345 #, php-format msgid "" "\"%1$s\" is not a supported file type on this server. Try using another %2$s " @@ -7796,7 +7852,7 @@ msgstr "" #. TRANS: Client exception thrown trying to upload a forbidden MIME type. #. TRANS: %s is the file type that was denied. -#: lib/mediafile.php:345 +#: lib/mediafile.php:350 #, php-format msgid "\"%s\" is not a supported file type on this server." msgstr "" @@ -7937,31 +7993,31 @@ msgstr "" msgid "Couldn't insert new subscription." msgstr "Nowy abonement njeda so zasunyć." -#: lib/personalgroupnav.php:99 +#: lib/personalgroupnav.php:102 msgid "Personal" msgstr "Wosobinski" -#: lib/personalgroupnav.php:104 +#: lib/personalgroupnav.php:107 msgid "Replies" msgstr "Wotmołwy" -#: lib/personalgroupnav.php:114 +#: lib/personalgroupnav.php:117 msgid "Favorites" msgstr "Fawority" -#: lib/personalgroupnav.php:125 +#: lib/personalgroupnav.php:128 msgid "Inbox" msgstr "Dochadny póst" -#: lib/personalgroupnav.php:126 +#: lib/personalgroupnav.php:129 msgid "Your incoming messages" msgstr "Twoje dochadźace powěsće" -#: lib/personalgroupnav.php:130 +#: lib/personalgroupnav.php:133 msgid "Outbox" msgstr "Wuchadny póst" -#: lib/personalgroupnav.php:131 +#: lib/personalgroupnav.php:134 msgid "Your sent messages" msgstr "Twoje pósłane powěsće" @@ -8164,6 +8220,12 @@ msgstr "" msgid "None" msgstr "Žadyn" +#. TRANS: Server exception displayed if a theme name was invalid. +#: lib/theme.php:74 +#, fuzzy +msgid "Invalid theme name." +msgstr "Njepłaćiwe datajowe mjeno." + #: lib/themeuploader.php:50 msgid "This server cannot handle theme uploads without ZIP support." msgstr "" @@ -8435,14 +8497,3 @@ msgstr[0] "" msgstr[1] "" msgstr[2] "" msgstr[3] "" - -#, fuzzy -#~ msgid "Name is too long (maximum 255 chars)." -#~ msgstr "Mjeno je předołho (maks. 255 znamješkow)." - -#, fuzzy -#~ msgid "Organization is too long (maximum 255 chars)." -#~ msgstr "Mjeno organizacije je předołho (maks. 255 znamješkow)." - -#~ 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." diff --git a/locale/hu/LC_MESSAGES/statusnet.po b/locale/hu/LC_MESSAGES/statusnet.po index 6cdd324c78..8fb750d69b 100644 --- a/locale/hu/LC_MESSAGES/statusnet.po +++ b/locale/hu/LC_MESSAGES/statusnet.po @@ -12,13 +12,13 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet - Core\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-11-02 22:51+0000\n" -"PO-Revision-Date: 2010-11-02 22:53:22+0000\n" +"POT-Creation-Date: 2010-11-04 18:25+0000\n" +"PO-Revision-Date: 2010-11-04 18:27:30+0000\n" "Language-Team: Hungarian \n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-POT-Import-Date: 2010-10-30 23:42:01+0000\n" -"X-Generator: MediaWiki 1.17alpha (r75875); Translate extension (2010-09-17)\n" +"X-POT-Import-Date: 2010-11-02 23:22:49+0000\n" +"X-Generator: MediaWiki 1.17alpha (r76004); Translate extension (2010-09-17)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: hu\n" "X-Message-Group: #out-statusnet-core\n" @@ -89,12 +89,14 @@ msgstr "Hozzáférések beállításainak mentése" #. TRANS: Save button for settings for a profile in a subscriptions list. #. TRANS: Button text to save user settings in user admin panel. #. TRANS: Button label in the "Edit application" form. +#. TRANS: Button text on profile design page to save settings. #: actions/accessadminpanel.php:193 actions/emailsettings.php:228 #: actions/imsettings.php:187 actions/othersettings.php:134 #: actions/pathsadminpanel.php:512 actions/profilesettings.php:201 #: actions/sitenoticeadminpanel.php:197 actions/smssettings.php:209 #: actions/subscriptions.php:246 actions/useradminpanel.php:298 -#: lib/applicationeditform.php:355 lib/groupeditform.php:207 +#: lib/applicationeditform.php:355 lib/designsettings.php:270 +#: lib/groupeditform.php:207 msgctxt "BUTTON" msgid "Save" msgstr "Mentés" @@ -162,7 +164,7 @@ msgstr "%1$s és barátai, %2$d oldal" #. TRANS: Timeline title for user and friends. %s is a user nickname. #: actions/all.php:94 actions/all.php:191 actions/allrss.php:115 #: actions/apitimelinefriends.php:207 actions/apitimelinehome.php:113 -#: lib/personalgroupnav.php:100 +#: lib/personalgroupnav.php:103 #, php-format msgid "%s and friends" msgstr "%s és barátai" @@ -332,11 +334,13 @@ msgstr "Nem sikerült menteni a profilt." #. TRANS: Client error displayed when the number of bytes in a POST request exceeds a limit. #. TRANS: %s is the number of bytes of the CONTENT_LENGTH. +#. TRANS: Form validation error in design settings form. POST should remain untranslated. #: actions/apiaccountupdateprofilebackgroundimage.php:108 #: actions/apiaccountupdateprofileimage.php:95 actions/apimediaupload.php:81 #: actions/apistatusesupdate.php:210 actions/avatarsettings.php:269 #: actions/designadminpanel.php:125 actions/editapplication.php:121 #: actions/newapplication.php:104 actions/newnotice.php:95 +#: lib/designsettings.php:298 #, fuzzy, php-format msgid "" "The server was unable to handle that much POST data (%s byte) due to its " @@ -745,7 +749,7 @@ msgstr "Nincs jogosultságod." #: actions/repeat.php:83 actions/smssettings.php:256 actions/subedit.php:40 #: actions/subscribe.php:86 actions/tagother.php:166 #: actions/unsubscribe.php:69 actions/userauthorization.php:52 -#: lib/designsettings.php:294 +#: lib/designsettings.php:310 msgid "There was a problem with your session token. Try again, please." msgstr "Probléma volt a munkameneted tokenjével. Kérlek, próbáld újra." @@ -766,12 +770,13 @@ msgstr "" #. TRANS: Message given submitting a form with an unknown action in IM settings. #. TRANS: Client error when submitting a form with unexpected information. #. TRANS: Message given submitting a form with an unknown action in SMS settings. +#. TRANS: Unknown form validation error in design settings form. #: actions/apioauthauthorize.php:294 actions/avatarsettings.php:294 #: actions/designadminpanel.php:104 actions/editapplication.php:144 #: actions/emailsettings.php:290 actions/grouplogo.php:322 #: actions/imsettings.php:245 actions/newapplication.php:125 #: actions/oauthconnectionssettings.php:147 actions/recoverpassword.php:44 -#: actions/smssettings.php:277 lib/designsettings.php:304 +#: actions/smssettings.php:277 lib/designsettings.php:321 msgid "Unexpected form submission." msgstr "Váratlan űrlapbeküldés." @@ -818,7 +823,7 @@ msgstr "Kontó" #. TRANS: Label for group nickname (dt). Text hidden by default. #: actions/apioauthauthorize.php:459 actions/login.php:252 #: actions/profilesettings.php:110 actions/register.php:433 -#: actions/showgroup.php:245 actions/tagother.php:94 +#: actions/showgroup.php:240 actions/tagother.php:94 #: actions/userauthorization.php:145 lib/groupeditform.php:152 #: lib/userprofile.php:132 msgid "Nickname" @@ -1081,7 +1086,7 @@ msgstr "Nincs ilyen csatolmány." #: actions/avatarbynickname.php:60 actions/blockedfromgroup.php:73 #: actions/editgroup.php:85 actions/groupdesignsettings.php:84 #: actions/grouplogo.php:86 actions/groupmembers.php:76 -#: actions/grouprss.php:91 actions/showgroup.php:121 +#: actions/grouprss.php:91 actions/showgroup.php:116 msgid "No nickname." msgstr "Nincs becenév." @@ -1098,7 +1103,7 @@ msgstr "Érvénytelen méret." #. TRANS: Title for avatar upload page. #. TRANS: Label for group avatar (dt). Text hidden by default. #. TRANS: Link description in user account settings menu. -#: actions/avatarsettings.php:66 actions/showgroup.php:229 +#: actions/avatarsettings.php:66 actions/showgroup.php:224 #: lib/accountsettingsaction.php:113 msgid "Avatar" msgstr "Avatar" @@ -1271,7 +1276,7 @@ msgstr "Nem sikerült elmenteni a blokkolási információkat." #: actions/groupunblock.php:88 actions/joingroup.php:82 #: actions/joingroup.php:93 actions/leavegroup.php:82 #: actions/leavegroup.php:93 actions/makeadmin.php:86 -#: actions/showgroup.php:139 actions/showgroup.php:148 lib/command.php:168 +#: actions/showgroup.php:134 actions/showgroup.php:143 lib/command.php:168 #: lib/command.php:380 msgid "No such group." msgstr "Nincs ilyen csoport." @@ -1632,12 +1637,14 @@ msgstr "" msgid "You can upload a custom StatusNet theme as a .ZIP archive." msgstr "" -#: actions/designadminpanel.php:512 lib/designsettings.php:101 +#. TRANS: Fieldset legend on profile design page. +#: actions/designadminpanel.php:512 lib/designsettings.php:98 msgid "Change background image" msgstr "Háttérkép megváltoztatása" +#. TRANS: Label on profile design page for setting a profile page background colour. #: actions/designadminpanel.php:517 actions/designadminpanel.php:600 -#: lib/designsettings.php:178 +#: lib/designsettings.php:183 msgid "Background" msgstr "Háttér" @@ -1649,40 +1656,48 @@ msgid "" msgstr "" #. TRANS: Used as radio button label to add a background image. -#: actions/designadminpanel.php:553 lib/designsettings.php:139 +#: actions/designadminpanel.php:553 msgid "On" msgstr "Be" #. TRANS: Used as radio button label to not add a background image. -#: actions/designadminpanel.php:570 lib/designsettings.php:155 +#: actions/designadminpanel.php:570 msgid "Off" msgstr "Ki" -#: actions/designadminpanel.php:571 lib/designsettings.php:156 +#. TRANS: Form guide for a set of radio buttons on the profile design page that will enable or disable +#. TRANS: use of the uploaded profile image. +#: actions/designadminpanel.php:571 lib/designsettings.php:159 msgid "Turn background image on or off." msgstr "Háttérkép be- vagy kikapcsolása." -#: actions/designadminpanel.php:576 lib/designsettings.php:161 +#. TRANS: Checkbox label on profile design page that will cause the profile image to be tiled. +#: actions/designadminpanel.php:576 lib/designsettings.php:165 msgid "Tile background image" msgstr "Háttérkép csempézése" -#: actions/designadminpanel.php:590 lib/designsettings.php:170 +#. TRANS: Fieldset legend on profile design page to change profile page colours. +#: actions/designadminpanel.php:590 lib/designsettings.php:175 msgid "Change colours" msgstr "Színek megváltoztatása" -#: actions/designadminpanel.php:613 lib/designsettings.php:191 +#. TRANS: Label on profile design page for setting a profile page content colour. +#: actions/designadminpanel.php:613 lib/designsettings.php:197 msgid "Content" msgstr "Tartalom" -#: actions/designadminpanel.php:626 lib/designsettings.php:204 +#. TRANS: Label on profile design page for setting a profile page sidebar colour. +#: actions/designadminpanel.php:626 lib/designsettings.php:211 msgid "Sidebar" msgstr "Oldalsáv" -#: actions/designadminpanel.php:639 lib/designsettings.php:217 +#. TRANS: Label on profile design page for setting a profile page text colour. +#: actions/designadminpanel.php:639 lib/designsettings.php:225 msgid "Text" msgstr "Szöveg" -#: actions/designadminpanel.php:652 lib/designsettings.php:230 +#. TRANS: Label on profile design page for setting a profile page links colour. +#: actions/designadminpanel.php:652 lib/designsettings.php:239 msgid "Links" msgstr "Hivatkozások" @@ -1694,15 +1709,18 @@ msgstr "" msgid "Custom CSS" msgstr "" -#: actions/designadminpanel.php:702 lib/designsettings.php:247 +#. TRANS: Button text on profile design page to immediately reset all colour settings to default. +#: actions/designadminpanel.php:702 lib/designsettings.php:257 msgid "Use defaults" msgstr "Alapértelmezések használata" -#: actions/designadminpanel.php:703 lib/designsettings.php:248 +#. TRANS: Title for button on profile design page to reset all colour settings to default. +#: actions/designadminpanel.php:703 lib/designsettings.php:259 msgid "Restore default designs" msgstr "" -#: actions/designadminpanel.php:709 lib/designsettings.php:254 +#. TRANS: Title for button on profile design page to reset all colour settings to default without saving. +#: actions/designadminpanel.php:709 lib/designsettings.php:267 msgid "Reset back to default" msgstr "Visszaállítás az alapértelmezettre" @@ -1710,11 +1728,12 @@ msgstr "Visszaállítás az alapértelmezettre" #: actions/designadminpanel.php:711 actions/licenseadminpanel.php:319 #: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:292 #: actions/snapshotadminpanel.php:245 actions/tagother.php:154 -#: lib/applicationeditform.php:357 lib/designsettings.php:256 +#: lib/applicationeditform.php:357 msgid "Save" msgstr "Mentés" -#: actions/designadminpanel.php:712 lib/designsettings.php:257 +#. TRANS: Title for button on profile design page to save settings. +#: actions/designadminpanel.php:712 lib/designsettings.php:272 msgid "Save design" msgstr "Design mentése" @@ -1850,7 +1869,7 @@ msgstr "Nem sikerült a csoport frissítése." #. TRANS: Server error displayed when group aliases could not be added. #. TRANS: Server exception thrown when creating group aliases failed. -#: actions/editgroup.php:288 classes/User_group.php:513 +#: actions/editgroup.php:288 classes/User_group.php:529 msgid "Could not create aliases." msgstr "Nem sikerült létrehozni az álneveket." @@ -2135,7 +2154,7 @@ msgid "" msgstr "" #: actions/favoritesrss.php:111 actions/showfavorites.php:77 -#: lib/personalgroupnav.php:115 +#: lib/personalgroupnav.php:118 #, php-format msgid "%s's favorite notices" msgstr "%s kedvenc hírei" @@ -2313,8 +2332,10 @@ msgid "" "palette of your choice." msgstr "" +#. TRANS: Error message displayed if design settings could not be saved. +#. TRANS: Error message displayed if design settings could not be saved after clicking "Use defaults". #: actions/groupdesignsettings.php:266 actions/userdesignsettings.php:186 -#: lib/designsettings.php:391 lib/designsettings.php:413 +#: lib/designsettings.php:405 lib/designsettings.php:427 msgid "Couldn't update your design." msgstr "Nem sikerült frissíteni a designt." @@ -3212,25 +3233,25 @@ msgstr "" msgid "Notice has no profile." msgstr "" -#: actions/oembed.php:87 actions/shownotice.php:176 +#: actions/oembed.php:83 actions/shownotice.php:172 #, php-format msgid "%1$s's status on %2$s" msgstr "" #. TRANS: Error message displaying attachments. %s is a raw MIME type (eg 'image/png') -#: actions/oembed.php:159 +#: actions/oembed.php:155 #, php-format msgid "Content type %s not supported." msgstr "" #. TRANS: Error message displaying attachments. %s is the site's base URL. -#: actions/oembed.php:163 +#: actions/oembed.php:159 #, php-format msgid "Only %s URLs over plain HTTP please." msgstr "" #. TRANS: Client error on an API request with an unsupported data format. -#: actions/oembed.php:184 actions/oembed.php:203 lib/apiaction.php:1200 +#: actions/oembed.php:180 actions/oembed.php:199 lib/apiaction.php:1200 #: lib/apiaction.php:1227 lib/apiaction.php:1356 msgid "Not a supported data format." msgstr "Nem támogatott adatformátum." @@ -3727,7 +3748,7 @@ msgstr "1-64 kisbetű vagy számjegy, nem lehet benne írásjel vagy szóköz" #. TRANS: Field label in form for profile settings. #. TRANS: Label for full group name (dt). Text hidden by default. #: actions/profilesettings.php:117 actions/register.php:457 -#: actions/showgroup.php:257 actions/tagother.php:104 +#: actions/showgroup.php:252 actions/tagother.php:104 #: lib/groupeditform.php:157 lib/userprofile.php:150 msgid "Full name" msgstr "Teljes név" @@ -3771,7 +3792,7 @@ msgstr "Életrajz" #. TRANS: Field label in form for profile settings. #. TRANS: Label for group location (dt). Text hidden by default. #: actions/profilesettings.php:149 actions/register.php:485 -#: actions/showgroup.php:267 actions/tagother.php:112 +#: actions/showgroup.php:262 actions/tagother.php:112 #: actions/userauthorization.php:166 lib/groupeditform.php:180 #: lib/userprofile.php:165 msgid "Location" @@ -4324,7 +4345,7 @@ msgid "Repeated!" msgstr "" #: actions/replies.php:126 actions/repliesrss.php:68 -#: lib/personalgroupnav.php:105 +#: lib/personalgroupnav.php:108 #, php-format msgid "Replies to %s" msgstr "" @@ -4456,7 +4477,7 @@ msgid "Description" msgstr "Leírás" #. TRANS: Header for group statistics on a group page (h2). -#: actions/showapplication.php:192 actions/showgroup.php:453 +#: actions/showapplication.php:192 actions/showgroup.php:448 #: lib/profileaction.php:187 msgid "Statistics" msgstr "Statisztika" @@ -4563,95 +4584,95 @@ msgid "This is a way to share what you like." msgstr "Ez az egyik módja annak, hogy megoszd amit kedvelsz." #. TRANS: Page title for first group page. %s is a group name. -#: actions/showgroup.php:80 +#: actions/showgroup.php:75 #, php-format msgid "%s group" msgstr "%s csoport" #. TRANS: Page title for any but first group page. #. TRANS: %1$s is a group name, $2$s is a page number. -#: actions/showgroup.php:84 +#: actions/showgroup.php:79 #, php-format msgid "%1$s group, page %2$d" msgstr "%1$s csoport, %2$d. oldal" #. TRANS: Group profile header (h2). Text hidden by default. -#: actions/showgroup.php:225 +#: actions/showgroup.php:220 msgid "Group profile" msgstr "Csoportprofil" #. TRANS: Label for group URL (dt). Text hidden by default. -#: actions/showgroup.php:275 actions/tagother.php:118 +#: actions/showgroup.php:270 actions/tagother.php:118 #: actions/userauthorization.php:175 lib/userprofile.php:178 msgid "URL" msgstr "URL-cím" #. TRANS: Label for group description or group note (dt). Text hidden by default. -#: actions/showgroup.php:287 actions/tagother.php:128 +#: actions/showgroup.php:282 actions/tagother.php:128 #: actions/userauthorization.php:187 lib/userprofile.php:195 msgid "Note" msgstr "Megjegyzés" #. TRANS: Label for group aliases (dt). Text hidden by default. -#: actions/showgroup.php:298 lib/groupeditform.php:187 +#: actions/showgroup.php:293 lib/groupeditform.php:187 msgid "Aliases" msgstr "Álnevek" #. TRANS: Group actions header (h2). Text hidden by default. -#: actions/showgroup.php:309 +#: actions/showgroup.php:304 msgid "Group actions" msgstr "Csoport-tevékenységek" #. TRANS: Tooltip for feed link. %s is a group nickname. -#: actions/showgroup.php:350 +#: actions/showgroup.php:345 #, php-format msgid "Notice feed for %s group (RSS 1.0)" msgstr "%s csoport RSS 1.0 hírcsatornája" #. TRANS: Tooltip for feed link. %s is a group nickname. -#: actions/showgroup.php:357 +#: actions/showgroup.php:352 #, php-format msgid "Notice feed for %s group (RSS 2.0)" msgstr "%s csoport RSS 2.0 hírcsatornája" #. TRANS: Tooltip for feed link. %s is a group nickname. -#: actions/showgroup.php:364 +#: actions/showgroup.php:359 #, php-format msgid "Notice feed for %s group (Atom)" msgstr "%s csoport Atom hírcsatornája" #. TRANS: Tooltip for feed link. %s is a group nickname. -#: actions/showgroup.php:370 +#: actions/showgroup.php:365 #, php-format msgid "FOAF for %s group" msgstr "FOAF a %s csoportnak" #. TRANS: Header for mini list of group members on a group page (h2). -#: actions/showgroup.php:407 +#: actions/showgroup.php:402 msgid "Members" msgstr "Tagok" #. TRANS: Description for mini list of group members on a group page when the group has no members. -#: actions/showgroup.php:413 lib/profileaction.php:117 +#: actions/showgroup.php:408 lib/profileaction.php:117 #: lib/profileaction.php:152 lib/profileaction.php:255 lib/section.php:95 #: lib/subscriptionlist.php:127 lib/tagcloudsection.php:71 msgid "(None)" msgstr "(nincs)" #. TRANS: Link to all group members from mini list of group members if group has more than n members. -#: actions/showgroup.php:422 +#: actions/showgroup.php:417 msgid "All members" msgstr "Összes tag" #. TRANS: Label for creation date in statistics on group page. -#: actions/showgroup.php:458 +#: actions/showgroup.php:453 #, fuzzy msgctxt "LABEL" msgid "Created" msgstr "Létrehoztuk" #. TRANS: Label for member count in statistics on group page. -#: actions/showgroup.php:466 +#: actions/showgroup.php:461 #, fuzzy msgctxt "LABEL" msgid "Members" @@ -4661,7 +4682,7 @@ msgstr "Tagok" #. TRANS: **%s** is the group alias, %%%%site.name%%%% is the site name, #. TRANS: %%%%action.register%%%% is the URL for registration, %%%%doc.help%%%% is a URL to help. #. TRANS: This message contains Markdown links. Ensure they are formatted correctly: [Description](link). -#: actions/showgroup.php:481 +#: actions/showgroup.php:476 #, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -4680,7 +4701,7 @@ msgstr "" #. TRANS: Notice on group pages for anonymous users for StatusNet sites that accept no new registrations. #. TRANS: **%s** is the group alias, %%%%site.name%%%% is the site name, #. TRANS: This message contains Markdown links. Ensure they are formatted correctly: [Description](link). -#: actions/showgroup.php:491 +#: actions/showgroup.php:486 #, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -4690,7 +4711,7 @@ msgid "" msgstr "" #. TRANS: Header for list of group administrators on a group page (h2). -#: actions/showgroup.php:520 +#: actions/showgroup.php:515 msgid "Admins" msgstr "Adminisztrátorok" @@ -5439,7 +5460,7 @@ msgstr "" #. TRANS: Link description in user account settings menu. #: actions/useradminpanel.php:215 lib/accountsettingsaction.php:106 -#: lib/personalgroupnav.php:109 +#: lib/personalgroupnav.php:112 msgid "Profile" msgstr "Profil" @@ -5594,11 +5615,13 @@ msgstr "" msgid "Wrong image type for avatar URL ‘%s’." msgstr "" -#: actions/userdesignsettings.php:76 lib/designsettings.php:65 +#. TRANS: Page title for profile design page. +#: actions/userdesignsettings.php:76 lib/designsettings.php:63 msgid "Profile design" msgstr "" -#: actions/userdesignsettings.php:87 lib/designsettings.php:76 +#. TRANS: Instructions for profile design page. +#: actions/userdesignsettings.php:87 lib/designsettings.php:74 msgid "" "Customize the way your profile looks with a background image and a colour " "palette of your choice." @@ -5716,29 +5739,38 @@ msgstr "" #. TRANS: Message given if an upload is larger than the configured maximum. #. TRANS: %1$d is the byte limit for uploads, %2$d is the byte count for the uploaded file. -#: classes/File.php:189 +#. TRANS: %1$s is used for plural. +#: classes/File.php:190 #, php-format msgid "" +"No file may be larger than %1$d byte and the file you sent was %2$d bytes. " +"Try to upload a smaller version." +msgid_plural "" "No file may be larger than %1$d bytes and the file you sent was %2$d bytes. " "Try to upload a smaller version." -msgstr "" +msgstr[0] "" +msgstr[1] "" #. TRANS: Message given if an upload would exceed user quota. -#. TRANS: %d (number) is the user quota in bytes. -#: classes/File.php:201 +#. TRANS: %d (number) is the user quota in bytes and is used for plural. +#: classes/File.php:203 #, php-format -msgid "A file this large would exceed your user quota of %d bytes." -msgstr "" +msgid "A file this large would exceed your user quota of %d byte." +msgid_plural "A file this large would exceed your user quota of %d bytes." +msgstr[0] "" +msgstr[1] "" #. TRANS: Message given id an upload would exceed a user's monthly quota. -#. TRANS: $d (number) is the monthly user quota in bytes. -#: classes/File.php:210 +#. TRANS: $d (number) is the monthly user quota in bytes and is used for plural. +#: classes/File.php:215 #, php-format -msgid "A file this large would exceed your monthly quota of %d bytes." -msgstr "" +msgid "A file this large would exceed your monthly quota of %d byte." +msgid_plural "A file this large would exceed your monthly quota of %d bytes." +msgstr[0] "" +msgstr[1] "" #. TRANS: Client exception thrown if a file upload does not have a valid name. -#: classes/File.php:247 classes/File.php:262 +#: classes/File.php:262 classes/File.php:277 msgid "Invalid filename." msgstr "" @@ -5863,31 +5895,31 @@ msgid "Problem saving notice." msgstr "Probléma merült fel a hír mentése közben." #. TRANS: Server exception thrown when no array is provided to the method saveKnownGroups(). -#: classes/Notice.php:907 -msgid "Bad type provided to saveKnownGroups" +#: classes/Notice.php:905 +msgid "Bad type provided to saveKnownGroups." msgstr "" #. TRANS: Server exception thrown when an update for a group inbox fails. -#: classes/Notice.php:1006 +#: classes/Notice.php:1004 msgid "Problem saving group inbox." msgstr "" #. TRANS: Server exception thrown when a reply cannot be saved. #. TRANS: %1$d is a notice ID, %2$d is the ID of the mentioned user. -#: classes/Notice.php:1120 +#: classes/Notice.php:1118 #, fuzzy, php-format msgid "Could not save reply for %1$d, %2$d." msgstr "Nem sikerült menteni a profilt." #. TRANS: Message used to repeat a notice. RT is the abbreviation of 'retweet'. #. TRANS: %1$s is the repeated user's name, %2$s is the repeated notice. -#: classes/Notice.php:1822 +#: classes/Notice.php:1820 #, php-format msgid "RT @%1$s %2$s" msgstr "" #. TRANS: Full name of a profile or group followed by nickname in parens -#: classes/Profile.php:164 +#: classes/Profile.php:164 classes/User_group.php:247 #, fuzzy, php-format msgctxt "FANCYNAME" msgid "%1$s (%2$s)" @@ -5982,22 +6014,22 @@ msgid "Single-user mode code called when not enabled." msgstr "" #. TRANS: Server exception thrown when creating a group failed. -#: classes/User_group.php:495 +#: classes/User_group.php:511 msgid "Could not create group." msgstr "Nem sikerült létrehozni a csoportot." #. TRANS: Server exception thrown when updating a group URI failed. -#: classes/User_group.php:505 +#: classes/User_group.php:521 msgid "Could not set group URI." msgstr "" #. TRANS: Server exception thrown when setting group membership failed. -#: classes/User_group.php:528 +#: classes/User_group.php:544 msgid "Could not set group membership." msgstr "Nem sikerült beállítani a csoporttagságot." #. TRANS: Server exception thrown when saving local group information failed. -#: classes/User_group.php:543 +#: classes/User_group.php:559 msgid "Could not save local group info." msgstr "" @@ -6397,7 +6429,7 @@ msgid "User configuration" msgstr "A felhasználók beállításai" #. TRANS: Menu item for site administration -#: lib/adminpanelaction.php:355 lib/personalgroupnav.php:115 +#: lib/adminpanelaction.php:355 lib/personalgroupnav.php:118 msgid "User" msgstr "Felhasználó" @@ -7063,25 +7095,41 @@ msgstr "" msgid "Database error" msgstr "Adatbázishiba" -#: lib/designsettings.php:105 +#. TRANS: Label in form on profile design page. +#. TRANS: Field contains file name on user's computer that could be that user's custom profile background image. +#: lib/designsettings.php:104 msgid "Upload file" msgstr "Fájl feltöltése" +#. TRANS: Instructions for form on profile design page. #: lib/designsettings.php:109 msgid "" "You can upload your personal background image. The maximum file size is 2MB." msgstr "" -#: 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 "" -"A szerver nem tudott feldolgozni ennyi POST-adatot (%s bájtot) a jelenlegi " -"konfigurációja miatt." +#. TRANS: Radio button on profile design page that will enable use of the uploaded profile image. +#: lib/designsettings.php:139 +#, fuzzy +msgctxt "RADIO" +msgid "On" +msgstr "Be" -#: lib/designsettings.php:418 +#. TRANS: Radio button on profile design page that will disable use of the uploaded profile image. +#: lib/designsettings.php:156 +#, fuzzy +msgctxt "RADIO" +msgid "Off" +msgstr "Ki" + +#. TRANS: Button text on profile design page to reset all colour settings to default without saving. +#: lib/designsettings.php:264 +#, fuzzy +msgctxt "BUTTON" +msgid "Reset" +msgstr "Alaphelyzet" + +#. TRANS: Success message displayed if design settings were saved after clicking "Use defaults". +#: lib/designsettings.php:433 msgid "Design defaults restored." msgstr "" @@ -7575,7 +7623,7 @@ msgstr "" #. TRANS: Subject for favorite notification e-mail. #. TRANS: %1$s is the adding user's long name, %2$s is the adding user's nickname. -#: lib/mail.php:603 +#: lib/mail.php:607 #, fuzzy, php-format msgid "%1$s (@%2$s) added your notice as a favorite" msgstr "%s (@%s) az általad küldött hírt hozzáadta a kedvenceihez" @@ -7585,7 +7633,7 @@ msgstr "%s (@%s) az általad küldött hírt hozzáadta a kedvenceihez" #. TRANS: %3$s is a URL to the faved notice, %4$s is the faved notice text, #. TRANS: %5$s is a URL to all faves of the adding user, %6$s is the StatusNet sitename, #. TRANS: %7$s is the adding user's nickname. -#: lib/mail.php:610 +#: lib/mail.php:614 #, php-format msgid "" "%1$s (@%7$s) just added your notice from %2$s as one of their favorites.\n" @@ -7623,7 +7671,7 @@ msgstr "" "%6$s\n" #. TRANS: Line in @-reply notification e-mail. %s is conversation URL. -#: lib/mail.php:668 +#: lib/mail.php:672 #, php-format msgid "" "The full conversation can be read here:\n" @@ -7633,7 +7681,7 @@ msgstr "" #. TRANS: E-mail subject for notice notification. #. TRANS: %1$s is the sending user's long name, %2$s is the adding user's nickname. -#: lib/mail.php:676 +#: lib/mail.php:680 #, fuzzy, php-format msgid "%1$s (@%2$s) sent a notice to your attention" msgstr "%s (@%s) figyelmedbe ajánlott egy hírt" @@ -7644,7 +7692,7 @@ msgstr "%s (@%s) figyelmedbe ajánlott egy hírt" #. TRANS: %5$s is a URL to the full conversion if it exists (otherwise empty), #. TRANS: %6$s is a URL to reply to the notice, %7$s is a URL to all @-replied for the addressed user, #. TRANS: %8$s is a URL to the addressed user's e-mail settings, %9$s is the sender's nickname. -#: lib/mail.php:684 +#: lib/mail.php:688 #, php-format msgid "" "%1$s (@%9$s) just sent a notice to your attention (an '@-reply') on %2$s.\n" @@ -7766,7 +7814,7 @@ msgstr "Nem sikerült a fájl MIME-típusát megállapítani." #. TRANS: Client exception thrown trying to upload a forbidden MIME type. #. TRANS: %1$s is the file type that was denied, %2$s is the application part of #. TRANS: the MIME type that was denied. -#: lib/mediafile.php:340 +#: lib/mediafile.php:345 #, php-format msgid "" "\"%1$s\" is not a supported file type on this server. Try using another %2$s " @@ -7775,7 +7823,7 @@ msgstr "" #. TRANS: Client exception thrown trying to upload a forbidden MIME type. #. TRANS: %s is the file type that was denied. -#: lib/mediafile.php:345 +#: lib/mediafile.php:350 #, php-format msgid "\"%s\" is not a supported file type on this server." msgstr "" @@ -7914,31 +7962,31 @@ msgstr "" msgid "Couldn't insert new subscription." msgstr "" -#: lib/personalgroupnav.php:99 +#: lib/personalgroupnav.php:102 msgid "Personal" msgstr "Személyes" -#: lib/personalgroupnav.php:104 +#: lib/personalgroupnav.php:107 msgid "Replies" msgstr "Válaszok" -#: lib/personalgroupnav.php:114 +#: lib/personalgroupnav.php:117 msgid "Favorites" msgstr "Kedvencek" -#: lib/personalgroupnav.php:125 +#: lib/personalgroupnav.php:128 msgid "Inbox" msgstr "" -#: lib/personalgroupnav.php:126 +#: lib/personalgroupnav.php:129 msgid "Your incoming messages" msgstr "A bejövő üzeneteid" -#: lib/personalgroupnav.php:130 +#: lib/personalgroupnav.php:133 msgid "Outbox" msgstr "" -#: lib/personalgroupnav.php:131 +#: lib/personalgroupnav.php:134 msgid "Your sent messages" msgstr "A küldött üzeneteid" @@ -8136,6 +8184,12 @@ msgstr "" msgid "None" msgstr "" +#. TRANS: Server exception displayed if a theme name was invalid. +#: lib/theme.php:74 +#, fuzzy +msgid "Invalid theme name." +msgstr "Érvénytelen megjegyzéstartalom." + #: lib/themeuploader.php:50 msgid "This server cannot handle theme uploads without ZIP support." msgstr "" @@ -8381,18 +8435,9 @@ msgid_plural "%d entries in backup." msgstr[0] "" msgstr[1] "" -#, fuzzy -#~ msgid "Name is too long (maximum 255 chars)." -#~ msgstr "A név túl hosszú (max 255 karakter lehet)." - -#, fuzzy -#~ msgid "Organization is too long (maximum 255 chars)." -#~ msgstr "A szervezet túl hosszú (255 karakter lehet)." - -#~ msgid "That's too long. Max notice size is %d chars." -#~ msgstr "Az túl hosszú. Egy hír legfeljebb %d karakterből állhat." - -#~ msgid "Max notice size is %d chars, including attachment URL." +#~ msgid "" +#~ "The server was unable to handle that much POST data (%s bytes) due to its " +#~ "current configuration." #~ msgstr "" -#~ "Egy hír legfeljebb %d karakterből állhat, a melléklet URL-jét is " -#~ "beleértve." +#~ "A szerver nem tudott feldolgozni ennyi POST-adatot (%s bájtot) a " +#~ "jelenlegi konfigurációja miatt." diff --git a/locale/ia/LC_MESSAGES/statusnet.po b/locale/ia/LC_MESSAGES/statusnet.po index 73afea5a86..6a3156b96d 100644 --- a/locale/ia/LC_MESSAGES/statusnet.po +++ b/locale/ia/LC_MESSAGES/statusnet.po @@ -9,17 +9,17 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet - Core\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-11-02 22:51+0000\n" -"PO-Revision-Date: 2010-11-02 22:53:24+0000\n" +"POT-Creation-Date: 2010-11-04 18:25+0000\n" +"PO-Revision-Date: 2010-11-04 18:27:31+0000\n" "Language-Team: Interlingua \n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r75875); Translate extension (2010-09-17)\n" +"X-Generator: MediaWiki 1.17alpha (r76004); Translate extension (2010-09-17)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: ia\n" "X-Message-Group: #out-statusnet-core\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-POT-Import-Date: 2010-10-30 23:42:01+0000\n" +"X-POT-Import-Date: 2010-11-02 23:22:49+0000\n" #. TRANS: Page title for Access admin panel that allows configuring site access. #. TRANS: Menu item for site administration @@ -84,12 +84,14 @@ msgstr "Salveguardar configurationes de accesso" #. TRANS: Save button for settings for a profile in a subscriptions list. #. TRANS: Button text to save user settings in user admin panel. #. TRANS: Button label in the "Edit application" form. +#. TRANS: Button text on profile design page to save settings. #: actions/accessadminpanel.php:193 actions/emailsettings.php:228 #: actions/imsettings.php:187 actions/othersettings.php:134 #: actions/pathsadminpanel.php:512 actions/profilesettings.php:201 #: actions/sitenoticeadminpanel.php:197 actions/smssettings.php:209 #: actions/subscriptions.php:246 actions/useradminpanel.php:298 -#: lib/applicationeditform.php:355 lib/groupeditform.php:207 +#: lib/applicationeditform.php:355 lib/designsettings.php:270 +#: lib/groupeditform.php:207 msgctxt "BUTTON" msgid "Save" msgstr "Salveguardar" @@ -157,7 +159,7 @@ msgstr "%1$s e amicos, pagina %2$d" #. TRANS: Timeline title for user and friends. %s is a user nickname. #: actions/all.php:94 actions/all.php:191 actions/allrss.php:115 #: actions/apitimelinefriends.php:207 actions/apitimelinehome.php:113 -#: lib/personalgroupnav.php:100 +#: lib/personalgroupnav.php:103 #, php-format msgid "%s and friends" msgstr "%s e amicos" @@ -333,11 +335,13 @@ msgstr "Non poteva salveguardar le profilo." #. TRANS: Client error displayed when the number of bytes in a POST request exceeds a limit. #. TRANS: %s is the number of bytes of the CONTENT_LENGTH. +#. TRANS: Form validation error in design settings form. POST should remain untranslated. #: actions/apiaccountupdateprofilebackgroundimage.php:108 #: actions/apiaccountupdateprofileimage.php:95 actions/apimediaupload.php:81 #: actions/apistatusesupdate.php:210 actions/avatarsettings.php:269 #: actions/designadminpanel.php:125 actions/editapplication.php:121 #: actions/newapplication.php:104 actions/newnotice.php:95 +#: lib/designsettings.php:298 #, php-format msgid "" "The server was unable to handle that much POST data (%s byte) due to its " @@ -742,7 +746,7 @@ msgstr "Indicio de requesta jam autorisate." #: actions/repeat.php:83 actions/smssettings.php:256 actions/subedit.php:40 #: actions/subscribe.php:86 actions/tagother.php:166 #: actions/unsubscribe.php:69 actions/userauthorization.php:52 -#: lib/designsettings.php:294 +#: lib/designsettings.php:310 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." @@ -764,12 +768,13 @@ msgstr "" #. TRANS: Message given submitting a form with an unknown action in IM settings. #. TRANS: Client error when submitting a form with unexpected information. #. TRANS: Message given submitting a form with an unknown action in SMS settings. +#. TRANS: Unknown form validation error in design settings form. #: actions/apioauthauthorize.php:294 actions/avatarsettings.php:294 #: actions/designadminpanel.php:104 actions/editapplication.php:144 #: actions/emailsettings.php:290 actions/grouplogo.php:322 #: actions/imsettings.php:245 actions/newapplication.php:125 #: actions/oauthconnectionssettings.php:147 actions/recoverpassword.php:44 -#: actions/smssettings.php:277 lib/designsettings.php:304 +#: actions/smssettings.php:277 lib/designsettings.php:321 msgid "Unexpected form submission." msgstr "Submission de formulario inexpectate." @@ -821,7 +826,7 @@ msgstr "Conto" #. TRANS: Label for group nickname (dt). Text hidden by default. #: actions/apioauthauthorize.php:459 actions/login.php:252 #: actions/profilesettings.php:110 actions/register.php:433 -#: actions/showgroup.php:245 actions/tagother.php:94 +#: actions/showgroup.php:240 actions/tagother.php:94 #: actions/userauthorization.php:145 lib/groupeditform.php:152 #: lib/userprofile.php:132 msgid "Nickname" @@ -1086,7 +1091,7 @@ msgstr "Annexo non existe." #: actions/avatarbynickname.php:60 actions/blockedfromgroup.php:73 #: actions/editgroup.php:85 actions/groupdesignsettings.php:84 #: actions/grouplogo.php:86 actions/groupmembers.php:76 -#: actions/grouprss.php:91 actions/showgroup.php:121 +#: actions/grouprss.php:91 actions/showgroup.php:116 msgid "No nickname." msgstr "Nulle pseudonymo." @@ -1103,7 +1108,7 @@ msgstr "Dimension invalide." #. TRANS: Title for avatar upload page. #. TRANS: Label for group avatar (dt). Text hidden by default. #. TRANS: Link description in user account settings menu. -#: actions/avatarsettings.php:66 actions/showgroup.php:229 +#: actions/avatarsettings.php:66 actions/showgroup.php:224 #: lib/accountsettingsaction.php:113 msgid "Avatar" msgstr "Avatar" @@ -1277,7 +1282,7 @@ msgstr "Falleva de salveguardar le information del blocada." #: actions/groupunblock.php:88 actions/joingroup.php:82 #: actions/joingroup.php:93 actions/leavegroup.php:82 #: actions/leavegroup.php:93 actions/makeadmin.php:86 -#: actions/showgroup.php:139 actions/showgroup.php:148 lib/command.php:168 +#: actions/showgroup.php:134 actions/showgroup.php:143 lib/command.php:168 #: lib/command.php:380 msgid "No such group." msgstr "Gruppo non existe." @@ -1636,12 +1641,14 @@ msgstr "" "Es possibile incargar un apparentia personalisate de StatusNet in un " "archivo .ZIP." -#: actions/designadminpanel.php:512 lib/designsettings.php:101 +#. TRANS: Fieldset legend on profile design page. +#: actions/designadminpanel.php:512 lib/designsettings.php:98 msgid "Change background image" msgstr "Cambiar imagine de fundo" +#. TRANS: Label on profile design page for setting a profile page background colour. #: actions/designadminpanel.php:517 actions/designadminpanel.php:600 -#: lib/designsettings.php:178 +#: lib/designsettings.php:183 msgid "Background" msgstr "Fundo" @@ -1655,40 +1662,48 @@ msgstr "" "file es %1$s." #. TRANS: Used as radio button label to add a background image. -#: actions/designadminpanel.php:553 lib/designsettings.php:139 +#: actions/designadminpanel.php:553 msgid "On" msgstr "Active" #. TRANS: Used as radio button label to not add a background image. -#: actions/designadminpanel.php:570 lib/designsettings.php:155 +#: actions/designadminpanel.php:570 msgid "Off" msgstr "Non active" -#: actions/designadminpanel.php:571 lib/designsettings.php:156 +#. TRANS: Form guide for a set of radio buttons on the profile design page that will enable or disable +#. TRANS: use of the uploaded profile image. +#: actions/designadminpanel.php:571 lib/designsettings.php:159 msgid "Turn background image on or off." msgstr "Activar o disactivar le imagine de fundo." -#: actions/designadminpanel.php:576 lib/designsettings.php:161 +#. TRANS: Checkbox label on profile design page that will cause the profile image to be tiled. +#: actions/designadminpanel.php:576 lib/designsettings.php:165 msgid "Tile background image" msgstr "Tegular le imagine de fundo" -#: actions/designadminpanel.php:590 lib/designsettings.php:170 +#. TRANS: Fieldset legend on profile design page to change profile page colours. +#: actions/designadminpanel.php:590 lib/designsettings.php:175 msgid "Change colours" msgstr "Cambiar colores" -#: actions/designadminpanel.php:613 lib/designsettings.php:191 +#. TRANS: Label on profile design page for setting a profile page content colour. +#: actions/designadminpanel.php:613 lib/designsettings.php:197 msgid "Content" msgstr "Contento" -#: actions/designadminpanel.php:626 lib/designsettings.php:204 +#. TRANS: Label on profile design page for setting a profile page sidebar colour. +#: actions/designadminpanel.php:626 lib/designsettings.php:211 msgid "Sidebar" msgstr "Barra lateral" -#: actions/designadminpanel.php:639 lib/designsettings.php:217 +#. TRANS: Label on profile design page for setting a profile page text colour. +#: actions/designadminpanel.php:639 lib/designsettings.php:225 msgid "Text" msgstr "Texto" -#: actions/designadminpanel.php:652 lib/designsettings.php:230 +#. TRANS: Label on profile design page for setting a profile page links colour. +#: actions/designadminpanel.php:652 lib/designsettings.php:239 msgid "Links" msgstr "Ligamines" @@ -1700,15 +1715,18 @@ msgstr "Avantiate" msgid "Custom CSS" msgstr "CSS personalisate" -#: actions/designadminpanel.php:702 lib/designsettings.php:247 +#. TRANS: Button text on profile design page to immediately reset all colour settings to default. +#: actions/designadminpanel.php:702 lib/designsettings.php:257 msgid "Use defaults" msgstr "Usar predefinitiones" -#: actions/designadminpanel.php:703 lib/designsettings.php:248 +#. TRANS: Title for button on profile design page to reset all colour settings to default. +#: actions/designadminpanel.php:703 lib/designsettings.php:259 msgid "Restore default designs" msgstr "Restaurar apparentias predefinite" -#: actions/designadminpanel.php:709 lib/designsettings.php:254 +#. TRANS: Title for button on profile design page to reset all colour settings to default without saving. +#: actions/designadminpanel.php:709 lib/designsettings.php:267 msgid "Reset back to default" msgstr "Revenir al predefinitiones" @@ -1716,11 +1734,12 @@ msgstr "Revenir al predefinitiones" #: actions/designadminpanel.php:711 actions/licenseadminpanel.php:319 #: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:292 #: actions/snapshotadminpanel.php:245 actions/tagother.php:154 -#: lib/applicationeditform.php:357 lib/designsettings.php:256 +#: lib/applicationeditform.php:357 msgid "Save" msgstr "Salveguardar" -#: actions/designadminpanel.php:712 lib/designsettings.php:257 +#. TRANS: Title for button on profile design page to save settings. +#: actions/designadminpanel.php:712 lib/designsettings.php:272 msgid "Save design" msgstr "Salveguardar apparentia" @@ -1765,9 +1784,8 @@ msgstr "Le nomine es requirite." #. TRANS: Validation error shown when providing too long a name in the "Edit application" form. #: actions/editapplication.php:188 actions/newapplication.php:169 -#, fuzzy msgid "Name is too long (maximum 255 characters)." -msgstr "Le nomine es troppo longe (max. 255 characteres)." +msgstr "Le nomine es troppo longe (maximo 255 characteres)." #. TRANS: Validation error shown when providing a name for an application that already exists in the "Edit application" form. #: actions/editapplication.php:192 actions/newapplication.php:166 @@ -1855,7 +1873,7 @@ msgstr "Non poteva actualisar gruppo." #. TRANS: Server error displayed when group aliases could not be added. #. TRANS: Server exception thrown when creating group aliases failed. -#: actions/editgroup.php:288 classes/User_group.php:513 +#: actions/editgroup.php:288 classes/User_group.php:529 msgid "Could not create aliases." msgstr "Non poteva crear aliases." @@ -2141,7 +2159,7 @@ msgstr "" "nota a tu favorites!" #: actions/favoritesrss.php:111 actions/showfavorites.php:77 -#: lib/personalgroupnav.php:115 +#: lib/personalgroupnav.php:118 #, php-format msgid "%s's favorite notices" msgstr "Notas favorite de %s" @@ -2320,8 +2338,10 @@ msgstr "" "Personalisa le apparentia de tu gruppo con un imagine de fundo e un paletta " "de colores de tu preferentia." +#. TRANS: Error message displayed if design settings could not be saved. +#. TRANS: Error message displayed if design settings could not be saved after clicking "Use defaults". #: actions/groupdesignsettings.php:266 actions/userdesignsettings.php:186 -#: lib/designsettings.php:391 lib/designsettings.php:413 +#: lib/designsettings.php:405 lib/designsettings.php:427 msgid "Couldn't update your design." msgstr "Non poteva actualisar tu apparentia." @@ -2716,7 +2736,7 @@ msgstr[1] "Tu es ja subscribite a iste usatores:" #. TRANS: Used as list item for already subscribed users (%1$s is nickname, %2$s is e-mail address). #. TRANS: Used as list item for already registered people (%1$s is nickname, %2$s is e-mail address). #: actions/invite.php:145 actions/invite.php:159 -#, fuzzy, php-format +#, php-format msgctxt "INVITE" msgid "%1$s (%2$s)" msgstr "%1$s (%2$s)" @@ -2902,7 +2922,6 @@ msgstr "" "derectos reservate\"." #: actions/licenseadminpanel.php:156 -#, fuzzy msgid "Invalid license title. Maximum length is 255 characters." msgstr "Titulo de licentia invalide. Longitude maximal es 255 characteres." @@ -3282,25 +3301,25 @@ msgstr "" msgid "Notice has no profile." msgstr "Le nota ha nulle profilo." -#: actions/oembed.php:87 actions/shownotice.php:176 +#: actions/oembed.php:83 actions/shownotice.php:172 #, php-format msgid "%1$s's status on %2$s" msgstr "Le stato de %1$s in %2$s" #. TRANS: Error message displaying attachments. %s is a raw MIME type (eg 'image/png') -#: actions/oembed.php:159 +#: actions/oembed.php:155 #, php-format msgid "Content type %s not supported." msgstr "Le typo de contento %s non es supportate." #. TRANS: Error message displaying attachments. %s is the site's base URL. -#: actions/oembed.php:163 +#: actions/oembed.php:159 #, php-format msgid "Only %s URLs over plain HTTP please." msgstr "Solmente le URLs %s es permittite super HTTP simple." #. TRANS: Client error on an API request with an unsupported data format. -#: actions/oembed.php:184 actions/oembed.php:203 lib/apiaction.php:1200 +#: actions/oembed.php:180 actions/oembed.php:199 lib/apiaction.php:1200 #: lib/apiaction.php:1227 lib/apiaction.php:1356 msgid "Not a supported data format." msgstr "Formato de datos non supportate." @@ -3351,9 +3370,9 @@ msgstr "Monstrar o celar apparentias de profilo." #. TRANS: Form validation error for form "Other settings" in user profile. #: actions/othersettings.php:162 -#, fuzzy msgid "URL shortening service is too long (maximum 50 characters)." -msgstr "Le servicio de accurtamento de URL es troppo longe (max 50 chars)." +msgstr "" +"Le servicio de accurtamento de URL es troppo longe (maximo 50 characteres)." #: actions/otp.php:69 msgid "No user ID specified." @@ -3781,7 +3800,7 @@ msgstr "1-64 minusculas o numeros, sin punctuation o spatios." #. TRANS: Field label in form for profile settings. #. TRANS: Label for full group name (dt). Text hidden by default. #: actions/profilesettings.php:117 actions/register.php:457 -#: actions/showgroup.php:257 actions/tagother.php:104 +#: actions/showgroup.php:252 actions/tagother.php:104 #: lib/groupeditform.php:157 lib/userprofile.php:150 msgid "Full name" msgstr "Nomine complete" @@ -3822,7 +3841,7 @@ msgstr "Bio" #. TRANS: Field label in form for profile settings. #. TRANS: Label for group location (dt). Text hidden by default. #: actions/profilesettings.php:149 actions/register.php:485 -#: actions/showgroup.php:267 actions/tagother.php:112 +#: actions/showgroup.php:262 actions/tagother.php:112 #: actions/userauthorization.php:166 lib/groupeditform.php:180 #: lib/userprofile.php:165 msgid "Location" @@ -4162,7 +4181,6 @@ msgid "Unexpected password reset." msgstr "Reinitialisation inexpectate del contrasigno." #: actions/recoverpassword.php:365 -#, fuzzy msgid "Password must be 6 characters or more." msgstr "Le contrasigno debe haber 6 characteres o plus." @@ -4407,7 +4425,7 @@ msgid "Repeated!" msgstr "Repetite!" #: actions/replies.php:126 actions/repliesrss.php:68 -#: lib/personalgroupnav.php:105 +#: lib/personalgroupnav.php:108 #, php-format msgid "Replies to %s" msgstr "Responsas a %s" @@ -4545,7 +4563,7 @@ msgid "Description" msgstr "Description" #. TRANS: Header for group statistics on a group page (h2). -#: actions/showapplication.php:192 actions/showgroup.php:453 +#: actions/showapplication.php:192 actions/showgroup.php:448 #: lib/profileaction.php:187 msgid "Statistics" msgstr "Statisticas" @@ -4662,94 +4680,94 @@ msgid "This is a way to share what you like." msgstr "Isto es un modo de condivider lo que te place." #. TRANS: Page title for first group page. %s is a group name. -#: actions/showgroup.php:80 +#: actions/showgroup.php:75 #, php-format msgid "%s group" msgstr "Gruppo %s" #. TRANS: Page title for any but first group page. #. TRANS: %1$s is a group name, $2$s is a page number. -#: actions/showgroup.php:84 +#: actions/showgroup.php:79 #, php-format msgid "%1$s group, page %2$d" msgstr "Gruppo %1$s, pagina %2$d" #. TRANS: Group profile header (h2). Text hidden by default. -#: actions/showgroup.php:225 +#: actions/showgroup.php:220 msgid "Group profile" msgstr "Profilo del gruppo" #. TRANS: Label for group URL (dt). Text hidden by default. -#: actions/showgroup.php:275 actions/tagother.php:118 +#: actions/showgroup.php:270 actions/tagother.php:118 #: actions/userauthorization.php:175 lib/userprofile.php:178 msgid "URL" msgstr "URL" #. TRANS: Label for group description or group note (dt). Text hidden by default. -#: actions/showgroup.php:287 actions/tagother.php:128 +#: actions/showgroup.php:282 actions/tagother.php:128 #: actions/userauthorization.php:187 lib/userprofile.php:195 msgid "Note" msgstr "Nota" #. TRANS: Label for group aliases (dt). Text hidden by default. -#: actions/showgroup.php:298 lib/groupeditform.php:187 +#: actions/showgroup.php:293 lib/groupeditform.php:187 msgid "Aliases" msgstr "Aliases" #. TRANS: Group actions header (h2). Text hidden by default. -#: actions/showgroup.php:309 +#: actions/showgroup.php:304 msgid "Group actions" msgstr "Actiones del gruppo" #. TRANS: Tooltip for feed link. %s is a group nickname. -#: actions/showgroup.php:350 +#: actions/showgroup.php:345 #, php-format msgid "Notice feed for %s group (RSS 1.0)" msgstr "Syndication de notas pro le gruppo %s (RSS 1.0)" #. TRANS: Tooltip for feed link. %s is a group nickname. -#: actions/showgroup.php:357 +#: actions/showgroup.php:352 #, php-format msgid "Notice feed for %s group (RSS 2.0)" msgstr "Syndication de notas pro le gruppo %s (RSS 2.0)" #. TRANS: Tooltip for feed link. %s is a group nickname. -#: actions/showgroup.php:364 +#: actions/showgroup.php:359 #, php-format msgid "Notice feed for %s group (Atom)" msgstr "Syndication de notas pro le gruppo %s (Atom)" #. TRANS: Tooltip for feed link. %s is a group nickname. -#: actions/showgroup.php:370 +#: actions/showgroup.php:365 #, php-format msgid "FOAF for %s group" msgstr "Amico de un amico pro le gruppo %s" #. TRANS: Header for mini list of group members on a group page (h2). -#: actions/showgroup.php:407 +#: actions/showgroup.php:402 msgid "Members" msgstr "Membros" #. TRANS: Description for mini list of group members on a group page when the group has no members. -#: actions/showgroup.php:413 lib/profileaction.php:117 +#: actions/showgroup.php:408 lib/profileaction.php:117 #: lib/profileaction.php:152 lib/profileaction.php:255 lib/section.php:95 #: lib/subscriptionlist.php:127 lib/tagcloudsection.php:71 msgid "(None)" msgstr "(Nulle)" #. TRANS: Link to all group members from mini list of group members if group has more than n members. -#: actions/showgroup.php:422 +#: actions/showgroup.php:417 msgid "All members" msgstr "Tote le membros" #. TRANS: Label for creation date in statistics on group page. -#: actions/showgroup.php:458 +#: actions/showgroup.php:453 msgctxt "LABEL" msgid "Created" msgstr "Create" #. TRANS: Label for member count in statistics on group page. -#: actions/showgroup.php:466 +#: actions/showgroup.php:461 msgctxt "LABEL" msgid "Members" msgstr "Membros" @@ -4758,7 +4776,7 @@ msgstr "Membros" #. TRANS: **%s** is the group alias, %%%%site.name%%%% is the site name, #. TRANS: %%%%action.register%%%% is the URL for registration, %%%%doc.help%%%% is a URL to help. #. TRANS: This message contains Markdown links. Ensure they are formatted correctly: [Description](link). -#: actions/showgroup.php:481 +#: actions/showgroup.php:476 #, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -4776,7 +4794,7 @@ msgstr "" #. TRANS: Notice on group pages for anonymous users for StatusNet sites that accept no new registrations. #. TRANS: **%s** is the group alias, %%%%site.name%%%% is the site name, #. TRANS: This message contains Markdown links. Ensure they are formatted correctly: [Description](link). -#: actions/showgroup.php:491 +#: actions/showgroup.php:486 #, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -4790,7 +4808,7 @@ msgstr "" "lor vita e interesses. " #. TRANS: Header for list of group administrators on a group page (h2). -#: actions/showgroup.php:520 +#: actions/showgroup.php:515 msgid "Admins" msgstr "Administratores" @@ -4824,16 +4842,16 @@ msgstr "Nota delite." #. TRANS: Page title showing tagged notices in one user's stream. %1$s is the username, %2$s is the hash tag. #: actions/showstream.php:70 -#, fuzzy, php-format +#, php-format msgid "%1$s tagged %2$s" -msgstr "%1$s, pagina %2$d" +msgstr "%1$s etiquettate con %2$s" #. TRANS: Page title showing tagged notices in one user's stream. #. TRANS: %1$s is the username, %2$s is the hash tag, %1$d is the page number. #: actions/showstream.php:74 -#, fuzzy, php-format +#, php-format msgid "%1$s tagged %2$s, page %3$d" -msgstr "Notas etiquettate con %1$s, pagina %2$d" +msgstr "%1$s etiquettate con %2$s, pagina %3$d" #. TRANS: Extended page title showing tagged notices in one user's stream. #. TRANS: %1$s is the username, %2$d is the page number. @@ -4877,10 +4895,10 @@ msgstr "Amico de un amico pro %s" #. TRANS: First sentence of empty list message for a stream. $1%s is a user nickname. #: actions/showstream.php:211 -#, fuzzy, php-format +#, php-format msgid "This is the timeline for %1$s, but %1$s hasn't posted anything yet." msgstr "" -"Isto es le chronologia pro %1$s, ma %2$s non ha ancora publicate alique." +"Isto es le chronologia pro %1$s, ma %1$s non ha ancora publicate alique." #. TRANS: Second sentence of empty list message for a stream for the user themselves. #: actions/showstream.php:217 @@ -5063,7 +5081,6 @@ msgstr "Impossibile salveguardar le aviso del sito." #. TRANS: Client error displayed when a site-wide notice was longer than allowed. #: actions/sitenoticeadminpanel.php:112 -#, fuzzy msgid "Maximum length for the site-wide notice is 255 characters." msgstr "Le longitude maxime del aviso a tote le sito es 255 characteres." @@ -5074,10 +5091,9 @@ msgstr "Texto del aviso del sito" #. TRANS: Tooltip for site-wide notice text field in admin panel. #: actions/sitenoticeadminpanel.php:179 -#, fuzzy msgid "Site-wide notice text (255 characters maximum; HTML allowed)" msgstr "" -"Le texto del aviso a tote le sito (max. 255 characteres; HTML permittite)" +"Le texto del aviso a tote le sito (maximo 255 characteres; HTML permittite)" #. TRANS: Title for button to save site notice in admin panel. #: actions/sitenoticeadminpanel.php:201 @@ -5562,20 +5578,19 @@ msgstr "Limite de biographia invalide. Debe esser un numero." #. TRANS: Form validation error in user admin panel when welcome text is too long. #: actions/useradminpanel.php:154 -#, fuzzy msgid "Invalid welcome text. Maximum length is 255 characters." -msgstr "Texto de benvenita invalide. Longitude maximal es 255 characteres." +msgstr "Texto de benvenita invalide. Longitude maxime es 255 characteres." #. TRANS: Client error displayed when trying to set a non-existing user as default subscription for new #. TRANS: users in user admin panel. %1$s is the invalid nickname. #: actions/useradminpanel.php:166 -#, fuzzy, php-format +#, php-format msgid "Invalid default subscripton: '%1$s' is not a user." msgstr "Subscription predefinite invalide: '%1$s' non es usator." #. TRANS: Link description in user account settings menu. #: actions/useradminpanel.php:215 lib/accountsettingsaction.php:106 -#: lib/personalgroupnav.php:109 +#: lib/personalgroupnav.php:112 msgid "Profile" msgstr "Profilo" @@ -5601,9 +5616,8 @@ msgstr "Message de benvenita a nove usatores" #. TRANS: Tooltip in user admin panel for setting new user welcome text. #: actions/useradminpanel.php:238 -#, fuzzy msgid "Welcome text for new users (maximum 255 characters)." -msgstr "Texto de benvenita pro nove usatores (max. 255 characteres)" +msgstr "Texto de benvenita pro nove usatores (maximo 255 characteres)." #. TRANS: Field label in user admin panel for setting default subscription for new users. #: actions/useradminpanel.php:244 @@ -5738,11 +5752,13 @@ msgstr "Non pote leger URL de avatar ‘%s’." msgid "Wrong image type for avatar URL ‘%s’." msgstr "Typo de imagine incorrecte pro URL de avatar ‘%s’." -#: actions/userdesignsettings.php:76 lib/designsettings.php:65 +#. TRANS: Page title for profile design page. +#: actions/userdesignsettings.php:76 lib/designsettings.php:63 msgid "Profile design" msgstr "Apparentia del profilo" -#: actions/userdesignsettings.php:87 lib/designsettings.php:76 +#. TRANS: Instructions for profile design page. +#: actions/userdesignsettings.php:87 lib/designsettings.php:74 msgid "" "Customize the way your profile looks with a background image and a colour " "palette of your choice." @@ -5875,31 +5891,42 @@ msgstr "Robin pensa que alique es impossibile." #. TRANS: Message given if an upload is larger than the configured maximum. #. TRANS: %1$d is the byte limit for uploads, %2$d is the byte count for the uploaded file. -#: classes/File.php:189 -#, php-format +#. TRANS: %1$s is used for plural. +#: classes/File.php:190 +#, fuzzy, php-format msgid "" +"No file may be larger than %1$d byte and the file you sent was %2$d bytes. " +"Try to upload a smaller version." +msgid_plural "" "No file may be larger than %1$d bytes and the file you sent was %2$d bytes. " "Try to upload a smaller version." -msgstr "" +msgstr[0] "" +"Nulle file pote esser plus grande que %1$d bytes e le file que tu inviava ha " +"%2$d bytes. Tenta incargar un version minus grande." +msgstr[1] "" "Nulle file pote esser plus grande que %1$d bytes e le file que tu inviava ha " "%2$d bytes. Tenta incargar un version minus grande." #. TRANS: Message given if an upload would exceed user quota. -#. TRANS: %d (number) is the user quota in bytes. -#: classes/File.php:201 -#, php-format -msgid "A file this large would exceed your user quota of %d bytes." -msgstr "Un file de iste dimension excederea tu quota de usator de %d bytes." +#. TRANS: %d (number) is the user quota in bytes and is used for plural. +#: classes/File.php:203 +#, fuzzy, php-format +msgid "A file this large would exceed your user quota of %d byte." +msgid_plural "A file this large would exceed your user quota of %d bytes." +msgstr[0] "Un file de iste dimension excederea tu quota de usator de %d bytes." +msgstr[1] "Un file de iste dimension excederea tu quota de usator de %d bytes." #. TRANS: Message given id an upload would exceed a user's monthly quota. -#. TRANS: $d (number) is the monthly user quota in bytes. -#: classes/File.php:210 -#, php-format -msgid "A file this large would exceed your monthly quota of %d bytes." -msgstr "Un file de iste dimension excederea tu quota mensual de %d bytes." +#. TRANS: $d (number) is the monthly user quota in bytes and is used for plural. +#: classes/File.php:215 +#, fuzzy, php-format +msgid "A file this large would exceed your monthly quota of %d byte." +msgid_plural "A file this large would exceed your monthly quota of %d bytes." +msgstr[0] "Un file de iste dimension excederea tu quota mensual de %d bytes." +msgstr[1] "Un file de iste dimension excederea tu quota mensual de %d bytes." #. TRANS: Client exception thrown if a file upload does not have a valid name. -#: classes/File.php:247 classes/File.php:262 +#: classes/File.php:262 classes/File.php:277 msgid "Invalid filename." msgstr "Nomine de file invalide." @@ -6028,32 +6055,33 @@ msgid "Problem saving notice." msgstr "Problema salveguardar nota." #. TRANS: Server exception thrown when no array is provided to the method saveKnownGroups(). -#: classes/Notice.php:907 -msgid "Bad type provided to saveKnownGroups" +#: classes/Notice.php:905 +#, fuzzy +msgid "Bad type provided to saveKnownGroups." msgstr "Mal typo fornite a saveKnownGroups" #. TRANS: Server exception thrown when an update for a group inbox fails. -#: classes/Notice.php:1006 +#: classes/Notice.php:1004 msgid "Problem saving group inbox." msgstr "Problema salveguardar le cassa de entrata del gruppo." #. TRANS: Server exception thrown when a reply cannot be saved. #. TRANS: %1$d is a notice ID, %2$d is the ID of the mentioned user. -#: classes/Notice.php:1120 +#: classes/Notice.php:1118 #, php-format msgid "Could not save reply for %1$d, %2$d." msgstr "Non poteva salveguardar le responsa pro %1$d, %2$d." #. TRANS: Message used to repeat a notice. RT is the abbreviation of 'retweet'. #. TRANS: %1$s is the repeated user's name, %2$s is the repeated notice. -#: classes/Notice.php:1822 +#: classes/Notice.php:1820 #, php-format msgid "RT @%1$s %2$s" msgstr "RT @%1$s %2$s" #. TRANS: Full name of a profile or group followed by nickname in parens -#: classes/Profile.php:164 -#, fuzzy, php-format +#: classes/Profile.php:164 classes/User_group.php:247 +#, php-format msgctxt "FANCYNAME" msgid "%1$s (%2$s)" msgstr "%1$s (%2$s)" @@ -6149,22 +6177,22 @@ msgid "Single-user mode code called when not enabled." msgstr "Codice in modo de usator singule appellate sin esser activate." #. TRANS: Server exception thrown when creating a group failed. -#: classes/User_group.php:495 +#: classes/User_group.php:511 msgid "Could not create group." msgstr "Non poteva crear gruppo." #. TRANS: Server exception thrown when updating a group URI failed. -#: classes/User_group.php:505 +#: classes/User_group.php:521 msgid "Could not set group URI." msgstr "Non poteva definir le URL del gruppo." #. TRANS: Server exception thrown when setting group membership failed. -#: classes/User_group.php:528 +#: classes/User_group.php:544 msgid "Could not set group membership." msgstr "Non poteva configurar le membrato del gruppo." #. TRANS: Server exception thrown when saving local group information failed. -#: classes/User_group.php:543 +#: classes/User_group.php:559 msgid "Could not save local group info." msgstr "Non poteva salveguardar le informationes del gruppo local." @@ -6218,7 +6246,7 @@ msgstr "Pagina sin titulo" #: lib/action.php:310 msgctxt "TOOLTIP" msgid "Show more" -msgstr "" +msgstr "Monstrar plus" #. TRANS: DT element for primary navigation menu. String is hidden in default CSS. #: lib/action.php:526 @@ -6572,7 +6600,7 @@ msgid "User configuration" msgstr "Configuration del usator" #. TRANS: Menu item for site administration -#: lib/adminpanelaction.php:355 lib/personalgroupnav.php:115 +#: lib/adminpanelaction.php:355 lib/personalgroupnav.php:118 msgid "User" msgstr "Usator" @@ -6929,7 +6957,7 @@ msgstr "%1$s quitava le gruppo %2$s." #. TRANS: Whois output. #. TRANS: %1$s nickname of the queried user, %2$s is their profile URL. #: lib/command.php:426 -#, fuzzy, php-format +#, php-format msgctxt "WHOIS" msgid "%1$s (%2$s)" msgstr "%1$s (%2$s)" @@ -6976,10 +7004,10 @@ msgstr "" #. TRANS: Message given if content is too long. %1$sd is used for plural. #. TRANS: %1$d is the maximum number of characters, %2$d is the number of submitted characters. #: lib/command.php:488 -#, fuzzy, php-format +#, php-format msgid "Message too long - maximum is %1$d character, you sent %2$d." msgid_plural "Message too long - maximum is %1$d characters, you sent %2$d." -msgstr[0] "Message troppo longe - maximo es %1$d characteres, tu inviava %2$d." +msgstr[0] "Message troppo longe - maximo es %1$d character, tu inviava %2$d." msgstr[1] "Message troppo longe - maximo es %1$d characteres, tu inviava %2$d." #. TRANS: Error text shown sending a direct message fails with an unknown reason. @@ -7002,11 +7030,11 @@ msgstr "Error durante le repetition del nota." #. TRANS: Message given if content of a notice for a reply is too long. %1$d is used for plural. #. TRANS: %1$d is the maximum number of characters, %2$d is the number of submitted characters. #: lib/command.php:591 -#, fuzzy, php-format +#, php-format msgid "Notice too long - maximum is %1$d character, you sent %2$d." msgid_plural "Notice too long - maximum is %1$d characters, you sent %2$d." -msgstr[0] "Nota troppo longe - maximo es %d characteres, tu inviava %d." -msgstr[1] "Nota troppo longe - maximo es %d characteres, tu inviava %d." +msgstr[0] "Nota troppo longe - maximo es %1$d character, tu inviava %2$d." +msgstr[1] "Nota troppo longe - maximo es %1$d characteres, tu inviava %2$d." #. TRANS: Text shown having sent a reply to a notice successfully. #. TRANS: %s is the nickname of the user of the notice the reply was sent to. @@ -7284,10 +7312,13 @@ msgstr "Applicationes autorisate connectite" msgid "Database error" msgstr "Error de base de datos" -#: lib/designsettings.php:105 +#. TRANS: Label in form on profile design page. +#. TRANS: Field contains file name on user's computer that could be that user's custom profile background image. +#: lib/designsettings.php:104 msgid "Upload file" msgstr "Incargar file" +#. TRANS: Instructions for form on profile design page. #: lib/designsettings.php:109 msgid "" "You can upload your personal background image. The maximum file size is 2MB." @@ -7295,16 +7326,29 @@ msgstr "" "Tu pote actualisar tu imagine de fundo personal. Le dimension maximal del " "file es 2MB." -#: 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 "" -"Le servitor non ha potite tractar tante datos POST (%s bytes) a causa de su " -"configuration actual." +#. TRANS: Radio button on profile design page that will enable use of the uploaded profile image. +#: lib/designsettings.php:139 +#, fuzzy +msgctxt "RADIO" +msgid "On" +msgstr "Active" -#: lib/designsettings.php:418 +#. TRANS: Radio button on profile design page that will disable use of the uploaded profile image. +#: lib/designsettings.php:156 +#, fuzzy +msgctxt "RADIO" +msgid "Off" +msgstr "Non active" + +#. TRANS: Button text on profile design page to reset all colour settings to default without saving. +#: lib/designsettings.php:264 +#, fuzzy +msgctxt "BUTTON" +msgid "Reset" +msgstr "Reinitialisar" + +#. TRANS: Success message displayed if design settings were saved after clicking "Use defaults". +#: lib/designsettings.php:433 msgid "Design defaults restored." msgstr "Apparentia predefinite restaurate." @@ -7371,30 +7415,28 @@ msgid "1-64 lowercase letters or numbers, no punctuation or spaces" msgstr "1-64 minusculas o numeros, sin punctuation o spatios" #: lib/groupeditform.php:163 -#, fuzzy msgid "URL of the homepage or blog of the group or topic." -msgstr "URL del pagina initial o blog del gruppo o topico" +msgstr "URL del pagina initial o blog del gruppo o topico." #: lib/groupeditform.php:168 msgid "Describe the group or topic" msgstr "Describe le gruppo o topico" #: lib/groupeditform.php:170 -#, fuzzy, php-format +#, php-format msgid "Describe the group or topic in %d character or less" msgid_plural "Describe the group or topic in %d characters or less" -msgstr[0] "Describe le gruppo o topico in %d characteres" -msgstr[1] "Describe le gruppo o topico in %d characteres" +msgstr[0] "Describe le gruppo o topico in %d character o minus" +msgstr[1] "Describe le gruppo o topico in %d characteres o minus" #: lib/groupeditform.php:182 -#, fuzzy 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\"" +"Loco del gruppo, si existe, como \"Citate, Provincia (o Region), Pais\"." #: lib/groupeditform.php:190 -#, fuzzy, php-format +#, php-format msgid "" "Extra nicknames for the group, separated with commas or spaces. Maximum %d " "alias allowed." @@ -7402,9 +7444,10 @@ msgid_plural "" "Extra nicknames for the group, separated with commas or spaces. Maximum %d " "aliases allowed." msgstr[0] "" -"Pseudonymos additional pro le gruppo, separate per commas o spatios, max %d" +"Pseudonymo additional pro le gruppo. Solmente %d alias es permittite." msgstr[1] "" -"Pseudonymos additional pro le gruppo, separate per commas o spatios, max %d" +"Pseudonymos additional pro le gruppo, separate per commas o spatios. Un " +"maximo de %d aliases es permittite." #. TRANS: Menu item in the group navigation page. #: lib/groupnav.php:86 @@ -7804,7 +7847,7 @@ msgstr "" #. TRANS: Subject for favorite notification e-mail. #. TRANS: %1$s is the adding user's long name, %2$s is the adding user's nickname. -#: lib/mail.php:603 +#: lib/mail.php:607 #, php-format msgid "%1$s (@%2$s) added your notice as a favorite" msgstr "%1$s (@%2$s) ha addite tu nota como favorite" @@ -7814,7 +7857,7 @@ msgstr "%1$s (@%2$s) ha addite tu nota como favorite" #. TRANS: %3$s is a URL to the faved notice, %4$s is the faved notice text, #. TRANS: %5$s is a URL to all faves of the adding user, %6$s is the StatusNet sitename, #. TRANS: %7$s is the adding user's nickname. -#: lib/mail.php:610 +#: lib/mail.php:614 #, php-format msgid "" "%1$s (@%7$s) just added your notice from %2$s as one of their favorites.\n" @@ -7853,7 +7896,7 @@ msgstr "" "%6$s\n" #. TRANS: Line in @-reply notification e-mail. %s is conversation URL. -#: lib/mail.php:668 +#: lib/mail.php:672 #, php-format msgid "" "The full conversation can be read here:\n" @@ -7866,7 +7909,7 @@ msgstr "" #. TRANS: E-mail subject for notice notification. #. TRANS: %1$s is the sending user's long name, %2$s is the adding user's nickname. -#: lib/mail.php:676 +#: lib/mail.php:680 #, php-format msgid "%1$s (@%2$s) sent a notice to your attention" msgstr "%1$s (@%2$s) ha inviate un nota a tu attention" @@ -7877,7 +7920,7 @@ msgstr "%1$s (@%2$s) ha inviate un nota a tu attention" #. TRANS: %5$s is a URL to the full conversion if it exists (otherwise empty), #. TRANS: %6$s is a URL to reply to the notice, %7$s is a URL to all @-replied for the addressed user, #. TRANS: %8$s is a URL to the addressed user's e-mail settings, %9$s is the sender's nickname. -#: lib/mail.php:684 +#: lib/mail.php:688 #, php-format msgid "" "%1$s (@%9$s) just sent a notice to your attention (an '@-reply') on %2$s.\n" @@ -8025,7 +8068,7 @@ msgstr "Non poteva determinar le typo MIME del file." #. TRANS: Client exception thrown trying to upload a forbidden MIME type. #. TRANS: %1$s is the file type that was denied, %2$s is the application part of #. TRANS: the MIME type that was denied. -#: lib/mediafile.php:340 +#: lib/mediafile.php:345 #, php-format msgid "" "\"%1$s\" is not a supported file type on this server. Try using another %2$s " @@ -8036,7 +8079,7 @@ msgstr "" #. TRANS: Client exception thrown trying to upload a forbidden MIME type. #. TRANS: %s is the file type that was denied. -#: lib/mediafile.php:345 +#: lib/mediafile.php:350 #, php-format msgid "\"%s\" is not a supported file type on this server." msgstr "\"%s\" non es un typo de file supportate in iste servitor." @@ -8177,31 +8220,31 @@ msgstr "Nota duplicate." msgid "Couldn't insert new subscription." msgstr "Non poteva inserer nove subscription." -#: lib/personalgroupnav.php:99 +#: lib/personalgroupnav.php:102 msgid "Personal" msgstr "Personal" -#: lib/personalgroupnav.php:104 +#: lib/personalgroupnav.php:107 msgid "Replies" msgstr "Responsas" -#: lib/personalgroupnav.php:114 +#: lib/personalgroupnav.php:117 msgid "Favorites" msgstr "Favorites" -#: lib/personalgroupnav.php:125 +#: lib/personalgroupnav.php:128 msgid "Inbox" msgstr "Cassa de entrata" -#: lib/personalgroupnav.php:126 +#: lib/personalgroupnav.php:129 msgid "Your incoming messages" msgstr "Tu messages recipite" -#: lib/personalgroupnav.php:130 +#: lib/personalgroupnav.php:133 msgid "Outbox" msgstr "Cassa de exito" -#: lib/personalgroupnav.php:131 +#: lib/personalgroupnav.php:134 msgid "Your sent messages" msgstr "Tu messages inviate" @@ -8398,6 +8441,12 @@ msgstr "Nube de etiquetta de personas como etiquettate" msgid "None" msgstr "Nulle" +#. TRANS: Server exception displayed if a theme name was invalid. +#: lib/theme.php:74 +#, fuzzy +msgid "Invalid theme name." +msgstr "Nomine de file invalide." + #: lib/themeuploader.php:50 msgid "This server cannot handle theme uploads without ZIP support." msgstr "" @@ -8419,12 +8468,12 @@ msgid "Invalid theme: bad directory structure." msgstr "Apparentia invalide: mal structura de directorios." #: lib/themeuploader.php:166 -#, fuzzy, php-format +#, php-format msgid "Uploaded theme is too large; must be less than %d byte uncompressed." msgid_plural "" "Uploaded theme is too large; must be less than %d bytes uncompressed." msgstr[0] "" -"Le apparentia incargate es troppo voluminose; debe occupar minus de %d bytes " +"Le apparentia incargate es troppo voluminose; debe occupar minus de %d byte " "in forma non comprimite." msgstr[1] "" "Le apparentia incargate es troppo voluminose; debe occupar minus de %d bytes " @@ -8637,7 +8686,7 @@ msgstr[1] "Message troppo longe. Maximo es %1$d characteres, tu inviava %2$d." #: scripts/restoreuser.php:61 #, php-format msgid "Getting backup from file '%s'." -msgstr "" +msgstr "Obtene copia de reserva ex file '%s'." #. TRANS: Commandline script output. #: scripts/restoreuser.php:91 @@ -8646,29 +8695,15 @@ msgstr "Nulle usator specificate; le usator de reserva es usate." #. TRANS: Commandline script output. %d is the number of entries in the activity stream in backup; used for plural. #: scripts/restoreuser.php:98 -#, fuzzy, php-format +#, php-format msgid "%d entry in backup." msgid_plural "%d entries in backup." -msgstr[0] "%d entratas in copia de reserva." +msgstr[0] "%d entrata in copia de reserva." msgstr[1] "%d entratas in copia de reserva." -#~ msgid "Name is too long (maximum 255 chars)." -#~ msgstr "Le nomine es troppo longe (maximo 255 characteres)." - -#~ msgid "Organization is too long (maximum 255 chars)." -#~ msgstr "Le organisation es troppo longe (maximo 255 characteres)." - -#~ msgid "That's too long. Max notice size is %d chars." +#~ msgid "" +#~ "The server was unable to handle that much POST data (%s bytes) due to its " +#~ "current configuration." #~ msgstr "" -#~ "Isto es troppo longe. Le longitude maximal del notas es %d characteres." - -#~ msgid "Max notice size is %d chars, including attachment URL." -#~ msgstr "" -#~ "Le longitude maximal del notas es %d characteres, includente le URL " -#~ "adjungite." - -#~ msgid " tagged %s" -#~ msgstr " con etiquetta %s" - -#~ msgid "Backup file for user %s (%s)" -#~ msgstr "File de copia de reserva pro le usator %s (%s)" +#~ "Le servitor non ha potite tractar tante datos POST (%s bytes) a causa de " +#~ "su configuration actual." diff --git a/locale/is/LC_MESSAGES/statusnet.po b/locale/is/LC_MESSAGES/statusnet.po index d147593940..12ae0b7f17 100644 --- a/locale/is/LC_MESSAGES/statusnet.po +++ b/locale/is/LC_MESSAGES/statusnet.po @@ -9,17 +9,17 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet - Core\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-11-02 22:51+0000\n" -"PO-Revision-Date: 2010-11-02 22:53:25+0000\n" +"POT-Creation-Date: 2010-11-04 18:25+0000\n" +"PO-Revision-Date: 2010-11-04 18:27:32+0000\n" "Language-Team: Icelandic \n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r75875); Translate extension (2010-09-17)\n" +"X-Generator: MediaWiki 1.17alpha (r76004); Translate extension (2010-09-17)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: is\n" "X-Message-Group: #out-statusnet-core\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-POT-Import-Date: 2010-10-30 23:42:01+0000\n" +"X-POT-Import-Date: 2010-11-02 23:22:49+0000\n" #. TRANS: Page title for Access admin panel that allows configuring site access. #. TRANS: Menu item for site administration @@ -90,12 +90,14 @@ msgstr "Stillingar fyrir mynd" #. TRANS: Save button for settings for a profile in a subscriptions list. #. TRANS: Button text to save user settings in user admin panel. #. TRANS: Button label in the "Edit application" form. +#. TRANS: Button text on profile design page to save settings. #: actions/accessadminpanel.php:193 actions/emailsettings.php:228 #: actions/imsettings.php:187 actions/othersettings.php:134 #: actions/pathsadminpanel.php:512 actions/profilesettings.php:201 #: actions/sitenoticeadminpanel.php:197 actions/smssettings.php:209 #: actions/subscriptions.php:246 actions/useradminpanel.php:298 -#: lib/applicationeditform.php:355 lib/groupeditform.php:207 +#: lib/applicationeditform.php:355 lib/designsettings.php:270 +#: lib/groupeditform.php:207 #, fuzzy msgctxt "BUTTON" msgid "Save" @@ -165,7 +167,7 @@ msgstr "%s og vinirnir" #. TRANS: Timeline title for user and friends. %s is a user nickname. #: actions/all.php:94 actions/all.php:191 actions/allrss.php:115 #: actions/apitimelinefriends.php:207 actions/apitimelinehome.php:113 -#: lib/personalgroupnav.php:100 +#: lib/personalgroupnav.php:103 #, php-format msgid "%s and friends" msgstr "%s og vinirnir" @@ -335,11 +337,13 @@ msgstr "Gat ekki vistað persónulega síðu." #. TRANS: Client error displayed when the number of bytes in a POST request exceeds a limit. #. TRANS: %s is the number of bytes of the CONTENT_LENGTH. +#. TRANS: Form validation error in design settings form. POST should remain untranslated. #: actions/apiaccountupdateprofilebackgroundimage.php:108 #: actions/apiaccountupdateprofileimage.php:95 actions/apimediaupload.php:81 #: actions/apistatusesupdate.php:210 actions/avatarsettings.php:269 #: actions/designadminpanel.php:125 actions/editapplication.php:121 #: actions/newapplication.php:104 actions/newnotice.php:95 +#: lib/designsettings.php:298 #, php-format msgid "" "The server was unable to handle that much POST data (%s byte) due to its " @@ -760,7 +764,7 @@ msgstr "Þú ert ekki áskrifandi." #: actions/repeat.php:83 actions/smssettings.php:256 actions/subedit.php:40 #: actions/subscribe.php:86 actions/tagother.php:166 #: actions/unsubscribe.php:69 actions/userauthorization.php:52 -#: lib/designsettings.php:294 +#: lib/designsettings.php:310 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." @@ -783,12 +787,13 @@ msgstr "Gagnagrunnsvilla við innsetningu myllumerkis: %s" #. TRANS: Message given submitting a form with an unknown action in IM settings. #. TRANS: Client error when submitting a form with unexpected information. #. TRANS: Message given submitting a form with an unknown action in SMS settings. +#. TRANS: Unknown form validation error in design settings form. #: actions/apioauthauthorize.php:294 actions/avatarsettings.php:294 #: actions/designadminpanel.php:104 actions/editapplication.php:144 #: actions/emailsettings.php:290 actions/grouplogo.php:322 #: actions/imsettings.php:245 actions/newapplication.php:125 #: actions/oauthconnectionssettings.php:147 actions/recoverpassword.php:44 -#: actions/smssettings.php:277 lib/designsettings.php:304 +#: actions/smssettings.php:277 lib/designsettings.php:321 msgid "Unexpected form submission." msgstr "Bjóst ekki við innsendingu eyðublaðs." @@ -835,7 +840,7 @@ msgstr "Aðgangur" #. TRANS: Label for group nickname (dt). Text hidden by default. #: actions/apioauthauthorize.php:459 actions/login.php:252 #: actions/profilesettings.php:110 actions/register.php:433 -#: actions/showgroup.php:245 actions/tagother.php:94 +#: actions/showgroup.php:240 actions/tagother.php:94 #: actions/userauthorization.php:145 lib/groupeditform.php:152 #: lib/userprofile.php:132 msgid "Nickname" @@ -1100,7 +1105,7 @@ msgstr "Ekkert þannig merki." #: actions/avatarbynickname.php:60 actions/blockedfromgroup.php:73 #: actions/editgroup.php:85 actions/groupdesignsettings.php:84 #: actions/grouplogo.php:86 actions/groupmembers.php:76 -#: actions/grouprss.php:91 actions/showgroup.php:121 +#: actions/grouprss.php:91 actions/showgroup.php:116 msgid "No nickname." msgstr "Ekkert stuttnefni." @@ -1117,7 +1122,7 @@ msgstr "Ótæk stærð." #. TRANS: Title for avatar upload page. #. TRANS: Label for group avatar (dt). Text hidden by default. #. TRANS: Link description in user account settings menu. -#: actions/avatarsettings.php:66 actions/showgroup.php:229 +#: actions/avatarsettings.php:66 actions/showgroup.php:224 #: lib/accountsettingsaction.php:113 msgid "Avatar" msgstr "Mynd" @@ -1295,7 +1300,7 @@ msgstr "Mistókst að vista upplýsingar um notendalokun" #: actions/groupunblock.php:88 actions/joingroup.php:82 #: actions/joingroup.php:93 actions/leavegroup.php:82 #: actions/leavegroup.php:93 actions/makeadmin.php:86 -#: actions/showgroup.php:139 actions/showgroup.php:148 lib/command.php:168 +#: actions/showgroup.php:134 actions/showgroup.php:143 lib/command.php:168 #: lib/command.php:380 msgid "No such group." msgstr "Enginn þannig hópur." @@ -1670,12 +1675,14 @@ msgstr "Babl vefsíðunnar" msgid "You can upload a custom StatusNet theme as a .ZIP archive." msgstr "" -#: actions/designadminpanel.php:512 lib/designsettings.php:101 +#. TRANS: Fieldset legend on profile design page. +#: actions/designadminpanel.php:512 lib/designsettings.php:98 msgid "Change background image" msgstr "" +#. TRANS: Label on profile design page for setting a profile page background colour. #: actions/designadminpanel.php:517 actions/designadminpanel.php:600 -#: lib/designsettings.php:178 +#: lib/designsettings.php:183 msgid "Background" msgstr "" @@ -1687,43 +1694,51 @@ msgid "" msgstr "Þetta er of langt. Hámarkslengd babls er 140 tákn." #. TRANS: Used as radio button label to add a background image. -#: actions/designadminpanel.php:553 lib/designsettings.php:139 +#: actions/designadminpanel.php:553 msgid "On" msgstr "" #. TRANS: Used as radio button label to not add a background image. -#: actions/designadminpanel.php:570 lib/designsettings.php:155 +#: actions/designadminpanel.php:570 msgid "Off" msgstr "" -#: actions/designadminpanel.php:571 lib/designsettings.php:156 +#. TRANS: Form guide for a set of radio buttons on the profile design page that will enable or disable +#. TRANS: use of the uploaded profile image. +#: actions/designadminpanel.php:571 lib/designsettings.php:159 msgid "Turn background image on or off." msgstr "" -#: actions/designadminpanel.php:576 lib/designsettings.php:161 +#. TRANS: Checkbox label on profile design page that will cause the profile image to be tiled. +#: actions/designadminpanel.php:576 lib/designsettings.php:165 msgid "Tile background image" msgstr "" -#: actions/designadminpanel.php:590 lib/designsettings.php:170 +#. TRANS: Fieldset legend on profile design page to change profile page colours. +#: actions/designadminpanel.php:590 lib/designsettings.php:175 #, fuzzy msgid "Change colours" msgstr "Breyta lykilorðinu þínu" -#: actions/designadminpanel.php:613 lib/designsettings.php:191 +#. TRANS: Label on profile design page for setting a profile page content colour. +#: actions/designadminpanel.php:613 lib/designsettings.php:197 #, fuzzy msgid "Content" msgstr "Tengjast" -#: actions/designadminpanel.php:626 lib/designsettings.php:204 +#. TRANS: Label on profile design page for setting a profile page sidebar colour. +#: actions/designadminpanel.php:626 lib/designsettings.php:211 #, fuzzy msgid "Sidebar" msgstr "Leita" -#: actions/designadminpanel.php:639 lib/designsettings.php:217 +#. TRANS: Label on profile design page for setting a profile page text colour. +#: actions/designadminpanel.php:639 lib/designsettings.php:225 msgid "Text" msgstr "Texti" -#: actions/designadminpanel.php:652 lib/designsettings.php:230 +#. TRANS: Label on profile design page for setting a profile page links colour. +#: actions/designadminpanel.php:652 lib/designsettings.php:239 #, fuzzy msgid "Links" msgstr "Innskráning" @@ -1736,15 +1751,18 @@ msgstr "" msgid "Custom CSS" msgstr "" -#: actions/designadminpanel.php:702 lib/designsettings.php:247 +#. TRANS: Button text on profile design page to immediately reset all colour settings to default. +#: actions/designadminpanel.php:702 lib/designsettings.php:257 msgid "Use defaults" msgstr "" -#: actions/designadminpanel.php:703 lib/designsettings.php:248 +#. TRANS: Title for button on profile design page to reset all colour settings to default. +#: actions/designadminpanel.php:703 lib/designsettings.php:259 msgid "Restore default designs" msgstr "" -#: actions/designadminpanel.php:709 lib/designsettings.php:254 +#. TRANS: Title for button on profile design page to reset all colour settings to default without saving. +#: actions/designadminpanel.php:709 lib/designsettings.php:267 msgid "Reset back to default" msgstr "" @@ -1752,11 +1770,12 @@ msgstr "" #: actions/designadminpanel.php:711 actions/licenseadminpanel.php:319 #: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:292 #: actions/snapshotadminpanel.php:245 actions/tagother.php:154 -#: lib/applicationeditform.php:357 lib/designsettings.php:256 +#: lib/applicationeditform.php:357 msgid "Save" msgstr "Vista" -#: actions/designadminpanel.php:712 lib/designsettings.php:257 +#. TRANS: Title for button on profile design page to save settings. +#: actions/designadminpanel.php:712 lib/designsettings.php:272 msgid "Save design" msgstr "" @@ -1900,7 +1919,7 @@ msgstr "Gat ekki uppfært hóp." #. TRANS: Server error displayed when group aliases could not be added. #. TRANS: Server exception thrown when creating group aliases failed. -#: actions/editgroup.php:288 classes/User_group.php:513 +#: actions/editgroup.php:288 classes/User_group.php:529 #, fuzzy msgid "Could not create aliases." msgstr "Gat ekki búið til uppáhald." @@ -2187,7 +2206,7 @@ msgid "" msgstr "" #: actions/favoritesrss.php:111 actions/showfavorites.php:77 -#: lib/personalgroupnav.php:115 +#: lib/personalgroupnav.php:118 #, php-format msgid "%s's favorite notices" msgstr "Uppáhaldsbabl %s" @@ -2380,8 +2399,10 @@ msgid "" "palette of your choice." msgstr "" +#. TRANS: Error message displayed if design settings could not be saved. +#. TRANS: Error message displayed if design settings could not be saved after clicking "Use defaults". #: actions/groupdesignsettings.php:266 actions/userdesignsettings.php:186 -#: lib/designsettings.php:391 lib/designsettings.php:413 +#: lib/designsettings.php:405 lib/designsettings.php:427 #, fuzzy msgid "Couldn't update your design." msgstr "Gat ekki uppfært hóp." @@ -3349,25 +3370,25 @@ msgstr "" msgid "Notice has no profile." msgstr "Notandi hefur enga persónulega síðu." -#: actions/oembed.php:87 actions/shownotice.php:176 +#: actions/oembed.php:83 actions/shownotice.php:172 #, php-format msgid "%1$s's status on %2$s" msgstr "Staða %1$s á %2$s" #. TRANS: Error message displaying attachments. %s is a raw MIME type (eg 'image/png') -#: actions/oembed.php:159 +#: actions/oembed.php:155 #, php-format msgid "Content type %s not supported." msgstr "" #. TRANS: Error message displaying attachments. %s is the site's base URL. -#: actions/oembed.php:163 +#: actions/oembed.php:159 #, php-format msgid "Only %s URLs over plain HTTP please." msgstr "" #. TRANS: Client error on an API request with an unsupported data format. -#: actions/oembed.php:184 actions/oembed.php:203 lib/apiaction.php:1200 +#: actions/oembed.php:180 actions/oembed.php:199 lib/apiaction.php:1200 #: lib/apiaction.php:1227 lib/apiaction.php:1356 msgid "Not a supported data format." msgstr "Enginn stuðningur við gagnasnið." @@ -3873,7 +3894,7 @@ msgstr "1-64 lágstafir eða tölustafir, engin greinarmerki eða bil" #. TRANS: Field label in form for profile settings. #. TRANS: Label for full group name (dt). Text hidden by default. #: actions/profilesettings.php:117 actions/register.php:457 -#: actions/showgroup.php:257 actions/tagother.php:104 +#: actions/showgroup.php:252 actions/tagother.php:104 #: lib/groupeditform.php:157 lib/userprofile.php:150 msgid "Full name" msgstr "Fullt nafn" @@ -3918,7 +3939,7 @@ msgstr "Lýsing" #. TRANS: Field label in form for profile settings. #. TRANS: Label for group location (dt). Text hidden by default. #: actions/profilesettings.php:149 actions/register.php:485 -#: actions/showgroup.php:267 actions/tagother.php:112 +#: actions/showgroup.php:262 actions/tagother.php:112 #: actions/userauthorization.php:166 lib/groupeditform.php:180 #: lib/userprofile.php:165 msgid "Location" @@ -4505,7 +4526,7 @@ msgid "Repeated!" msgstr "" #: actions/replies.php:126 actions/repliesrss.php:68 -#: lib/personalgroupnav.php:105 +#: lib/personalgroupnav.php:108 #, php-format msgid "Replies to %s" msgstr "Svör við %s" @@ -4645,7 +4666,7 @@ msgid "Description" msgstr "Lýsing" #. TRANS: Header for group statistics on a group page (h2). -#: actions/showapplication.php:192 actions/showgroup.php:453 +#: actions/showapplication.php:192 actions/showgroup.php:448 #: lib/profileaction.php:187 msgid "Statistics" msgstr "Tölfræði" @@ -4753,95 +4774,95 @@ msgid "This is a way to share what you like." msgstr "" #. TRANS: Page title for first group page. %s is a group name. -#: actions/showgroup.php:80 +#: actions/showgroup.php:75 #, php-format msgid "%s group" msgstr "%s hópurinn" #. TRANS: Page title for any but first group page. #. TRANS: %1$s is a group name, $2$s is a page number. -#: actions/showgroup.php:84 +#: actions/showgroup.php:79 #, php-format msgid "%1$s group, page %2$d" msgstr "Hópar, síða %d" #. TRANS: Group profile header (h2). Text hidden by default. -#: actions/showgroup.php:225 +#: actions/showgroup.php:220 msgid "Group profile" msgstr "Hópssíðan" #. TRANS: Label for group URL (dt). Text hidden by default. -#: actions/showgroup.php:275 actions/tagother.php:118 +#: actions/showgroup.php:270 actions/tagother.php:118 #: actions/userauthorization.php:175 lib/userprofile.php:178 msgid "URL" msgstr "Vefslóð" #. TRANS: Label for group description or group note (dt). Text hidden by default. -#: actions/showgroup.php:287 actions/tagother.php:128 +#: actions/showgroup.php:282 actions/tagother.php:128 #: actions/userauthorization.php:187 lib/userprofile.php:195 msgid "Note" msgstr "Athugasemd" #. TRANS: Label for group aliases (dt). Text hidden by default. -#: actions/showgroup.php:298 lib/groupeditform.php:187 +#: actions/showgroup.php:293 lib/groupeditform.php:187 msgid "Aliases" msgstr "" #. TRANS: Group actions header (h2). Text hidden by default. -#: actions/showgroup.php:309 +#: actions/showgroup.php:304 msgid "Group actions" msgstr "Hópsaðgerðir" #. TRANS: Tooltip for feed link. %s is a group nickname. -#: actions/showgroup.php:350 +#: actions/showgroup.php:345 #, php-format msgid "Notice feed for %s group (RSS 1.0)" msgstr "" #. TRANS: Tooltip for feed link. %s is a group nickname. -#: actions/showgroup.php:357 +#: actions/showgroup.php:352 #, php-format msgid "Notice feed for %s group (RSS 2.0)" msgstr "" #. TRANS: Tooltip for feed link. %s is a group nickname. -#: actions/showgroup.php:364 +#: actions/showgroup.php:359 #, php-format msgid "Notice feed for %s group (Atom)" msgstr "" #. TRANS: Tooltip for feed link. %s is a group nickname. -#: actions/showgroup.php:370 +#: actions/showgroup.php:365 #, fuzzy, php-format msgid "FOAF for %s group" msgstr "%s hópurinn" #. TRANS: Header for mini list of group members on a group page (h2). -#: actions/showgroup.php:407 +#: actions/showgroup.php:402 msgid "Members" msgstr "Meðlimir" #. TRANS: Description for mini list of group members on a group page when the group has no members. -#: actions/showgroup.php:413 lib/profileaction.php:117 +#: actions/showgroup.php:408 lib/profileaction.php:117 #: lib/profileaction.php:152 lib/profileaction.php:255 lib/section.php:95 #: lib/subscriptionlist.php:127 lib/tagcloudsection.php:71 msgid "(None)" msgstr "(Ekkert)" #. TRANS: Link to all group members from mini list of group members if group has more than n members. -#: actions/showgroup.php:422 +#: actions/showgroup.php:417 msgid "All members" msgstr "Allir meðlimir" #. TRANS: Label for creation date in statistics on group page. -#: actions/showgroup.php:458 +#: actions/showgroup.php:453 #, fuzzy msgctxt "LABEL" msgid "Created" msgstr "Í sviðsljósinu" #. TRANS: Label for member count in statistics on group page. -#: actions/showgroup.php:466 +#: actions/showgroup.php:461 #, fuzzy msgctxt "LABEL" msgid "Members" @@ -4851,7 +4872,7 @@ msgstr "Meðlimir" #. TRANS: **%s** is the group alias, %%%%site.name%%%% is the site name, #. TRANS: %%%%action.register%%%% is the URL for registration, %%%%doc.help%%%% is a URL to help. #. TRANS: This message contains Markdown links. Ensure they are formatted correctly: [Description](link). -#: actions/showgroup.php:481 +#: actions/showgroup.php:476 #, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -4864,7 +4885,7 @@ msgstr "" #. TRANS: Notice on group pages for anonymous users for StatusNet sites that accept no new registrations. #. TRANS: **%s** is the group alias, %%%%site.name%%%% is the site name, #. TRANS: This message contains Markdown links. Ensure they are formatted correctly: [Description](link). -#: actions/showgroup.php:491 +#: actions/showgroup.php:486 #, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -4874,7 +4895,7 @@ msgid "" msgstr "" #. TRANS: Header for list of group administrators on a group page (h2). -#: actions/showgroup.php:520 +#: actions/showgroup.php:515 #, fuzzy msgid "Admins" msgstr "Stjórnandi" @@ -5652,7 +5673,7 @@ msgstr "" #. TRANS: Link description in user account settings menu. #: actions/useradminpanel.php:215 lib/accountsettingsaction.php:106 -#: lib/personalgroupnav.php:109 +#: lib/personalgroupnav.php:112 msgid "Profile" msgstr "Persónuleg síða" @@ -5826,12 +5847,14 @@ msgstr "Get ekki lesið slóðina fyrir myndina '%s'" msgid "Wrong image type for avatar URL ‘%s’." msgstr "Röng gerð myndar fyrir '%s'" -#: actions/userdesignsettings.php:76 lib/designsettings.php:65 +#. TRANS: Page title for profile design page. +#: actions/userdesignsettings.php:76 lib/designsettings.php:63 #, fuzzy msgid "Profile design" msgstr "Stillingar persónulegrar síðu" -#: actions/userdesignsettings.php:87 lib/designsettings.php:76 +#. TRANS: Instructions for profile design page. +#: actions/userdesignsettings.php:87 lib/designsettings.php:74 msgid "" "Customize the way your profile looks with a background image and a colour " "palette of your choice." @@ -5950,29 +5973,38 @@ msgstr "" #. TRANS: Message given if an upload is larger than the configured maximum. #. TRANS: %1$d is the byte limit for uploads, %2$d is the byte count for the uploaded file. -#: classes/File.php:189 +#. TRANS: %1$s is used for plural. +#: classes/File.php:190 #, php-format msgid "" +"No file may be larger than %1$d byte and the file you sent was %2$d bytes. " +"Try to upload a smaller version." +msgid_plural "" "No file may be larger than %1$d bytes and the file you sent was %2$d bytes. " "Try to upload a smaller version." -msgstr "" +msgstr[0] "" +msgstr[1] "" #. TRANS: Message given if an upload would exceed user quota. -#. TRANS: %d (number) is the user quota in bytes. -#: classes/File.php:201 +#. TRANS: %d (number) is the user quota in bytes and is used for plural. +#: classes/File.php:203 #, php-format -msgid "A file this large would exceed your user quota of %d bytes." -msgstr "" +msgid "A file this large would exceed your user quota of %d byte." +msgid_plural "A file this large would exceed your user quota of %d bytes." +msgstr[0] "" +msgstr[1] "" #. TRANS: Message given id an upload would exceed a user's monthly quota. -#. TRANS: $d (number) is the monthly user quota in bytes. -#: classes/File.php:210 +#. TRANS: $d (number) is the monthly user quota in bytes and is used for plural. +#: classes/File.php:215 #, php-format -msgid "A file this large would exceed your monthly quota of %d bytes." -msgstr "" +msgid "A file this large would exceed your monthly quota of %d byte." +msgid_plural "A file this large would exceed your monthly quota of %d bytes." +msgstr[0] "" +msgstr[1] "" #. TRANS: Client exception thrown if a file upload does not have a valid name. -#: classes/File.php:247 classes/File.php:262 +#: classes/File.php:262 classes/File.php:277 #, fuzzy msgid "Invalid filename." msgstr "Ótæk stærð." @@ -6109,32 +6141,32 @@ msgid "Problem saving notice." msgstr "Vandamál komu upp við að vista babl." #. TRANS: Server exception thrown when no array is provided to the method saveKnownGroups(). -#: classes/Notice.php:907 -msgid "Bad type provided to saveKnownGroups" +#: classes/Notice.php:905 +msgid "Bad type provided to saveKnownGroups." msgstr "" #. TRANS: Server exception thrown when an update for a group inbox fails. -#: classes/Notice.php:1006 +#: classes/Notice.php:1004 #, fuzzy msgid "Problem saving group inbox." msgstr "Vandamál komu upp við að vista babl." #. TRANS: Server exception thrown when a reply cannot be saved. #. TRANS: %1$d is a notice ID, %2$d is the ID of the mentioned user. -#: classes/Notice.php:1120 +#: classes/Notice.php:1118 #, fuzzy, php-format msgid "Could not save reply for %1$d, %2$d." msgstr "Gat ekki vistað áskrift." #. TRANS: Message used to repeat a notice. RT is the abbreviation of 'retweet'. #. TRANS: %1$s is the repeated user's name, %2$s is the repeated notice. -#: classes/Notice.php:1822 +#: classes/Notice.php:1820 #, php-format msgid "RT @%1$s %2$s" msgstr "RT @%1$s %2$s" #. TRANS: Full name of a profile or group followed by nickname in parens -#: classes/Profile.php:164 +#: classes/Profile.php:164 classes/User_group.php:247 #, fuzzy, php-format msgctxt "FANCYNAME" msgid "%1$s (%2$s)" @@ -6233,22 +6265,22 @@ msgid "Single-user mode code called when not enabled." msgstr "" #. TRANS: Server exception thrown when creating a group failed. -#: classes/User_group.php:495 +#: classes/User_group.php:511 msgid "Could not create group." msgstr "Gat ekki búið til hóp." #. TRANS: Server exception thrown when updating a group URI failed. -#: classes/User_group.php:505 +#: classes/User_group.php:521 msgid "Could not set group URI." msgstr "Gat ekki búið til hóp." #. TRANS: Server exception thrown when setting group membership failed. -#: classes/User_group.php:528 +#: classes/User_group.php:544 msgid "Could not set group membership." msgstr "Gat ekki skráð hópmeðlimi." #. TRANS: Server exception thrown when saving local group information failed. -#: classes/User_group.php:543 +#: classes/User_group.php:559 #, fuzzy msgid "Could not save local group info." msgstr "Gat ekki vistað áskrift." @@ -6678,7 +6710,7 @@ msgid "User configuration" msgstr "SMS staðfesting" #. TRANS: Menu item for site administration -#: lib/adminpanelaction.php:355 lib/personalgroupnav.php:115 +#: lib/adminpanelaction.php:355 lib/personalgroupnav.php:118 msgid "User" msgstr "Notandi" @@ -7366,25 +7398,41 @@ msgstr "" msgid "Database error" msgstr "" -#: lib/designsettings.php:105 +#. TRANS: Label in form on profile design page. +#. TRANS: Field contains file name on user's computer that could be that user's custom profile background image. +#: lib/designsettings.php:104 #, fuzzy msgid "Upload file" msgstr "Hlaða upp" +#. TRANS: Instructions for form on profile design page. #: lib/designsettings.php:109 #, fuzzy msgid "" "You can upload your personal background image. The maximum file size is 2MB." msgstr "Þetta er of langt. Hámarkslengd babls er 140 tákn." -#: lib/designsettings.php:283 -#, php-format -msgid "" -"The server was unable to handle that much POST data (%s bytes) due to its " -"current configuration." +#. TRANS: Radio button on profile design page that will enable use of the uploaded profile image. +#: lib/designsettings.php:139 +msgctxt "RADIO" +msgid "On" msgstr "" -#: lib/designsettings.php:418 +#. TRANS: Radio button on profile design page that will disable use of the uploaded profile image. +#: lib/designsettings.php:156 +msgctxt "RADIO" +msgid "Off" +msgstr "" + +#. TRANS: Button text on profile design page to reset all colour settings to default without saving. +#: lib/designsettings.php:264 +#, fuzzy +msgctxt "BUTTON" +msgid "Reset" +msgstr "Endurstilla" + +#. TRANS: Success message displayed if design settings were saved after clicking "Use defaults". +#: lib/designsettings.php:433 msgid "Design defaults restored." msgstr "" @@ -7834,7 +7882,7 @@ msgstr "" #. TRANS: Subject for favorite notification e-mail. #. TRANS: %1$s is the adding user's long name, %2$s is the adding user's nickname. -#: lib/mail.php:603 +#: lib/mail.php:607 #, fuzzy, php-format msgid "%1$s (@%2$s) added your notice as a favorite" msgstr "Senda mér tölvupóst þegar einhver setur babl í mér í uppáhald hjá sér." @@ -7844,7 +7892,7 @@ msgstr "Senda mér tölvupóst þegar einhver setur babl í mér í uppáhald hj #. TRANS: %3$s is a URL to the faved notice, %4$s is the faved notice text, #. TRANS: %5$s is a URL to all faves of the adding user, %6$s is the StatusNet sitename, #. TRANS: %7$s is the adding user's nickname. -#: lib/mail.php:610 +#: lib/mail.php:614 #, php-format msgid "" "%1$s (@%7$s) just added your notice from %2$s as one of their favorites.\n" @@ -7866,7 +7914,7 @@ msgid "" msgstr "" #. TRANS: Line in @-reply notification e-mail. %s is conversation URL. -#: lib/mail.php:668 +#: lib/mail.php:672 #, php-format msgid "" "The full conversation can be read here:\n" @@ -7876,7 +7924,7 @@ msgstr "" #. TRANS: E-mail subject for notice notification. #. TRANS: %1$s is the sending user's long name, %2$s is the adding user's nickname. -#: lib/mail.php:676 +#: lib/mail.php:680 #, php-format msgid "%1$s (@%2$s) sent a notice to your attention" msgstr "" @@ -7887,7 +7935,7 @@ msgstr "" #. TRANS: %5$s is a URL to the full conversion if it exists (otherwise empty), #. TRANS: %6$s is a URL to reply to the notice, %7$s is a URL to all @-replied for the addressed user, #. TRANS: %8$s is a URL to the addressed user's e-mail settings, %9$s is the sender's nickname. -#: lib/mail.php:684 +#: lib/mail.php:688 #, php-format msgid "" "%1$s (@%9$s) just sent a notice to your attention (an '@-reply') on %2$s.\n" @@ -8008,7 +8056,7 @@ msgstr "Gat ekki eytt uppáhaldi." #. TRANS: Client exception thrown trying to upload a forbidden MIME type. #. TRANS: %1$s is the file type that was denied, %2$s is the application part of #. TRANS: the MIME type that was denied. -#: lib/mediafile.php:340 +#: lib/mediafile.php:345 #, php-format msgid "" "\"%1$s\" is not a supported file type on this server. Try using another %2$s " @@ -8017,7 +8065,7 @@ msgstr "" #. TRANS: Client exception thrown trying to upload a forbidden MIME type. #. TRANS: %s is the file type that was denied. -#: lib/mediafile.php:345 +#: lib/mediafile.php:350 #, php-format msgid "\"%s\" is not a supported file type on this server." msgstr "" @@ -8163,31 +8211,31 @@ msgstr "" msgid "Couldn't insert new subscription." msgstr "Gat ekki sett inn nýja áskrift." -#: lib/personalgroupnav.php:99 +#: lib/personalgroupnav.php:102 msgid "Personal" msgstr "Persónulegt" -#: lib/personalgroupnav.php:104 +#: lib/personalgroupnav.php:107 msgid "Replies" msgstr "Svör" -#: lib/personalgroupnav.php:114 +#: lib/personalgroupnav.php:117 msgid "Favorites" msgstr "Uppáhald" -#: lib/personalgroupnav.php:125 +#: lib/personalgroupnav.php:128 msgid "Inbox" msgstr "Innhólf" -#: lib/personalgroupnav.php:126 +#: lib/personalgroupnav.php:129 msgid "Your incoming messages" msgstr "Mótteknu skilaboðin þín" -#: lib/personalgroupnav.php:130 +#: lib/personalgroupnav.php:133 msgid "Outbox" msgstr "Úthólf" -#: lib/personalgroupnav.php:131 +#: lib/personalgroupnav.php:134 msgid "Your sent messages" msgstr "Skilaboð sem þú hefur sent" @@ -8396,6 +8444,12 @@ msgstr "" msgid "None" msgstr "Ekkert" +#. TRANS: Server exception displayed if a theme name was invalid. +#: lib/theme.php:74 +#, fuzzy +msgid "Invalid theme name." +msgstr "Ótæk stærð." + #: lib/themeuploader.php:50 msgid "This server cannot handle theme uploads without ZIP support." msgstr "" @@ -8649,19 +8703,3 @@ msgid "%d entry in backup." msgid_plural "%d entries in backup." msgstr[0] "" msgstr[1] "" - -#, fuzzy -#~ msgid "Name is too long (maximum 255 chars)." -#~ msgstr "Fullt nafn er of langt (í mesta lagi 255 stafir)." - -#, fuzzy -#~ msgid "Organization is too long (maximum 255 chars)." -#~ msgstr "Staðsetning er of löng (í mesta lagi 255 stafir)." - -#, fuzzy -#~ msgid "That's too long. Max notice size is %d chars." -#~ msgstr "Þetta er of langt. Hámarkslengd babls er 140 tákn." - -#, fuzzy -#~ msgid " tagged %s" -#~ msgstr "Babl merkt með %s" diff --git a/locale/it/LC_MESSAGES/statusnet.po b/locale/it/LC_MESSAGES/statusnet.po index 0835612290..fee72eafb1 100644 --- a/locale/it/LC_MESSAGES/statusnet.po +++ b/locale/it/LC_MESSAGES/statusnet.po @@ -11,17 +11,17 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet - Core\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-11-02 22:51+0000\n" -"PO-Revision-Date: 2010-11-02 22:53:26+0000\n" +"POT-Creation-Date: 2010-11-04 18:25+0000\n" +"PO-Revision-Date: 2010-11-04 18:27:34+0000\n" "Language-Team: Italian \n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r75875); Translate extension (2010-09-17)\n" +"X-Generator: MediaWiki 1.17alpha (r76004); Translate extension (2010-09-17)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: it\n" "X-Message-Group: #out-statusnet-core\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-POT-Import-Date: 2010-10-30 23:42:01+0000\n" +"X-POT-Import-Date: 2010-11-02 23:22:49+0000\n" #. TRANS: Page title for Access admin panel that allows configuring site access. #. TRANS: Menu item for site administration @@ -88,12 +88,14 @@ msgstr "Salva impostazioni di accesso" #. TRANS: Save button for settings for a profile in a subscriptions list. #. TRANS: Button text to save user settings in user admin panel. #. TRANS: Button label in the "Edit application" form. +#. TRANS: Button text on profile design page to save settings. #: actions/accessadminpanel.php:193 actions/emailsettings.php:228 #: actions/imsettings.php:187 actions/othersettings.php:134 #: actions/pathsadminpanel.php:512 actions/profilesettings.php:201 #: actions/sitenoticeadminpanel.php:197 actions/smssettings.php:209 #: actions/subscriptions.php:246 actions/useradminpanel.php:298 -#: lib/applicationeditform.php:355 lib/groupeditform.php:207 +#: lib/applicationeditform.php:355 lib/designsettings.php:270 +#: lib/groupeditform.php:207 msgctxt "BUTTON" msgid "Save" msgstr "Salva" @@ -161,7 +163,7 @@ msgstr "%1$s e amici, pagina %2$d" #. TRANS: Timeline title for user and friends. %s is a user nickname. #: actions/all.php:94 actions/all.php:191 actions/allrss.php:115 #: actions/apitimelinefriends.php:207 actions/apitimelinehome.php:113 -#: lib/personalgroupnav.php:100 +#: lib/personalgroupnav.php:103 #, php-format msgid "%s and friends" msgstr "%s e amici" @@ -335,11 +337,13 @@ msgstr "Impossibile salvare il profilo." #. TRANS: Client error displayed when the number of bytes in a POST request exceeds a limit. #. TRANS: %s is the number of bytes of the CONTENT_LENGTH. +#. TRANS: Form validation error in design settings form. POST should remain untranslated. #: actions/apiaccountupdateprofilebackgroundimage.php:108 #: actions/apiaccountupdateprofileimage.php:95 actions/apimediaupload.php:81 #: actions/apistatusesupdate.php:210 actions/avatarsettings.php:269 #: actions/designadminpanel.php:125 actions/editapplication.php:121 #: actions/newapplication.php:104 actions/newnotice.php:95 +#: lib/designsettings.php:298 #, fuzzy, php-format msgid "" "The server was unable to handle that much POST data (%s byte) due to its " @@ -752,7 +756,7 @@ msgstr "Autorizzazione non presente." #: actions/repeat.php:83 actions/smssettings.php:256 actions/subedit.php:40 #: actions/subscribe.php:86 actions/tagother.php:166 #: actions/unsubscribe.php:69 actions/userauthorization.php:52 -#: lib/designsettings.php:294 +#: lib/designsettings.php:310 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." @@ -775,12 +779,13 @@ msgstr "Errore nel database nell'inserire l'applicazione utente OAuth." #. TRANS: Message given submitting a form with an unknown action in IM settings. #. TRANS: Client error when submitting a form with unexpected information. #. TRANS: Message given submitting a form with an unknown action in SMS settings. +#. TRANS: Unknown form validation error in design settings form. #: actions/apioauthauthorize.php:294 actions/avatarsettings.php:294 #: actions/designadminpanel.php:104 actions/editapplication.php:144 #: actions/emailsettings.php:290 actions/grouplogo.php:322 #: actions/imsettings.php:245 actions/newapplication.php:125 #: actions/oauthconnectionssettings.php:147 actions/recoverpassword.php:44 -#: actions/smssettings.php:277 lib/designsettings.php:304 +#: actions/smssettings.php:277 lib/designsettings.php:321 msgid "Unexpected form submission." msgstr "Invio del modulo inaspettato." @@ -833,7 +838,7 @@ msgstr "Account" #. TRANS: Label for group nickname (dt). Text hidden by default. #: actions/apioauthauthorize.php:459 actions/login.php:252 #: actions/profilesettings.php:110 actions/register.php:433 -#: actions/showgroup.php:245 actions/tagother.php:94 +#: actions/showgroup.php:240 actions/tagother.php:94 #: actions/userauthorization.php:145 lib/groupeditform.php:152 #: lib/userprofile.php:132 msgid "Nickname" @@ -1097,7 +1102,7 @@ msgstr "Nessun allegato." #: actions/avatarbynickname.php:60 actions/blockedfromgroup.php:73 #: actions/editgroup.php:85 actions/groupdesignsettings.php:84 #: actions/grouplogo.php:86 actions/groupmembers.php:76 -#: actions/grouprss.php:91 actions/showgroup.php:121 +#: actions/grouprss.php:91 actions/showgroup.php:116 msgid "No nickname." msgstr "Nessun soprannome." @@ -1114,7 +1119,7 @@ msgstr "Dimensione non valida." #. TRANS: Title for avatar upload page. #. TRANS: Label for group avatar (dt). Text hidden by default. #. TRANS: Link description in user account settings menu. -#: actions/avatarsettings.php:66 actions/showgroup.php:229 +#: actions/avatarsettings.php:66 actions/showgroup.php:224 #: lib/accountsettingsaction.php:113 msgid "Avatar" msgstr "Immagine" @@ -1291,7 +1296,7 @@ msgstr "Salvataggio delle informazioni per il blocco non riuscito." #: actions/groupunblock.php:88 actions/joingroup.php:82 #: actions/joingroup.php:93 actions/leavegroup.php:82 #: actions/leavegroup.php:93 actions/makeadmin.php:86 -#: actions/showgroup.php:139 actions/showgroup.php:148 lib/command.php:168 +#: actions/showgroup.php:134 actions/showgroup.php:143 lib/command.php:168 #: lib/command.php:380 msgid "No such group." msgstr "Nessuna gruppo." @@ -1656,12 +1661,14 @@ msgstr "Tema personalizzato" msgid "You can upload a custom StatusNet theme as a .ZIP archive." msgstr "Puoi caricare un tema per StatusNet personalizzato come un file ZIP." -#: actions/designadminpanel.php:512 lib/designsettings.php:101 +#. TRANS: Fieldset legend on profile design page. +#: actions/designadminpanel.php:512 lib/designsettings.php:98 msgid "Change background image" msgstr "Modifica l'immagine di sfondo" +#. TRANS: Label on profile design page for setting a profile page background colour. #: actions/designadminpanel.php:517 actions/designadminpanel.php:600 -#: lib/designsettings.php:178 +#: lib/designsettings.php:183 msgid "Background" msgstr "Sfondo" @@ -1675,40 +1682,48 @@ msgstr "" "file è di %1$s." #. TRANS: Used as radio button label to add a background image. -#: actions/designadminpanel.php:553 lib/designsettings.php:139 +#: actions/designadminpanel.php:553 msgid "On" msgstr "On" #. TRANS: Used as radio button label to not add a background image. -#: actions/designadminpanel.php:570 lib/designsettings.php:155 +#: actions/designadminpanel.php:570 msgid "Off" msgstr "Off" -#: actions/designadminpanel.php:571 lib/designsettings.php:156 +#. TRANS: Form guide for a set of radio buttons on the profile design page that will enable or disable +#. TRANS: use of the uploaded profile image. +#: actions/designadminpanel.php:571 lib/designsettings.php:159 msgid "Turn background image on or off." msgstr "Abilita o disabilita l'immagine di sfondo." -#: actions/designadminpanel.php:576 lib/designsettings.php:161 +#. TRANS: Checkbox label on profile design page that will cause the profile image to be tiled. +#: actions/designadminpanel.php:576 lib/designsettings.php:165 msgid "Tile background image" msgstr "Affianca l'immagine di sfondo" -#: actions/designadminpanel.php:590 lib/designsettings.php:170 +#. TRANS: Fieldset legend on profile design page to change profile page colours. +#: actions/designadminpanel.php:590 lib/designsettings.php:175 msgid "Change colours" msgstr "Modifica colori" -#: actions/designadminpanel.php:613 lib/designsettings.php:191 +#. TRANS: Label on profile design page for setting a profile page content colour. +#: actions/designadminpanel.php:613 lib/designsettings.php:197 msgid "Content" msgstr "Contenuto" -#: actions/designadminpanel.php:626 lib/designsettings.php:204 +#. TRANS: Label on profile design page for setting a profile page sidebar colour. +#: actions/designadminpanel.php:626 lib/designsettings.php:211 msgid "Sidebar" msgstr "Barra laterale" -#: actions/designadminpanel.php:639 lib/designsettings.php:217 +#. TRANS: Label on profile design page for setting a profile page text colour. +#: actions/designadminpanel.php:639 lib/designsettings.php:225 msgid "Text" msgstr "Testo" -#: actions/designadminpanel.php:652 lib/designsettings.php:230 +#. TRANS: Label on profile design page for setting a profile page links colour. +#: actions/designadminpanel.php:652 lib/designsettings.php:239 msgid "Links" msgstr "Collegamenti" @@ -1720,15 +1735,18 @@ msgstr "Avanzate" msgid "Custom CSS" msgstr "CSS personalizzato" -#: actions/designadminpanel.php:702 lib/designsettings.php:247 +#. TRANS: Button text on profile design page to immediately reset all colour settings to default. +#: actions/designadminpanel.php:702 lib/designsettings.php:257 msgid "Use defaults" msgstr "Usa predefiniti" -#: actions/designadminpanel.php:703 lib/designsettings.php:248 +#. TRANS: Title for button on profile design page to reset all colour settings to default. +#: actions/designadminpanel.php:703 lib/designsettings.php:259 msgid "Restore default designs" msgstr "Ripristina i valori predefiniti" -#: actions/designadminpanel.php:709 lib/designsettings.php:254 +#. TRANS: Title for button on profile design page to reset all colour settings to default without saving. +#: actions/designadminpanel.php:709 lib/designsettings.php:267 msgid "Reset back to default" msgstr "Reimposta i valori predefiniti" @@ -1736,11 +1754,12 @@ msgstr "Reimposta i valori predefiniti" #: actions/designadminpanel.php:711 actions/licenseadminpanel.php:319 #: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:292 #: actions/snapshotadminpanel.php:245 actions/tagother.php:154 -#: lib/applicationeditform.php:357 lib/designsettings.php:256 +#: lib/applicationeditform.php:357 msgid "Save" msgstr "Salva" -#: actions/designadminpanel.php:712 lib/designsettings.php:257 +#. TRANS: Title for button on profile design page to save settings. +#: actions/designadminpanel.php:712 lib/designsettings.php:272 msgid "Save design" msgstr "Salva aspetto" @@ -1876,7 +1895,7 @@ msgstr "Impossibile aggiornare il gruppo." #. TRANS: Server error displayed when group aliases could not be added. #. TRANS: Server exception thrown when creating group aliases failed. -#: actions/editgroup.php:288 classes/User_group.php:513 +#: actions/editgroup.php:288 classes/User_group.php:529 msgid "Could not create aliases." msgstr "Impossibile creare gli alias." @@ -2166,7 +2185,7 @@ msgstr "" "tra i tuoi preferiti!" #: actions/favoritesrss.php:111 actions/showfavorites.php:77 -#: lib/personalgroupnav.php:115 +#: lib/personalgroupnav.php:118 #, php-format msgid "%s's favorite notices" msgstr "Messaggi preferiti di %s" @@ -2345,8 +2364,10 @@ msgstr "" "Personalizza l'aspetto del tuo gruppo con un'immagine di sfondo e dei colori " "personalizzati." +#. TRANS: Error message displayed if design settings could not be saved. +#. TRANS: Error message displayed if design settings could not be saved after clicking "Use defaults". #: actions/groupdesignsettings.php:266 actions/userdesignsettings.php:186 -#: lib/designsettings.php:391 lib/designsettings.php:413 +#: lib/designsettings.php:405 lib/designsettings.php:427 msgid "Couldn't update your design." msgstr "Impossibile aggiornare l'aspetto." @@ -3307,25 +3328,25 @@ msgstr "" msgid "Notice has no profile." msgstr "Il messaggio non ha un profilo." -#: actions/oembed.php:87 actions/shownotice.php:176 +#: actions/oembed.php:83 actions/shownotice.php:172 #, php-format msgid "%1$s's status on %2$s" msgstr "Stato di %1$s su %2$s" #. TRANS: Error message displaying attachments. %s is a raw MIME type (eg 'image/png') -#: actions/oembed.php:159 +#: actions/oembed.php:155 #, php-format msgid "Content type %s not supported." msgstr "Tipo di contenuto %s non supportato." #. TRANS: Error message displaying attachments. %s is the site's base URL. -#: actions/oembed.php:163 +#: actions/oembed.php:159 #, php-format msgid "Only %s URLs over plain HTTP please." msgstr "Solo URL %s attraverso HTTP semplice." #. TRANS: Client error on an API request with an unsupported data format. -#: actions/oembed.php:184 actions/oembed.php:203 lib/apiaction.php:1200 +#: actions/oembed.php:180 actions/oembed.php:199 lib/apiaction.php:1200 #: lib/apiaction.php:1227 lib/apiaction.php:1356 msgid "Not a supported data format." msgstr "Non è un formato di dati supportato." @@ -3827,7 +3848,7 @@ msgstr "" #. TRANS: Field label in form for profile settings. #. TRANS: Label for full group name (dt). Text hidden by default. #: actions/profilesettings.php:117 actions/register.php:457 -#: actions/showgroup.php:257 actions/tagother.php:104 +#: actions/showgroup.php:252 actions/tagother.php:104 #: lib/groupeditform.php:157 lib/userprofile.php:150 msgid "Full name" msgstr "Nome" @@ -3869,7 +3890,7 @@ msgstr "Biografia" #. TRANS: Field label in form for profile settings. #. TRANS: Label for group location (dt). Text hidden by default. #: actions/profilesettings.php:149 actions/register.php:485 -#: actions/showgroup.php:267 actions/tagother.php:112 +#: actions/showgroup.php:262 actions/tagother.php:112 #: actions/userauthorization.php:166 lib/groupeditform.php:180 #: lib/userprofile.php:165 msgid "Location" @@ -4455,7 +4476,7 @@ msgid "Repeated!" msgstr "Ripetuti!" #: actions/replies.php:126 actions/repliesrss.php:68 -#: lib/personalgroupnav.php:105 +#: lib/personalgroupnav.php:108 #, php-format msgid "Replies to %s" msgstr "Risposte a %s" @@ -4591,7 +4612,7 @@ msgid "Description" msgstr "Descrizione" #. TRANS: Header for group statistics on a group page (h2). -#: actions/showapplication.php:192 actions/showgroup.php:453 +#: actions/showapplication.php:192 actions/showgroup.php:448 #: lib/profileaction.php:187 msgid "Statistics" msgstr "Statistiche" @@ -4706,95 +4727,95 @@ msgid "This is a way to share what you like." msgstr "Questo è un modo per condividere ciò che ti piace." #. TRANS: Page title for first group page. %s is a group name. -#: actions/showgroup.php:80 +#: actions/showgroup.php:75 #, php-format msgid "%s group" msgstr "Gruppo %s" #. TRANS: Page title for any but first group page. #. TRANS: %1$s is a group name, $2$s is a page number. -#: actions/showgroup.php:84 +#: actions/showgroup.php:79 #, php-format msgid "%1$s group, page %2$d" msgstr "Gruppi di %1$s, pagina %2$d" #. TRANS: Group profile header (h2). Text hidden by default. -#: actions/showgroup.php:225 +#: actions/showgroup.php:220 msgid "Group profile" msgstr "Profilo del gruppo" #. TRANS: Label for group URL (dt). Text hidden by default. -#: actions/showgroup.php:275 actions/tagother.php:118 +#: actions/showgroup.php:270 actions/tagother.php:118 #: actions/userauthorization.php:175 lib/userprofile.php:178 msgid "URL" msgstr "URL" #. TRANS: Label for group description or group note (dt). Text hidden by default. -#: actions/showgroup.php:287 actions/tagother.php:128 +#: actions/showgroup.php:282 actions/tagother.php:128 #: actions/userauthorization.php:187 lib/userprofile.php:195 msgid "Note" msgstr "Nota" #. TRANS: Label for group aliases (dt). Text hidden by default. -#: actions/showgroup.php:298 lib/groupeditform.php:187 +#: actions/showgroup.php:293 lib/groupeditform.php:187 msgid "Aliases" msgstr "Alias" #. TRANS: Group actions header (h2). Text hidden by default. -#: actions/showgroup.php:309 +#: actions/showgroup.php:304 msgid "Group actions" msgstr "Azioni dei gruppi" #. TRANS: Tooltip for feed link. %s is a group nickname. -#: actions/showgroup.php:350 +#: actions/showgroup.php:345 #, php-format msgid "Notice feed for %s group (RSS 1.0)" msgstr "Feed dei messaggi per il gruppo %s (RSS 1.0)" #. TRANS: Tooltip for feed link. %s is a group nickname. -#: actions/showgroup.php:357 +#: actions/showgroup.php:352 #, php-format msgid "Notice feed for %s group (RSS 2.0)" msgstr "Feed dei messaggi per il gruppo %s (RSS 2.0)" #. TRANS: Tooltip for feed link. %s is a group nickname. -#: actions/showgroup.php:364 +#: actions/showgroup.php:359 #, php-format msgid "Notice feed for %s group (Atom)" msgstr "Feed dei messaggi per il gruppo %s (Atom)" #. TRANS: Tooltip for feed link. %s is a group nickname. -#: actions/showgroup.php:370 +#: actions/showgroup.php:365 #, php-format msgid "FOAF for %s group" msgstr "FOAF per il gruppo %s" #. TRANS: Header for mini list of group members on a group page (h2). -#: actions/showgroup.php:407 +#: actions/showgroup.php:402 msgid "Members" msgstr "Membri" #. TRANS: Description for mini list of group members on a group page when the group has no members. -#: actions/showgroup.php:413 lib/profileaction.php:117 +#: actions/showgroup.php:408 lib/profileaction.php:117 #: lib/profileaction.php:152 lib/profileaction.php:255 lib/section.php:95 #: lib/subscriptionlist.php:127 lib/tagcloudsection.php:71 msgid "(None)" msgstr "(nessuno)" #. TRANS: Link to all group members from mini list of group members if group has more than n members. -#: actions/showgroup.php:422 +#: actions/showgroup.php:417 msgid "All members" msgstr "Tutti i membri" #. TRANS: Label for creation date in statistics on group page. -#: actions/showgroup.php:458 +#: actions/showgroup.php:453 #, fuzzy msgctxt "LABEL" msgid "Created" msgstr "Creato" #. TRANS: Label for member count in statistics on group page. -#: actions/showgroup.php:466 +#: actions/showgroup.php:461 #, fuzzy msgctxt "LABEL" msgid "Members" @@ -4804,7 +4825,7 @@ msgstr "Membri" #. TRANS: **%s** is the group alias, %%%%site.name%%%% is the site name, #. TRANS: %%%%action.register%%%% is the URL for registration, %%%%doc.help%%%% is a URL to help. #. TRANS: This message contains Markdown links. Ensure they are formatted correctly: [Description](link). -#: actions/showgroup.php:481 +#: actions/showgroup.php:476 #, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -4823,7 +4844,7 @@ msgstr "" #. TRANS: Notice on group pages for anonymous users for StatusNet sites that accept no new registrations. #. TRANS: **%s** is the group alias, %%%%site.name%%%% is the site name, #. TRANS: This message contains Markdown links. Ensure they are formatted correctly: [Description](link). -#: actions/showgroup.php:491 +#: actions/showgroup.php:486 #, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -4836,7 +4857,7 @@ msgstr "" "[StatusNet](http://status.net/)." #. TRANS: Header for list of group administrators on a group page (h2). -#: actions/showgroup.php:520 +#: actions/showgroup.php:515 msgid "Admins" msgstr "Amministratori" @@ -5622,7 +5643,7 @@ msgstr "Abbonamento predefinito non valido: \"%1$s\" non è un utente." #. TRANS: Link description in user account settings menu. #: actions/useradminpanel.php:215 lib/accountsettingsaction.php:106 -#: lib/personalgroupnav.php:109 +#: lib/personalgroupnav.php:112 msgid "Profile" msgstr "Profilo" @@ -5785,11 +5806,13 @@ msgstr "Impossibile leggere l'URL \"%s\" dell'immagine." msgid "Wrong image type for avatar URL ‘%s’." msgstr "Tipo di immagine errata per l'URL \"%s\"." -#: actions/userdesignsettings.php:76 lib/designsettings.php:65 +#. TRANS: Page title for profile design page. +#: actions/userdesignsettings.php:76 lib/designsettings.php:63 msgid "Profile design" msgstr "Aspetto del profilo" -#: actions/userdesignsettings.php:87 lib/designsettings.php:76 +#. TRANS: Instructions for profile design page. +#: actions/userdesignsettings.php:87 lib/designsettings.php:74 msgid "" "Customize the way your profile looks with a background image and a colour " "palette of your choice." @@ -5921,33 +5944,46 @@ msgstr "Si è verificato qualche cosa di impossibile." #. TRANS: Message given if an upload is larger than the configured maximum. #. TRANS: %1$d is the byte limit for uploads, %2$d is the byte count for the uploaded file. -#: classes/File.php:189 -#, php-format +#. TRANS: %1$s is used for plural. +#: classes/File.php:190 +#, fuzzy, php-format msgid "" +"No file may be larger than %1$d byte and the file you sent was %2$d bytes. " +"Try to upload a smaller version." +msgid_plural "" "No file may be larger than %1$d bytes and the file you sent was %2$d bytes. " "Try to upload a smaller version." -msgstr "" +msgstr[0] "" +"Nessun file può superare %1$d byte e il file inviato era di %2$d byte. Prova " +"a caricarne una versione più piccola." +msgstr[1] "" "Nessun file può superare %1$d byte e il file inviato era di %2$d byte. Prova " "a caricarne una versione più piccola." #. TRANS: Message given if an upload would exceed user quota. -#. TRANS: %d (number) is the user quota in bytes. -#: classes/File.php:201 -#, php-format -msgid "A file this large would exceed your user quota of %d bytes." -msgstr "" +#. TRANS: %d (number) is the user quota in bytes and is used for plural. +#: classes/File.php:203 +#, fuzzy, php-format +msgid "A file this large would exceed your user quota of %d byte." +msgid_plural "A file this large would exceed your user quota of %d bytes." +msgstr[0] "" +"Un file di questa dimensione supererebbe la tua quota utente di %d byte." +msgstr[1] "" "Un file di questa dimensione supererebbe la tua quota utente di %d byte." #. TRANS: Message given id an upload would exceed a user's monthly quota. -#. TRANS: $d (number) is the monthly user quota in bytes. -#: classes/File.php:210 -#, php-format -msgid "A file this large would exceed your monthly quota of %d bytes." -msgstr "" +#. TRANS: $d (number) is the monthly user quota in bytes and is used for plural. +#: classes/File.php:215 +#, fuzzy, php-format +msgid "A file this large would exceed your monthly quota of %d byte." +msgid_plural "A file this large would exceed your monthly quota of %d bytes." +msgstr[0] "" +"Un file di questa dimensione supererebbe la tua quota mensile di %d byte." +msgstr[1] "" "Un file di questa dimensione supererebbe la tua quota mensile di %d byte." #. TRANS: Client exception thrown if a file upload does not have a valid name. -#: classes/File.php:247 classes/File.php:262 +#: classes/File.php:262 classes/File.php:277 msgid "Invalid filename." msgstr "Nome file non valido." @@ -6076,31 +6112,32 @@ msgid "Problem saving notice." msgstr "Problema nel salvare il messaggio." #. TRANS: Server exception thrown when no array is provided to the method saveKnownGroups(). -#: classes/Notice.php:907 -msgid "Bad type provided to saveKnownGroups" +#: classes/Notice.php:905 +#, fuzzy +msgid "Bad type provided to saveKnownGroups." msgstr "Fornito un tipo errato per saveKnownGroups" #. TRANS: Server exception thrown when an update for a group inbox fails. -#: classes/Notice.php:1006 +#: classes/Notice.php:1004 msgid "Problem saving group inbox." msgstr "Problema nel salvare la casella della posta del gruppo." #. TRANS: Server exception thrown when a reply cannot be saved. #. TRANS: %1$d is a notice ID, %2$d is the ID of the mentioned user. -#: classes/Notice.php:1120 +#: classes/Notice.php:1118 #, fuzzy, php-format msgid "Could not save reply for %1$d, %2$d." msgstr "Impossibile salvare le informazioni del gruppo locale." #. TRANS: Message used to repeat a notice. RT is the abbreviation of 'retweet'. #. TRANS: %1$s is the repeated user's name, %2$s is the repeated notice. -#: classes/Notice.php:1822 +#: classes/Notice.php:1820 #, php-format msgid "RT @%1$s %2$s" msgstr "RT @%1$s %2$s" #. TRANS: Full name of a profile or group followed by nickname in parens -#: classes/Profile.php:164 +#: classes/Profile.php:164 classes/User_group.php:247 #, fuzzy, php-format msgctxt "FANCYNAME" msgid "%1$s (%2$s)" @@ -6198,22 +6235,22 @@ msgid "Single-user mode code called when not enabled." msgstr "" #. TRANS: Server exception thrown when creating a group failed. -#: classes/User_group.php:495 +#: classes/User_group.php:511 msgid "Could not create group." msgstr "Impossibile creare il gruppo." #. TRANS: Server exception thrown when updating a group URI failed. -#: classes/User_group.php:505 +#: classes/User_group.php:521 msgid "Could not set group URI." msgstr "Impossibile impostare l'URI del gruppo." #. TRANS: Server exception thrown when setting group membership failed. -#: classes/User_group.php:528 +#: classes/User_group.php:544 msgid "Could not set group membership." msgstr "Impossibile impostare la membership al gruppo." #. TRANS: Server exception thrown when saving local group information failed. -#: classes/User_group.php:543 +#: classes/User_group.php:559 msgid "Could not save local group info." msgstr "Impossibile salvare le informazioni del gruppo locale." @@ -6623,7 +6660,7 @@ msgid "User configuration" msgstr "Configurazione utente" #. TRANS: Menu item for site administration -#: lib/adminpanelaction.php:355 lib/personalgroupnav.php:115 +#: lib/adminpanelaction.php:355 lib/personalgroupnav.php:118 msgid "User" msgstr "Utente" @@ -7339,10 +7376,13 @@ msgstr "Applicazioni collegate autorizzate" msgid "Database error" msgstr "Errore del database" -#: lib/designsettings.php:105 +#. TRANS: Label in form on profile design page. +#. TRANS: Field contains file name on user's computer that could be that user's custom profile background image. +#: lib/designsettings.php:104 msgid "Upload file" msgstr "Carica file" +#. TRANS: Instructions for form on profile design page. #: lib/designsettings.php:109 msgid "" "You can upload your personal background image. The maximum file size is 2MB." @@ -7350,16 +7390,29 @@ msgstr "" "Puoi caricare la tua immagine di sfondo. La dimensione massima del file è di " "2MB." -#: 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 "" -"Il server non è in grado di gestire tutti quei dati POST (%s byte) con la " -"configurazione attuale." +#. TRANS: Radio button on profile design page that will enable use of the uploaded profile image. +#: lib/designsettings.php:139 +#, fuzzy +msgctxt "RADIO" +msgid "On" +msgstr "On" -#: lib/designsettings.php:418 +#. TRANS: Radio button on profile design page that will disable use of the uploaded profile image. +#: lib/designsettings.php:156 +#, fuzzy +msgctxt "RADIO" +msgid "Off" +msgstr "Off" + +#. TRANS: Button text on profile design page to reset all colour settings to default without saving. +#: lib/designsettings.php:264 +#, fuzzy +msgctxt "BUTTON" +msgid "Reset" +msgstr "Reimposta" + +#. TRANS: Success message displayed if design settings were saved after clicking "Use defaults". +#: lib/designsettings.php:433 msgid "Design defaults restored." msgstr "Valori predefiniti ripristinati." @@ -7861,7 +7914,7 @@ msgstr "" #. TRANS: Subject for favorite notification e-mail. #. TRANS: %1$s is the adding user's long name, %2$s is the adding user's nickname. -#: lib/mail.php:603 +#: lib/mail.php:607 #, fuzzy, php-format msgid "%1$s (@%2$s) added your notice as a favorite" msgstr "%s (@%s) ha aggiunto il tuo messaggio tra i suoi preferiti" @@ -7871,7 +7924,7 @@ msgstr "%s (@%s) ha aggiunto il tuo messaggio tra i suoi preferiti" #. TRANS: %3$s is a URL to the faved notice, %4$s is the faved notice text, #. TRANS: %5$s is a URL to all faves of the adding user, %6$s is the StatusNet sitename, #. TRANS: %7$s is the adding user's nickname. -#: lib/mail.php:610 +#: lib/mail.php:614 #, php-format msgid "" "%1$s (@%7$s) just added your notice from %2$s as one of their favorites.\n" @@ -7910,7 +7963,7 @@ msgstr "" "%6$s\n" #. TRANS: Line in @-reply notification e-mail. %s is conversation URL. -#: lib/mail.php:668 +#: lib/mail.php:672 #, php-format msgid "" "The full conversation can be read here:\n" @@ -7923,7 +7976,7 @@ msgstr "" #. TRANS: E-mail subject for notice notification. #. TRANS: %1$s is the sending user's long name, %2$s is the adding user's nickname. -#: lib/mail.php:676 +#: lib/mail.php:680 #, fuzzy, php-format msgid "%1$s (@%2$s) sent a notice to your attention" msgstr "%s (@%s) ti ha inviato un messaggio" @@ -7934,7 +7987,7 @@ msgstr "%s (@%s) ti ha inviato un messaggio" #. TRANS: %5$s is a URL to the full conversion if it exists (otherwise empty), #. TRANS: %6$s is a URL to reply to the notice, %7$s is a URL to all @-replied for the addressed user, #. TRANS: %8$s is a URL to the addressed user's e-mail settings, %9$s is the sender's nickname. -#: lib/mail.php:684 +#: lib/mail.php:688 #, php-format msgid "" "%1$s (@%9$s) just sent a notice to your attention (an '@-reply') on %2$s.\n" @@ -8082,7 +8135,7 @@ msgstr "Impossibile determinare il tipo MIME del file." #. TRANS: Client exception thrown trying to upload a forbidden MIME type. #. TRANS: %1$s is the file type that was denied, %2$s is the application part of #. TRANS: the MIME type that was denied. -#: lib/mediafile.php:340 +#: lib/mediafile.php:345 #, php-format msgid "" "\"%1$s\" is not a supported file type on this server. Try using another %2$s " @@ -8093,7 +8146,7 @@ msgstr "" #. TRANS: Client exception thrown trying to upload a forbidden MIME type. #. TRANS: %s is the file type that was denied. -#: lib/mediafile.php:345 +#: lib/mediafile.php:350 #, php-format msgid "\"%s\" is not a supported file type on this server." msgstr "\"%s\" non è un tipo di file supportata su questo server." @@ -8234,31 +8287,31 @@ msgstr "Messaggio duplicato." msgid "Couldn't insert new subscription." msgstr "Impossibile inserire un nuovo abbonamento." -#: lib/personalgroupnav.php:99 +#: lib/personalgroupnav.php:102 msgid "Personal" msgstr "Personale" -#: lib/personalgroupnav.php:104 +#: lib/personalgroupnav.php:107 msgid "Replies" msgstr "Risposte" -#: lib/personalgroupnav.php:114 +#: lib/personalgroupnav.php:117 msgid "Favorites" msgstr "Preferiti" -#: lib/personalgroupnav.php:125 +#: lib/personalgroupnav.php:128 msgid "Inbox" msgstr "In arrivo" -#: lib/personalgroupnav.php:126 +#: lib/personalgroupnav.php:129 msgid "Your incoming messages" msgstr "I tuoi messaggi in arrivo" -#: lib/personalgroupnav.php:130 +#: lib/personalgroupnav.php:133 msgid "Outbox" msgstr "Inviati" -#: lib/personalgroupnav.php:131 +#: lib/personalgroupnav.php:134 msgid "Your sent messages" msgstr "I tuoi messaggi inviati" @@ -8456,6 +8509,12 @@ msgstr "Insieme delle etichette delle persone come etichettate" msgid "None" msgstr "Nessuno" +#. TRANS: Server exception displayed if a theme name was invalid. +#: lib/theme.php:74 +#, fuzzy +msgid "Invalid theme name." +msgstr "Nome file non valido." + #: lib/themeuploader.php:50 msgid "This server cannot handle theme uploads without ZIP support." msgstr "" @@ -8707,23 +8766,9 @@ msgid_plural "%d entries in backup." msgstr[0] "%d voci nel backup." msgstr[1] "%d voci nel backup." -#, fuzzy -#~ msgid "Name is too long (maximum 255 chars)." -#~ msgstr "Il nome è troppo lungo (max 255 caratteri)." - -#, fuzzy -#~ msgid "Organization is too long (maximum 255 chars)." -#~ msgstr "L'organizzazione è troppo lunga (max 255 caratteri)." - -#~ msgid "That's too long. Max notice size is %d chars." -#~ msgstr "Troppo lungo. Lunghezza massima %d caratteri." - -#~ msgid "Max notice size is %d chars, including attachment URL." +#~ msgid "" +#~ "The server was unable to handle that much POST data (%s bytes) due to its " +#~ "current configuration." #~ msgstr "" -#~ "La dimensione massima di un messaggio è di %d caratteri, compreso l'URL." - -#~ msgid " tagged %s" -#~ msgstr " etichettati con %s" - -#~ msgid "Backup file for user %s (%s)" -#~ msgstr "File di backup per l'utente %s (%s)" +#~ "Il server non è in grado di gestire tutti quei dati POST (%s byte) con la " +#~ "configurazione attuale." diff --git a/locale/ja/LC_MESSAGES/statusnet.po b/locale/ja/LC_MESSAGES/statusnet.po index 1001c14061..79aa10f161 100644 --- a/locale/ja/LC_MESSAGES/statusnet.po +++ b/locale/ja/LC_MESSAGES/statusnet.po @@ -12,17 +12,17 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet - Core\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-11-02 22:51+0000\n" -"PO-Revision-Date: 2010-11-02 22:53:27+0000\n" +"POT-Creation-Date: 2010-11-04 18:25+0000\n" +"PO-Revision-Date: 2010-11-04 18:27:36+0000\n" "Language-Team: Japanese \n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r75875); Translate extension (2010-09-17)\n" +"X-Generator: MediaWiki 1.17alpha (r76004); Translate extension (2010-09-17)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: ja\n" "X-Message-Group: #out-statusnet-core\n" "Plural-Forms: nplurals=1; plural=0;\n" -"X-POT-Import-Date: 2010-10-30 23:42:01+0000\n" +"X-POT-Import-Date: 2010-11-02 23:22:49+0000\n" #. TRANS: Page title for Access admin panel that allows configuring site access. #. TRANS: Menu item for site administration @@ -87,12 +87,14 @@ msgstr "アクセス設定の保存" #. TRANS: Save button for settings for a profile in a subscriptions list. #. TRANS: Button text to save user settings in user admin panel. #. TRANS: Button label in the "Edit application" form. +#. TRANS: Button text on profile design page to save settings. #: actions/accessadminpanel.php:193 actions/emailsettings.php:228 #: actions/imsettings.php:187 actions/othersettings.php:134 #: actions/pathsadminpanel.php:512 actions/profilesettings.php:201 #: actions/sitenoticeadminpanel.php:197 actions/smssettings.php:209 #: actions/subscriptions.php:246 actions/useradminpanel.php:298 -#: lib/applicationeditform.php:355 lib/groupeditform.php:207 +#: lib/applicationeditform.php:355 lib/designsettings.php:270 +#: lib/groupeditform.php:207 #, fuzzy msgctxt "BUTTON" msgid "Save" @@ -161,7 +163,7 @@ msgstr "%1$s と友人、ページ %2$d" #. TRANS: Timeline title for user and friends. %s is a user nickname. #: actions/all.php:94 actions/all.php:191 actions/allrss.php:115 #: actions/apitimelinefriends.php:207 actions/apitimelinehome.php:113 -#: lib/personalgroupnav.php:100 +#: lib/personalgroupnav.php:103 #, php-format msgid "%s and friends" msgstr "%s と友人" @@ -336,11 +338,13 @@ msgstr "プロフィールを保存できませんでした。" #. TRANS: Client error displayed when the number of bytes in a POST request exceeds a limit. #. TRANS: %s is the number of bytes of the CONTENT_LENGTH. +#. TRANS: Form validation error in design settings form. POST should remain untranslated. #: actions/apiaccountupdateprofilebackgroundimage.php:108 #: actions/apiaccountupdateprofileimage.php:95 actions/apimediaupload.php:81 #: actions/apistatusesupdate.php:210 actions/avatarsettings.php:269 #: actions/designadminpanel.php:125 actions/editapplication.php:121 #: actions/newapplication.php:104 actions/newnotice.php:95 +#: lib/designsettings.php:298 #, fuzzy, php-format msgid "" "The server was unable to handle that much POST data (%s byte) due to its " @@ -749,7 +753,7 @@ msgstr "認証されていません。" #: actions/repeat.php:83 actions/smssettings.php:256 actions/subedit.php:40 #: actions/subscribe.php:86 actions/tagother.php:166 #: actions/unsubscribe.php:69 actions/userauthorization.php:52 -#: lib/designsettings.php:294 +#: lib/designsettings.php:310 msgid "There was a problem with your session token. Try again, please." msgstr "あなたのセッショントークンに問題がありました。再度お試しください。" @@ -771,12 +775,13 @@ msgstr "OAuth アプリケーションユーザの追加時DBエラー。" #. TRANS: Message given submitting a form with an unknown action in IM settings. #. TRANS: Client error when submitting a form with unexpected information. #. TRANS: Message given submitting a form with an unknown action in SMS settings. +#. TRANS: Unknown form validation error in design settings form. #: actions/apioauthauthorize.php:294 actions/avatarsettings.php:294 #: actions/designadminpanel.php:104 actions/editapplication.php:144 #: actions/emailsettings.php:290 actions/grouplogo.php:322 #: actions/imsettings.php:245 actions/newapplication.php:125 #: actions/oauthconnectionssettings.php:147 actions/recoverpassword.php:44 -#: actions/smssettings.php:277 lib/designsettings.php:304 +#: actions/smssettings.php:277 lib/designsettings.php:321 msgid "Unexpected form submission." msgstr "予期せぬフォーム送信です。" @@ -823,7 +828,7 @@ msgstr "アカウント" #. TRANS: Label for group nickname (dt). Text hidden by default. #: actions/apioauthauthorize.php:459 actions/login.php:252 #: actions/profilesettings.php:110 actions/register.php:433 -#: actions/showgroup.php:245 actions/tagother.php:94 +#: actions/showgroup.php:240 actions/tagother.php:94 #: actions/userauthorization.php:145 lib/groupeditform.php:152 #: lib/userprofile.php:132 msgid "Nickname" @@ -1085,7 +1090,7 @@ msgstr "そのような添付はありません。" #: actions/avatarbynickname.php:60 actions/blockedfromgroup.php:73 #: actions/editgroup.php:85 actions/groupdesignsettings.php:84 #: actions/grouplogo.php:86 actions/groupmembers.php:76 -#: actions/grouprss.php:91 actions/showgroup.php:121 +#: actions/grouprss.php:91 actions/showgroup.php:116 msgid "No nickname." msgstr "ニックネームがありません。" @@ -1102,7 +1107,7 @@ msgstr "不正なサイズ。" #. TRANS: Title for avatar upload page. #. TRANS: Label for group avatar (dt). Text hidden by default. #. TRANS: Link description in user account settings menu. -#: actions/avatarsettings.php:66 actions/showgroup.php:229 +#: actions/avatarsettings.php:66 actions/showgroup.php:224 #: lib/accountsettingsaction.php:113 msgid "Avatar" msgstr "アバター" @@ -1281,7 +1286,7 @@ msgstr "ブロック情報の保存に失敗しました。" #: actions/groupunblock.php:88 actions/joingroup.php:82 #: actions/joingroup.php:93 actions/leavegroup.php:82 #: actions/leavegroup.php:93 actions/makeadmin.php:86 -#: actions/showgroup.php:139 actions/showgroup.php:148 lib/command.php:168 +#: actions/showgroup.php:134 actions/showgroup.php:143 lib/command.php:168 #: lib/command.php:380 msgid "No such group." msgstr "そのようなグループはありません。" @@ -1649,12 +1654,14 @@ msgstr "サイトテーマ" msgid "You can upload a custom StatusNet theme as a .ZIP archive." msgstr "" -#: actions/designadminpanel.php:512 lib/designsettings.php:101 +#. TRANS: Fieldset legend on profile design page. +#: actions/designadminpanel.php:512 lib/designsettings.php:98 msgid "Change background image" msgstr "バックグラウンドイメージの変更" +#. TRANS: Label on profile design page for setting a profile page background colour. #: actions/designadminpanel.php:517 actions/designadminpanel.php:600 -#: lib/designsettings.php:178 +#: lib/designsettings.php:183 msgid "Background" msgstr "バックグラウンド" @@ -1668,40 +1675,48 @@ msgstr "" "イズは %1$s。" #. TRANS: Used as radio button label to add a background image. -#: actions/designadminpanel.php:553 lib/designsettings.php:139 +#: actions/designadminpanel.php:553 msgid "On" msgstr "オン" #. TRANS: Used as radio button label to not add a background image. -#: actions/designadminpanel.php:570 lib/designsettings.php:155 +#: actions/designadminpanel.php:570 msgid "Off" msgstr "オフ" -#: actions/designadminpanel.php:571 lib/designsettings.php:156 +#. TRANS: Form guide for a set of radio buttons on the profile design page that will enable or disable +#. TRANS: use of the uploaded profile image. +#: actions/designadminpanel.php:571 lib/designsettings.php:159 msgid "Turn background image on or off." msgstr "バックグラウンドイメージのオンまたはオフ。" -#: actions/designadminpanel.php:576 lib/designsettings.php:161 +#. TRANS: Checkbox label on profile design page that will cause the profile image to be tiled. +#: actions/designadminpanel.php:576 lib/designsettings.php:165 msgid "Tile background image" msgstr "タイルバックグラウンドイメージ" -#: actions/designadminpanel.php:590 lib/designsettings.php:170 +#. TRANS: Fieldset legend on profile design page to change profile page colours. +#: actions/designadminpanel.php:590 lib/designsettings.php:175 msgid "Change colours" msgstr "色の変更" -#: actions/designadminpanel.php:613 lib/designsettings.php:191 +#. TRANS: Label on profile design page for setting a profile page content colour. +#: actions/designadminpanel.php:613 lib/designsettings.php:197 msgid "Content" msgstr "内容" -#: actions/designadminpanel.php:626 lib/designsettings.php:204 +#. TRANS: Label on profile design page for setting a profile page sidebar colour. +#: actions/designadminpanel.php:626 lib/designsettings.php:211 msgid "Sidebar" msgstr "サイドバー" -#: actions/designadminpanel.php:639 lib/designsettings.php:217 +#. TRANS: Label on profile design page for setting a profile page text colour. +#: actions/designadminpanel.php:639 lib/designsettings.php:225 msgid "Text" msgstr "テキスト" -#: actions/designadminpanel.php:652 lib/designsettings.php:230 +#. TRANS: Label on profile design page for setting a profile page links colour. +#: actions/designadminpanel.php:652 lib/designsettings.php:239 msgid "Links" msgstr "リンク" @@ -1713,15 +1728,18 @@ msgstr "" msgid "Custom CSS" msgstr "" -#: actions/designadminpanel.php:702 lib/designsettings.php:247 +#. TRANS: Button text on profile design page to immediately reset all colour settings to default. +#: actions/designadminpanel.php:702 lib/designsettings.php:257 msgid "Use defaults" msgstr "デフォルトを使用" -#: actions/designadminpanel.php:703 lib/designsettings.php:248 +#. TRANS: Title for button on profile design page to reset all colour settings to default. +#: actions/designadminpanel.php:703 lib/designsettings.php:259 msgid "Restore default designs" msgstr "デフォルトデザインに戻す。" -#: actions/designadminpanel.php:709 lib/designsettings.php:254 +#. TRANS: Title for button on profile design page to reset all colour settings to default without saving. +#: actions/designadminpanel.php:709 lib/designsettings.php:267 msgid "Reset back to default" msgstr "デフォルトへリセットする" @@ -1729,11 +1747,12 @@ msgstr "デフォルトへリセットする" #: actions/designadminpanel.php:711 actions/licenseadminpanel.php:319 #: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:292 #: actions/snapshotadminpanel.php:245 actions/tagother.php:154 -#: lib/applicationeditform.php:357 lib/designsettings.php:256 +#: lib/applicationeditform.php:357 msgid "Save" msgstr "保存" -#: actions/designadminpanel.php:712 lib/designsettings.php:257 +#. TRANS: Title for button on profile design page to save settings. +#: actions/designadminpanel.php:712 lib/designsettings.php:272 msgid "Save design" msgstr "デザインの保存" @@ -1869,7 +1888,7 @@ msgstr "グループを更新できません。" #. TRANS: Server error displayed when group aliases could not be added. #. TRANS: Server exception thrown when creating group aliases failed. -#: actions/editgroup.php:288 classes/User_group.php:513 +#: actions/editgroup.php:288 classes/User_group.php:529 msgid "Could not create aliases." msgstr "別名を作成できません。" @@ -2162,7 +2181,7 @@ msgstr "" "気に入りにつぶやきを加える最初になりましょう!" #: actions/favoritesrss.php:111 actions/showfavorites.php:77 -#: lib/personalgroupnav.php:115 +#: lib/personalgroupnav.php:118 #, php-format msgid "%s's favorite notices" msgstr "%s のお気に入りのつぶやき" @@ -2345,8 +2364,10 @@ msgstr "" "あなたが選んだパレットの色とバックグラウンドイメージであなたのグループをカス" "タマイズしてください。" +#. TRANS: Error message displayed if design settings could not be saved. +#. TRANS: Error message displayed if design settings could not be saved after clicking "Use defaults". #: actions/groupdesignsettings.php:266 actions/userdesignsettings.php:186 -#: lib/designsettings.php:391 lib/designsettings.php:413 +#: lib/designsettings.php:405 lib/designsettings.php:427 msgid "Couldn't update your design." msgstr "あなたのデザインを更新できません。" @@ -3302,25 +3323,25 @@ msgstr "" msgid "Notice has no profile." msgstr "ユーザはプロフィールをもっていません。" -#: actions/oembed.php:87 actions/shownotice.php:176 +#: actions/oembed.php:83 actions/shownotice.php:172 #, php-format msgid "%1$s's status on %2$s" msgstr "%2$s における %1$s のステータス" #. TRANS: Error message displaying attachments. %s is a raw MIME type (eg 'image/png') -#: actions/oembed.php:159 +#: actions/oembed.php:155 #, fuzzy, php-format msgid "Content type %s not supported." msgstr "内容種別 " #. TRANS: Error message displaying attachments. %s is the site's base URL. -#: actions/oembed.php:163 +#: actions/oembed.php:159 #, php-format msgid "Only %s URLs over plain HTTP please." msgstr "" #. TRANS: Client error on an API request with an unsupported data format. -#: actions/oembed.php:184 actions/oembed.php:203 lib/apiaction.php:1200 +#: actions/oembed.php:180 actions/oembed.php:199 lib/apiaction.php:1200 #: lib/apiaction.php:1227 lib/apiaction.php:1356 msgid "Not a supported data format." msgstr "サポートされていないデータ形式。" @@ -3820,7 +3841,7 @@ msgstr "1-64文字の、小文字アルファベットか数字で、スペー #. TRANS: Field label in form for profile settings. #. TRANS: Label for full group name (dt). Text hidden by default. #: actions/profilesettings.php:117 actions/register.php:457 -#: actions/showgroup.php:257 actions/tagother.php:104 +#: actions/showgroup.php:252 actions/tagother.php:104 #: lib/groupeditform.php:157 lib/userprofile.php:150 msgid "Full name" msgstr "フルネーム" @@ -3861,7 +3882,7 @@ msgstr "自己紹介" #. TRANS: Field label in form for profile settings. #. TRANS: Label for group location (dt). Text hidden by default. #: actions/profilesettings.php:149 actions/register.php:485 -#: actions/showgroup.php:267 actions/tagother.php:112 +#: actions/showgroup.php:262 actions/tagother.php:112 #: actions/userauthorization.php:166 lib/groupeditform.php:180 #: lib/userprofile.php:165 msgid "Location" @@ -4443,7 +4464,7 @@ msgid "Repeated!" msgstr "繰り返されました!" #: actions/replies.php:126 actions/repliesrss.php:68 -#: lib/personalgroupnav.php:105 +#: lib/personalgroupnav.php:108 #, php-format msgid "Replies to %s" msgstr "%s への返信" @@ -4581,7 +4602,7 @@ msgid "Description" msgstr "概要" #. TRANS: Header for group statistics on a group page (h2). -#: actions/showapplication.php:192 actions/showgroup.php:453 +#: actions/showapplication.php:192 actions/showgroup.php:448 #: lib/profileaction.php:187 msgid "Statistics" msgstr "統計データ" @@ -4698,95 +4719,95 @@ msgid "This is a way to share what you like." msgstr "これは、あなたが好きなことを共有する方法です。" #. TRANS: Page title for first group page. %s is a group name. -#: actions/showgroup.php:80 +#: actions/showgroup.php:75 #, php-format msgid "%s group" msgstr "%s グループ" #. TRANS: Page title for any but first group page. #. TRANS: %1$s is a group name, $2$s is a page number. -#: actions/showgroup.php:84 +#: actions/showgroup.php:79 #, php-format msgid "%1$s group, page %2$d" msgstr "%1$s グループ、ページ %2$d" #. TRANS: Group profile header (h2). Text hidden by default. -#: actions/showgroup.php:225 +#: actions/showgroup.php:220 msgid "Group profile" msgstr "グループプロファイル" #. TRANS: Label for group URL (dt). Text hidden by default. -#: actions/showgroup.php:275 actions/tagother.php:118 +#: actions/showgroup.php:270 actions/tagother.php:118 #: actions/userauthorization.php:175 lib/userprofile.php:178 msgid "URL" msgstr "URL" #. TRANS: Label for group description or group note (dt). Text hidden by default. -#: actions/showgroup.php:287 actions/tagother.php:128 +#: actions/showgroup.php:282 actions/tagother.php:128 #: actions/userauthorization.php:187 lib/userprofile.php:195 msgid "Note" msgstr "ノート" #. TRANS: Label for group aliases (dt). Text hidden by default. -#: actions/showgroup.php:298 lib/groupeditform.php:187 +#: actions/showgroup.php:293 lib/groupeditform.php:187 msgid "Aliases" msgstr "別名" #. TRANS: Group actions header (h2). Text hidden by default. -#: actions/showgroup.php:309 +#: actions/showgroup.php:304 msgid "Group actions" msgstr "グループアクション" #. TRANS: Tooltip for feed link. %s is a group nickname. -#: actions/showgroup.php:350 +#: actions/showgroup.php:345 #, php-format msgid "Notice feed for %s group (RSS 1.0)" msgstr "%s グループのつぶやきフィード (RSS 1.0)" #. TRANS: Tooltip for feed link. %s is a group nickname. -#: actions/showgroup.php:357 +#: actions/showgroup.php:352 #, php-format msgid "Notice feed for %s group (RSS 2.0)" msgstr "%s グループのつぶやきフィード (RSS 2.0)" #. TRANS: Tooltip for feed link. %s is a group nickname. -#: actions/showgroup.php:364 +#: actions/showgroup.php:359 #, php-format msgid "Notice feed for %s group (Atom)" msgstr "%s グループのつぶやきフィード (Atom)" #. TRANS: Tooltip for feed link. %s is a group nickname. -#: actions/showgroup.php:370 +#: actions/showgroup.php:365 #, php-format msgid "FOAF for %s group" msgstr "%s グループの FOAF" #. TRANS: Header for mini list of group members on a group page (h2). -#: actions/showgroup.php:407 +#: actions/showgroup.php:402 msgid "Members" msgstr "メンバー" #. TRANS: Description for mini list of group members on a group page when the group has no members. -#: actions/showgroup.php:413 lib/profileaction.php:117 +#: actions/showgroup.php:408 lib/profileaction.php:117 #: lib/profileaction.php:152 lib/profileaction.php:255 lib/section.php:95 #: lib/subscriptionlist.php:127 lib/tagcloudsection.php:71 msgid "(None)" msgstr "(なし)" #. TRANS: Link to all group members from mini list of group members if group has more than n members. -#: actions/showgroup.php:422 +#: actions/showgroup.php:417 msgid "All members" msgstr "全てのメンバー" #. TRANS: Label for creation date in statistics on group page. -#: actions/showgroup.php:458 +#: actions/showgroup.php:453 #, fuzzy msgctxt "LABEL" msgid "Created" msgstr "作成日" #. TRANS: Label for member count in statistics on group page. -#: actions/showgroup.php:466 +#: actions/showgroup.php:461 #, fuzzy msgctxt "LABEL" msgid "Members" @@ -4796,7 +4817,7 @@ msgstr "メンバー" #. TRANS: **%s** is the group alias, %%%%site.name%%%% is the site name, #. TRANS: %%%%action.register%%%% is the URL for registration, %%%%doc.help%%%% is a URL to help. #. TRANS: This message contains Markdown links. Ensure they are formatted correctly: [Description](link). -#: actions/showgroup.php:481 +#: actions/showgroup.php:476 #, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -4814,7 +4835,7 @@ msgstr "" #. TRANS: Notice on group pages for anonymous users for StatusNet sites that accept no new registrations. #. TRANS: **%s** is the group alias, %%%%site.name%%%% is the site name, #. TRANS: This message contains Markdown links. Ensure they are formatted correctly: [Description](link). -#: actions/showgroup.php:491 +#: actions/showgroup.php:486 #, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -4828,7 +4849,7 @@ msgstr "" "する短いメッセージを共有します。" #. TRANS: Header for list of group administrators on a group page (h2). -#: actions/showgroup.php:520 +#: actions/showgroup.php:515 msgid "Admins" msgstr "管理者" @@ -5626,7 +5647,7 @@ msgstr "不正なデフォルトフォローです: '%1$s' はユーザでは #. TRANS: Link description in user account settings menu. #: actions/useradminpanel.php:215 lib/accountsettingsaction.php:106 -#: lib/personalgroupnav.php:109 +#: lib/personalgroupnav.php:112 msgid "Profile" msgstr "プロファイル" @@ -5789,11 +5810,13 @@ msgstr "アバターURL を読み取れません '%s'" msgid "Wrong image type for avatar URL ‘%s’." msgstr "アバター URL '%s' は不正な画像形式。" -#: actions/userdesignsettings.php:76 lib/designsettings.php:65 +#. TRANS: Page title for profile design page. +#: actions/userdesignsettings.php:76 lib/designsettings.php:63 msgid "Profile design" msgstr "プロファイルデザイン" -#: actions/userdesignsettings.php:87 lib/designsettings.php:76 +#. TRANS: Instructions for profile design page. +#: actions/userdesignsettings.php:87 lib/designsettings.php:74 msgid "" "Customize the way your profile looks with a background image and a colour " "palette of your choice." @@ -5916,34 +5939,40 @@ msgstr "" #. TRANS: Message given if an upload is larger than the configured maximum. #. TRANS: %1$d is the byte limit for uploads, %2$d is the byte count for the uploaded file. -#: classes/File.php:189 +#. TRANS: %1$s is used for plural. +#: classes/File.php:190 #, fuzzy, php-format msgid "" +"No file may be larger than %1$d byte and the file you sent was %2$d bytes. " +"Try to upload a smaller version." +msgid_plural "" "No file may be larger than %1$d bytes and the file you sent was %2$d bytes. " "Try to upload a smaller version." -msgstr "" +msgstr[0] "" "どんなファイルも %d バイトより大きくてはいけません、そして、あなたが送った" "ファイルは %d バイトでした。より小さいバージョンをアップロードするようにして" "ください。" #. TRANS: Message given if an upload would exceed user quota. -#. TRANS: %d (number) is the user quota in bytes. -#: classes/File.php:201 -#, php-format -msgid "A file this large would exceed your user quota of %d bytes." -msgstr "" +#. TRANS: %d (number) is the user quota in bytes and is used for plural. +#: classes/File.php:203 +#, fuzzy, php-format +msgid "A file this large would exceed your user quota of %d byte." +msgid_plural "A file this large would exceed your user quota of %d bytes." +msgstr[0] "" "これほど大きいファイルはあなたの%dバイトのユーザ割当てを超えているでしょう。" #. TRANS: Message given id an upload would exceed a user's monthly quota. -#. TRANS: $d (number) is the monthly user quota in bytes. -#: classes/File.php:210 -#, php-format -msgid "A file this large would exceed your monthly quota of %d bytes." -msgstr "" +#. TRANS: $d (number) is the monthly user quota in bytes and is used for plural. +#: classes/File.php:215 +#, fuzzy, php-format +msgid "A file this large would exceed your monthly quota of %d byte." +msgid_plural "A file this large would exceed your monthly quota of %d bytes." +msgstr[0] "" "これほど大きいファイルはあなたの%dバイトの毎月の割当てを超えているでしょう。" #. TRANS: Client exception thrown if a file upload does not have a valid name. -#: classes/File.php:247 classes/File.php:262 +#: classes/File.php:262 classes/File.php:277 #, fuzzy msgid "Invalid filename." msgstr "不正なサイズ。" @@ -6073,31 +6102,31 @@ msgid "Problem saving notice." msgstr "つぶやきを保存する際に問題が発生しました。" #. TRANS: Server exception thrown when no array is provided to the method saveKnownGroups(). -#: classes/Notice.php:907 -msgid "Bad type provided to saveKnownGroups" +#: classes/Notice.php:905 +msgid "Bad type provided to saveKnownGroups." msgstr "" #. TRANS: Server exception thrown when an update for a group inbox fails. -#: classes/Notice.php:1006 +#: classes/Notice.php:1004 msgid "Problem saving group inbox." msgstr "グループ受信箱を保存する際に問題が発生しました。" #. TRANS: Server exception thrown when a reply cannot be saved. #. TRANS: %1$d is a notice ID, %2$d is the ID of the mentioned user. -#: classes/Notice.php:1120 +#: classes/Notice.php:1118 #, fuzzy, php-format msgid "Could not save reply for %1$d, %2$d." msgstr "フォローを保存できません。" #. TRANS: Message used to repeat a notice. RT is the abbreviation of 'retweet'. #. TRANS: %1$s is the repeated user's name, %2$s is the repeated notice. -#: classes/Notice.php:1822 +#: classes/Notice.php:1820 #, php-format msgid "RT @%1$s %2$s" msgstr "" #. TRANS: Full name of a profile or group followed by nickname in parens -#: classes/Profile.php:164 +#: classes/Profile.php:164 classes/User_group.php:247 #, fuzzy, php-format msgctxt "FANCYNAME" msgid "%1$s (%2$s)" @@ -6193,22 +6222,22 @@ msgid "Single-user mode code called when not enabled." msgstr "" #. TRANS: Server exception thrown when creating a group failed. -#: classes/User_group.php:495 +#: classes/User_group.php:511 msgid "Could not create group." msgstr "グループを作成できません。" #. TRANS: Server exception thrown when updating a group URI failed. -#: classes/User_group.php:505 +#: classes/User_group.php:521 msgid "Could not set group URI." msgstr "グループを作成できません。" #. TRANS: Server exception thrown when setting group membership failed. -#: classes/User_group.php:528 +#: classes/User_group.php:544 msgid "Could not set group membership." msgstr "グループメンバーシップをセットできません。" #. TRANS: Server exception thrown when saving local group information failed. -#: classes/User_group.php:543 +#: classes/User_group.php:559 #, fuzzy msgid "Could not save local group info." msgstr "フォローを保存できません。" @@ -6625,7 +6654,7 @@ msgid "User configuration" msgstr "ユーザ設定" #. TRANS: Menu item for site administration -#: lib/adminpanelaction.php:355 lib/personalgroupnav.php:115 +#: lib/adminpanelaction.php:355 lib/personalgroupnav.php:118 msgid "User" msgstr "ユーザ" @@ -7302,10 +7331,13 @@ msgstr "承認された接続アプリケーション" msgid "Database error" msgstr "データベースエラー" -#: lib/designsettings.php:105 +#. TRANS: Label in form on profile design page. +#. TRANS: Field contains file name on user's computer that could be that user's custom profile background image. +#: lib/designsettings.php:104 msgid "Upload file" msgstr "ファイルアップロード" +#. TRANS: Instructions for form on profile design page. #: lib/designsettings.php:109 msgid "" "You can upload your personal background image. The maximum file size is 2MB." @@ -7313,16 +7345,29 @@ msgstr "" "自分のバックグラウンド画像をアップロードできます。最大ファイルサイズは 2MB で" "す。" -#: 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 "" -"サーバーの現在の構成が理由で、大量の POST データ (%sバイト) を処理することが" -"できませんでした。" +#. TRANS: Radio button on profile design page that will enable use of the uploaded profile image. +#: lib/designsettings.php:139 +#, fuzzy +msgctxt "RADIO" +msgid "On" +msgstr "オン" -#: lib/designsettings.php:418 +#. TRANS: Radio button on profile design page that will disable use of the uploaded profile image. +#: lib/designsettings.php:156 +#, fuzzy +msgctxt "RADIO" +msgid "Off" +msgstr "オフ" + +#. TRANS: Button text on profile design page to reset all colour settings to default without saving. +#: lib/designsettings.php:264 +#, fuzzy +msgctxt "BUTTON" +msgid "Reset" +msgstr "リセット" + +#. TRANS: Success message displayed if design settings were saved after clicking "Use defaults". +#: lib/designsettings.php:433 msgid "Design defaults restored." msgstr "デフォルトのデザインを回復。" @@ -7812,7 +7857,7 @@ msgstr "" #. TRANS: Subject for favorite notification e-mail. #. TRANS: %1$s is the adding user's long name, %2$s is the adding user's nickname. -#: lib/mail.php:603 +#: lib/mail.php:607 #, fuzzy, php-format msgid "%1$s (@%2$s) added your notice as a favorite" msgstr "%s (@%s) はお気に入りとしてあなたのつぶやきを加えました" @@ -7822,7 +7867,7 @@ msgstr "%s (@%s) はお気に入りとしてあなたのつぶやきを加えま #. TRANS: %3$s is a URL to the faved notice, %4$s is the faved notice text, #. TRANS: %5$s is a URL to all faves of the adding user, %6$s is the StatusNet sitename, #. TRANS: %7$s is the adding user's nickname. -#: lib/mail.php:610 +#: lib/mail.php:614 #, fuzzy, php-format msgid "" "%1$s (@%7$s) just added your notice from %2$s as one of their favorites.\n" @@ -7861,7 +7906,7 @@ msgstr "" "%6%s\n" #. TRANS: Line in @-reply notification e-mail. %s is conversation URL. -#: lib/mail.php:668 +#: lib/mail.php:672 #, php-format msgid "" "The full conversation can be read here:\n" @@ -7871,7 +7916,7 @@ msgstr "" #. TRANS: E-mail subject for notice notification. #. TRANS: %1$s is the sending user's long name, %2$s is the adding user's nickname. -#: lib/mail.php:676 +#: lib/mail.php:680 #, fuzzy, php-format msgid "%1$s (@%2$s) sent a notice to your attention" msgstr "%s (@%s) はあなた宛てにつぶやきを送りました" @@ -7882,7 +7927,7 @@ msgstr "%s (@%s) はあなた宛てにつぶやきを送りました" #. TRANS: %5$s is a URL to the full conversion if it exists (otherwise empty), #. TRANS: %6$s is a URL to reply to the notice, %7$s is a URL to all @-replied for the addressed user, #. TRANS: %8$s is a URL to the addressed user's e-mail settings, %9$s is the sender's nickname. -#: lib/mail.php:684 +#: lib/mail.php:688 #, php-format msgid "" "%1$s (@%9$s) just sent a notice to your attention (an '@-reply') on %2$s.\n" @@ -8010,7 +8055,7 @@ msgstr "ファイルのMIMEタイプを決定できません。" #. TRANS: Client exception thrown trying to upload a forbidden MIME type. #. TRANS: %1$s is the file type that was denied, %2$s is the application part of #. TRANS: the MIME type that was denied. -#: lib/mediafile.php:340 +#: lib/mediafile.php:345 #, php-format msgid "" "\"%1$s\" is not a supported file type on this server. Try using another %2$s " @@ -8019,7 +8064,7 @@ msgstr "" #. TRANS: Client exception thrown trying to upload a forbidden MIME type. #. TRANS: %s is the file type that was denied. -#: lib/mediafile.php:345 +#: lib/mediafile.php:350 #, php-format msgid "\"%s\" is not a supported file type on this server." msgstr "" @@ -8165,31 +8210,31 @@ msgstr "" msgid "Couldn't insert new subscription." msgstr "サブスクリプションを追加できません" -#: lib/personalgroupnav.php:99 +#: lib/personalgroupnav.php:102 msgid "Personal" msgstr "パーソナル" -#: lib/personalgroupnav.php:104 +#: lib/personalgroupnav.php:107 msgid "Replies" msgstr "返信" -#: lib/personalgroupnav.php:114 +#: lib/personalgroupnav.php:117 msgid "Favorites" msgstr "お気に入り" -#: lib/personalgroupnav.php:125 +#: lib/personalgroupnav.php:128 msgid "Inbox" msgstr "受信箱" -#: lib/personalgroupnav.php:126 +#: lib/personalgroupnav.php:129 msgid "Your incoming messages" msgstr "あなたの入ってくるメッセージ" -#: lib/personalgroupnav.php:130 +#: lib/personalgroupnav.php:133 msgid "Outbox" msgstr "送信箱" -#: lib/personalgroupnav.php:131 +#: lib/personalgroupnav.php:134 msgid "Your sent messages" msgstr "あなたが送ったメッセージ" @@ -8387,6 +8432,12 @@ msgstr "タグ付けとしての人々タグクラウド" msgid "None" msgstr "なし" +#. TRANS: Server exception displayed if a theme name was invalid. +#: lib/theme.php:74 +#, fuzzy +msgid "Invalid theme name." +msgstr "不正なサイズ。" + #: lib/themeuploader.php:50 msgid "This server cannot handle theme uploads without ZIP support." msgstr "" @@ -8631,19 +8682,9 @@ msgid "%d entry in backup." msgid_plural "%d entries in backup." msgstr[0] "" -#, fuzzy -#~ msgid "Name is too long (maximum 255 chars)." -#~ msgstr "名前が長すぎます。(最大255字まで)" - -#, fuzzy -#~ msgid "Organization is too long (maximum 255 chars)." -#~ msgstr "組織が長すぎます。(最大255字)" - -#~ msgid "That's too long. Max notice size is %d chars." -#~ msgstr "長すぎます。つぶやきは最大 %d 字までです。" - -#~ msgid "Max notice size is %d chars, including attachment URL." -#~ msgstr "つぶやきは URL を含めて最大 %d 字までです。" - -#~ msgid " tagged %s" -#~ msgstr "タグ付けされた %s" +#~ msgid "" +#~ "The server was unable to handle that much POST data (%s bytes) due to its " +#~ "current configuration." +#~ msgstr "" +#~ "サーバーの現在の構成が理由で、大量の POST データ (%sバイト) を処理すること" +#~ "ができませんでした。" diff --git a/locale/ka/LC_MESSAGES/statusnet.po b/locale/ka/LC_MESSAGES/statusnet.po index 233e1e874d..88b3651b53 100644 --- a/locale/ka/LC_MESSAGES/statusnet.po +++ b/locale/ka/LC_MESSAGES/statusnet.po @@ -9,17 +9,17 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet - Core\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-11-02 22:51+0000\n" -"PO-Revision-Date: 2010-11-02 22:53:28+0000\n" +"POT-Creation-Date: 2010-11-04 18:25+0000\n" +"PO-Revision-Date: 2010-11-04 18:27:37+0000\n" "Language-Team: Georgian \n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r75875); Translate extension (2010-09-17)\n" +"X-Generator: MediaWiki 1.17alpha (r76004); Translate extension (2010-09-17)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: ka\n" "X-Message-Group: #out-statusnet-core\n" "Plural-Forms: nplurals=1; plural=0;\n" -"X-POT-Import-Date: 2010-10-30 23:42:01+0000\n" +"X-POT-Import-Date: 2010-11-02 23:22:49+0000\n" #. TRANS: Page title for Access admin panel that allows configuring site access. #. TRANS: Menu item for site administration @@ -84,12 +84,14 @@ msgstr "შეინახე შესვლის პარამეტრე #. TRANS: Save button for settings for a profile in a subscriptions list. #. TRANS: Button text to save user settings in user admin panel. #. TRANS: Button label in the "Edit application" form. +#. TRANS: Button text on profile design page to save settings. #: actions/accessadminpanel.php:193 actions/emailsettings.php:228 #: actions/imsettings.php:187 actions/othersettings.php:134 #: actions/pathsadminpanel.php:512 actions/profilesettings.php:201 #: actions/sitenoticeadminpanel.php:197 actions/smssettings.php:209 #: actions/subscriptions.php:246 actions/useradminpanel.php:298 -#: lib/applicationeditform.php:355 lib/groupeditform.php:207 +#: lib/applicationeditform.php:355 lib/designsettings.php:270 +#: lib/groupeditform.php:207 msgctxt "BUTTON" msgid "Save" msgstr "შეინახე" @@ -157,7 +159,7 @@ msgstr "%1$s და მეგობრები, გვერდი %2$d" #. TRANS: Timeline title for user and friends. %s is a user nickname. #: actions/all.php:94 actions/all.php:191 actions/allrss.php:115 #: actions/apitimelinefriends.php:207 actions/apitimelinehome.php:113 -#: lib/personalgroupnav.php:100 +#: lib/personalgroupnav.php:103 #, php-format msgid "%s and friends" msgstr " %s და მეგობრები" @@ -331,11 +333,13 @@ msgstr "პროფილის შენახვა ვერ მოხერ #. TRANS: Client error displayed when the number of bytes in a POST request exceeds a limit. #. TRANS: %s is the number of bytes of the CONTENT_LENGTH. +#. TRANS: Form validation error in design settings form. POST should remain untranslated. #: actions/apiaccountupdateprofilebackgroundimage.php:108 #: actions/apiaccountupdateprofileimage.php:95 actions/apimediaupload.php:81 #: actions/apistatusesupdate.php:210 actions/avatarsettings.php:269 #: actions/designadminpanel.php:125 actions/editapplication.php:121 #: actions/newapplication.php:104 actions/newnotice.php:95 +#: lib/designsettings.php:298 #, fuzzy, php-format msgid "" "The server was unable to handle that much POST data (%s byte) due to its " @@ -737,7 +741,7 @@ msgstr "თქვენ არ ხართ ავტორიზირებუ #: actions/repeat.php:83 actions/smssettings.php:256 actions/subedit.php:40 #: actions/subscribe.php:86 actions/tagother.php:166 #: actions/unsubscribe.php:69 actions/userauthorization.php:52 -#: lib/designsettings.php:294 +#: lib/designsettings.php:310 msgid "There was a problem with your session token. Try again, please." msgstr "" @@ -759,12 +763,13 @@ msgstr "ბაზამ დაუშვა შეცდომა OAuth აპლ #. TRANS: Message given submitting a form with an unknown action in IM settings. #. TRANS: Client error when submitting a form with unexpected information. #. TRANS: Message given submitting a form with an unknown action in SMS settings. +#. TRANS: Unknown form validation error in design settings form. #: actions/apioauthauthorize.php:294 actions/avatarsettings.php:294 #: actions/designadminpanel.php:104 actions/editapplication.php:144 #: actions/emailsettings.php:290 actions/grouplogo.php:322 #: actions/imsettings.php:245 actions/newapplication.php:125 #: actions/oauthconnectionssettings.php:147 actions/recoverpassword.php:44 -#: actions/smssettings.php:277 lib/designsettings.php:304 +#: actions/smssettings.php:277 lib/designsettings.php:321 msgid "Unexpected form submission." msgstr "" @@ -811,7 +816,7 @@ msgstr "ანგარიში" #. TRANS: Label for group nickname (dt). Text hidden by default. #: actions/apioauthauthorize.php:459 actions/login.php:252 #: actions/profilesettings.php:110 actions/register.php:433 -#: actions/showgroup.php:245 actions/tagother.php:94 +#: actions/showgroup.php:240 actions/tagother.php:94 #: actions/userauthorization.php:145 lib/groupeditform.php:152 #: lib/userprofile.php:132 msgid "Nickname" @@ -1072,7 +1077,7 @@ msgstr "ასეთი მიმაგრებული დოკუმენ #: actions/avatarbynickname.php:60 actions/blockedfromgroup.php:73 #: actions/editgroup.php:85 actions/groupdesignsettings.php:84 #: actions/grouplogo.php:86 actions/groupmembers.php:76 -#: actions/grouprss.php:91 actions/showgroup.php:121 +#: actions/grouprss.php:91 actions/showgroup.php:116 msgid "No nickname." msgstr "მეტსახელი უცნობია." @@ -1089,7 +1094,7 @@ msgstr "ზომა არასწორია." #. TRANS: Title for avatar upload page. #. TRANS: Label for group avatar (dt). Text hidden by default. #. TRANS: Link description in user account settings menu. -#: actions/avatarsettings.php:66 actions/showgroup.php:229 +#: actions/avatarsettings.php:66 actions/showgroup.php:224 #: lib/accountsettingsaction.php:113 msgid "Avatar" msgstr "ავატარი" @@ -1263,7 +1268,7 @@ msgstr "დაბლოკვის შესახებ ინფორმა #: actions/groupunblock.php:88 actions/joingroup.php:82 #: actions/joingroup.php:93 actions/leavegroup.php:82 #: actions/leavegroup.php:93 actions/makeadmin.php:86 -#: actions/showgroup.php:139 actions/showgroup.php:148 lib/command.php:168 +#: actions/showgroup.php:134 actions/showgroup.php:143 lib/command.php:168 #: lib/command.php:380 msgid "No such group." msgstr "ასეთი ჯგუფი ვერ მოიძებნა." @@ -1627,12 +1632,14 @@ msgid "You can upload a custom StatusNet theme as a .ZIP archive." msgstr "" "თქვენ შეგიძლიათ ატვირთოთ საკუთარი StatusNet–იერსახე .ZIP არქივის სახით." -#: actions/designadminpanel.php:512 lib/designsettings.php:101 +#. TRANS: Fieldset legend on profile design page. +#: actions/designadminpanel.php:512 lib/designsettings.php:98 msgid "Change background image" msgstr "შეცვალე ფონური სურათი" +#. TRANS: Label on profile design page for setting a profile page background colour. #: actions/designadminpanel.php:517 actions/designadminpanel.php:600 -#: lib/designsettings.php:178 +#: lib/designsettings.php:183 msgid "Background" msgstr "ფონი" @@ -1646,40 +1653,48 @@ msgstr "" "ზომაა %1$s." #. TRANS: Used as radio button label to add a background image. -#: actions/designadminpanel.php:553 lib/designsettings.php:139 +#: actions/designadminpanel.php:553 msgid "On" msgstr "ჩართვა" #. TRANS: Used as radio button label to not add a background image. -#: actions/designadminpanel.php:570 lib/designsettings.php:155 +#: actions/designadminpanel.php:570 msgid "Off" msgstr "გამორთვა" -#: actions/designadminpanel.php:571 lib/designsettings.php:156 +#. TRANS: Form guide for a set of radio buttons on the profile design page that will enable or disable +#. TRANS: use of the uploaded profile image. +#: actions/designadminpanel.php:571 lib/designsettings.php:159 msgid "Turn background image on or off." msgstr "ჩართე ან გამორთე ფონური სურათის ფუნქცია." -#: actions/designadminpanel.php:576 lib/designsettings.php:161 +#. TRANS: Checkbox label on profile design page that will cause the profile image to be tiled. +#: actions/designadminpanel.php:576 lib/designsettings.php:165 msgid "Tile background image" msgstr "გაამრავლე ფონური სურათი" -#: actions/designadminpanel.php:590 lib/designsettings.php:170 +#. TRANS: Fieldset legend on profile design page to change profile page colours. +#: actions/designadminpanel.php:590 lib/designsettings.php:175 msgid "Change colours" msgstr "შეცვალე ფერები" -#: actions/designadminpanel.php:613 lib/designsettings.php:191 +#. TRANS: Label on profile design page for setting a profile page content colour. +#: actions/designadminpanel.php:613 lib/designsettings.php:197 msgid "Content" msgstr "შიგთავსი" -#: actions/designadminpanel.php:626 lib/designsettings.php:204 +#. TRANS: Label on profile design page for setting a profile page sidebar colour. +#: actions/designadminpanel.php:626 lib/designsettings.php:211 msgid "Sidebar" msgstr "გვერდითი პანელი" -#: actions/designadminpanel.php:639 lib/designsettings.php:217 +#. TRANS: Label on profile design page for setting a profile page text colour. +#: actions/designadminpanel.php:639 lib/designsettings.php:225 msgid "Text" msgstr "ტექსტი" -#: actions/designadminpanel.php:652 lib/designsettings.php:230 +#. TRANS: Label on profile design page for setting a profile page links colour. +#: actions/designadminpanel.php:652 lib/designsettings.php:239 msgid "Links" msgstr "ბმულები" @@ -1691,15 +1706,18 @@ msgstr "მეტი პარამეტრები" msgid "Custom CSS" msgstr "საკუთარი CSS" -#: actions/designadminpanel.php:702 lib/designsettings.php:247 +#. TRANS: Button text on profile design page to immediately reset all colour settings to default. +#: actions/designadminpanel.php:702 lib/designsettings.php:257 msgid "Use defaults" msgstr "გამოიყენე პირვანდელი მდგომარეობა" -#: actions/designadminpanel.php:703 lib/designsettings.php:248 +#. TRANS: Title for button on profile design page to reset all colour settings to default. +#: actions/designadminpanel.php:703 lib/designsettings.php:259 msgid "Restore default designs" msgstr "დააბრუნე პირვანდელი დიზაინი" -#: actions/designadminpanel.php:709 lib/designsettings.php:254 +#. TRANS: Title for button on profile design page to reset all colour settings to default without saving. +#: actions/designadminpanel.php:709 lib/designsettings.php:267 msgid "Reset back to default" msgstr "პირვანდელის პარამეტრების დაბრუნება" @@ -1707,11 +1725,12 @@ msgstr "პირვანდელის პარამეტრების #: actions/designadminpanel.php:711 actions/licenseadminpanel.php:319 #: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:292 #: actions/snapshotadminpanel.php:245 actions/tagother.php:154 -#: lib/applicationeditform.php:357 lib/designsettings.php:256 +#: lib/applicationeditform.php:357 msgid "Save" msgstr "შენახვა" -#: actions/designadminpanel.php:712 lib/designsettings.php:257 +#. TRANS: Title for button on profile design page to save settings. +#: actions/designadminpanel.php:712 lib/designsettings.php:272 msgid "Save design" msgstr "შეინახე დიზაინი" @@ -1847,7 +1866,7 @@ msgstr "ჯგუფის განახლება ვერ მოხერ #. TRANS: Server error displayed when group aliases could not be added. #. TRANS: Server exception thrown when creating group aliases failed. -#: actions/editgroup.php:288 classes/User_group.php:513 +#: actions/editgroup.php:288 classes/User_group.php:529 msgid "Could not create aliases." msgstr "" @@ -2134,7 +2153,7 @@ msgstr "" "[დარეგისტრირდი](%%action.register%%) და შეიტანე შეტყობინება შენს რჩეულებში!" #: actions/favoritesrss.php:111 actions/showfavorites.php:77 -#: lib/personalgroupnav.php:115 +#: lib/personalgroupnav.php:118 #, php-format msgid "%s's favorite notices" msgstr "%s-ს რჩეული შეტყობინებები" @@ -2313,8 +2332,10 @@ msgstr "" "აირჩიეთ, როგორ გნებავთ გამოიყურებოდეს თქვენი ჯგუფი ფონური სურათისა და ფერთა " "პალიტრის შეცვლით." +#. TRANS: Error message displayed if design settings could not be saved. +#. TRANS: Error message displayed if design settings could not be saved after clicking "Use defaults". #: actions/groupdesignsettings.php:266 actions/userdesignsettings.php:186 -#: lib/designsettings.php:391 lib/designsettings.php:413 +#: lib/designsettings.php:405 lib/designsettings.php:427 msgid "Couldn't update your design." msgstr "დიზაინის განახლება ვერ მოხერხდა." @@ -3264,25 +3285,25 @@ msgstr "" msgid "Notice has no profile." msgstr "შეტყობინებას პრფილი არ გააჩნია." -#: actions/oembed.php:87 actions/shownotice.php:176 +#: actions/oembed.php:83 actions/shownotice.php:172 #, php-format msgid "%1$s's status on %2$s" msgstr "%1$s–ის სტატუსი %2$s–ზე" #. TRANS: Error message displaying attachments. %s is a raw MIME type (eg 'image/png') -#: actions/oembed.php:159 +#: actions/oembed.php:155 #, php-format msgid "Content type %s not supported." msgstr "შიგთავსის ტიპი %s არ არის მხარდაჭერილი." #. TRANS: Error message displaying attachments. %s is the site's base URL. -#: actions/oembed.php:163 +#: actions/oembed.php:159 #, php-format msgid "Only %s URLs over plain HTTP please." msgstr "გთხოვთ გამოიყენოთ მხოლოდ %s URL–ები წმინდა HTTP მეთოდით." #. TRANS: Client error on an API request with an unsupported data format. -#: actions/oembed.php:184 actions/oembed.php:203 lib/apiaction.php:1200 +#: actions/oembed.php:180 actions/oembed.php:199 lib/apiaction.php:1200 #: lib/apiaction.php:1227 lib/apiaction.php:1356 msgid "Not a supported data format." msgstr "მონაცემთა ფორმატი მხარდაჭერილი არ არის." @@ -3778,7 +3799,7 @@ msgstr "1–64 პატარა ასოები ან ციფრებ #. TRANS: Field label in form for profile settings. #. TRANS: Label for full group name (dt). Text hidden by default. #: actions/profilesettings.php:117 actions/register.php:457 -#: actions/showgroup.php:257 actions/tagother.php:104 +#: actions/showgroup.php:252 actions/tagother.php:104 #: lib/groupeditform.php:157 lib/userprofile.php:150 msgid "Full name" msgstr "სრული სახელი" @@ -3819,7 +3840,7 @@ msgstr "ბიოგრაფია" #. TRANS: Field label in form for profile settings. #. TRANS: Label for group location (dt). Text hidden by default. #: actions/profilesettings.php:149 actions/register.php:485 -#: actions/showgroup.php:267 actions/tagother.php:112 +#: actions/showgroup.php:262 actions/tagother.php:112 #: actions/userauthorization.php:166 lib/groupeditform.php:180 #: lib/userprofile.php:165 msgid "Location" @@ -4401,7 +4422,7 @@ msgid "Repeated!" msgstr "გამეორებული!" #: actions/replies.php:126 actions/repliesrss.php:68 -#: lib/personalgroupnav.php:105 +#: lib/personalgroupnav.php:108 #, php-format msgid "Replies to %s" msgstr "პასუხები %s–ს" @@ -4537,7 +4558,7 @@ msgid "Description" msgstr "აღწერა" #. TRANS: Header for group statistics on a group page (h2). -#: actions/showapplication.php:192 actions/showgroup.php:453 +#: actions/showapplication.php:192 actions/showgroup.php:448 #: lib/profileaction.php:187 msgid "Statistics" msgstr "სტატისტიკა" @@ -4650,95 +4671,95 @@ msgid "This is a way to share what you like." msgstr "" #. TRANS: Page title for first group page. %s is a group name. -#: actions/showgroup.php:80 +#: actions/showgroup.php:75 #, php-format msgid "%s group" msgstr "" #. TRANS: Page title for any but first group page. #. TRANS: %1$s is a group name, $2$s is a page number. -#: actions/showgroup.php:84 +#: actions/showgroup.php:79 #, php-format msgid "%1$s group, page %2$d" msgstr "" #. TRANS: Group profile header (h2). Text hidden by default. -#: actions/showgroup.php:225 +#: actions/showgroup.php:220 msgid "Group profile" msgstr "" #. TRANS: Label for group URL (dt). Text hidden by default. -#: actions/showgroup.php:275 actions/tagother.php:118 +#: actions/showgroup.php:270 actions/tagother.php:118 #: actions/userauthorization.php:175 lib/userprofile.php:178 msgid "URL" msgstr "" #. TRANS: Label for group description or group note (dt). Text hidden by default. -#: actions/showgroup.php:287 actions/tagother.php:128 +#: actions/showgroup.php:282 actions/tagother.php:128 #: actions/userauthorization.php:187 lib/userprofile.php:195 msgid "Note" msgstr "შენიშვნა" #. TRANS: Label for group aliases (dt). Text hidden by default. -#: actions/showgroup.php:298 lib/groupeditform.php:187 +#: actions/showgroup.php:293 lib/groupeditform.php:187 msgid "Aliases" msgstr "" #. TRANS: Group actions header (h2). Text hidden by default. -#: actions/showgroup.php:309 +#: actions/showgroup.php:304 msgid "Group actions" msgstr "" #. TRANS: Tooltip for feed link. %s is a group nickname. -#: actions/showgroup.php:350 +#: actions/showgroup.php:345 #, php-format msgid "Notice feed for %s group (RSS 1.0)" msgstr "" #. TRANS: Tooltip for feed link. %s is a group nickname. -#: actions/showgroup.php:357 +#: actions/showgroup.php:352 #, php-format msgid "Notice feed for %s group (RSS 2.0)" msgstr "" #. TRANS: Tooltip for feed link. %s is a group nickname. -#: actions/showgroup.php:364 +#: actions/showgroup.php:359 #, php-format msgid "Notice feed for %s group (Atom)" msgstr "" #. TRANS: Tooltip for feed link. %s is a group nickname. -#: actions/showgroup.php:370 +#: actions/showgroup.php:365 #, php-format msgid "FOAF for %s group" msgstr "" #. TRANS: Header for mini list of group members on a group page (h2). -#: actions/showgroup.php:407 +#: actions/showgroup.php:402 msgid "Members" msgstr "წევრები" #. TRANS: Description for mini list of group members on a group page when the group has no members. -#: actions/showgroup.php:413 lib/profileaction.php:117 +#: actions/showgroup.php:408 lib/profileaction.php:117 #: lib/profileaction.php:152 lib/profileaction.php:255 lib/section.php:95 #: lib/subscriptionlist.php:127 lib/tagcloudsection.php:71 msgid "(None)" msgstr "(არცერთი)" #. TRANS: Link to all group members from mini list of group members if group has more than n members. -#: actions/showgroup.php:422 +#: actions/showgroup.php:417 msgid "All members" msgstr "" #. TRANS: Label for creation date in statistics on group page. -#: actions/showgroup.php:458 +#: actions/showgroup.php:453 #, fuzzy msgctxt "LABEL" msgid "Created" msgstr "შექმნილია" #. TRANS: Label for member count in statistics on group page. -#: actions/showgroup.php:466 +#: actions/showgroup.php:461 #, fuzzy msgctxt "LABEL" msgid "Members" @@ -4748,7 +4769,7 @@ msgstr "წევრები" #. TRANS: **%s** is the group alias, %%%%site.name%%%% is the site name, #. TRANS: %%%%action.register%%%% is the URL for registration, %%%%doc.help%%%% is a URL to help. #. TRANS: This message contains Markdown links. Ensure they are formatted correctly: [Description](link). -#: actions/showgroup.php:481 +#: actions/showgroup.php:476 #, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -4761,7 +4782,7 @@ msgstr "" #. TRANS: Notice on group pages for anonymous users for StatusNet sites that accept no new registrations. #. TRANS: **%s** is the group alias, %%%%site.name%%%% is the site name, #. TRANS: This message contains Markdown links. Ensure they are formatted correctly: [Description](link). -#: actions/showgroup.php:491 +#: actions/showgroup.php:486 #, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -4771,7 +4792,7 @@ msgid "" msgstr "" #. TRANS: Header for list of group administrators on a group page (h2). -#: actions/showgroup.php:520 +#: actions/showgroup.php:515 msgid "Admins" msgstr "" @@ -5547,7 +5568,7 @@ msgstr "" #. TRANS: Link description in user account settings menu. #: actions/useradminpanel.php:215 lib/accountsettingsaction.php:106 -#: lib/personalgroupnav.php:109 +#: lib/personalgroupnav.php:112 msgid "Profile" msgstr "პროფილი" @@ -5711,11 +5732,13 @@ msgstr "ვერ ვკითხულობ ავატარის URL ‘%s msgid "Wrong image type for avatar URL ‘%s’." msgstr "ავატარის სურათის ფორმატი არასწორია URL ‘%s’." -#: actions/userdesignsettings.php:76 lib/designsettings.php:65 +#. TRANS: Page title for profile design page. +#: actions/userdesignsettings.php:76 lib/designsettings.php:63 msgid "Profile design" msgstr "პროფილის დიზაინი" -#: actions/userdesignsettings.php:87 lib/designsettings.php:76 +#. TRANS: Instructions for profile design page. +#: actions/userdesignsettings.php:87 lib/designsettings.php:74 msgid "" "Customize the way your profile looks with a background image and a colour " "palette of your choice." @@ -5847,34 +5870,40 @@ msgstr "რობინი ფიქრობს რაღაც შეუძლ #. TRANS: Message given if an upload is larger than the configured maximum. #. TRANS: %1$d is the byte limit for uploads, %2$d is the byte count for the uploaded file. -#: classes/File.php:189 -#, php-format +#. TRANS: %1$s is used for plural. +#: classes/File.php:190 +#, fuzzy, php-format msgid "" +"No file may be larger than %1$d byte and the file you sent was %2$d bytes. " +"Try to upload a smaller version." +msgid_plural "" "No file may be larger than %1$d bytes and the file you sent was %2$d bytes. " "Try to upload a smaller version." -msgstr "" +msgstr[0] "" "ფაილი არ შეიძლება იყოს %1$d ბაიტზე მეტი, თქვენ მიერ გაგზავნილი კი %2$d ბაიტი " "იყო. სცადეთ უფრო პატარა ვერსიის ატვირთვა." #. TRANS: Message given if an upload would exceed user quota. -#. TRANS: %d (number) is the user quota in bytes. -#: classes/File.php:201 -#, php-format -msgid "A file this large would exceed your user quota of %d bytes." -msgstr "" +#. TRANS: %d (number) is the user quota in bytes and is used for plural. +#: classes/File.php:203 +#, fuzzy, php-format +msgid "A file this large would exceed your user quota of %d byte." +msgid_plural "A file this large would exceed your user quota of %d bytes." +msgstr[0] "" "ასეთი ზომის ფაილმა შეიძლება გადააჭარბოს თქვენთვის გამოყოფილ კვოტას, %d ბაიტს." #. TRANS: Message given id an upload would exceed a user's monthly quota. -#. TRANS: $d (number) is the monthly user quota in bytes. -#: classes/File.php:210 -#, php-format -msgid "A file this large would exceed your monthly quota of %d bytes." -msgstr "" +#. TRANS: $d (number) is the monthly user quota in bytes and is used for plural. +#: classes/File.php:215 +#, fuzzy, php-format +msgid "A file this large would exceed your monthly quota of %d byte." +msgid_plural "A file this large would exceed your monthly quota of %d bytes." +msgstr[0] "" "ასეთი ზომის ფაილმა შეიძლება გადააჭარბოს თქვენთვის გამოყოფილ თვიურ კვოტას, %d " "ბაიტს." #. TRANS: Client exception thrown if a file upload does not have a valid name. -#: classes/File.php:247 classes/File.php:262 +#: classes/File.php:262 classes/File.php:277 msgid "Invalid filename." msgstr "ფაილის არასწორი სახელი." @@ -6003,31 +6032,32 @@ msgid "Problem saving notice." msgstr "პრობლემა შეტყობინების შენახვისას." #. TRANS: Server exception thrown when no array is provided to the method saveKnownGroups(). -#: classes/Notice.php:907 -msgid "Bad type provided to saveKnownGroups" +#: classes/Notice.php:905 +#, fuzzy +msgid "Bad type provided to saveKnownGroups." msgstr "saveKnownGroups-სათვის არასწორი ტიპია მოწოდებული" #. TRANS: Server exception thrown when an update for a group inbox fails. -#: classes/Notice.php:1006 +#: classes/Notice.php:1004 msgid "Problem saving group inbox." msgstr "პრობლემა ჯგუფის ინდექსის შენახვისას." #. TRANS: Server exception thrown when a reply cannot be saved. #. TRANS: %1$d is a notice ID, %2$d is the ID of the mentioned user. -#: classes/Notice.php:1120 +#: classes/Notice.php:1118 #, fuzzy, php-format msgid "Could not save reply for %1$d, %2$d." msgstr "ჯგუფის ლოკალური ინფორმაციის დამახსოვრება ვერ მოხერხდა." #. TRANS: Message used to repeat a notice. RT is the abbreviation of 'retweet'. #. TRANS: %1$s is the repeated user's name, %2$s is the repeated notice. -#: classes/Notice.php:1822 +#: classes/Notice.php:1820 #, php-format msgid "RT @%1$s %2$s" msgstr "RT @%1$s %2$s" #. TRANS: Full name of a profile or group followed by nickname in parens -#: classes/Profile.php:164 +#: classes/Profile.php:164 classes/User_group.php:247 #, fuzzy, php-format msgctxt "FANCYNAME" msgid "%1$s (%2$s)" @@ -6125,22 +6155,22 @@ msgid "Single-user mode code called when not enabled." msgstr "" #. TRANS: Server exception thrown when creating a group failed. -#: classes/User_group.php:495 +#: classes/User_group.php:511 msgid "Could not create group." msgstr "ჯგუფის შექმნა ვერ მოხერხდა." #. TRANS: Server exception thrown when updating a group URI failed. -#: classes/User_group.php:505 +#: classes/User_group.php:521 msgid "Could not set group URI." msgstr "ჯგუფის URI-ს მინიჭება ვერ მოხერხდა." #. TRANS: Server exception thrown when setting group membership failed. -#: classes/User_group.php:528 +#: classes/User_group.php:544 msgid "Could not set group membership." msgstr "ჯგუფის წევრობის მინიჭება ვერ მოხერხდა." #. TRANS: Server exception thrown when saving local group information failed. -#: classes/User_group.php:543 +#: classes/User_group.php:559 msgid "Could not save local group info." msgstr "ჯგუფის ლოკალური ინფორმაციის დამახსოვრება ვერ მოხერხდა." @@ -6546,7 +6576,7 @@ msgid "User configuration" msgstr "მომხმარებლის კონფიგურაცია" #. TRANS: Menu item for site administration -#: lib/adminpanelaction.php:355 lib/personalgroupnav.php:115 +#: lib/adminpanelaction.php:355 lib/personalgroupnav.php:118 msgid "User" msgstr "მომხმარებელი" @@ -7217,10 +7247,13 @@ msgstr "ავტორიზირებული შეერთებულ msgid "Database error" msgstr "მონაცემთა ბაზის შეცდომა" -#: lib/designsettings.php:105 +#. TRANS: Label in form on profile design page. +#. TRANS: Field contains file name on user's computer that could be that user's custom profile background image. +#: lib/designsettings.php:104 msgid "Upload file" msgstr "ფაილის ატვირთვა" +#. TRANS: Instructions for form on profile design page. #: lib/designsettings.php:109 msgid "" "You can upload your personal background image. The maximum file size is 2MB." @@ -7228,16 +7261,29 @@ msgstr "" "თქვენ შეგიძლიათ ატვირთოთ პერსონალური ფონური სურათი. ფაილის დასაშვები ზომაა " "2მბ." -#: 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 "" -"სამწუხაროდ სერვერმა ვერ გაუძლო ამდენ POST მონაცემებს (%s ბაიტი) მიმდინარე " -"კონფიგურაციის გამო." +#. TRANS: Radio button on profile design page that will enable use of the uploaded profile image. +#: lib/designsettings.php:139 +#, fuzzy +msgctxt "RADIO" +msgid "On" +msgstr "ჩართვა" -#: lib/designsettings.php:418 +#. TRANS: Radio button on profile design page that will disable use of the uploaded profile image. +#: lib/designsettings.php:156 +#, fuzzy +msgctxt "RADIO" +msgid "Off" +msgstr "გამორთვა" + +#. TRANS: Button text on profile design page to reset all colour settings to default without saving. +#: lib/designsettings.php:264 +#, fuzzy +msgctxt "BUTTON" +msgid "Reset" +msgstr "გადაყენება" + +#. TRANS: Success message displayed if design settings were saved after clicking "Use defaults". +#: lib/designsettings.php:433 msgid "Design defaults restored." msgstr "დიზაინის პირველადი პარამეტრები დაბრუნებულია." @@ -7734,7 +7780,7 @@ msgstr "" #. TRANS: Subject for favorite notification e-mail. #. TRANS: %1$s is the adding user's long name, %2$s is the adding user's nickname. -#: lib/mail.php:603 +#: lib/mail.php:607 #, fuzzy, php-format msgid "%1$s (@%2$s) added your notice as a favorite" msgstr "%s-მა (@%s) დაამატა თქვენი შეტყობინება თავის რჩეულებში" @@ -7744,7 +7790,7 @@ msgstr "%s-მა (@%s) დაამატა თქვენი შეტყო #. TRANS: %3$s is a URL to the faved notice, %4$s is the faved notice text, #. TRANS: %5$s is a URL to all faves of the adding user, %6$s is the StatusNet sitename, #. TRANS: %7$s is the adding user's nickname. -#: lib/mail.php:610 +#: lib/mail.php:614 #, php-format msgid "" "%1$s (@%7$s) just added your notice from %2$s as one of their favorites.\n" @@ -7783,7 +7829,7 @@ msgstr "" "%6$s\n" #. TRANS: Line in @-reply notification e-mail. %s is conversation URL. -#: lib/mail.php:668 +#: lib/mail.php:672 #, php-format msgid "" "The full conversation can be read here:\n" @@ -7796,7 +7842,7 @@ msgstr "" #. TRANS: E-mail subject for notice notification. #. TRANS: %1$s is the sending user's long name, %2$s is the adding user's nickname. -#: lib/mail.php:676 +#: lib/mail.php:680 #, fuzzy, php-format msgid "%1$s (@%2$s) sent a notice to your attention" msgstr "%s-მა (@%s) გამოაგზავნა შეტყობინება თქვენს საყურადღებოდ" @@ -7807,7 +7853,7 @@ msgstr "%s-მა (@%s) გამოაგზავნა შეტყობი #. TRANS: %5$s is a URL to the full conversion if it exists (otherwise empty), #. TRANS: %6$s is a URL to reply to the notice, %7$s is a URL to all @-replied for the addressed user, #. TRANS: %8$s is a URL to the addressed user's e-mail settings, %9$s is the sender's nickname. -#: lib/mail.php:684 +#: lib/mail.php:688 #, php-format msgid "" "%1$s (@%9$s) just sent a notice to your attention (an '@-reply') on %2$s.\n" @@ -7935,7 +7981,7 @@ msgstr "ფაილის MIME ტიპი ვერ დადგინდა. #. TRANS: Client exception thrown trying to upload a forbidden MIME type. #. TRANS: %1$s is the file type that was denied, %2$s is the application part of #. TRANS: the MIME type that was denied. -#: lib/mediafile.php:340 +#: lib/mediafile.php:345 #, php-format msgid "" "\"%1$s\" is not a supported file type on this server. Try using another %2$s " @@ -7944,7 +7990,7 @@ msgstr "" #. TRANS: Client exception thrown trying to upload a forbidden MIME type. #. TRANS: %s is the file type that was denied. -#: lib/mediafile.php:345 +#: lib/mediafile.php:350 #, php-format msgid "\"%s\" is not a supported file type on this server." msgstr "" @@ -8085,31 +8131,31 @@ msgstr "" msgid "Couldn't insert new subscription." msgstr "ახალი გამოწერის ჩასმა ვერ მოხერხდა." -#: lib/personalgroupnav.php:99 +#: lib/personalgroupnav.php:102 msgid "Personal" msgstr "პირადი" -#: lib/personalgroupnav.php:104 +#: lib/personalgroupnav.php:107 msgid "Replies" msgstr "პასუხები" -#: lib/personalgroupnav.php:114 +#: lib/personalgroupnav.php:117 msgid "Favorites" msgstr "რჩეულები" -#: lib/personalgroupnav.php:125 +#: lib/personalgroupnav.php:128 msgid "Inbox" msgstr "შემომავალი წერილების ყუთი" -#: lib/personalgroupnav.php:126 +#: lib/personalgroupnav.php:129 msgid "Your incoming messages" msgstr "თქვენი შემომავალი შეტყობინებები" -#: lib/personalgroupnav.php:130 +#: lib/personalgroupnav.php:133 msgid "Outbox" msgstr "გამავალი წერილების ყუთი" -#: lib/personalgroupnav.php:131 +#: lib/personalgroupnav.php:134 msgid "Your sent messages" msgstr "თქვენი გაგზავნილი წერილები" @@ -8307,6 +8353,12 @@ msgstr "მომხმარებლების სანიშნეებ msgid "None" msgstr "არაფერი" +#. TRANS: Server exception displayed if a theme name was invalid. +#: lib/theme.php:74 +#, fuzzy +msgid "Invalid theme name." +msgstr "ფაილის არასწორი სახელი." + #: lib/themeuploader.php:50 msgid "This server cannot handle theme uploads without ZIP support." msgstr "ამ სერვერს არ შეუძლია თემების ატვირთვა ZIP-ის მხარდაჭერის გარეშე." @@ -8553,16 +8605,9 @@ msgid "%d entry in backup." msgid_plural "%d entries in backup." msgstr[0] "" -#, fuzzy -#~ msgid "Name is too long (maximum 255 chars)." -#~ msgstr "სახელი ძალიან გრძელია (არაუმეტეს 255 სიმბოლო)." - -#, fuzzy -#~ msgid "Organization is too long (maximum 255 chars)." -#~ msgstr "ორგანიზაცია ძალიან გრძელია (არაუმეტეს 255 სიმბოლო)." - -#~ msgid "That's too long. Max notice size is %d chars." -#~ msgstr "შეტყობინების დასაძვები ზომაა %d სიმბოლო." - -#~ msgid "Max notice size is %d chars, including attachment URL." -#~ msgstr "შეყობინების დასაშვები ზომაა %d სიმბოლო მიმაგრებული URL-ის ჩათვლით." +#~ msgid "" +#~ "The server was unable to handle that much POST data (%s bytes) due to its " +#~ "current configuration." +#~ msgstr "" +#~ "სამწუხაროდ სერვერმა ვერ გაუძლო ამდენ POST მონაცემებს (%s ბაიტი) მიმდინარე " +#~ "კონფიგურაციის გამო." diff --git a/locale/ko/LC_MESSAGES/statusnet.po b/locale/ko/LC_MESSAGES/statusnet.po index 76255a186d..700532c6ad 100644 --- a/locale/ko/LC_MESSAGES/statusnet.po +++ b/locale/ko/LC_MESSAGES/statusnet.po @@ -11,17 +11,17 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet - Core\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-11-02 22:51+0000\n" -"PO-Revision-Date: 2010-11-02 22:53:29+0000\n" +"POT-Creation-Date: 2010-11-04 18:25+0000\n" +"PO-Revision-Date: 2010-11-04 18:27:38+0000\n" "Language-Team: Korean \n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r75875); Translate extension (2010-09-17)\n" +"X-Generator: MediaWiki 1.17alpha (r76004); Translate extension (2010-09-17)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: ko\n" "X-Message-Group: #out-statusnet-core\n" "Plural-Forms: nplurals=1; plural=0;\n" -"X-POT-Import-Date: 2010-10-30 23:42:01+0000\n" +"X-POT-Import-Date: 2010-11-02 23:22:49+0000\n" #. TRANS: Page title for Access admin panel that allows configuring site access. #. TRANS: Menu item for site administration @@ -86,12 +86,14 @@ msgstr "접근 설정을 저장" #. TRANS: Save button for settings for a profile in a subscriptions list. #. TRANS: Button text to save user settings in user admin panel. #. TRANS: Button label in the "Edit application" form. +#. TRANS: Button text on profile design page to save settings. #: actions/accessadminpanel.php:193 actions/emailsettings.php:228 #: actions/imsettings.php:187 actions/othersettings.php:134 #: actions/pathsadminpanel.php:512 actions/profilesettings.php:201 #: actions/sitenoticeadminpanel.php:197 actions/smssettings.php:209 #: actions/subscriptions.php:246 actions/useradminpanel.php:298 -#: lib/applicationeditform.php:355 lib/groupeditform.php:207 +#: lib/applicationeditform.php:355 lib/designsettings.php:270 +#: lib/groupeditform.php:207 msgctxt "BUTTON" msgid "Save" msgstr "저장" @@ -159,7 +161,7 @@ msgstr "%s 및 친구들, %d 페이지" #. TRANS: Timeline title for user and friends. %s is a user nickname. #: actions/all.php:94 actions/all.php:191 actions/allrss.php:115 #: actions/apitimelinefriends.php:207 actions/apitimelinehome.php:113 -#: lib/personalgroupnav.php:100 +#: lib/personalgroupnav.php:103 #, php-format msgid "%s and friends" msgstr "%s 및 친구들" @@ -327,11 +329,13 @@ msgstr "프로필을 저장 할 수 없습니다." #. TRANS: Client error displayed when the number of bytes in a POST request exceeds a limit. #. TRANS: %s is the number of bytes of the CONTENT_LENGTH. +#. TRANS: Form validation error in design settings form. POST should remain untranslated. #: actions/apiaccountupdateprofilebackgroundimage.php:108 #: actions/apiaccountupdateprofileimage.php:95 actions/apimediaupload.php:81 #: actions/apistatusesupdate.php:210 actions/avatarsettings.php:269 #: actions/designadminpanel.php:125 actions/editapplication.php:121 #: actions/newapplication.php:104 actions/newnotice.php:95 +#: lib/designsettings.php:298 #, fuzzy, php-format msgid "" "The server was unable to handle that much POST data (%s byte) due to its " @@ -738,7 +742,7 @@ msgstr "당신은 이 프로필에 구독되지 않고있습니다." #: actions/repeat.php:83 actions/smssettings.php:256 actions/subedit.php:40 #: actions/subscribe.php:86 actions/tagother.php:166 #: actions/unsubscribe.php:69 actions/userauthorization.php:52 -#: lib/designsettings.php:294 +#: lib/designsettings.php:310 msgid "There was a problem with your session token. Try again, please." msgstr "세션토큰에 문제가 있습니다. 다시 시도해주십시오." @@ -760,12 +764,13 @@ msgstr "OAuth 응용 프로그램 사용자 추가 중 데이터베이스 오류 #. TRANS: Message given submitting a form with an unknown action in IM settings. #. TRANS: Client error when submitting a form with unexpected information. #. TRANS: Message given submitting a form with an unknown action in SMS settings. +#. TRANS: Unknown form validation error in design settings form. #: actions/apioauthauthorize.php:294 actions/avatarsettings.php:294 #: actions/designadminpanel.php:104 actions/editapplication.php:144 #: actions/emailsettings.php:290 actions/grouplogo.php:322 #: actions/imsettings.php:245 actions/newapplication.php:125 #: actions/oauthconnectionssettings.php:147 actions/recoverpassword.php:44 -#: actions/smssettings.php:277 lib/designsettings.php:304 +#: actions/smssettings.php:277 lib/designsettings.php:321 msgid "Unexpected form submission." msgstr "잘못된 폼 제출" @@ -818,7 +823,7 @@ msgstr "계정" #. TRANS: Label for group nickname (dt). Text hidden by default. #: actions/apioauthauthorize.php:459 actions/login.php:252 #: actions/profilesettings.php:110 actions/register.php:433 -#: actions/showgroup.php:245 actions/tagother.php:94 +#: actions/showgroup.php:240 actions/tagother.php:94 #: actions/userauthorization.php:145 lib/groupeditform.php:152 #: lib/userprofile.php:132 msgid "Nickname" @@ -1078,7 +1083,7 @@ msgstr "해당하는 첨부파일이 없습니다." #: actions/avatarbynickname.php:60 actions/blockedfromgroup.php:73 #: actions/editgroup.php:85 actions/groupdesignsettings.php:84 #: actions/grouplogo.php:86 actions/groupmembers.php:76 -#: actions/grouprss.php:91 actions/showgroup.php:121 +#: actions/grouprss.php:91 actions/showgroup.php:116 msgid "No nickname." msgstr "별명이 없습니다." @@ -1095,7 +1100,7 @@ msgstr "옳지 않은 크기" #. TRANS: Title for avatar upload page. #. TRANS: Label for group avatar (dt). Text hidden by default. #. TRANS: Link description in user account settings menu. -#: actions/avatarsettings.php:66 actions/showgroup.php:229 +#: actions/avatarsettings.php:66 actions/showgroup.php:224 #: lib/accountsettingsaction.php:113 msgid "Avatar" msgstr "아바타" @@ -1270,7 +1275,7 @@ msgstr "정보차단을 저장하는데 실패했습니다." #: actions/groupunblock.php:88 actions/joingroup.php:82 #: actions/joingroup.php:93 actions/leavegroup.php:82 #: actions/leavegroup.php:93 actions/makeadmin.php:86 -#: actions/showgroup.php:139 actions/showgroup.php:148 lib/command.php:168 +#: actions/showgroup.php:134 actions/showgroup.php:143 lib/command.php:168 #: lib/command.php:380 msgid "No such group." msgstr "그러한 그룹이 없습니다." @@ -1631,12 +1636,14 @@ msgstr "사용자 지정 테마" msgid "You can upload a custom StatusNet theme as a .ZIP archive." msgstr "" -#: actions/designadminpanel.php:512 lib/designsettings.php:101 +#. TRANS: Fieldset legend on profile design page. +#: actions/designadminpanel.php:512 lib/designsettings.php:98 msgid "Change background image" msgstr "배경 이미지 바꾸기" +#. TRANS: Label on profile design page for setting a profile page background colour. #: actions/designadminpanel.php:517 actions/designadminpanel.php:600 -#: lib/designsettings.php:178 +#: lib/designsettings.php:183 msgid "Background" msgstr "배경" @@ -1649,40 +1656,48 @@ msgstr "" "사이트의 배경 이미지를 업로드할 수 있습니다. 최대 파일 크기는 %1$s 입니다." #. TRANS: Used as radio button label to add a background image. -#: actions/designadminpanel.php:553 lib/designsettings.php:139 +#: actions/designadminpanel.php:553 msgid "On" msgstr "켜기" #. TRANS: Used as radio button label to not add a background image. -#: actions/designadminpanel.php:570 lib/designsettings.php:155 +#: actions/designadminpanel.php:570 msgid "Off" msgstr "끄기" -#: actions/designadminpanel.php:571 lib/designsettings.php:156 +#. TRANS: Form guide for a set of radio buttons on the profile design page that will enable or disable +#. TRANS: use of the uploaded profile image. +#: actions/designadminpanel.php:571 lib/designsettings.php:159 msgid "Turn background image on or off." msgstr "배경 이미지를 켜거나 끈다." -#: actions/designadminpanel.php:576 lib/designsettings.php:161 +#. TRANS: Checkbox label on profile design page that will cause the profile image to be tiled. +#: actions/designadminpanel.php:576 lib/designsettings.php:165 msgid "Tile background image" msgstr "배경 이미지를 반복 나열" -#: actions/designadminpanel.php:590 lib/designsettings.php:170 +#. TRANS: Fieldset legend on profile design page to change profile page colours. +#: actions/designadminpanel.php:590 lib/designsettings.php:175 msgid "Change colours" msgstr "색상 변경" -#: actions/designadminpanel.php:613 lib/designsettings.php:191 +#. TRANS: Label on profile design page for setting a profile page content colour. +#: actions/designadminpanel.php:613 lib/designsettings.php:197 msgid "Content" msgstr "만족하는" -#: actions/designadminpanel.php:626 lib/designsettings.php:204 +#. TRANS: Label on profile design page for setting a profile page sidebar colour. +#: actions/designadminpanel.php:626 lib/designsettings.php:211 msgid "Sidebar" msgstr "가장자리 창" -#: actions/designadminpanel.php:639 lib/designsettings.php:217 +#. TRANS: Label on profile design page for setting a profile page text colour. +#: actions/designadminpanel.php:639 lib/designsettings.php:225 msgid "Text" msgstr "문자" -#: actions/designadminpanel.php:652 lib/designsettings.php:230 +#. TRANS: Label on profile design page for setting a profile page links colour. +#: actions/designadminpanel.php:652 lib/designsettings.php:239 msgid "Links" msgstr "링크" @@ -1694,15 +1709,18 @@ msgstr "고급 검색" msgid "Custom CSS" msgstr "사용자 정의 CSS" -#: actions/designadminpanel.php:702 lib/designsettings.php:247 +#. TRANS: Button text on profile design page to immediately reset all colour settings to default. +#: actions/designadminpanel.php:702 lib/designsettings.php:257 msgid "Use defaults" msgstr "기본값 사용" -#: actions/designadminpanel.php:703 lib/designsettings.php:248 +#. TRANS: Title for button on profile design page to reset all colour settings to default. +#: actions/designadminpanel.php:703 lib/designsettings.php:259 msgid "Restore default designs" msgstr "" -#: actions/designadminpanel.php:709 lib/designsettings.php:254 +#. TRANS: Title for button on profile design page to reset all colour settings to default without saving. +#: actions/designadminpanel.php:709 lib/designsettings.php:267 msgid "Reset back to default" msgstr "" @@ -1710,11 +1728,12 @@ msgstr "" #: actions/designadminpanel.php:711 actions/licenseadminpanel.php:319 #: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:292 #: actions/snapshotadminpanel.php:245 actions/tagother.php:154 -#: lib/applicationeditform.php:357 lib/designsettings.php:256 +#: lib/applicationeditform.php:357 msgid "Save" msgstr "저장" -#: actions/designadminpanel.php:712 lib/designsettings.php:257 +#. TRANS: Title for button on profile design page to save settings. +#: actions/designadminpanel.php:712 lib/designsettings.php:272 msgid "Save design" msgstr "디자인 저장" @@ -1852,7 +1871,7 @@ msgstr "그룹을 업데이트 할 수 없습니다." #. TRANS: Server error displayed when group aliases could not be added. #. TRANS: Server exception thrown when creating group aliases failed. -#: actions/editgroup.php:288 classes/User_group.php:513 +#: actions/editgroup.php:288 classes/User_group.php:529 msgid "Could not create aliases." msgstr "관심소식을 생성할 수 없습니다." @@ -2132,7 +2151,7 @@ msgid "" msgstr "" #: actions/favoritesrss.php:111 actions/showfavorites.php:77 -#: lib/personalgroupnav.php:115 +#: lib/personalgroupnav.php:118 #, php-format msgid "%s's favorite notices" msgstr "%s 님의 좋아하는 글" @@ -2316,8 +2335,10 @@ msgid "" "palette of your choice." msgstr "" +#. TRANS: Error message displayed if design settings could not be saved. +#. TRANS: Error message displayed if design settings could not be saved after clicking "Use defaults". #: actions/groupdesignsettings.php:266 actions/userdesignsettings.php:186 -#: lib/designsettings.php:391 lib/designsettings.php:413 +#: lib/designsettings.php:405 lib/designsettings.php:427 msgid "Couldn't update your design." msgstr "디자인을 수정할 수 없습니다." @@ -3249,25 +3270,25 @@ msgstr "" msgid "Notice has no profile." msgstr "이용자가 프로필을 가지고 있지 않습니다." -#: actions/oembed.php:87 actions/shownotice.php:176 +#: actions/oembed.php:83 actions/shownotice.php:172 #, php-format msgid "%1$s's status on %2$s" msgstr "%1$s의 상태 (%2$s에서)" #. TRANS: Error message displaying attachments. %s is a raw MIME type (eg 'image/png') -#: actions/oembed.php:159 +#: actions/oembed.php:155 #, fuzzy, php-format msgid "Content type %s not supported." msgstr "연결" #. TRANS: Error message displaying attachments. %s is the site's base URL. -#: actions/oembed.php:163 +#: actions/oembed.php:159 #, php-format msgid "Only %s URLs over plain HTTP please." msgstr "" #. TRANS: Client error on an API request with an unsupported data format. -#: actions/oembed.php:184 actions/oembed.php:203 lib/apiaction.php:1200 +#: actions/oembed.php:180 actions/oembed.php:199 lib/apiaction.php:1200 #: lib/apiaction.php:1227 lib/apiaction.php:1356 msgid "Not a supported data format." msgstr "지원하는 형식의 데이터가 아닙니다." @@ -3760,7 +3781,7 @@ msgstr "1-64자 사이에 영소문자, 숫자로만 씁니다. 기호나 공백 #. TRANS: Field label in form for profile settings. #. TRANS: Label for full group name (dt). Text hidden by default. #: actions/profilesettings.php:117 actions/register.php:457 -#: actions/showgroup.php:257 actions/tagother.php:104 +#: actions/showgroup.php:252 actions/tagother.php:104 #: lib/groupeditform.php:157 lib/userprofile.php:150 msgid "Full name" msgstr "실명" @@ -3801,7 +3822,7 @@ msgstr "자기소개" #. TRANS: Field label in form for profile settings. #. TRANS: Label for group location (dt). Text hidden by default. #: actions/profilesettings.php:149 actions/register.php:485 -#: actions/showgroup.php:267 actions/tagother.php:112 +#: actions/showgroup.php:262 actions/tagother.php:112 #: actions/userauthorization.php:166 lib/groupeditform.php:180 #: lib/userprofile.php:165 msgid "Location" @@ -4373,7 +4394,7 @@ msgid "Repeated!" msgstr "재전송됨!" #: actions/replies.php:126 actions/repliesrss.php:68 -#: lib/personalgroupnav.php:105 +#: lib/personalgroupnav.php:108 #, php-format msgid "Replies to %s" msgstr "%s에 답신" @@ -4505,7 +4526,7 @@ msgid "Description" msgstr "설명" #. TRANS: Header for group statistics on a group page (h2). -#: actions/showapplication.php:192 actions/showgroup.php:453 +#: actions/showapplication.php:192 actions/showgroup.php:448 #: lib/profileaction.php:187 msgid "Statistics" msgstr "통계" @@ -4614,95 +4635,95 @@ msgid "This is a way to share what you like." msgstr "좋아하는 글을 지정하면 자기가 무엇을 좋아하는지 알릴 수 있습니다." #. TRANS: Page title for first group page. %s is a group name. -#: actions/showgroup.php:80 +#: actions/showgroup.php:75 #, php-format msgid "%s group" msgstr "%s 그룹" #. TRANS: Page title for any but first group page. #. TRANS: %1$s is a group name, $2$s is a page number. -#: actions/showgroup.php:84 +#: actions/showgroup.php:79 #, php-format msgid "%1$s group, page %2$d" msgstr "그룹, %d페이지" #. TRANS: Group profile header (h2). Text hidden by default. -#: actions/showgroup.php:225 +#: actions/showgroup.php:220 msgid "Group profile" msgstr "그룹 프로필" #. TRANS: Label for group URL (dt). Text hidden by default. -#: actions/showgroup.php:275 actions/tagother.php:118 +#: actions/showgroup.php:270 actions/tagother.php:118 #: actions/userauthorization.php:175 lib/userprofile.php:178 msgid "URL" msgstr "URL" #. TRANS: Label for group description or group note (dt). Text hidden by default. -#: actions/showgroup.php:287 actions/tagother.php:128 +#: actions/showgroup.php:282 actions/tagother.php:128 #: actions/userauthorization.php:187 lib/userprofile.php:195 msgid "Note" msgstr "설명" #. TRANS: Label for group aliases (dt). Text hidden by default. -#: actions/showgroup.php:298 lib/groupeditform.php:187 +#: actions/showgroup.php:293 lib/groupeditform.php:187 msgid "Aliases" msgstr "" #. TRANS: Group actions header (h2). Text hidden by default. -#: actions/showgroup.php:309 +#: actions/showgroup.php:304 msgid "Group actions" msgstr "그룹 행동" #. TRANS: Tooltip for feed link. %s is a group nickname. -#: actions/showgroup.php:350 +#: actions/showgroup.php:345 #, php-format msgid "Notice feed for %s group (RSS 1.0)" msgstr "%s 그룹을 위한 공지피드 (RSS 1.0)" #. TRANS: Tooltip for feed link. %s is a group nickname. -#: actions/showgroup.php:357 +#: actions/showgroup.php:352 #, php-format msgid "Notice feed for %s group (RSS 2.0)" msgstr "%s 그룹을 위한 공지피드 (RSS 2.0)" #. TRANS: Tooltip for feed link. %s is a group nickname. -#: actions/showgroup.php:364 +#: actions/showgroup.php:359 #, php-format msgid "Notice feed for %s group (Atom)" msgstr "%s 그룹을 위한 공지피드 (Atom)" #. TRANS: Tooltip for feed link. %s is a group nickname. -#: actions/showgroup.php:370 +#: actions/showgroup.php:365 #, php-format msgid "FOAF for %s group" msgstr "%s의 보낸쪽지함" #. TRANS: Header for mini list of group members on a group page (h2). -#: actions/showgroup.php:407 +#: actions/showgroup.php:402 msgid "Members" msgstr "회원" #. TRANS: Description for mini list of group members on a group page when the group has no members. -#: actions/showgroup.php:413 lib/profileaction.php:117 +#: actions/showgroup.php:408 lib/profileaction.php:117 #: lib/profileaction.php:152 lib/profileaction.php:255 lib/section.php:95 #: lib/subscriptionlist.php:127 lib/tagcloudsection.php:71 msgid "(None)" msgstr "(없음)" #. TRANS: Link to all group members from mini list of group members if group has more than n members. -#: actions/showgroup.php:422 +#: actions/showgroup.php:417 msgid "All members" msgstr "모든 회원" #. TRANS: Label for creation date in statistics on group page. -#: actions/showgroup.php:458 +#: actions/showgroup.php:453 #, fuzzy msgctxt "LABEL" msgid "Created" msgstr "생성됨" #. TRANS: Label for member count in statistics on group page. -#: actions/showgroup.php:466 +#: actions/showgroup.php:461 #, fuzzy msgctxt "LABEL" msgid "Members" @@ -4712,7 +4733,7 @@ msgstr "회원" #. TRANS: **%s** is the group alias, %%%%site.name%%%% is the site name, #. TRANS: %%%%action.register%%%% is the URL for registration, %%%%doc.help%%%% is a URL to help. #. TRANS: This message contains Markdown links. Ensure they are formatted correctly: [Description](link). -#: actions/showgroup.php:481 +#: actions/showgroup.php:476 #, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -4725,7 +4746,7 @@ msgstr "" #. TRANS: Notice on group pages for anonymous users for StatusNet sites that accept no new registrations. #. TRANS: **%s** is the group alias, %%%%site.name%%%% is the site name, #. TRANS: This message contains Markdown links. Ensure they are formatted correctly: [Description](link). -#: actions/showgroup.php:491 +#: actions/showgroup.php:486 #, fuzzy, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -4737,7 +4758,7 @@ msgstr "" "Micro-blogging)의 사용자 그룹입니다. " #. TRANS: Header for list of group administrators on a group page (h2). -#: actions/showgroup.php:520 +#: actions/showgroup.php:515 #, fuzzy msgid "Admins" msgstr "관리자" @@ -5502,7 +5523,7 @@ msgstr "" #. TRANS: Link description in user account settings menu. #: actions/useradminpanel.php:215 lib/accountsettingsaction.php:106 -#: lib/personalgroupnav.php:109 +#: lib/personalgroupnav.php:112 msgid "Profile" msgstr "프로필" @@ -5671,11 +5692,13 @@ msgstr "아바타 URL '%s'을(를) 읽어낼 수 없습니다." msgid "Wrong image type for avatar URL ‘%s’." msgstr "%S 잘못된 그림 파일 타입입니다. " -#: actions/userdesignsettings.php:76 lib/designsettings.php:65 +#. TRANS: Page title for profile design page. +#: actions/userdesignsettings.php:76 lib/designsettings.php:63 msgid "Profile design" msgstr "프로필 디자인" -#: actions/userdesignsettings.php:87 lib/designsettings.php:76 +#. TRANS: Instructions for profile design page. +#: actions/userdesignsettings.php:87 lib/designsettings.php:74 msgid "" "Customize the way your profile looks with a background image and a colour " "palette of your choice." @@ -5805,29 +5828,35 @@ msgstr "" #. TRANS: Message given if an upload is larger than the configured maximum. #. TRANS: %1$d is the byte limit for uploads, %2$d is the byte count for the uploaded file. -#: classes/File.php:189 +#. TRANS: %1$s is used for plural. +#: classes/File.php:190 #, php-format msgid "" +"No file may be larger than %1$d byte and the file you sent was %2$d bytes. " +"Try to upload a smaller version." +msgid_plural "" "No file may be larger than %1$d bytes and the file you sent was %2$d bytes. " "Try to upload a smaller version." -msgstr "" +msgstr[0] "" #. TRANS: Message given if an upload would exceed user quota. -#. TRANS: %d (number) is the user quota in bytes. -#: classes/File.php:201 +#. TRANS: %d (number) is the user quota in bytes and is used for plural. +#: classes/File.php:203 #, php-format -msgid "A file this large would exceed your user quota of %d bytes." -msgstr "" +msgid "A file this large would exceed your user quota of %d byte." +msgid_plural "A file this large would exceed your user quota of %d bytes." +msgstr[0] "" #. TRANS: Message given id an upload would exceed a user's monthly quota. -#. TRANS: $d (number) is the monthly user quota in bytes. -#: classes/File.php:210 +#. TRANS: $d (number) is the monthly user quota in bytes and is used for plural. +#: classes/File.php:215 #, php-format -msgid "A file this large would exceed your monthly quota of %d bytes." -msgstr "" +msgid "A file this large would exceed your monthly quota of %d byte." +msgid_plural "A file this large would exceed your monthly quota of %d bytes." +msgstr[0] "" #. TRANS: Client exception thrown if a file upload does not have a valid name. -#: classes/File.php:247 classes/File.php:262 +#: classes/File.php:262 classes/File.php:277 #, fuzzy msgid "Invalid filename." msgstr "옳지 않은 크기" @@ -5962,32 +5991,32 @@ msgid "Problem saving notice." msgstr "통지를 저장하는데 문제가 발생했습니다." #. TRANS: Server exception thrown when no array is provided to the method saveKnownGroups(). -#: classes/Notice.php:907 -msgid "Bad type provided to saveKnownGroups" +#: classes/Notice.php:905 +msgid "Bad type provided to saveKnownGroups." msgstr "" #. TRANS: Server exception thrown when an update for a group inbox fails. -#: classes/Notice.php:1006 +#: classes/Notice.php:1004 #, fuzzy msgid "Problem saving group inbox." msgstr "통지를 저장하는데 문제가 발생했습니다." #. TRANS: Server exception thrown when a reply cannot be saved. #. TRANS: %1$d is a notice ID, %2$d is the ID of the mentioned user. -#: classes/Notice.php:1120 +#: classes/Notice.php:1118 #, fuzzy, php-format msgid "Could not save reply for %1$d, %2$d." msgstr "새 그룹을 만들 수 없습니다." #. TRANS: Message used to repeat a notice. RT is the abbreviation of 'retweet'. #. TRANS: %1$s is the repeated user's name, %2$s is the repeated notice. -#: classes/Notice.php:1822 +#: classes/Notice.php:1820 #, php-format msgid "RT @%1$s %2$s" msgstr "RT @%1$s %2$s" #. TRANS: Full name of a profile or group followed by nickname in parens -#: classes/Profile.php:164 +#: classes/Profile.php:164 classes/User_group.php:247 #, fuzzy, php-format msgctxt "FANCYNAME" msgid "%1$s (%2$s)" @@ -6084,22 +6113,22 @@ msgid "Single-user mode code called when not enabled." msgstr "" #. TRANS: Server exception thrown when creating a group failed. -#: classes/User_group.php:495 +#: classes/User_group.php:511 msgid "Could not create group." msgstr "새 그룹을 만들 수 없습니다." #. TRANS: Server exception thrown when updating a group URI failed. -#: classes/User_group.php:505 +#: classes/User_group.php:521 msgid "Could not set group URI." msgstr "새 그룹을 만들 수 없습니다." #. TRANS: Server exception thrown when setting group membership failed. -#: classes/User_group.php:528 +#: classes/User_group.php:544 msgid "Could not set group membership." msgstr "그룹 맴버십을 세팅할 수 없습니다." #. TRANS: Server exception thrown when saving local group information failed. -#: classes/User_group.php:543 +#: classes/User_group.php:559 msgid "Could not save local group info." msgstr "새 그룹을 만들 수 없습니다." @@ -6510,7 +6539,7 @@ msgid "User configuration" msgstr "메일 주소 확인" #. TRANS: Menu item for site administration -#: lib/adminpanelaction.php:355 lib/personalgroupnav.php:115 +#: lib/adminpanelaction.php:355 lib/personalgroupnav.php:118 msgid "User" msgstr "사용자" @@ -7180,25 +7209,41 @@ msgstr "응용프로그램 삭제" msgid "Database error" msgstr "데이터베이스 오류" -#: lib/designsettings.php:105 +#. TRANS: Label in form on profile design page. +#. TRANS: Field contains file name on user's computer that could be that user's custom profile background image. +#: lib/designsettings.php:104 msgid "Upload file" msgstr "실행 실패" +#. TRANS: Instructions for form on profile design page. #: lib/designsettings.php:109 msgid "" "You can upload your personal background image. The maximum file size is 2MB." msgstr "개인 아바타를 올릴 수 있습니다. 최대 파일 크기는 2MB입니다." -#: 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 "" -"현재 설정으로 인해 너무 많은 POST 데이터(%s 바이트)는 서버에서 처리할 수 없습" -"니다." +#. TRANS: Radio button on profile design page that will enable use of the uploaded profile image. +#: lib/designsettings.php:139 +#, fuzzy +msgctxt "RADIO" +msgid "On" +msgstr "켜기" -#: lib/designsettings.php:418 +#. TRANS: Radio button on profile design page that will disable use of the uploaded profile image. +#: lib/designsettings.php:156 +#, fuzzy +msgctxt "RADIO" +msgid "Off" +msgstr "끄기" + +#. TRANS: Button text on profile design page to reset all colour settings to default without saving. +#: lib/designsettings.php:264 +#, fuzzy +msgctxt "BUTTON" +msgid "Reset" +msgstr "초기화" + +#. TRANS: Success message displayed if design settings were saved after clicking "Use defaults". +#: lib/designsettings.php:433 #, fuzzy msgid "Design defaults restored." msgstr "메일 설정이 저장되었습니다." @@ -7640,7 +7685,7 @@ msgstr "" #. TRANS: Subject for favorite notification e-mail. #. TRANS: %1$s is the adding user's long name, %2$s is the adding user's nickname. -#: lib/mail.php:603 +#: lib/mail.php:607 #, fuzzy, php-format msgid "%1$s (@%2$s) added your notice as a favorite" msgstr "누군가 내 글을 좋아하는 게시글로 추가했을 때, 메일을 보냅니다." @@ -7650,7 +7695,7 @@ msgstr "누군가 내 글을 좋아하는 게시글로 추가했을 때, 메일 #. TRANS: %3$s is a URL to the faved notice, %4$s is the faved notice text, #. TRANS: %5$s is a URL to all faves of the adding user, %6$s is the StatusNet sitename, #. TRANS: %7$s is the adding user's nickname. -#: lib/mail.php:610 +#: lib/mail.php:614 #, php-format msgid "" "%1$s (@%7$s) just added your notice from %2$s as one of their favorites.\n" @@ -7672,7 +7717,7 @@ msgid "" msgstr "" #. TRANS: Line in @-reply notification e-mail. %s is conversation URL. -#: lib/mail.php:668 +#: lib/mail.php:672 #, php-format msgid "" "The full conversation can be read here:\n" @@ -7682,7 +7727,7 @@ msgstr "" #. TRANS: E-mail subject for notice notification. #. TRANS: %1$s is the sending user's long name, %2$s is the adding user's nickname. -#: lib/mail.php:676 +#: lib/mail.php:680 #, fuzzy, php-format msgid "%1$s (@%2$s) sent a notice to your attention" msgstr "누군가 내 글을 좋아하는 게시글로 추가했을 때, 메일을 보냅니다." @@ -7693,7 +7738,7 @@ msgstr "누군가 내 글을 좋아하는 게시글로 추가했을 때, 메일 #. TRANS: %5$s is a URL to the full conversion if it exists (otherwise empty), #. TRANS: %6$s is a URL to reply to the notice, %7$s is a URL to all @-replied for the addressed user, #. TRANS: %8$s is a URL to the addressed user's e-mail settings, %9$s is the sender's nickname. -#: lib/mail.php:684 +#: lib/mail.php:688 #, php-format msgid "" "%1$s (@%9$s) just sent a notice to your attention (an '@-reply') on %2$s.\n" @@ -7813,7 +7858,7 @@ msgstr "소스 이용자를 확인할 수 없습니다." #. TRANS: Client exception thrown trying to upload a forbidden MIME type. #. TRANS: %1$s is the file type that was denied, %2$s is the application part of #. TRANS: the MIME type that was denied. -#: lib/mediafile.php:340 +#: lib/mediafile.php:345 #, php-format msgid "" "\"%1$s\" is not a supported file type on this server. Try using another %2$s " @@ -7822,7 +7867,7 @@ msgstr "" #. TRANS: Client exception thrown trying to upload a forbidden MIME type. #. TRANS: %s is the file type that was denied. -#: lib/mediafile.php:345 +#: lib/mediafile.php:350 #, php-format msgid "\"%s\" is not a supported file type on this server." msgstr "" @@ -7962,31 +8007,31 @@ msgstr "" msgid "Couldn't insert new subscription." msgstr "예약 구독을 추가 할 수 없습니다." -#: lib/personalgroupnav.php:99 +#: lib/personalgroupnav.php:102 msgid "Personal" msgstr "개인" -#: lib/personalgroupnav.php:104 +#: lib/personalgroupnav.php:107 msgid "Replies" msgstr "답신" -#: lib/personalgroupnav.php:114 +#: lib/personalgroupnav.php:117 msgid "Favorites" msgstr "좋아하는 글들" -#: lib/personalgroupnav.php:125 +#: lib/personalgroupnav.php:128 msgid "Inbox" msgstr "받은 쪽지함" -#: lib/personalgroupnav.php:126 +#: lib/personalgroupnav.php:129 msgid "Your incoming messages" msgstr "받은 메시지" -#: lib/personalgroupnav.php:130 +#: lib/personalgroupnav.php:133 msgid "Outbox" msgstr "보낸 쪽지함" -#: lib/personalgroupnav.php:131 +#: lib/personalgroupnav.php:134 msgid "Your sent messages" msgstr "보낸 메시지" @@ -8190,6 +8235,12 @@ msgstr "" msgid "None" msgstr "없음" +#. TRANS: Server exception displayed if a theme name was invalid. +#: lib/theme.php:74 +#, fuzzy +msgid "Invalid theme name." +msgstr "옳지 않은 크기" + #: lib/themeuploader.php:50 msgid "This server cannot handle theme uploads without ZIP support." msgstr "" @@ -8432,20 +8483,9 @@ msgid "%d entry in backup." msgid_plural "%d entries in backup." msgstr[0] "" -#, fuzzy -#~ msgid "Name is too long (maximum 255 chars)." -#~ msgstr "실명이 너무 깁니다. (최대 255글자)" - -#, fuzzy -#~ msgid "Organization is too long (maximum 255 chars)." -#~ msgstr "기관 이름이 너무 깁니다. (최대 255글자)" - -#~ msgid "That's too long. Max notice size is %d chars." -#~ msgstr "너무 깁니다. 통지의 최대 길이는 %d 글자 입니다." - -#~ msgid "Max notice size is %d chars, including attachment URL." -#~ msgstr "소식의 최대 길이는 첨부 URL을 포함하여 %d 글자입니다." - -#, fuzzy -#~ msgid " tagged %s" -#~ msgstr "%s 태그된 통지" +#~ msgid "" +#~ "The server was unable to handle that much POST data (%s bytes) due to its " +#~ "current configuration." +#~ msgstr "" +#~ "현재 설정으로 인해 너무 많은 POST 데이터(%s 바이트)는 서버에서 처리할 수 " +#~ "없습니다." diff --git a/locale/mk/LC_MESSAGES/statusnet.po b/locale/mk/LC_MESSAGES/statusnet.po index 1b5c5fa089..5990b5d371 100644 --- a/locale/mk/LC_MESSAGES/statusnet.po +++ b/locale/mk/LC_MESSAGES/statusnet.po @@ -10,17 +10,17 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet - Core\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-11-02 22:51+0000\n" -"PO-Revision-Date: 2010-11-02 22:53:31+0000\n" +"POT-Creation-Date: 2010-11-04 18:25+0000\n" +"PO-Revision-Date: 2010-11-04 18:27:39+0000\n" "Language-Team: Macedonian \n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r75875); Translate extension (2010-09-17)\n" +"X-Generator: MediaWiki 1.17alpha (r76004); Translate extension (2010-09-17)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: mk\n" "X-Message-Group: #out-statusnet-core\n" "Plural-Forms: nplurals=2; plural=(n == 1 || n%10 == 1) ? 0 : 1;\n" -"X-POT-Import-Date: 2010-10-30 23:42:01+0000\n" +"X-POT-Import-Date: 2010-11-02 23:22:49+0000\n" #. TRANS: Page title for Access admin panel that allows configuring site access. #. TRANS: Menu item for site administration @@ -87,12 +87,14 @@ msgstr "Зачувај нагодувања на пристап" #. TRANS: Save button for settings for a profile in a subscriptions list. #. TRANS: Button text to save user settings in user admin panel. #. TRANS: Button label in the "Edit application" form. +#. TRANS: Button text on profile design page to save settings. #: actions/accessadminpanel.php:193 actions/emailsettings.php:228 #: actions/imsettings.php:187 actions/othersettings.php:134 #: actions/pathsadminpanel.php:512 actions/profilesettings.php:201 #: actions/sitenoticeadminpanel.php:197 actions/smssettings.php:209 #: actions/subscriptions.php:246 actions/useradminpanel.php:298 -#: lib/applicationeditform.php:355 lib/groupeditform.php:207 +#: lib/applicationeditform.php:355 lib/designsettings.php:270 +#: lib/groupeditform.php:207 msgctxt "BUTTON" msgid "Save" msgstr "Зачувај" @@ -160,7 +162,7 @@ msgstr "%1$s и пријателите, стр. %2$d" #. TRANS: Timeline title for user and friends. %s is a user nickname. #: actions/all.php:94 actions/all.php:191 actions/allrss.php:115 #: actions/apitimelinefriends.php:207 actions/apitimelinehome.php:113 -#: lib/personalgroupnav.php:100 +#: lib/personalgroupnav.php:103 #, php-format msgid "%s and friends" msgstr "%s и пријатели" @@ -335,11 +337,13 @@ msgstr "Не може да се зачува профил." #. TRANS: Client error displayed when the number of bytes in a POST request exceeds a limit. #. TRANS: %s is the number of bytes of the CONTENT_LENGTH. +#. TRANS: Form validation error in design settings form. POST should remain untranslated. #: actions/apiaccountupdateprofilebackgroundimage.php:108 #: actions/apiaccountupdateprofileimage.php:95 actions/apimediaupload.php:81 #: actions/apistatusesupdate.php:210 actions/avatarsettings.php:269 #: actions/designadminpanel.php:125 actions/editapplication.php:121 #: actions/newapplication.php:104 actions/newnotice.php:95 +#: lib/designsettings.php:298 #, php-format msgid "" "The server was unable to handle that much POST data (%s byte) due to its " @@ -748,7 +752,7 @@ msgstr "Жетонот за барање е веќе овластен." #: actions/repeat.php:83 actions/smssettings.php:256 actions/subedit.php:40 #: actions/subscribe.php:86 actions/tagother.php:166 #: actions/unsubscribe.php:69 actions/userauthorization.php:52 -#: lib/designsettings.php:294 +#: lib/designsettings.php:310 msgid "There was a problem with your session token. Try again, please." msgstr "Се поајви проблем со Вашиот сесиски жетон. Обидете се повторно." @@ -769,12 +773,13 @@ msgstr "Грешка во базата при вметнувањето на auth #. TRANS: Message given submitting a form with an unknown action in IM settings. #. TRANS: Client error when submitting a form with unexpected information. #. TRANS: Message given submitting a form with an unknown action in SMS settings. +#. TRANS: Unknown form validation error in design settings form. #: actions/apioauthauthorize.php:294 actions/avatarsettings.php:294 #: actions/designadminpanel.php:104 actions/editapplication.php:144 #: actions/emailsettings.php:290 actions/grouplogo.php:322 #: actions/imsettings.php:245 actions/newapplication.php:125 #: actions/oauthconnectionssettings.php:147 actions/recoverpassword.php:44 -#: actions/smssettings.php:277 lib/designsettings.php:304 +#: actions/smssettings.php:277 lib/designsettings.php:321 msgid "Unexpected form submission." msgstr "Неочекувано поднесување на образец." @@ -826,7 +831,7 @@ msgstr "Сметка" #. TRANS: Label for group nickname (dt). Text hidden by default. #: actions/apioauthauthorize.php:459 actions/login.php:252 #: actions/profilesettings.php:110 actions/register.php:433 -#: actions/showgroup.php:245 actions/tagother.php:94 +#: actions/showgroup.php:240 actions/tagother.php:94 #: actions/userauthorization.php:145 lib/groupeditform.php:152 #: lib/userprofile.php:132 msgid "Nickname" @@ -1090,7 +1095,7 @@ msgstr "Нема таков прилог." #: actions/avatarbynickname.php:60 actions/blockedfromgroup.php:73 #: actions/editgroup.php:85 actions/groupdesignsettings.php:84 #: actions/grouplogo.php:86 actions/groupmembers.php:76 -#: actions/grouprss.php:91 actions/showgroup.php:121 +#: actions/grouprss.php:91 actions/showgroup.php:116 msgid "No nickname." msgstr "Нема прекар." @@ -1107,7 +1112,7 @@ msgstr "Погрешна големина." #. TRANS: Title for avatar upload page. #. TRANS: Label for group avatar (dt). Text hidden by default. #. TRANS: Link description in user account settings menu. -#: actions/avatarsettings.php:66 actions/showgroup.php:229 +#: actions/avatarsettings.php:66 actions/showgroup.php:224 #: lib/accountsettingsaction.php:113 msgid "Avatar" msgstr "Аватар" @@ -1283,7 +1288,7 @@ msgstr "Не можев да ги снимам инофрмациите за б #: actions/groupunblock.php:88 actions/joingroup.php:82 #: actions/joingroup.php:93 actions/leavegroup.php:82 #: actions/leavegroup.php:93 actions/makeadmin.php:86 -#: actions/showgroup.php:139 actions/showgroup.php:148 lib/command.php:168 +#: actions/showgroup.php:134 actions/showgroup.php:143 lib/command.php:168 #: lib/command.php:380 msgid "No such group." msgstr "Нема таква група." @@ -1640,12 +1645,14 @@ msgstr "Прилагоден мотив" msgid "You can upload a custom StatusNet theme as a .ZIP archive." msgstr "Можете да подигнете свој изглед за StatusNet како .ZIP архив." -#: actions/designadminpanel.php:512 lib/designsettings.php:101 +#. TRANS: Fieldset legend on profile design page. +#: actions/designadminpanel.php:512 lib/designsettings.php:98 msgid "Change background image" msgstr "Промена на слика на позадина" +#. TRANS: Label on profile design page for setting a profile page background colour. #: actions/designadminpanel.php:517 actions/designadminpanel.php:600 -#: lib/designsettings.php:178 +#: lib/designsettings.php:183 msgid "Background" msgstr "Позадина" @@ -1659,40 +1666,48 @@ msgstr "" "големина на податотеката е %1$s." #. TRANS: Used as radio button label to add a background image. -#: actions/designadminpanel.php:553 lib/designsettings.php:139 +#: actions/designadminpanel.php:553 msgid "On" msgstr "Вкл." #. TRANS: Used as radio button label to not add a background image. -#: actions/designadminpanel.php:570 lib/designsettings.php:155 +#: actions/designadminpanel.php:570 msgid "Off" msgstr "Искл." -#: actions/designadminpanel.php:571 lib/designsettings.php:156 +#. TRANS: Form guide for a set of radio buttons on the profile design page that will enable or disable +#. TRANS: use of the uploaded profile image. +#: actions/designadminpanel.php:571 lib/designsettings.php:159 msgid "Turn background image on or off." msgstr "Вклучи или исклучи позадинска слика." -#: actions/designadminpanel.php:576 lib/designsettings.php:161 +#. TRANS: Checkbox label on profile design page that will cause the profile image to be tiled. +#: actions/designadminpanel.php:576 lib/designsettings.php:165 msgid "Tile background image" msgstr "Позадината во квадрати" -#: actions/designadminpanel.php:590 lib/designsettings.php:170 +#. TRANS: Fieldset legend on profile design page to change profile page colours. +#: actions/designadminpanel.php:590 lib/designsettings.php:175 msgid "Change colours" msgstr "Промена на бои" -#: actions/designadminpanel.php:613 lib/designsettings.php:191 +#. TRANS: Label on profile design page for setting a profile page content colour. +#: actions/designadminpanel.php:613 lib/designsettings.php:197 msgid "Content" msgstr "Содржина" -#: actions/designadminpanel.php:626 lib/designsettings.php:204 +#. TRANS: Label on profile design page for setting a profile page sidebar colour. +#: actions/designadminpanel.php:626 lib/designsettings.php:211 msgid "Sidebar" msgstr "Странична лента" -#: actions/designadminpanel.php:639 lib/designsettings.php:217 +#. TRANS: Label on profile design page for setting a profile page text colour. +#: actions/designadminpanel.php:639 lib/designsettings.php:225 msgid "Text" msgstr "Текст" -#: actions/designadminpanel.php:652 lib/designsettings.php:230 +#. TRANS: Label on profile design page for setting a profile page links colour. +#: actions/designadminpanel.php:652 lib/designsettings.php:239 msgid "Links" msgstr "Врски" @@ -1704,15 +1719,18 @@ msgstr "Напредно" msgid "Custom CSS" msgstr "Прилагодено CSS" -#: actions/designadminpanel.php:702 lib/designsettings.php:247 +#. TRANS: Button text on profile design page to immediately reset all colour settings to default. +#: actions/designadminpanel.php:702 lib/designsettings.php:257 msgid "Use defaults" msgstr "Користи по основно" -#: actions/designadminpanel.php:703 lib/designsettings.php:248 +#. TRANS: Title for button on profile design page to reset all colour settings to default. +#: actions/designadminpanel.php:703 lib/designsettings.php:259 msgid "Restore default designs" msgstr "Врати основно-зададени нагодувања" -#: actions/designadminpanel.php:709 lib/designsettings.php:254 +#. TRANS: Title for button on profile design page to reset all colour settings to default without saving. +#: actions/designadminpanel.php:709 lib/designsettings.php:267 msgid "Reset back to default" msgstr "Врати по основно" @@ -1720,11 +1738,12 @@ msgstr "Врати по основно" #: actions/designadminpanel.php:711 actions/licenseadminpanel.php:319 #: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:292 #: actions/snapshotadminpanel.php:245 actions/tagother.php:154 -#: lib/applicationeditform.php:357 lib/designsettings.php:256 +#: lib/applicationeditform.php:357 msgid "Save" msgstr "Зачувај" -#: actions/designadminpanel.php:712 lib/designsettings.php:257 +#. TRANS: Title for button on profile design page to save settings. +#: actions/designadminpanel.php:712 lib/designsettings.php:272 msgid "Save design" msgstr "Зачувај изглед" @@ -1769,7 +1788,6 @@ msgstr "Треба име." #. TRANS: Validation error shown when providing too long a name in the "Edit application" form. #: actions/editapplication.php:188 actions/newapplication.php:169 -#, fuzzy msgid "Name is too long (maximum 255 characters)." msgstr "Името е предолго (највеќе 255 знаци)." @@ -1859,7 +1877,7 @@ msgstr "Не можев да ја подновам групата." #. TRANS: Server error displayed when group aliases could not be added. #. TRANS: Server exception thrown when creating group aliases failed. -#: actions/editgroup.php:288 classes/User_group.php:513 +#: actions/editgroup.php:288 classes/User_group.php:529 msgid "Could not create aliases." msgstr "Не можеше да се создадат алијаси." @@ -2148,7 +2166,7 @@ msgstr "" "ќе бендисате забелешка!" #: actions/favoritesrss.php:111 actions/showfavorites.php:77 -#: lib/personalgroupnav.php:115 +#: lib/personalgroupnav.php:118 #, php-format msgid "%s's favorite notices" msgstr "Бендисани забелешки на %s" @@ -2329,8 +2347,10 @@ msgstr "" "Прилагодете го изгледот на Вашата група со позадинска слика и палета од бои " "по Ваш избор." +#. TRANS: Error message displayed if design settings could not be saved. +#. TRANS: Error message displayed if design settings could not be saved after clicking "Use defaults". #: actions/groupdesignsettings.php:266 actions/userdesignsettings.php:186 -#: lib/designsettings.php:391 lib/designsettings.php:413 +#: lib/designsettings.php:405 lib/designsettings.php:427 msgid "Couldn't update your design." msgstr "Не можев да го подновам Вашиот изглед." @@ -2726,7 +2746,7 @@ msgstr[1] "Веќе сте претплатени на овие корисниц #. TRANS: Used as list item for already subscribed users (%1$s is nickname, %2$s is e-mail address). #. TRANS: Used as list item for already registered people (%1$s is nickname, %2$s is e-mail address). #: actions/invite.php:145 actions/invite.php:159 -#, fuzzy, php-format +#, php-format msgctxt "INVITE" msgid "%1$s (%2$s)" msgstr "%1$s (%2$s)" @@ -2911,7 +2931,6 @@ msgstr "" "Сите права задржани." #: actions/licenseadminpanel.php:156 -#, fuzzy msgid "Invalid license title. Maximum length is 255 characters." msgstr "Неважечки наслов на лиценцата. Дозволени се највеќе 255 знаци." @@ -3294,25 +3313,25 @@ msgstr "" msgid "Notice has no profile." msgstr "Забелешката нема профил." -#: actions/oembed.php:87 actions/shownotice.php:176 +#: actions/oembed.php:83 actions/shownotice.php:172 #, php-format msgid "%1$s's status on %2$s" msgstr "%1$s статус на %2$s" #. TRANS: Error message displaying attachments. %s is a raw MIME type (eg 'image/png') -#: actions/oembed.php:159 +#: actions/oembed.php:155 #, php-format msgid "Content type %s not supported." msgstr "Содржините од типот %s не се поддржани." #. TRANS: Error message displaying attachments. %s is the site's base URL. -#: actions/oembed.php:163 +#: actions/oembed.php:159 #, php-format msgid "Only %s URLs over plain HTTP please." msgstr "Ве молиме користете само %s URL-адреси врз прост HTTP-код." #. TRANS: Client error on an API request with an unsupported data format. -#: actions/oembed.php:184 actions/oembed.php:203 lib/apiaction.php:1200 +#: actions/oembed.php:180 actions/oembed.php:199 lib/apiaction.php:1200 #: lib/apiaction.php:1227 lib/apiaction.php:1356 msgid "Not a supported data format." msgstr "Ова не е поддржан формат на податотека." @@ -3363,7 +3382,6 @@ msgstr "Прикажи или сокриј профилни изгледи." #. TRANS: Form validation error for form "Other settings" in user profile. #: actions/othersettings.php:162 -#, fuzzy msgid "URL shortening service is too long (maximum 50 characters)." msgstr "Услугата за скратување на URL-адреси е предолга (највеќе до 50 знаци)." @@ -3795,7 +3813,7 @@ msgstr "1-64 мали букви или бројки, без интерпукц #. TRANS: Field label in form for profile settings. #. TRANS: Label for full group name (dt). Text hidden by default. #: actions/profilesettings.php:117 actions/register.php:457 -#: actions/showgroup.php:257 actions/tagother.php:104 +#: actions/showgroup.php:252 actions/tagother.php:104 #: lib/groupeditform.php:157 lib/userprofile.php:150 msgid "Full name" msgstr "Цело име" @@ -3837,7 +3855,7 @@ msgstr "Биографија" #. TRANS: Field label in form for profile settings. #. TRANS: Label for group location (dt). Text hidden by default. #: actions/profilesettings.php:149 actions/register.php:485 -#: actions/showgroup.php:267 actions/tagother.php:112 +#: actions/showgroup.php:262 actions/tagother.php:112 #: actions/userauthorization.php:166 lib/groupeditform.php:180 #: lib/userprofile.php:165 msgid "Location" @@ -4181,9 +4199,8 @@ msgid "Unexpected password reset." msgstr "Неочекувано подновување на лозинката." #: actions/recoverpassword.php:365 -#, fuzzy msgid "Password must be 6 characters or more." -msgstr "Лозинката мора да биде од најмалку 6 знаци." +msgstr "Лозинката мора да има барем 6 знаци." #: actions/recoverpassword.php:369 msgid "Password and confirmation do not match." @@ -4428,7 +4445,7 @@ msgid "Repeated!" msgstr "Повторено!" #: actions/replies.php:126 actions/repliesrss.php:68 -#: lib/personalgroupnav.php:105 +#: lib/personalgroupnav.php:108 #, php-format msgid "Replies to %s" msgstr "Одговори испратени до %s" @@ -4566,7 +4583,7 @@ msgid "Description" msgstr "Опис" #. TRANS: Header for group statistics on a group page (h2). -#: actions/showapplication.php:192 actions/showgroup.php:453 +#: actions/showapplication.php:192 actions/showgroup.php:448 #: lib/profileaction.php:187 msgid "Statistics" msgstr "Статистики" @@ -4684,94 +4701,94 @@ msgid "This is a way to share what you like." msgstr "Ова е начин да го споделите она што Ви се допаѓа." #. TRANS: Page title for first group page. %s is a group name. -#: actions/showgroup.php:80 +#: actions/showgroup.php:75 #, php-format msgid "%s group" msgstr "Група %s" #. TRANS: Page title for any but first group page. #. TRANS: %1$s is a group name, $2$s is a page number. -#: actions/showgroup.php:84 +#: actions/showgroup.php:79 #, php-format msgid "%1$s group, page %2$d" msgstr "Група %1$s, стр. %2$d" #. TRANS: Group profile header (h2). Text hidden by default. -#: actions/showgroup.php:225 +#: actions/showgroup.php:220 msgid "Group profile" msgstr "Профил на група" #. TRANS: Label for group URL (dt). Text hidden by default. -#: actions/showgroup.php:275 actions/tagother.php:118 +#: actions/showgroup.php:270 actions/tagother.php:118 #: actions/userauthorization.php:175 lib/userprofile.php:178 msgid "URL" msgstr "URL" #. TRANS: Label for group description or group note (dt). Text hidden by default. -#: actions/showgroup.php:287 actions/tagother.php:128 +#: actions/showgroup.php:282 actions/tagother.php:128 #: actions/userauthorization.php:187 lib/userprofile.php:195 msgid "Note" msgstr "Забелешка" #. TRANS: Label for group aliases (dt). Text hidden by default. -#: actions/showgroup.php:298 lib/groupeditform.php:187 +#: actions/showgroup.php:293 lib/groupeditform.php:187 msgid "Aliases" msgstr "Алијаси" #. TRANS: Group actions header (h2). Text hidden by default. -#: actions/showgroup.php:309 +#: actions/showgroup.php:304 msgid "Group actions" msgstr "Групни дејства" #. TRANS: Tooltip for feed link. %s is a group nickname. -#: actions/showgroup.php:350 +#: actions/showgroup.php:345 #, php-format msgid "Notice feed for %s group (RSS 1.0)" msgstr "Канал со забелешки за групата %s (RSS 1.0)" #. TRANS: Tooltip for feed link. %s is a group nickname. -#: actions/showgroup.php:357 +#: actions/showgroup.php:352 #, php-format msgid "Notice feed for %s group (RSS 2.0)" msgstr "Канал со забелешки за групата %s (RSS 2.0)" #. TRANS: Tooltip for feed link. %s is a group nickname. -#: actions/showgroup.php:364 +#: actions/showgroup.php:359 #, php-format msgid "Notice feed for %s group (Atom)" msgstr "Канал со забелешки за групата%s (Atom)" #. TRANS: Tooltip for feed link. %s is a group nickname. -#: actions/showgroup.php:370 +#: actions/showgroup.php:365 #, php-format msgid "FOAF for %s group" msgstr "FOAF за групата %s" #. TRANS: Header for mini list of group members on a group page (h2). -#: actions/showgroup.php:407 +#: actions/showgroup.php:402 msgid "Members" msgstr "Членови" #. TRANS: Description for mini list of group members on a group page when the group has no members. -#: actions/showgroup.php:413 lib/profileaction.php:117 +#: actions/showgroup.php:408 lib/profileaction.php:117 #: lib/profileaction.php:152 lib/profileaction.php:255 lib/section.php:95 #: lib/subscriptionlist.php:127 lib/tagcloudsection.php:71 msgid "(None)" msgstr "(Нема)" #. TRANS: Link to all group members from mini list of group members if group has more than n members. -#: actions/showgroup.php:422 +#: actions/showgroup.php:417 msgid "All members" msgstr "Сите членови" #. TRANS: Label for creation date in statistics on group page. -#: actions/showgroup.php:458 +#: actions/showgroup.php:453 msgctxt "LABEL" msgid "Created" msgstr "Создадено" #. TRANS: Label for member count in statistics on group page. -#: actions/showgroup.php:466 +#: actions/showgroup.php:461 msgctxt "LABEL" msgid "Members" msgstr "Членови" @@ -4780,7 +4797,7 @@ msgstr "Членови" #. TRANS: **%s** is the group alias, %%%%site.name%%%% is the site name, #. TRANS: %%%%action.register%%%% is the URL for registration, %%%%doc.help%%%% is a URL to help. #. TRANS: This message contains Markdown links. Ensure they are formatted correctly: [Description](link). -#: actions/showgroup.php:481 +#: actions/showgroup.php:476 #, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -4799,7 +4816,7 @@ msgstr "" #. TRANS: Notice on group pages for anonymous users for StatusNet sites that accept no new registrations. #. TRANS: **%s** is the group alias, %%%%site.name%%%% is the site name, #. TRANS: This message contains Markdown links. Ensure they are formatted correctly: [Description](link). -#: actions/showgroup.php:491 +#: actions/showgroup.php:486 #, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -4813,7 +4830,7 @@ msgstr "" "членови си разменуваат кратки пораки за нивниот живот и интереси. " #. TRANS: Header for list of group administrators on a group page (h2). -#: actions/showgroup.php:520 +#: actions/showgroup.php:515 msgid "Admins" msgstr "Администратори" @@ -4847,16 +4864,16 @@ msgstr "Избришана забелешка" #. TRANS: Page title showing tagged notices in one user's stream. %1$s is the username, %2$s is the hash tag. #: actions/showstream.php:70 -#, fuzzy, php-format +#, php-format msgid "%1$s tagged %2$s" -msgstr "%1$s, стр. %2$d" +msgstr "%1$s го/ја означи %2$s" #. TRANS: Page title showing tagged notices in one user's stream. #. TRANS: %1$s is the username, %2$s is the hash tag, %1$d is the page number. #: actions/showstream.php:74 -#, fuzzy, php-format +#, php-format msgid "%1$s tagged %2$s, page %3$d" -msgstr "Забелешки означени со %1$s, стр. %2$d" +msgstr "%1$s го/ја означи %2$s, страница %3$d" #. TRANS: Extended page title showing tagged notices in one user's stream. #. TRANS: %1$s is the username, %2$d is the page number. @@ -4900,9 +4917,9 @@ msgstr "FOAF за %s" #. TRANS: First sentence of empty list message for a stream. $1%s is a user nickname. #: actions/showstream.php:211 -#, fuzzy, php-format +#, php-format msgid "This is the timeline for %1$s, but %1$s hasn't posted anything yet." -msgstr "Ова е историјата за %1$s, но %2$s сè уште нема објавено ништо." +msgstr "Ова е хронологијата за %1$s, но %1$s сè уште нема објавено ништо." #. TRANS: Second sentence of empty list message for a stream for the user themselves. #: actions/showstream.php:217 @@ -5087,7 +5104,6 @@ msgstr "Не можам да ја зачувам објавата за мреж #. TRANS: Client error displayed when a site-wide notice was longer than allowed. #: actions/sitenoticeadminpanel.php:112 -#, fuzzy msgid "Maximum length for the site-wide notice is 255 characters." msgstr "Објавата за цело мрежно место не треба да содржи повеќе од 255 знаци." @@ -5098,11 +5114,10 @@ msgstr "Текст на објавата за мрежното место" #. TRANS: Tooltip for site-wide notice text field in admin panel. #: actions/sitenoticeadminpanel.php:179 -#, fuzzy msgid "Site-wide notice text (255 characters maximum; HTML allowed)" msgstr "" -"Текст за главна објава по цело мрежно место (највеќе до 255 знаци; дозволено " -"и HTML)" +"Текст на главната објава по цело мрежно место (највеќе до 255 знаци; " +"дозволено и HTML)" #. TRANS: Title for button to save site notice in admin panel. #: actions/sitenoticeadminpanel.php:201 @@ -5587,20 +5602,19 @@ msgstr "Неважечко ограничување за биографијат #. TRANS: Form validation error in user admin panel when welcome text is too long. #: actions/useradminpanel.php:154 -#, fuzzy msgid "Invalid welcome text. Maximum length is 255 characters." msgstr "Неважечки текст за добредојде. Дозволени се највеќе 255 знаци." #. TRANS: Client error displayed when trying to set a non-existing user as default subscription for new #. TRANS: users in user admin panel. %1$s is the invalid nickname. #: actions/useradminpanel.php:166 -#, fuzzy, php-format +#, php-format msgid "Invalid default subscripton: '%1$s' is not a user." msgstr "Неважечки опис по основно: „%1$s“ не е корисник." #. TRANS: Link description in user account settings menu. #: actions/useradminpanel.php:215 lib/accountsettingsaction.php:106 -#: lib/personalgroupnav.php:109 +#: lib/personalgroupnav.php:112 msgid "Profile" msgstr "Профил" @@ -5626,7 +5640,6 @@ msgstr "Добредојде за нов корисник" #. TRANS: Tooltip in user admin panel for setting new user welcome text. #: actions/useradminpanel.php:238 -#, fuzzy msgid "Welcome text for new users (maximum 255 characters)." msgstr "Текст за добредојде на нови корисници (највеќе до 255 знаци)." @@ -5764,11 +5777,13 @@ msgstr "Не можам да ја прочитам URL на аватарот „ msgid "Wrong image type for avatar URL ‘%s’." msgstr "Погрешен тип на слика за URL на аватарот „%s“." -#: actions/userdesignsettings.php:76 lib/designsettings.php:65 +#. TRANS: Page title for profile design page. +#: actions/userdesignsettings.php:76 lib/designsettings.php:63 msgid "Profile design" msgstr "Изглед на профилот" -#: actions/userdesignsettings.php:87 lib/designsettings.php:76 +#. TRANS: Instructions for profile design page. +#: actions/userdesignsettings.php:87 lib/designsettings.php:74 msgid "" "Customize the way your profile looks with a background image and a colour " "palette of your choice." @@ -5901,32 +5916,46 @@ msgstr "Робин мисли дека нешто е невозможно." #. TRANS: Message given if an upload is larger than the configured maximum. #. TRANS: %1$d is the byte limit for uploads, %2$d is the byte count for the uploaded file. -#: classes/File.php:189 -#, php-format +#. TRANS: %1$s is used for plural. +#: classes/File.php:190 +#, fuzzy, php-format msgid "" +"No file may be larger than %1$d byte and the file you sent was %2$d bytes. " +"Try to upload a smaller version." +msgid_plural "" "No file may be larger than %1$d bytes and the file you sent was %2$d bytes. " "Try to upload a smaller version." -msgstr "" +msgstr[0] "" +"Податотеките не смеат да бидат поголеми од %d бајти, а податотеката што ја " +"испративте содржи %d бајти. Подигнете помала верзија." +msgstr[1] "" "Податотеките не смеат да бидат поголеми од %d бајти, а податотеката што ја " "испративте содржи %d бајти. Подигнете помала верзија." #. TRANS: Message given if an upload would exceed user quota. -#. TRANS: %d (number) is the user quota in bytes. -#: classes/File.php:201 -#, php-format -msgid "A file this large would exceed your user quota of %d bytes." -msgstr "" +#. TRANS: %d (number) is the user quota in bytes and is used for plural. +#: classes/File.php:203 +#, fuzzy, php-format +msgid "A file this large would exceed your user quota of %d byte." +msgid_plural "A file this large would exceed your user quota of %d bytes." +msgstr[0] "" +"Волку голема податотека ќе ја надмине Вашата корисничка квота од %d бајти." +msgstr[1] "" "Волку голема податотека ќе ја надмине Вашата корисничка квота од %d бајти." #. TRANS: Message given id an upload would exceed a user's monthly quota. -#. TRANS: $d (number) is the monthly user quota in bytes. -#: classes/File.php:210 -#, php-format -msgid "A file this large would exceed your monthly quota of %d bytes." -msgstr "ВОлку голема податотека ќе ја надмине Вашата месечна квота од %d бајти" +#. TRANS: $d (number) is the monthly user quota in bytes and is used for plural. +#: classes/File.php:215 +#, fuzzy, php-format +msgid "A file this large would exceed your monthly quota of %d byte." +msgid_plural "A file this large would exceed your monthly quota of %d bytes." +msgstr[0] "" +"ВОлку голема податотека ќе ја надмине Вашата месечна квота од %d бајти" +msgstr[1] "" +"ВОлку голема податотека ќе ја надмине Вашата месечна квота од %d бајти" #. TRANS: Client exception thrown if a file upload does not have a valid name. -#: classes/File.php:247 classes/File.php:262 +#: classes/File.php:262 classes/File.php:277 msgid "Invalid filename." msgstr "Погрешно податотечно име." @@ -6055,32 +6084,33 @@ msgid "Problem saving notice." msgstr "Проблем во зачувувањето на белешката." #. TRANS: Server exception thrown when no array is provided to the method saveKnownGroups(). -#: classes/Notice.php:907 -msgid "Bad type provided to saveKnownGroups" +#: classes/Notice.php:905 +#, fuzzy +msgid "Bad type provided to saveKnownGroups." msgstr "На saveKnownGroups му е уакажан грешен тип" #. TRANS: Server exception thrown when an update for a group inbox fails. -#: classes/Notice.php:1006 +#: classes/Notice.php:1004 msgid "Problem saving group inbox." msgstr "Проблем при зачувувањето на групното приемно сандаче." #. TRANS: Server exception thrown when a reply cannot be saved. #. TRANS: %1$d is a notice ID, %2$d is the ID of the mentioned user. -#: classes/Notice.php:1120 +#: classes/Notice.php:1118 #, php-format msgid "Could not save reply for %1$d, %2$d." msgstr "Не можев да го зачувам одговорот за %1$d, %2$d." #. TRANS: Message used to repeat a notice. RT is the abbreviation of 'retweet'. #. TRANS: %1$s is the repeated user's name, %2$s is the repeated notice. -#: classes/Notice.php:1822 +#: classes/Notice.php:1820 #, php-format msgid "RT @%1$s %2$s" msgstr "RT @%1$s %2$s" #. TRANS: Full name of a profile or group followed by nickname in parens -#: classes/Profile.php:164 -#, fuzzy, php-format +#: classes/Profile.php:164 classes/User_group.php:247 +#, php-format msgctxt "FANCYNAME" msgid "%1$s (%2$s)" msgstr "%1$s (%2$s)" @@ -6179,22 +6209,22 @@ msgid "Single-user mode code called when not enabled." msgstr "Повикан е еднокориснички режим, но не е овозможен." #. TRANS: Server exception thrown when creating a group failed. -#: classes/User_group.php:495 +#: classes/User_group.php:511 msgid "Could not create group." msgstr "Не можев да ја создадам групата." #. TRANS: Server exception thrown when updating a group URI failed. -#: classes/User_group.php:505 +#: classes/User_group.php:521 msgid "Could not set group URI." msgstr "Не можев да поставам URI на групата." #. TRANS: Server exception thrown when setting group membership failed. -#: classes/User_group.php:528 +#: classes/User_group.php:544 msgid "Could not set group membership." msgstr "Не можев да назначам членство во групата." #. TRANS: Server exception thrown when saving local group information failed. -#: classes/User_group.php:543 +#: classes/User_group.php:559 msgid "Could not save local group info." msgstr "Не можев да ги зачувам информациите за локалните групи." @@ -6248,7 +6278,7 @@ msgstr "Страница без наслов" #: lib/action.php:310 msgctxt "TOOLTIP" msgid "Show more" -msgstr "" +msgstr "Повеќе" #. TRANS: DT element for primary navigation menu. String is hidden in default CSS. #: lib/action.php:526 @@ -6603,7 +6633,7 @@ msgid "User configuration" msgstr "Кориснички поставки" #. TRANS: Menu item for site administration -#: lib/adminpanelaction.php:355 lib/personalgroupnav.php:115 +#: lib/adminpanelaction.php:355 lib/personalgroupnav.php:118 msgid "User" msgstr "Корисник" @@ -6957,7 +6987,7 @@ msgstr "%1$s ја напушти групата %2$s." #. TRANS: Whois output. #. TRANS: %1$s nickname of the queried user, %2$s is their profile URL. #: lib/command.php:426 -#, fuzzy, php-format +#, php-format msgctxt "WHOIS" msgid "%1$s (%2$s)" msgstr "%1$s (%2$s)" @@ -7004,13 +7034,13 @@ msgstr "" #. TRANS: Message given if content is too long. %1$sd is used for plural. #. TRANS: %1$d is the maximum number of characters, %2$d is the number of submitted characters. #: lib/command.php:488 -#, fuzzy, php-format +#, php-format msgid "Message too long - maximum is %1$d character, you sent %2$d." msgid_plural "Message too long - maximum is %1$d characters, you sent %2$d." msgstr[0] "" -"Пораката е предолга - дозволени се највеќе %1$d знаци, а вие испративте %2$d." +"Пораката е предолга - дозволен е највеќе %1$d знак, а Вие испративте %2$d." msgstr[1] "" -"Пораката е предолга - дозволени се највеќе %1$d знаци, а вие испративте %2$d." +"Пораката е предолга - дозволени се највеќе %1$d знаци, а Вие испративте %2$d." #. TRANS: Error text shown sending a direct message fails with an unknown reason. #: lib/command.php:516 @@ -7032,12 +7062,12 @@ msgstr "Грешка при повторувањето на белешката." #. TRANS: Message given if content of a notice for a reply is too long. %1$d is used for plural. #. TRANS: %1$d is the maximum number of characters, %2$d is the number of submitted characters. #: lib/command.php:591 -#, fuzzy, php-format +#, php-format msgid "Notice too long - maximum is %1$d character, you sent %2$d." msgid_plural "Notice too long - maximum is %1$d characters, you sent %2$d." msgstr[0] "" -"Забелешката е предолга - треба да нема повеќе од %1$d знаци, а Вие " -"испративте %2$d." +"Забелешката е предолга - треба да нема повеќе од %1$d знак, а Вие испративте " +"%2$d." msgstr[1] "" "Забелешката е предолга - треба да нема повеќе од %1$d знаци, а Вие " "испративте %2$d." @@ -7315,10 +7345,13 @@ msgstr "Овластени поврзани програми" msgid "Database error" msgstr "Грешка во базата на податоци" -#: lib/designsettings.php:105 +#. TRANS: Label in form on profile design page. +#. TRANS: Field contains file name on user's computer that could be that user's custom profile background image. +#: lib/designsettings.php:104 msgid "Upload file" msgstr "Подигни податотека" +#. TRANS: Instructions for form on profile design page. #: lib/designsettings.php:109 msgid "" "You can upload your personal background image. The maximum file size is 2MB." @@ -7326,16 +7359,29 @@ msgstr "" "Можете да подигнете лична позадинска слика. Максималната дозволена големина " "изнесува 2МБ." -#: 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 "" -"Опслужувачот не можеше да обработи толку многу POST-податоци (%s бајти) " -"заради неговата тековна поставеност." +#. TRANS: Radio button on profile design page that will enable use of the uploaded profile image. +#: lib/designsettings.php:139 +#, fuzzy +msgctxt "RADIO" +msgid "On" +msgstr "Вкл." -#: lib/designsettings.php:418 +#. TRANS: Radio button on profile design page that will disable use of the uploaded profile image. +#: lib/designsettings.php:156 +#, fuzzy +msgctxt "RADIO" +msgid "Off" +msgstr "Искл." + +#. TRANS: Button text on profile design page to reset all colour settings to default without saving. +#: lib/designsettings.php:264 +#, fuzzy +msgctxt "BUTTON" +msgid "Reset" +msgstr "Врати одново" + +#. TRANS: Success message displayed if design settings were saved after clicking "Use defaults". +#: lib/designsettings.php:433 msgid "Design defaults restored." msgstr "Основно-зададениот изглед е вратен." @@ -7402,7 +7448,6 @@ msgid "1-64 lowercase letters or numbers, no punctuation or spaces" msgstr "1-64 мали букви или бројки. Без интерпукциски знаци и празни места." #: lib/groupeditform.php:163 -#, fuzzy msgid "URL of the homepage or blog of the group or topic." msgstr "URL на страницата или блогот на групата или темата" @@ -7411,20 +7456,20 @@ msgid "Describe the group or topic" msgstr "Опишете ја групата или темата" #: lib/groupeditform.php:170 -#, fuzzy, php-format +#, php-format msgid "Describe the group or topic in %d character or less" msgid_plural "Describe the group or topic in %d characters or less" -msgstr[0] "Опишете ја групата или темата со %d знаци" -msgstr[1] "Опишете ја групата или темата со %d знаци" +msgstr[0] "Опишете ја групата или темата со највеќе %d знак" +msgstr[1] "Опишете ја групата или темата со највеќе %d знаци" #: lib/groupeditform.php:182 -#, fuzzy msgid "" "Location for the group, if any, like \"City, State (or Region), Country\"." -msgstr "Местоположба на групата (ако има). На пр. „Град, Сој. држава, Земја“" +msgstr "" +"Местоположба на групата (ако има). На пр. „Град, Сој. држава/област, Земја“" #: lib/groupeditform.php:190 -#, fuzzy, php-format +#, php-format msgid "" "Extra nicknames for the group, separated with commas or spaces. Maximum %d " "alias allowed." @@ -7838,7 +7883,7 @@ msgstr "" #. TRANS: Subject for favorite notification e-mail. #. TRANS: %1$s is the adding user's long name, %2$s is the adding user's nickname. -#: lib/mail.php:603 +#: lib/mail.php:607 #, php-format msgid "%1$s (@%2$s) added your notice as a favorite" msgstr "%1$s (@%2$s) ја бендиса вашата забелешка" @@ -7848,7 +7893,7 @@ msgstr "%1$s (@%2$s) ја бендиса вашата забелешка" #. TRANS: %3$s is a URL to the faved notice, %4$s is the faved notice text, #. TRANS: %5$s is a URL to all faves of the adding user, %6$s is the StatusNet sitename, #. TRANS: %7$s is the adding user's nickname. -#: lib/mail.php:610 +#: lib/mail.php:614 #, php-format msgid "" "%1$s (@%7$s) just added your notice from %2$s as one of their favorites.\n" @@ -7886,7 +7931,7 @@ msgstr "" "%6$s\n" #. TRANS: Line in @-reply notification e-mail. %s is conversation URL. -#: lib/mail.php:668 +#: lib/mail.php:672 #, php-format msgid "" "The full conversation can be read here:\n" @@ -7899,7 +7944,7 @@ msgstr "" #. TRANS: E-mail subject for notice notification. #. TRANS: %1$s is the sending user's long name, %2$s is the adding user's nickname. -#: lib/mail.php:676 +#: lib/mail.php:680 #, php-format msgid "%1$s (@%2$s) sent a notice to your attention" msgstr "%1$s (@%2$s) Ви испрати забелешка што сака да ја прочитате" @@ -7910,7 +7955,7 @@ msgstr "%1$s (@%2$s) Ви испрати забелешка што сака да #. TRANS: %5$s is a URL to the full conversion if it exists (otherwise empty), #. TRANS: %6$s is a URL to reply to the notice, %7$s is a URL to all @-replied for the addressed user, #. TRANS: %8$s is a URL to the addressed user's e-mail settings, %9$s is the sender's nickname. -#: lib/mail.php:684 +#: lib/mail.php:688 #, php-format msgid "" "%1$s (@%9$s) just sent a notice to your attention (an '@-reply') on %2$s.\n" @@ -8061,7 +8106,7 @@ msgstr "Не можев да го утврдам mime-типот на подат #. TRANS: Client exception thrown trying to upload a forbidden MIME type. #. TRANS: %1$s is the file type that was denied, %2$s is the application part of #. TRANS: the MIME type that was denied. -#: lib/mediafile.php:340 +#: lib/mediafile.php:345 #, php-format msgid "" "\"%1$s\" is not a supported file type on this server. Try using another %2$s " @@ -8072,7 +8117,7 @@ msgstr "" #. TRANS: Client exception thrown trying to upload a forbidden MIME type. #. TRANS: %s is the file type that was denied. -#: lib/mediafile.php:345 +#: lib/mediafile.php:350 #, php-format msgid "\"%s\" is not a supported file type on this server." msgstr "„%s„ не е поддржан податотечен тип на овој опслужувач." @@ -8213,31 +8258,31 @@ msgstr "Дуплирана забелешка." msgid "Couldn't insert new subscription." msgstr "Не може да се внесе нова претплата." -#: lib/personalgroupnav.php:99 +#: lib/personalgroupnav.php:102 msgid "Personal" msgstr "Личен" -#: lib/personalgroupnav.php:104 +#: lib/personalgroupnav.php:107 msgid "Replies" msgstr "Одговори" -#: lib/personalgroupnav.php:114 +#: lib/personalgroupnav.php:117 msgid "Favorites" msgstr "Бендисани" -#: lib/personalgroupnav.php:125 +#: lib/personalgroupnav.php:128 msgid "Inbox" msgstr "Примени" -#: lib/personalgroupnav.php:126 +#: lib/personalgroupnav.php:129 msgid "Your incoming messages" msgstr "Ваши приемни пораки" -#: lib/personalgroupnav.php:130 +#: lib/personalgroupnav.php:133 msgid "Outbox" msgstr "За праќање" -#: lib/personalgroupnav.php:131 +#: lib/personalgroupnav.php:134 msgid "Your sent messages" msgstr "Ваши испратени пораки" @@ -8434,6 +8479,12 @@ msgstr "Облак од ознаки за луѓе" msgid "None" msgstr "Без ознаки" +#. TRANS: Server exception displayed if a theme name was invalid. +#: lib/theme.php:74 +#, fuzzy +msgid "Invalid theme name." +msgstr "Погрешно податотечно име." + #: lib/themeuploader.php:50 msgid "This server cannot handle theme uploads without ZIP support." msgstr "" @@ -8454,14 +8505,14 @@ msgid "Invalid theme: bad directory structure." msgstr "Неважечки изглед: лош состав на папката." #: lib/themeuploader.php:166 -#, fuzzy, php-format +#, php-format msgid "Uploaded theme is too large; must be less than %d byte uncompressed." msgid_plural "" "Uploaded theme is too large; must be less than %d bytes uncompressed." msgstr[0] "" -"Подигнатиот изглед е преголем; мора да биде помал од %d бајти (незбиен)." +"Подигнатиот изглед е преголем; мора да биде помал од %d бајт (ненабиен)." msgstr[1] "" -"Подигнатиот изглед е преголем; мора да биде помал од %d бајти (незбиен)." +"Подигнатиот изглед е преголем; мора да биде помал од %d бајти (ненабиен)." #: lib/themeuploader.php:179 msgid "Invalid theme archive: missing file css/display.css" @@ -8671,7 +8722,7 @@ msgstr[1] "" #: scripts/restoreuser.php:61 #, php-format msgid "Getting backup from file '%s'." -msgstr "" +msgstr "Земам резерва на податотеката „%s“." #. TRANS: Commandline script output. #: scripts/restoreuser.php:91 @@ -8680,28 +8731,15 @@ msgstr "Нема назначено корисник. Ќе го употреба #. TRANS: Commandline script output. %d is the number of entries in the activity stream in backup; used for plural. #: scripts/restoreuser.php:98 -#, fuzzy, php-format +#, php-format msgid "%d entry in backup." msgid_plural "%d entries in backup." -msgstr[0] "%d резервни ставки." +msgstr[0] "%d резервна ставка." msgstr[1] "%d резервни ставки." -#~ msgid "Name is too long (maximum 255 chars)." -#~ msgstr "Името е предолго (највеќе 255 знаци)." - -#~ msgid "Organization is too long (maximum 255 chars)." -#~ msgstr "Организацијата е предолга (дозволени се највеќе 255 знаци)." - -#~ msgid "That's too long. Max notice size is %d chars." -#~ msgstr "Ова е предолго. Максималната дозволена должина изнесува %d знаци." - -#~ msgid "Max notice size is %d chars, including attachment URL." +#~ msgid "" +#~ "The server was unable to handle that much POST data (%s bytes) due to its " +#~ "current configuration." #~ msgstr "" -#~ "Максималната големина на забелешката е %d знаци, вклучувајќи ја URL-" -#~ "адресата на прилогот." - -#~ msgid " tagged %s" -#~ msgstr " означено со %s" - -#~ msgid "Backup file for user %s (%s)" -#~ msgstr "Резервна податотека за корисникот %s (%s)" +#~ "Опслужувачот не можеше да обработи толку многу POST-податоци (%s бајти) " +#~ "заради неговата тековна поставеност." diff --git a/locale/nb/LC_MESSAGES/statusnet.po b/locale/nb/LC_MESSAGES/statusnet.po index 00033d67e5..03dfd48f38 100644 --- a/locale/nb/LC_MESSAGES/statusnet.po +++ b/locale/nb/LC_MESSAGES/statusnet.po @@ -10,17 +10,17 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet - Core\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-11-02 22:51+0000\n" -"PO-Revision-Date: 2010-11-02 22:53:35+0000\n" +"POT-Creation-Date: 2010-11-04 18:25+0000\n" +"PO-Revision-Date: 2010-11-04 18:27:42+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 (r75875); Translate extension (2010-09-17)\n" +"X-Generator: MediaWiki 1.17alpha (r76004); Translate extension (2010-09-17)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: no\n" "X-Message-Group: #out-statusnet-core\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-POT-Import-Date: 2010-10-30 23:42:01+0000\n" +"X-POT-Import-Date: 2010-11-02 23:22:49+0000\n" #. TRANS: Page title for Access admin panel that allows configuring site access. #. TRANS: Menu item for site administration @@ -85,12 +85,14 @@ msgstr "Lagre tilgangsinnstillinger" #. TRANS: Save button for settings for a profile in a subscriptions list. #. TRANS: Button text to save user settings in user admin panel. #. TRANS: Button label in the "Edit application" form. +#. TRANS: Button text on profile design page to save settings. #: actions/accessadminpanel.php:193 actions/emailsettings.php:228 #: actions/imsettings.php:187 actions/othersettings.php:134 #: actions/pathsadminpanel.php:512 actions/profilesettings.php:201 #: actions/sitenoticeadminpanel.php:197 actions/smssettings.php:209 #: actions/subscriptions.php:246 actions/useradminpanel.php:298 -#: lib/applicationeditform.php:355 lib/groupeditform.php:207 +#: lib/applicationeditform.php:355 lib/designsettings.php:270 +#: lib/groupeditform.php:207 msgctxt "BUTTON" msgid "Save" msgstr "Lagre" @@ -158,7 +160,7 @@ msgstr "%1$s og venner, side %2$d" #. TRANS: Timeline title for user and friends. %s is a user nickname. #: actions/all.php:94 actions/all.php:191 actions/allrss.php:115 #: actions/apitimelinefriends.php:207 actions/apitimelinehome.php:113 -#: lib/personalgroupnav.php:100 +#: lib/personalgroupnav.php:103 #, php-format msgid "%s and friends" msgstr "%s og venner" @@ -333,11 +335,13 @@ msgstr "Klarte ikke å lagre profil." #. TRANS: Client error displayed when the number of bytes in a POST request exceeds a limit. #. TRANS: %s is the number of bytes of the CONTENT_LENGTH. +#. TRANS: Form validation error in design settings form. POST should remain untranslated. #: actions/apiaccountupdateprofilebackgroundimage.php:108 #: actions/apiaccountupdateprofileimage.php:95 actions/apimediaupload.php:81 #: actions/apistatusesupdate.php:210 actions/avatarsettings.php:269 #: actions/designadminpanel.php:125 actions/editapplication.php:121 #: actions/newapplication.php:104 actions/newnotice.php:95 +#: lib/designsettings.php:298 #, fuzzy, php-format msgid "" "The server was unable to handle that much POST data (%s byte) due to its " @@ -748,7 +752,7 @@ msgstr "Du er ikke autorisert." #: actions/repeat.php:83 actions/smssettings.php:256 actions/subedit.php:40 #: actions/subscribe.php:86 actions/tagother.php:166 #: actions/unsubscribe.php:69 actions/userauthorization.php:52 -#: lib/designsettings.php:294 +#: lib/designsettings.php:310 msgid "There was a problem with your session token. Try again, please." msgstr "Det var et problem med din sesjons-autentisering. Prøv igjen." @@ -770,12 +774,13 @@ msgstr "Databasefeil ved innsetting av bruker i programmet OAuth." #. TRANS: Message given submitting a form with an unknown action in IM settings. #. TRANS: Client error when submitting a form with unexpected information. #. TRANS: Message given submitting a form with an unknown action in SMS settings. +#. TRANS: Unknown form validation error in design settings form. #: actions/apioauthauthorize.php:294 actions/avatarsettings.php:294 #: actions/designadminpanel.php:104 actions/editapplication.php:144 #: actions/emailsettings.php:290 actions/grouplogo.php:322 #: actions/imsettings.php:245 actions/newapplication.php:125 #: actions/oauthconnectionssettings.php:147 actions/recoverpassword.php:44 -#: actions/smssettings.php:277 lib/designsettings.php:304 +#: actions/smssettings.php:277 lib/designsettings.php:321 msgid "Unexpected form submission." msgstr "Uventet skjemainnsending." @@ -828,7 +833,7 @@ msgstr "Konto" #. TRANS: Label for group nickname (dt). Text hidden by default. #: actions/apioauthauthorize.php:459 actions/login.php:252 #: actions/profilesettings.php:110 actions/register.php:433 -#: actions/showgroup.php:245 actions/tagother.php:94 +#: actions/showgroup.php:240 actions/tagother.php:94 #: actions/userauthorization.php:145 lib/groupeditform.php:152 #: lib/userprofile.php:132 msgid "Nickname" @@ -1091,7 +1096,7 @@ msgstr "Ingen slike vedlegg." #: actions/avatarbynickname.php:60 actions/blockedfromgroup.php:73 #: actions/editgroup.php:85 actions/groupdesignsettings.php:84 #: actions/grouplogo.php:86 actions/groupmembers.php:76 -#: actions/grouprss.php:91 actions/showgroup.php:121 +#: actions/grouprss.php:91 actions/showgroup.php:116 msgid "No nickname." msgstr "Ingen kallenavn." @@ -1108,7 +1113,7 @@ msgstr "Ugyldig størrelse" #. TRANS: Title for avatar upload page. #. TRANS: Label for group avatar (dt). Text hidden by default. #. TRANS: Link description in user account settings menu. -#: actions/avatarsettings.php:66 actions/showgroup.php:229 +#: actions/avatarsettings.php:66 actions/showgroup.php:224 #: lib/accountsettingsaction.php:113 msgid "Avatar" msgstr "Brukerbilde" @@ -1284,7 +1289,7 @@ msgstr "Kunne ikke lagre blokkeringsinformasjon." #: actions/groupunblock.php:88 actions/joingroup.php:82 #: actions/joingroup.php:93 actions/leavegroup.php:82 #: actions/leavegroup.php:93 actions/makeadmin.php:86 -#: actions/showgroup.php:139 actions/showgroup.php:148 lib/command.php:168 +#: actions/showgroup.php:134 actions/showgroup.php:143 lib/command.php:168 #: lib/command.php:380 msgid "No such group." msgstr "Ingen slik gruppe." @@ -1651,12 +1656,14 @@ msgstr "Egendefinert tema" msgid "You can upload a custom StatusNet theme as a .ZIP archive." msgstr "Du kan laste opp et egendefinert StatusNet-tema som et .ZIP-arkiv." -#: actions/designadminpanel.php:512 lib/designsettings.php:101 +#. TRANS: Fieldset legend on profile design page. +#: actions/designadminpanel.php:512 lib/designsettings.php:98 msgid "Change background image" msgstr "Endre bakgrunnsbilde" +#. TRANS: Label on profile design page for setting a profile page background colour. #: actions/designadminpanel.php:517 actions/designadminpanel.php:600 -#: lib/designsettings.php:178 +#: lib/designsettings.php:183 msgid "Background" msgstr "Bakgrunn" @@ -1669,40 +1676,48 @@ msgstr "" "Du kan laste opp et bakgrunnsbilde for nettstedet. Maks filstørrelse er %1$s." #. TRANS: Used as radio button label to add a background image. -#: actions/designadminpanel.php:553 lib/designsettings.php:139 +#: actions/designadminpanel.php:553 msgid "On" msgstr "På" #. TRANS: Used as radio button label to not add a background image. -#: actions/designadminpanel.php:570 lib/designsettings.php:155 +#: actions/designadminpanel.php:570 msgid "Off" msgstr "Av" -#: actions/designadminpanel.php:571 lib/designsettings.php:156 +#. TRANS: Form guide for a set of radio buttons on the profile design page that will enable or disable +#. TRANS: use of the uploaded profile image. +#: actions/designadminpanel.php:571 lib/designsettings.php:159 msgid "Turn background image on or off." msgstr "Slå på eller av bakgrunnsbilde." -#: actions/designadminpanel.php:576 lib/designsettings.php:161 +#. TRANS: Checkbox label on profile design page that will cause the profile image to be tiled. +#: actions/designadminpanel.php:576 lib/designsettings.php:165 msgid "Tile background image" msgstr "Gjenta bakgrunnsbildet" -#: actions/designadminpanel.php:590 lib/designsettings.php:170 +#. TRANS: Fieldset legend on profile design page to change profile page colours. +#: actions/designadminpanel.php:590 lib/designsettings.php:175 msgid "Change colours" msgstr "Endre farger" -#: actions/designadminpanel.php:613 lib/designsettings.php:191 +#. TRANS: Label on profile design page for setting a profile page content colour. +#: actions/designadminpanel.php:613 lib/designsettings.php:197 msgid "Content" msgstr "Innhold" -#: actions/designadminpanel.php:626 lib/designsettings.php:204 +#. TRANS: Label on profile design page for setting a profile page sidebar colour. +#: actions/designadminpanel.php:626 lib/designsettings.php:211 msgid "Sidebar" msgstr "Sidelinje" -#: actions/designadminpanel.php:639 lib/designsettings.php:217 +#. TRANS: Label on profile design page for setting a profile page text colour. +#: actions/designadminpanel.php:639 lib/designsettings.php:225 msgid "Text" msgstr "Tekst" -#: actions/designadminpanel.php:652 lib/designsettings.php:230 +#. TRANS: Label on profile design page for setting a profile page links colour. +#: actions/designadminpanel.php:652 lib/designsettings.php:239 msgid "Links" msgstr "Lenker" @@ -1714,15 +1729,18 @@ msgstr "Avansert" msgid "Custom CSS" msgstr "Egendefinert CSS" -#: actions/designadminpanel.php:702 lib/designsettings.php:247 +#. TRANS: Button text on profile design page to immediately reset all colour settings to default. +#: actions/designadminpanel.php:702 lib/designsettings.php:257 msgid "Use defaults" msgstr "Bruk standard" -#: actions/designadminpanel.php:703 lib/designsettings.php:248 +#. TRANS: Title for button on profile design page to reset all colour settings to default. +#: actions/designadminpanel.php:703 lib/designsettings.php:259 msgid "Restore default designs" msgstr "Gjenopprett standardutseende" -#: actions/designadminpanel.php:709 lib/designsettings.php:254 +#. TRANS: Title for button on profile design page to reset all colour settings to default without saving. +#: actions/designadminpanel.php:709 lib/designsettings.php:267 msgid "Reset back to default" msgstr "Tilbakestill til standardverdier" @@ -1730,11 +1748,12 @@ msgstr "Tilbakestill til standardverdier" #: actions/designadminpanel.php:711 actions/licenseadminpanel.php:319 #: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:292 #: actions/snapshotadminpanel.php:245 actions/tagother.php:154 -#: lib/applicationeditform.php:357 lib/designsettings.php:256 +#: lib/applicationeditform.php:357 msgid "Save" msgstr "Lagre" -#: actions/designadminpanel.php:712 lib/designsettings.php:257 +#. TRANS: Title for button on profile design page to save settings. +#: actions/designadminpanel.php:712 lib/designsettings.php:272 msgid "Save design" msgstr "Lagre utseende" @@ -1870,7 +1889,7 @@ msgstr "Kunne ikke oppdatere gruppe." #. TRANS: Server error displayed when group aliases could not be added. #. TRANS: Server exception thrown when creating group aliases failed. -#: actions/editgroup.php:288 classes/User_group.php:513 +#: actions/editgroup.php:288 classes/User_group.php:529 msgid "Could not create aliases." msgstr "Kunne ikke opprette alias." @@ -2155,7 +2174,7 @@ msgstr "" "til å legge notisen til dine favoritter." #: actions/favoritesrss.php:111 actions/showfavorites.php:77 -#: lib/personalgroupnav.php:115 +#: lib/personalgroupnav.php:118 #, php-format msgid "%s's favorite notices" msgstr "%s sine favorittnotiser" @@ -2334,8 +2353,10 @@ msgstr "" "Tilpass hvordan gruppen din ser ut med et bakgrunnsbilde og en fargepalett " "av ditt valg." +#. TRANS: Error message displayed if design settings could not be saved. +#. TRANS: Error message displayed if design settings could not be saved after clicking "Use defaults". #: actions/groupdesignsettings.php:266 actions/userdesignsettings.php:186 -#: lib/designsettings.php:391 lib/designsettings.php:413 +#: lib/designsettings.php:405 lib/designsettings.php:427 msgid "Couldn't update your design." msgstr "Kunne ikke oppdatere utseende." @@ -3284,25 +3305,25 @@ msgstr "" msgid "Notice has no profile." msgstr "Notisen har ingen profil." -#: actions/oembed.php:87 actions/shownotice.php:176 +#: actions/oembed.php:83 actions/shownotice.php:172 #, php-format msgid "%1$s's status on %2$s" msgstr "%1$s sin status på %2$s" #. TRANS: Error message displaying attachments. %s is a raw MIME type (eg 'image/png') -#: actions/oembed.php:159 +#: actions/oembed.php:155 #, php-format msgid "Content type %s not supported." msgstr "Innholdstypen %s støttes ikke." #. TRANS: Error message displaying attachments. %s is the site's base URL. -#: actions/oembed.php:163 +#: actions/oembed.php:159 #, php-format msgid "Only %s URLs over plain HTTP please." msgstr "Bare %s-nettadresser over vanlig HTTP." #. TRANS: Client error on an API request with an unsupported data format. -#: actions/oembed.php:184 actions/oembed.php:203 lib/apiaction.php:1200 +#: actions/oembed.php:180 actions/oembed.php:199 lib/apiaction.php:1200 #: lib/apiaction.php:1227 lib/apiaction.php:1356 msgid "Not a supported data format." msgstr "Ikke et støttet dataformat." @@ -3800,7 +3821,7 @@ msgstr "1-64 små bokstaver eller tall, ingen punktum eller mellomrom" #. TRANS: Field label in form for profile settings. #. TRANS: Label for full group name (dt). Text hidden by default. #: actions/profilesettings.php:117 actions/register.php:457 -#: actions/showgroup.php:257 actions/tagother.php:104 +#: actions/showgroup.php:252 actions/tagother.php:104 #: lib/groupeditform.php:157 lib/userprofile.php:150 msgid "Full name" msgstr "Fullt navn" @@ -3842,7 +3863,7 @@ msgstr "Om meg" #. TRANS: Field label in form for profile settings. #. TRANS: Label for group location (dt). Text hidden by default. #: actions/profilesettings.php:149 actions/register.php:485 -#: actions/showgroup.php:267 actions/tagother.php:112 +#: actions/showgroup.php:262 actions/tagother.php:112 #: actions/userauthorization.php:166 lib/groupeditform.php:180 #: lib/userprofile.php:165 msgid "Location" @@ -4426,7 +4447,7 @@ msgid "Repeated!" msgstr "Gjentatt!" #: actions/replies.php:126 actions/repliesrss.php:68 -#: lib/personalgroupnav.php:105 +#: lib/personalgroupnav.php:108 #, php-format msgid "Replies to %s" msgstr "Svar til %s" @@ -4562,7 +4583,7 @@ msgid "Description" msgstr "Beskrivelse" #. TRANS: Header for group statistics on a group page (h2). -#: actions/showapplication.php:192 actions/showgroup.php:453 +#: actions/showapplication.php:192 actions/showgroup.php:448 #: lib/profileaction.php:187 msgid "Statistics" msgstr "Statistikk" @@ -4680,95 +4701,95 @@ msgid "This is a way to share what you like." msgstr "Dette er en måte å dele det du liker." #. TRANS: Page title for first group page. %s is a group name. -#: actions/showgroup.php:80 +#: actions/showgroup.php:75 #, php-format msgid "%s group" msgstr "%s gruppe" #. TRANS: Page title for any but first group page. #. TRANS: %1$s is a group name, $2$s is a page number. -#: actions/showgroup.php:84 +#: actions/showgroup.php:79 #, php-format msgid "%1$s group, page %2$d" msgstr "%1$s gruppe, side %2$d" #. TRANS: Group profile header (h2). Text hidden by default. -#: actions/showgroup.php:225 +#: actions/showgroup.php:220 msgid "Group profile" msgstr "Gruppeprofil" #. TRANS: Label for group URL (dt). Text hidden by default. -#: actions/showgroup.php:275 actions/tagother.php:118 +#: actions/showgroup.php:270 actions/tagother.php:118 #: actions/userauthorization.php:175 lib/userprofile.php:178 msgid "URL" msgstr "Nettadresse" #. TRANS: Label for group description or group note (dt). Text hidden by default. -#: actions/showgroup.php:287 actions/tagother.php:128 +#: actions/showgroup.php:282 actions/tagother.php:128 #: actions/userauthorization.php:187 lib/userprofile.php:195 msgid "Note" msgstr "Merk" #. TRANS: Label for group aliases (dt). Text hidden by default. -#: actions/showgroup.php:298 lib/groupeditform.php:187 +#: actions/showgroup.php:293 lib/groupeditform.php:187 msgid "Aliases" msgstr "Alias" #. TRANS: Group actions header (h2). Text hidden by default. -#: actions/showgroup.php:309 +#: actions/showgroup.php:304 msgid "Group actions" msgstr "Gruppehandlinger" #. TRANS: Tooltip for feed link. %s is a group nickname. -#: actions/showgroup.php:350 +#: actions/showgroup.php:345 #, php-format msgid "Notice feed for %s group (RSS 1.0)" msgstr "Notismating for %s gruppe (RSS 1.0)" #. TRANS: Tooltip for feed link. %s is a group nickname. -#: actions/showgroup.php:357 +#: actions/showgroup.php:352 #, php-format msgid "Notice feed for %s group (RSS 2.0)" msgstr "Notismating for %s gruppe (RSS 2.0)" #. TRANS: Tooltip for feed link. %s is a group nickname. -#: actions/showgroup.php:364 +#: actions/showgroup.php:359 #, php-format msgid "Notice feed for %s group (Atom)" msgstr "Notismating for %s gruppe (Atom)" #. TRANS: Tooltip for feed link. %s is a group nickname. -#: actions/showgroup.php:370 +#: actions/showgroup.php:365 #, php-format msgid "FOAF for %s group" msgstr "FOAF for gruppen %s" #. TRANS: Header for mini list of group members on a group page (h2). -#: actions/showgroup.php:407 +#: actions/showgroup.php:402 msgid "Members" msgstr "Medlemmer" #. TRANS: Description for mini list of group members on a group page when the group has no members. -#: actions/showgroup.php:413 lib/profileaction.php:117 +#: actions/showgroup.php:408 lib/profileaction.php:117 #: lib/profileaction.php:152 lib/profileaction.php:255 lib/section.php:95 #: lib/subscriptionlist.php:127 lib/tagcloudsection.php:71 msgid "(None)" msgstr "(Ingen)" #. TRANS: Link to all group members from mini list of group members if group has more than n members. -#: actions/showgroup.php:422 +#: actions/showgroup.php:417 msgid "All members" msgstr "Alle medlemmer" #. TRANS: Label for creation date in statistics on group page. -#: actions/showgroup.php:458 +#: actions/showgroup.php:453 #, fuzzy msgctxt "LABEL" msgid "Created" msgstr "Opprettet" #. TRANS: Label for member count in statistics on group page. -#: actions/showgroup.php:466 +#: actions/showgroup.php:461 #, fuzzy msgctxt "LABEL" msgid "Members" @@ -4778,7 +4799,7 @@ msgstr "Medlemmer" #. TRANS: **%s** is the group alias, %%%%site.name%%%% is the site name, #. TRANS: %%%%action.register%%%% is the URL for registration, %%%%doc.help%%%% is a URL to help. #. TRANS: This message contains Markdown links. Ensure they are formatted correctly: [Description](link). -#: actions/showgroup.php:481 +#: actions/showgroup.php:476 #, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -4797,7 +4818,7 @@ msgstr "" #. TRANS: Notice on group pages for anonymous users for StatusNet sites that accept no new registrations. #. TRANS: **%s** is the group alias, %%%%site.name%%%% is the site name, #. TRANS: This message contains Markdown links. Ensure they are formatted correctly: [Description](link). -#: actions/showgroup.php:491 +#: actions/showgroup.php:486 #, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -4811,7 +4832,7 @@ msgstr "" "korte meldinger om deres liv og interesser. " #. TRANS: Header for list of group administrators on a group page (h2). -#: actions/showgroup.php:520 +#: actions/showgroup.php:515 msgid "Admins" msgstr "Administratorer" @@ -5591,7 +5612,7 @@ msgstr "Ugyldig standardabonnement: '%1$s' er ikke bruker." #. TRANS: Link description in user account settings menu. #: actions/useradminpanel.php:215 lib/accountsettingsaction.php:106 -#: lib/personalgroupnav.php:109 +#: lib/personalgroupnav.php:112 msgid "Profile" msgstr "Profil" @@ -5748,11 +5769,13 @@ msgstr "Kan ikke lese avatar-URL ‘%s’" msgid "Wrong image type for avatar URL ‘%s’." msgstr "Feil bildetype for avatar-URL ‘%s’." -#: actions/userdesignsettings.php:76 lib/designsettings.php:65 +#. TRANS: Page title for profile design page. +#: actions/userdesignsettings.php:76 lib/designsettings.php:63 msgid "Profile design" msgstr "Vis profilutseender" -#: actions/userdesignsettings.php:87 lib/designsettings.php:76 +#. TRANS: Instructions for profile design page. +#: actions/userdesignsettings.php:87 lib/designsettings.php:74 #, fuzzy msgid "" "Customize the way your profile looks with a background image and a colour " @@ -5876,29 +5899,38 @@ msgstr "" #. TRANS: Message given if an upload is larger than the configured maximum. #. TRANS: %1$d is the byte limit for uploads, %2$d is the byte count for the uploaded file. -#: classes/File.php:189 +#. TRANS: %1$s is used for plural. +#: classes/File.php:190 #, php-format msgid "" +"No file may be larger than %1$d byte and the file you sent was %2$d bytes. " +"Try to upload a smaller version." +msgid_plural "" "No file may be larger than %1$d bytes and the file you sent was %2$d bytes. " "Try to upload a smaller version." -msgstr "" +msgstr[0] "" +msgstr[1] "" #. TRANS: Message given if an upload would exceed user quota. -#. TRANS: %d (number) is the user quota in bytes. -#: classes/File.php:201 +#. TRANS: %d (number) is the user quota in bytes and is used for plural. +#: classes/File.php:203 #, php-format -msgid "A file this large would exceed your user quota of %d bytes." -msgstr "" +msgid "A file this large would exceed your user quota of %d byte." +msgid_plural "A file this large would exceed your user quota of %d bytes." +msgstr[0] "" +msgstr[1] "" #. TRANS: Message given id an upload would exceed a user's monthly quota. -#. TRANS: $d (number) is the monthly user quota in bytes. -#: classes/File.php:210 +#. TRANS: $d (number) is the monthly user quota in bytes and is used for plural. +#: classes/File.php:215 #, php-format -msgid "A file this large would exceed your monthly quota of %d bytes." -msgstr "" +msgid "A file this large would exceed your monthly quota of %d byte." +msgid_plural "A file this large would exceed your monthly quota of %d bytes." +msgstr[0] "" +msgstr[1] "" #. TRANS: Client exception thrown if a file upload does not have a valid name. -#: classes/File.php:247 classes/File.php:262 +#: classes/File.php:262 classes/File.php:277 msgid "Invalid filename." msgstr "Ugyldig filnavn." @@ -6025,31 +6057,31 @@ msgid "Problem saving notice." msgstr "Problem ved lagring av notis." #. TRANS: Server exception thrown when no array is provided to the method saveKnownGroups(). -#: classes/Notice.php:907 -msgid "Bad type provided to saveKnownGroups" +#: classes/Notice.php:905 +msgid "Bad type provided to saveKnownGroups." msgstr "" #. TRANS: Server exception thrown when an update for a group inbox fails. -#: classes/Notice.php:1006 +#: classes/Notice.php:1004 msgid "Problem saving group inbox." msgstr "Problem ved lagring av gruppeinnboks." #. TRANS: Server exception thrown when a reply cannot be saved. #. TRANS: %1$d is a notice ID, %2$d is the ID of the mentioned user. -#: classes/Notice.php:1120 +#: classes/Notice.php:1118 #, fuzzy, php-format msgid "Could not save reply for %1$d, %2$d." msgstr "Kunne ikke lagre lokal gruppeinformasjon." #. TRANS: Message used to repeat a notice. RT is the abbreviation of 'retweet'. #. TRANS: %1$s is the repeated user's name, %2$s is the repeated notice. -#: classes/Notice.php:1822 +#: classes/Notice.php:1820 #, php-format msgid "RT @%1$s %2$s" msgstr "RT @%1$s %2$s" #. TRANS: Full name of a profile or group followed by nickname in parens -#: classes/Profile.php:164 +#: classes/Profile.php:164 classes/User_group.php:247 #, fuzzy, php-format msgctxt "FANCYNAME" msgid "%1$s (%2$s)" @@ -6148,22 +6180,22 @@ msgid "Single-user mode code called when not enabled." msgstr "" #. TRANS: Server exception thrown when creating a group failed. -#: classes/User_group.php:495 +#: classes/User_group.php:511 msgid "Could not create group." msgstr "Kunne ikke opprette gruppe." #. TRANS: Server exception thrown when updating a group URI failed. -#: classes/User_group.php:505 +#: classes/User_group.php:521 msgid "Could not set group URI." msgstr "Kunne ikke stille inn gruppe-URI." #. TRANS: Server exception thrown when setting group membership failed. -#: classes/User_group.php:528 +#: classes/User_group.php:544 msgid "Could not set group membership." msgstr "Kunne ikke stille inn gruppemedlemskap." #. TRANS: Server exception thrown when saving local group information failed. -#: classes/User_group.php:543 +#: classes/User_group.php:559 msgid "Could not save local group info." msgstr "Kunne ikke lagre lokal gruppeinformasjon." @@ -6574,7 +6606,7 @@ msgid "User configuration" msgstr "Brukerkonfigurasjon" #. TRANS: Menu item for site administration -#: lib/adminpanelaction.php:355 lib/personalgroupnav.php:115 +#: lib/adminpanelaction.php:355 lib/personalgroupnav.php:118 msgid "User" msgstr "Bruker" @@ -7255,26 +7287,42 @@ msgstr "Tilkoblede program" msgid "Database error" msgstr "Databasefeil" -#: lib/designsettings.php:105 +#. TRANS: Label in form on profile design page. +#. TRANS: Field contains file name on user's computer that could be that user's custom profile background image. +#: lib/designsettings.php:104 msgid "Upload file" msgstr "Last opp fil" +#. TRANS: Instructions for form on profile design page. #: lib/designsettings.php:109 #, fuzzy msgid "" "You can upload your personal background image. The maximum file size is 2MB." msgstr "Du kan laste opp en personlig avatar. Maks filstørrelse er %s." -#: 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 "" -"Tjeneren kunne ikke håndtere så mye POST-data (%s bytes) på grunn av sitt " -"nåværende oppsett." +#. TRANS: Radio button on profile design page that will enable use of the uploaded profile image. +#: lib/designsettings.php:139 +#, fuzzy +msgctxt "RADIO" +msgid "On" +msgstr "På" -#: lib/designsettings.php:418 +#. TRANS: Radio button on profile design page that will disable use of the uploaded profile image. +#: lib/designsettings.php:156 +#, fuzzy +msgctxt "RADIO" +msgid "Off" +msgstr "Av" + +#. TRANS: Button text on profile design page to reset all colour settings to default without saving. +#: lib/designsettings.php:264 +#, fuzzy +msgctxt "BUTTON" +msgid "Reset" +msgstr "Nullstill" + +#. TRANS: Success message displayed if design settings were saved after clicking "Use defaults". +#: lib/designsettings.php:433 #, fuzzy msgid "Design defaults restored." msgstr "Utseende lagret." @@ -7774,7 +7822,7 @@ msgstr "" #. TRANS: Subject for favorite notification e-mail. #. TRANS: %1$s is the adding user's long name, %2$s is the adding user's nickname. -#: lib/mail.php:603 +#: lib/mail.php:607 #, fuzzy, php-format msgid "%1$s (@%2$s) added your notice as a favorite" msgstr "%s /@%s) la din notis til som en favoritt" @@ -7784,7 +7832,7 @@ msgstr "%s /@%s) la din notis til som en favoritt" #. TRANS: %3$s is a URL to the faved notice, %4$s is the faved notice text, #. TRANS: %5$s is a URL to all faves of the adding user, %6$s is the StatusNet sitename, #. TRANS: %7$s is the adding user's nickname. -#: lib/mail.php:610 +#: lib/mail.php:614 #, php-format msgid "" "%1$s (@%7$s) just added your notice from %2$s as one of their favorites.\n" @@ -7822,7 +7870,7 @@ msgstr "" "%6$s\n" #. TRANS: Line in @-reply notification e-mail. %s is conversation URL. -#: lib/mail.php:668 +#: lib/mail.php:672 #, php-format msgid "" "The full conversation can be read here:\n" @@ -7835,7 +7883,7 @@ msgstr "" #. TRANS: E-mail subject for notice notification. #. TRANS: %1$s is the sending user's long name, %2$s is the adding user's nickname. -#: lib/mail.php:676 +#: lib/mail.php:680 #, fuzzy, php-format msgid "%1$s (@%2$s) sent a notice to your attention" msgstr "%s (@%s) sendte en notis for din oppmerksomhet" @@ -7846,7 +7894,7 @@ msgstr "%s (@%s) sendte en notis for din oppmerksomhet" #. TRANS: %5$s is a URL to the full conversion if it exists (otherwise empty), #. TRANS: %6$s is a URL to reply to the notice, %7$s is a URL to all @-replied for the addressed user, #. TRANS: %8$s is a URL to the addressed user's e-mail settings, %9$s is the sender's nickname. -#: lib/mail.php:684 +#: lib/mail.php:688 #, php-format msgid "" "%1$s (@%9$s) just sent a notice to your attention (an '@-reply') on %2$s.\n" @@ -7993,7 +8041,7 @@ msgstr "Kunne ikke avgjøre filens MIME-type." #. TRANS: Client exception thrown trying to upload a forbidden MIME type. #. TRANS: %1$s is the file type that was denied, %2$s is the application part of #. TRANS: the MIME type that was denied. -#: lib/mediafile.php:340 +#: lib/mediafile.php:345 #, php-format msgid "" "\"%1$s\" is not a supported file type on this server. Try using another %2$s " @@ -8002,7 +8050,7 @@ msgstr "" #. TRANS: Client exception thrown trying to upload a forbidden MIME type. #. TRANS: %s is the file type that was denied. -#: lib/mediafile.php:345 +#: lib/mediafile.php:350 #, php-format msgid "\"%s\" is not a supported file type on this server." msgstr "" @@ -8145,31 +8193,31 @@ msgstr "" msgid "Couldn't insert new subscription." msgstr "Kunne ikke sette inn bekreftelseskode." -#: lib/personalgroupnav.php:99 +#: lib/personalgroupnav.php:102 msgid "Personal" msgstr "Personlig" -#: lib/personalgroupnav.php:104 +#: lib/personalgroupnav.php:107 msgid "Replies" msgstr "Svar" -#: lib/personalgroupnav.php:114 +#: lib/personalgroupnav.php:117 msgid "Favorites" msgstr "Favoritter" -#: lib/personalgroupnav.php:125 +#: lib/personalgroupnav.php:128 msgid "Inbox" msgstr "Innboks" -#: lib/personalgroupnav.php:126 +#: lib/personalgroupnav.php:129 msgid "Your incoming messages" msgstr "Dine innkommende meldinger" -#: lib/personalgroupnav.php:130 +#: lib/personalgroupnav.php:133 msgid "Outbox" msgstr "Utboks" -#: lib/personalgroupnav.php:131 +#: lib/personalgroupnav.php:134 msgid "Your sent messages" msgstr "Dine sendte meldinger" @@ -8374,6 +8422,12 @@ msgstr "" msgid "None" msgstr "Ingen" +#. TRANS: Server exception displayed if a theme name was invalid. +#: lib/theme.php:74 +#, fuzzy +msgid "Invalid theme name." +msgstr "Ugyldig filnavn." + #: lib/themeuploader.php:50 msgid "This server cannot handle theme uploads without ZIP support." msgstr "" @@ -8626,19 +8680,9 @@ msgid_plural "%d entries in backup." msgstr[0] "" msgstr[1] "" -#, fuzzy -#~ msgid "Name is too long (maximum 255 chars)." -#~ msgstr "Navn er for langt (maks 250 tegn)." - -#, fuzzy -#~ msgid "Organization is too long (maximum 255 chars)." -#~ msgstr "Organisasjon er for lang (maks 255 tegn)." - -#~ msgid "That's too long. Max notice size is %d chars." -#~ msgstr "Det er for langt. Maks notisstørrelse er %d tegn." - -#~ msgid "Max notice size is %d chars, including attachment URL." -#~ msgstr "Maks notisstørrelse er %d tegn, inklusive vedleggs-URL." - -#~ msgid " tagged %s" -#~ msgstr " merket %s" +#~ msgid "" +#~ "The server was unable to handle that much POST data (%s bytes) due to its " +#~ "current configuration." +#~ msgstr "" +#~ "Tjeneren kunne ikke håndtere så mye POST-data (%s bytes) på grunn av sitt " +#~ "nåværende oppsett." diff --git a/locale/nl/LC_MESSAGES/statusnet.po b/locale/nl/LC_MESSAGES/statusnet.po index bfee026980..28a589da5a 100644 --- a/locale/nl/LC_MESSAGES/statusnet.po +++ b/locale/nl/LC_MESSAGES/statusnet.po @@ -12,17 +12,17 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet - Core\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-11-02 22:51+0000\n" -"PO-Revision-Date: 2010-11-02 22:53:32+0000\n" +"POT-Creation-Date: 2010-11-04 18:25+0000\n" +"PO-Revision-Date: 2010-11-04 18:27:40+0000\n" "Language-Team: Dutch \n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r75875); Translate extension (2010-09-17)\n" +"X-Generator: MediaWiki 1.17alpha (r76004); Translate extension (2010-09-17)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: nl\n" "X-Message-Group: #out-statusnet-core\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-POT-Import-Date: 2010-10-30 23:42:01+0000\n" +"X-POT-Import-Date: 2010-11-02 23:22:49+0000\n" #. TRANS: Page title for Access admin panel that allows configuring site access. #. TRANS: Menu item for site administration @@ -87,12 +87,14 @@ msgstr "Toegangsinstellingen opslaan" #. TRANS: Save button for settings for a profile in a subscriptions list. #. TRANS: Button text to save user settings in user admin panel. #. TRANS: Button label in the "Edit application" form. +#. TRANS: Button text on profile design page to save settings. #: actions/accessadminpanel.php:193 actions/emailsettings.php:228 #: actions/imsettings.php:187 actions/othersettings.php:134 #: actions/pathsadminpanel.php:512 actions/profilesettings.php:201 #: actions/sitenoticeadminpanel.php:197 actions/smssettings.php:209 #: actions/subscriptions.php:246 actions/useradminpanel.php:298 -#: lib/applicationeditform.php:355 lib/groupeditform.php:207 +#: lib/applicationeditform.php:355 lib/designsettings.php:270 +#: lib/groupeditform.php:207 msgctxt "BUTTON" msgid "Save" msgstr "Opslaan" @@ -160,7 +162,7 @@ msgstr "%1$s en vrienden, pagina %2$d" #. TRANS: Timeline title for user and friends. %s is a user nickname. #: actions/all.php:94 actions/all.php:191 actions/allrss.php:115 #: actions/apitimelinefriends.php:207 actions/apitimelinehome.php:113 -#: lib/personalgroupnav.php:100 +#: lib/personalgroupnav.php:103 #, php-format msgid "%s and friends" msgstr "%s en vrienden" @@ -337,11 +339,13 @@ msgstr "Het was niet mogelijk het profiel op te slaan." #. TRANS: Client error displayed when the number of bytes in a POST request exceeds a limit. #. TRANS: %s is the number of bytes of the CONTENT_LENGTH. +#. TRANS: Form validation error in design settings form. POST should remain untranslated. #: actions/apiaccountupdateprofilebackgroundimage.php:108 #: actions/apiaccountupdateprofileimage.php:95 actions/apimediaupload.php:81 #: actions/apistatusesupdate.php:210 actions/avatarsettings.php:269 #: actions/designadminpanel.php:125 actions/editapplication.php:121 #: actions/newapplication.php:104 actions/newnotice.php:95 +#: lib/designsettings.php:298 #, php-format msgid "" "The server was unable to handle that much POST data (%s byte) due to its " @@ -753,7 +757,7 @@ msgstr "Het verzoektoken is al geautoriseerd." #: actions/repeat.php:83 actions/smssettings.php:256 actions/subedit.php:40 #: actions/subscribe.php:86 actions/tagother.php:166 #: actions/unsubscribe.php:69 actions/userauthorization.php:52 -#: lib/designsettings.php:294 +#: lib/designsettings.php:310 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, " @@ -778,12 +782,13 @@ msgstr "" #. TRANS: Message given submitting a form with an unknown action in IM settings. #. TRANS: Client error when submitting a form with unexpected information. #. TRANS: Message given submitting a form with an unknown action in SMS settings. +#. TRANS: Unknown form validation error in design settings form. #: actions/apioauthauthorize.php:294 actions/avatarsettings.php:294 #: actions/designadminpanel.php:104 actions/editapplication.php:144 #: actions/emailsettings.php:290 actions/grouplogo.php:322 #: actions/imsettings.php:245 actions/newapplication.php:125 #: actions/oauthconnectionssettings.php:147 actions/recoverpassword.php:44 -#: actions/smssettings.php:277 lib/designsettings.php:304 +#: actions/smssettings.php:277 lib/designsettings.php:321 msgid "Unexpected form submission." msgstr "Het formulier is onverwacht ingezonden." @@ -835,7 +840,7 @@ msgstr "Gebruikersgegevens" #. TRANS: Label for group nickname (dt). Text hidden by default. #: actions/apioauthauthorize.php:459 actions/login.php:252 #: actions/profilesettings.php:110 actions/register.php:433 -#: actions/showgroup.php:245 actions/tagother.php:94 +#: actions/showgroup.php:240 actions/tagother.php:94 #: actions/userauthorization.php:145 lib/groupeditform.php:152 #: lib/userprofile.php:132 msgid "Nickname" @@ -1100,7 +1105,7 @@ msgstr "Deze bijlage bestaat niet." #: actions/avatarbynickname.php:60 actions/blockedfromgroup.php:73 #: actions/editgroup.php:85 actions/groupdesignsettings.php:84 #: actions/grouplogo.php:86 actions/groupmembers.php:76 -#: actions/grouprss.php:91 actions/showgroup.php:121 +#: actions/grouprss.php:91 actions/showgroup.php:116 msgid "No nickname." msgstr "Geen gebruikersnaam." @@ -1117,7 +1122,7 @@ msgstr "Ongeldige afmetingen." #. TRANS: Title for avatar upload page. #. TRANS: Label for group avatar (dt). Text hidden by default. #. TRANS: Link description in user account settings menu. -#: actions/avatarsettings.php:66 actions/showgroup.php:229 +#: actions/avatarsettings.php:66 actions/showgroup.php:224 #: lib/accountsettingsaction.php:113 msgid "Avatar" msgstr "Avatar" @@ -1292,7 +1297,7 @@ msgstr "Het was niet mogelijk om de blokkadeinformatie op te slaan." #: actions/groupunblock.php:88 actions/joingroup.php:82 #: actions/joingroup.php:93 actions/leavegroup.php:82 #: actions/leavegroup.php:93 actions/makeadmin.php:86 -#: actions/showgroup.php:139 actions/showgroup.php:148 lib/command.php:168 +#: actions/showgroup.php:134 actions/showgroup.php:143 lib/command.php:168 #: lib/command.php:380 msgid "No such group." msgstr "De opgegeven groep bestaat niet." @@ -1651,12 +1656,14 @@ msgstr "Aangepaste vormgeving" msgid "You can upload a custom StatusNet theme as a .ZIP archive." msgstr "U kunt een vormgeving voor StatusNet uploaden als ZIP-archief." -#: actions/designadminpanel.php:512 lib/designsettings.php:101 +#. TRANS: Fieldset legend on profile design page. +#: actions/designadminpanel.php:512 lib/designsettings.php:98 msgid "Change background image" msgstr "Achtergrondafbeelding wijzigen" +#. TRANS: Label on profile design page for setting a profile page background colour. #: actions/designadminpanel.php:517 actions/designadminpanel.php:600 -#: lib/designsettings.php:178 +#: lib/designsettings.php:183 msgid "Background" msgstr "Achtergrond" @@ -1670,40 +1677,48 @@ msgstr "" "bestandsgrootte is %1$s." #. TRANS: Used as radio button label to add a background image. -#: actions/designadminpanel.php:553 lib/designsettings.php:139 +#: actions/designadminpanel.php:553 msgid "On" msgstr "Aan" #. TRANS: Used as radio button label to not add a background image. -#: actions/designadminpanel.php:570 lib/designsettings.php:155 +#: actions/designadminpanel.php:570 msgid "Off" msgstr "Uit" -#: actions/designadminpanel.php:571 lib/designsettings.php:156 +#. TRANS: Form guide for a set of radio buttons on the profile design page that will enable or disable +#. TRANS: use of the uploaded profile image. +#: actions/designadminpanel.php:571 lib/designsettings.php:159 msgid "Turn background image on or off." msgstr "Achtergrondafbeelding inschakelen of uitschakelen." -#: actions/designadminpanel.php:576 lib/designsettings.php:161 +#. TRANS: Checkbox label on profile design page that will cause the profile image to be tiled. +#: actions/designadminpanel.php:576 lib/designsettings.php:165 msgid "Tile background image" msgstr "Achtergrondafbeelding naast elkaar" -#: actions/designadminpanel.php:590 lib/designsettings.php:170 +#. TRANS: Fieldset legend on profile design page to change profile page colours. +#: actions/designadminpanel.php:590 lib/designsettings.php:175 msgid "Change colours" msgstr "Kleuren wijzigen" -#: actions/designadminpanel.php:613 lib/designsettings.php:191 +#. TRANS: Label on profile design page for setting a profile page content colour. +#: actions/designadminpanel.php:613 lib/designsettings.php:197 msgid "Content" msgstr "Inhoud" -#: actions/designadminpanel.php:626 lib/designsettings.php:204 +#. TRANS: Label on profile design page for setting a profile page sidebar colour. +#: actions/designadminpanel.php:626 lib/designsettings.php:211 msgid "Sidebar" msgstr "Menubalk" -#: actions/designadminpanel.php:639 lib/designsettings.php:217 +#. TRANS: Label on profile design page for setting a profile page text colour. +#: actions/designadminpanel.php:639 lib/designsettings.php:225 msgid "Text" msgstr "Tekst" -#: actions/designadminpanel.php:652 lib/designsettings.php:230 +#. TRANS: Label on profile design page for setting a profile page links colour. +#: actions/designadminpanel.php:652 lib/designsettings.php:239 msgid "Links" msgstr "Verwijzingen" @@ -1715,15 +1730,18 @@ msgstr "Uitgebreid" msgid "Custom CSS" msgstr "Aangepaste CSS" -#: actions/designadminpanel.php:702 lib/designsettings.php:247 +#. TRANS: Button text on profile design page to immediately reset all colour settings to default. +#: actions/designadminpanel.php:702 lib/designsettings.php:257 msgid "Use defaults" msgstr "Standaardinstellingen gebruiken" -#: actions/designadminpanel.php:703 lib/designsettings.php:248 +#. TRANS: Title for button on profile design page to reset all colour settings to default. +#: actions/designadminpanel.php:703 lib/designsettings.php:259 msgid "Restore default designs" msgstr "Standaardontwerp toepassen" -#: actions/designadminpanel.php:709 lib/designsettings.php:254 +#. TRANS: Title for button on profile design page to reset all colour settings to default without saving. +#: actions/designadminpanel.php:709 lib/designsettings.php:267 msgid "Reset back to default" msgstr "Standaardinstellingen toepassen" @@ -1731,11 +1749,12 @@ msgstr "Standaardinstellingen toepassen" #: actions/designadminpanel.php:711 actions/licenseadminpanel.php:319 #: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:292 #: actions/snapshotadminpanel.php:245 actions/tagother.php:154 -#: lib/applicationeditform.php:357 lib/designsettings.php:256 +#: lib/applicationeditform.php:357 msgid "Save" msgstr "Opslaan" -#: actions/designadminpanel.php:712 lib/designsettings.php:257 +#. TRANS: Title for button on profile design page to save settings. +#: actions/designadminpanel.php:712 lib/designsettings.php:272 msgid "Save design" msgstr "Ontwerp opslaan" @@ -1780,7 +1799,6 @@ msgstr "Een naam is verplicht." #. TRANS: Validation error shown when providing too long a name in the "Edit application" form. #: actions/editapplication.php:188 actions/newapplication.php:169 -#, fuzzy msgid "Name is too long (maximum 255 characters)." msgstr "De naam is te lang (maximaal 255 tekens)." @@ -1870,7 +1888,7 @@ msgstr "Het was niet mogelijk de groep bij te werken." #. TRANS: Server error displayed when group aliases could not be added. #. TRANS: Server exception thrown when creating group aliases failed. -#: actions/editgroup.php:288 classes/User_group.php:513 +#: actions/editgroup.php:288 classes/User_group.php:529 msgid "Could not create aliases." msgstr "Het was niet mogelijk de aliassen aan te maken." @@ -2159,7 +2177,7 @@ msgstr "" "voor de favorietenlijst plaatsen!" #: actions/favoritesrss.php:111 actions/showfavorites.php:77 -#: lib/personalgroupnav.php:115 +#: lib/personalgroupnav.php:118 #, php-format msgid "%s's favorite notices" msgstr "Favoriete mededelingen van %s" @@ -2344,8 +2362,10 @@ msgstr "" "De vormgeving van uw groep aanpassen met een achtergrondafbeelding en een " "kleurenpalet van uw keuze." +#. TRANS: Error message displayed if design settings could not be saved. +#. TRANS: Error message displayed if design settings could not be saved after clicking "Use defaults". #: actions/groupdesignsettings.php:266 actions/userdesignsettings.php:186 -#: lib/designsettings.php:391 lib/designsettings.php:413 +#: lib/designsettings.php:405 lib/designsettings.php:427 msgid "Couldn't update your design." msgstr "Het was niet mogelijk uw ontwerp bij te werken." @@ -2742,7 +2762,7 @@ msgstr[1] "U bent al geabonneerd op deze gebruikers:" #. TRANS: Used as list item for already subscribed users (%1$s is nickname, %2$s is e-mail address). #. TRANS: Used as list item for already registered people (%1$s is nickname, %2$s is e-mail address). #: actions/invite.php:145 actions/invite.php:159 -#, fuzzy, php-format +#, php-format msgctxt "INVITE" msgid "%1$s (%2$s)" msgstr "%1$s (%2$s)" @@ -2928,9 +2948,8 @@ msgstr "" "voorbehouden\" gebruikt." #: actions/licenseadminpanel.php:156 -#, fuzzy msgid "Invalid license title. Maximum length is 255 characters." -msgstr "Ongeldige licentienaam. De maximale lengte is 255 tekens." +msgstr "De licentienaam is ongeldig. De maximale lengte is 255 tekens." #: actions/licenseadminpanel.php:168 msgid "Invalid license URL." @@ -3313,25 +3332,25 @@ msgstr "" msgid "Notice has no profile." msgstr "Mededeling heeft geen profiel." -#: actions/oembed.php:87 actions/shownotice.php:176 +#: actions/oembed.php:83 actions/shownotice.php:172 #, php-format msgid "%1$s's status on %2$s" msgstr "Status van %1$s op %2$s" #. TRANS: Error message displaying attachments. %s is a raw MIME type (eg 'image/png') -#: actions/oembed.php:159 +#: actions/oembed.php:155 #, php-format msgid "Content type %s not supported." msgstr "Inhoudstype %s wordt niet ondersteund." #. TRANS: Error message displaying attachments. %s is the site's base URL. -#: actions/oembed.php:163 +#: actions/oembed.php:159 #, php-format msgid "Only %s URLs over plain HTTP please." msgstr "Alleen URL's voor %s via normale HTTP alstublieft." #. TRANS: Client error on an API request with an unsupported data format. -#: actions/oembed.php:184 actions/oembed.php:203 lib/apiaction.php:1200 +#: actions/oembed.php:180 actions/oembed.php:199 lib/apiaction.php:1200 #: lib/apiaction.php:1227 lib/apiaction.php:1356 msgid "Not a supported data format." msgstr "Geen ondersteund gegevensformaat." @@ -3382,7 +3401,6 @@ msgstr "Profielontwerpen weergeven of verbergen" #. TRANS: Form validation error for form "Other settings" in user profile. #: actions/othersettings.php:162 -#, fuzzy msgid "URL shortening service is too long (maximum 50 characters)." msgstr "De URL voor de verkortingdienst is te lang (maximaal 50 tekens)." @@ -3812,7 +3830,7 @@ msgstr "1-64 kleine letters of cijfers, geen leestekens of spaties." #. TRANS: Field label in form for profile settings. #. TRANS: Label for full group name (dt). Text hidden by default. #: actions/profilesettings.php:117 actions/register.php:457 -#: actions/showgroup.php:257 actions/tagother.php:104 +#: actions/showgroup.php:252 actions/tagother.php:104 #: lib/groupeditform.php:157 lib/userprofile.php:150 msgid "Full name" msgstr "Volledige naam" @@ -3853,7 +3871,7 @@ msgstr "Beschrijving" #. TRANS: Field label in form for profile settings. #. TRANS: Label for group location (dt). Text hidden by default. #: actions/profilesettings.php:149 actions/register.php:485 -#: actions/showgroup.php:267 actions/tagother.php:112 +#: actions/showgroup.php:262 actions/tagother.php:112 #: actions/userauthorization.php:166 lib/groupeditform.php:180 #: lib/userprofile.php:165 msgid "Location" @@ -4202,7 +4220,6 @@ msgid "Unexpected password reset." msgstr "Het wachtwoord is onverwacht opnieuw ingesteld." #: actions/recoverpassword.php:365 -#, fuzzy msgid "Password must be 6 characters or more." msgstr "Het wachtwoord moet uit zes of meer tekens bestaan." @@ -4446,7 +4463,7 @@ msgid "Repeated!" msgstr "Herhaald!" #: actions/replies.php:126 actions/repliesrss.php:68 -#: lib/personalgroupnav.php:105 +#: lib/personalgroupnav.php:108 #, php-format msgid "Replies to %s" msgstr "Antwoorden aan %s" @@ -4584,7 +4601,7 @@ msgid "Description" msgstr "Beschrijving" #. TRANS: Header for group statistics on a group page (h2). -#: actions/showapplication.php:192 actions/showgroup.php:453 +#: actions/showapplication.php:192 actions/showgroup.php:448 #: lib/profileaction.php:187 msgid "Statistics" msgstr "Statistieken" @@ -4703,94 +4720,94 @@ msgid "This is a way to share what you like." msgstr "Dit is de manier om dat te delen wat u wilt." #. TRANS: Page title for first group page. %s is a group name. -#: actions/showgroup.php:80 +#: actions/showgroup.php:75 #, php-format msgid "%s group" msgstr "%s groep" #. TRANS: Page title for any but first group page. #. TRANS: %1$s is a group name, $2$s is a page number. -#: actions/showgroup.php:84 +#: actions/showgroup.php:79 #, php-format msgid "%1$s group, page %2$d" msgstr "Groep %1$s, pagina %2$d" #. TRANS: Group profile header (h2). Text hidden by default. -#: actions/showgroup.php:225 +#: actions/showgroup.php:220 msgid "Group profile" msgstr "Groepsprofiel" #. TRANS: Label for group URL (dt). Text hidden by default. -#: actions/showgroup.php:275 actions/tagother.php:118 +#: actions/showgroup.php:270 actions/tagother.php:118 #: actions/userauthorization.php:175 lib/userprofile.php:178 msgid "URL" msgstr "URL" #. TRANS: Label for group description or group note (dt). Text hidden by default. -#: actions/showgroup.php:287 actions/tagother.php:128 +#: actions/showgroup.php:282 actions/tagother.php:128 #: actions/userauthorization.php:187 lib/userprofile.php:195 msgid "Note" msgstr "Opmerking" #. TRANS: Label for group aliases (dt). Text hidden by default. -#: actions/showgroup.php:298 lib/groupeditform.php:187 +#: actions/showgroup.php:293 lib/groupeditform.php:187 msgid "Aliases" msgstr "Aliassen" #. TRANS: Group actions header (h2). Text hidden by default. -#: actions/showgroup.php:309 +#: actions/showgroup.php:304 msgid "Group actions" msgstr "Groepshandelingen" #. TRANS: Tooltip for feed link. %s is a group nickname. -#: actions/showgroup.php:350 +#: actions/showgroup.php:345 #, php-format msgid "Notice feed for %s group (RSS 1.0)" msgstr "Mededelingenfeed voor groep %s (RSS 1.0)" #. TRANS: Tooltip for feed link. %s is a group nickname. -#: actions/showgroup.php:357 +#: actions/showgroup.php:352 #, php-format msgid "Notice feed for %s group (RSS 2.0)" msgstr "Mededelingenfeed voor groep %s (RSS 2.0)" #. TRANS: Tooltip for feed link. %s is a group nickname. -#: actions/showgroup.php:364 +#: actions/showgroup.php:359 #, php-format msgid "Notice feed for %s group (Atom)" msgstr "Mededelingenfeed voor groep %s (Atom)" #. TRANS: Tooltip for feed link. %s is a group nickname. -#: actions/showgroup.php:370 +#: actions/showgroup.php:365 #, php-format msgid "FOAF for %s group" msgstr "Vriend van een vriend voor de groep %s" #. TRANS: Header for mini list of group members on a group page (h2). -#: actions/showgroup.php:407 +#: actions/showgroup.php:402 msgid "Members" msgstr "Leden" #. TRANS: Description for mini list of group members on a group page when the group has no members. -#: actions/showgroup.php:413 lib/profileaction.php:117 +#: actions/showgroup.php:408 lib/profileaction.php:117 #: lib/profileaction.php:152 lib/profileaction.php:255 lib/section.php:95 #: lib/subscriptionlist.php:127 lib/tagcloudsection.php:71 msgid "(None)" msgstr "(geen)" #. TRANS: Link to all group members from mini list of group members if group has more than n members. -#: actions/showgroup.php:422 +#: actions/showgroup.php:417 msgid "All members" msgstr "Alle leden" #. TRANS: Label for creation date in statistics on group page. -#: actions/showgroup.php:458 +#: actions/showgroup.php:453 msgctxt "LABEL" msgid "Created" msgstr "Aangemaakt" #. TRANS: Label for member count in statistics on group page. -#: actions/showgroup.php:466 +#: actions/showgroup.php:461 msgctxt "LABEL" msgid "Members" msgstr "Leden" @@ -4799,7 +4816,7 @@ msgstr "Leden" #. TRANS: **%s** is the group alias, %%%%site.name%%%% is the site name, #. TRANS: %%%%action.register%%%% is the URL for registration, %%%%doc.help%%%% is a URL to help. #. TRANS: This message contains Markdown links. Ensure they are formatted correctly: [Description](link). -#: actions/showgroup.php:481 +#: actions/showgroup.php:476 #, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -4818,7 +4835,7 @@ msgstr "" #. TRANS: Notice on group pages for anonymous users for StatusNet sites that accept no new registrations. #. TRANS: **%s** is the group alias, %%%%site.name%%%% is the site name, #. TRANS: This message contains Markdown links. Ensure they are formatted correctly: [Description](link). -#: actions/showgroup.php:491 +#: actions/showgroup.php:486 #, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -4832,7 +4849,7 @@ msgstr "" "over hun ervaringen en interesses. " #. TRANS: Header for list of group administrators on a group page (h2). -#: actions/showgroup.php:520 +#: actions/showgroup.php:515 msgid "Admins" msgstr "Beheerders" @@ -4866,16 +4883,16 @@ msgstr "Deze mededeling is verwijderd." #. TRANS: Page title showing tagged notices in one user's stream. %1$s is the username, %2$s is the hash tag. #: actions/showstream.php:70 -#, fuzzy, php-format +#, php-format msgid "%1$s tagged %2$s" -msgstr "%1$s, pagina %2$d" +msgstr "%2$s gelabeld door %1$s" #. TRANS: Page title showing tagged notices in one user's stream. #. TRANS: %1$s is the username, %2$s is the hash tag, %1$d is the page number. #: actions/showstream.php:74 -#, fuzzy, php-format +#, php-format msgid "%1$s tagged %2$s, page %3$d" -msgstr "Mededelingen met het label %1$s, pagina %2$d" +msgstr "%2$s gelabeld door %1$s, pagina %3$d" #. TRANS: Extended page title showing tagged notices in one user's stream. #. TRANS: %1$s is the username, %2$d is the page number. @@ -4919,10 +4936,10 @@ msgstr "Vriend van een vriend (FOAF) voor %s" #. TRANS: First sentence of empty list message for a stream. $1%s is a user nickname. #: actions/showstream.php:211 -#, fuzzy, php-format +#, php-format msgid "This is the timeline for %1$s, but %1$s hasn't posted anything yet." msgstr "" -"Dit is de tijdlijn voor %1$s, maar %2$s heeft nog geen berichten verzonden." +"Dit is de tijdlijn voor %1$s, maar %1$s heeft nog geen berichten verzonden." #. TRANS: Second sentence of empty list message for a stream for the user themselves. #: actions/showstream.php:217 @@ -5110,7 +5127,6 @@ msgstr "Het was niet mogelijk om de websitebrede mededeling op te slaan." #. TRANS: Client error displayed when a site-wide notice was longer than allowed. #: actions/sitenoticeadminpanel.php:112 -#, fuzzy msgid "Maximum length for the site-wide notice is 255 characters." msgstr "De maximale lengte voor de websitebrede aankondiging is 255 tekens." @@ -5121,10 +5137,9 @@ msgstr "Tekst voor websitebrede mededeling" #. TRANS: Tooltip for site-wide notice text field in admin panel. #: actions/sitenoticeadminpanel.php:179 -#, fuzzy msgid "Site-wide notice text (255 characters maximum; HTML allowed)" msgstr "" -"Tekst voor websitebrede aankondiging (maximaal 255 tekens - HTML is " +"Tekst voor websitebrede aankondiging (maximaal 255 tekens en HTML is " "toegestaan)" #. TRANS: Title for button to save site notice in admin panel. @@ -5614,20 +5629,19 @@ msgstr "Ongeldige beschrijvingslimiet. Het moet een getal zijn." #. TRANS: Form validation error in user admin panel when welcome text is too long. #: actions/useradminpanel.php:154 -#, fuzzy msgid "Invalid welcome text. Maximum length is 255 characters." msgstr "Ongeldige welkomsttekst. De maximale lengte is 255 tekens." #. TRANS: Client error displayed when trying to set a non-existing user as default subscription for new #. TRANS: users in user admin panel. %1$s is the invalid nickname. #: actions/useradminpanel.php:166 -#, fuzzy, php-format +#, php-format msgid "Invalid default subscripton: '%1$s' is not a user." msgstr "Ongeldig standaardabonnement: \"%1$s\" is geen gebruiker." #. TRANS: Link description in user account settings menu. #: actions/useradminpanel.php:215 lib/accountsettingsaction.php:106 -#: lib/personalgroupnav.php:109 +#: lib/personalgroupnav.php:112 msgid "Profile" msgstr "Profiel" @@ -5653,7 +5667,6 @@ msgstr "Welkom voor nieuwe gebruikers" #. TRANS: Tooltip in user admin panel for setting new user welcome text. #: actions/useradminpanel.php:238 -#, fuzzy msgid "Welcome text for new users (maximum 255 characters)." msgstr "Welkomsttekst voor nieuwe gebruikers. Maximaal 255 tekens." @@ -5792,11 +5805,13 @@ msgstr "Het was niet mogelijk de avatar-URL \"%s\" te lezen." msgid "Wrong image type for avatar URL ‘%s’." msgstr "Er staat een verkeerd afbeeldingsttype op de avatar-URL \"%s\"." -#: actions/userdesignsettings.php:76 lib/designsettings.php:65 +#. TRANS: Page title for profile design page. +#: actions/userdesignsettings.php:76 lib/designsettings.php:63 msgid "Profile design" msgstr "Profielontwerp" -#: actions/userdesignsettings.php:87 lib/designsettings.php:76 +#. TRANS: Instructions for profile design page. +#: actions/userdesignsettings.php:87 lib/designsettings.php:74 msgid "" "Customize the way your profile looks with a background image and a colour " "palette of your choice." @@ -5929,33 +5944,46 @@ msgstr "Robin denkt dat iets onmogelijk is." #. TRANS: Message given if an upload is larger than the configured maximum. #. TRANS: %1$d is the byte limit for uploads, %2$d is the byte count for the uploaded file. -#: classes/File.php:189 -#, php-format +#. TRANS: %1$s is used for plural. +#: classes/File.php:190 +#, fuzzy, php-format msgid "" +"No file may be larger than %1$d byte and the file you sent was %2$d bytes. " +"Try to upload a smaller version." +msgid_plural "" "No file may be larger than %1$d bytes and the file you sent was %2$d bytes. " "Try to upload a smaller version." -msgstr "" +msgstr[0] "" +"Bestanden mogen niet groter zijn dan %1$d bytes, en uw bestand was %2$d " +"bytes. Probeer een kleinere versie te uploaden." +msgstr[1] "" "Bestanden mogen niet groter zijn dan %1$d bytes, en uw bestand was %2$d " "bytes. Probeer een kleinere versie te uploaden." #. TRANS: Message given if an upload would exceed user quota. -#. TRANS: %d (number) is the user quota in bytes. -#: classes/File.php:201 -#, php-format -msgid "A file this large would exceed your user quota of %d bytes." -msgstr "" +#. TRANS: %d (number) is the user quota in bytes and is used for plural. +#: classes/File.php:203 +#, fuzzy, php-format +msgid "A file this large would exceed your user quota of %d byte." +msgid_plural "A file this large would exceed your user quota of %d bytes." +msgstr[0] "" +"Een bestand van deze grootte overschijdt uw gebruikersquota van %d bytes." +msgstr[1] "" "Een bestand van deze grootte overschijdt uw gebruikersquota van %d bytes." #. TRANS: Message given id an upload would exceed a user's monthly quota. -#. TRANS: $d (number) is the monthly user quota in bytes. -#: classes/File.php:210 -#, php-format -msgid "A file this large would exceed your monthly quota of %d bytes." -msgstr "" +#. TRANS: $d (number) is the monthly user quota in bytes and is used for plural. +#: classes/File.php:215 +#, fuzzy, php-format +msgid "A file this large would exceed your monthly quota of %d byte." +msgid_plural "A file this large would exceed your monthly quota of %d bytes." +msgstr[0] "" +"Een bestand van deze grootte overschijdt uw maandelijkse quota van %d bytes." +msgstr[1] "" "Een bestand van deze grootte overschijdt uw maandelijkse quota van %d bytes." #. TRANS: Client exception thrown if a file upload does not have a valid name. -#: classes/File.php:247 classes/File.php:262 +#: classes/File.php:262 classes/File.php:277 msgid "Invalid filename." msgstr "Ongeldige bestandsnaam." @@ -6089,12 +6117,13 @@ msgid "Problem saving notice." msgstr "Er is een probleem opgetreden bij het opslaan van de mededeling." #. TRANS: Server exception thrown when no array is provided to the method saveKnownGroups(). -#: classes/Notice.php:907 -msgid "Bad type provided to saveKnownGroups" +#: classes/Notice.php:905 +#, fuzzy +msgid "Bad type provided to saveKnownGroups." msgstr "Het gegevenstype dat is opgegeven aan saveKnownGroups is onjuist" #. TRANS: Server exception thrown when an update for a group inbox fails. -#: classes/Notice.php:1006 +#: classes/Notice.php:1004 msgid "Problem saving group inbox." msgstr "" "Er is een probleem opgetreden bij het opslaan van het Postvak IN van de " @@ -6102,21 +6131,21 @@ msgstr "" #. TRANS: Server exception thrown when a reply cannot be saved. #. TRANS: %1$d is a notice ID, %2$d is the ID of the mentioned user. -#: classes/Notice.php:1120 +#: classes/Notice.php:1118 #, php-format msgid "Could not save reply for %1$d, %2$d." msgstr "Het was niet mogelijk antwoord %1$d voor %2$d op te slaan." #. TRANS: Message used to repeat a notice. RT is the abbreviation of 'retweet'. #. TRANS: %1$s is the repeated user's name, %2$s is the repeated notice. -#: classes/Notice.php:1822 +#: classes/Notice.php:1820 #, php-format msgid "RT @%1$s %2$s" msgstr "RT @%1$s %2$s" #. TRANS: Full name of a profile or group followed by nickname in parens -#: classes/Profile.php:164 -#, fuzzy, php-format +#: classes/Profile.php:164 classes/User_group.php:247 +#, php-format msgctxt "FANCYNAME" msgid "%1$s (%2$s)" msgstr "%1$s (%2$s)" @@ -6216,22 +6245,22 @@ msgstr "" "De \"single-user\"-modus is aangeroepen terwijl deze niet is ingeschakeld." #. TRANS: Server exception thrown when creating a group failed. -#: classes/User_group.php:495 +#: classes/User_group.php:511 msgid "Could not create group." msgstr "Het was niet mogelijk de groep aan te maken." #. TRANS: Server exception thrown when updating a group URI failed. -#: classes/User_group.php:505 +#: classes/User_group.php:521 msgid "Could not set group URI." msgstr "Het was niet mogelijk de groeps-URI in te stellen." #. TRANS: Server exception thrown when setting group membership failed. -#: classes/User_group.php:528 +#: classes/User_group.php:544 msgid "Could not set group membership." msgstr "Het was niet mogelijk het groepslidmaatschap in te stellen." #. TRANS: Server exception thrown when saving local group information failed. -#: classes/User_group.php:543 +#: classes/User_group.php:559 msgid "Could not save local group info." msgstr "Het was niet mogelijk de lokale groepsinformatie op te slaan." @@ -6285,7 +6314,7 @@ msgstr "Naamloze pagina" #: lib/action.php:310 msgctxt "TOOLTIP" msgid "Show more" -msgstr "" +msgstr "Meer weergeven" #. TRANS: DT element for primary navigation menu. String is hidden in default CSS. #: lib/action.php:526 @@ -6641,7 +6670,7 @@ msgid "User configuration" msgstr "Gebruikersinstellingen" #. TRANS: Menu item for site administration -#: lib/adminpanelaction.php:355 lib/personalgroupnav.php:115 +#: lib/adminpanelaction.php:355 lib/personalgroupnav.php:118 msgid "User" msgstr "Gebruiker" @@ -6994,7 +7023,7 @@ msgstr "%1$s heeft de groep %2$s verlaten." #. TRANS: Whois output. #. TRANS: %1$s nickname of the queried user, %2$s is their profile URL. #: lib/command.php:426 -#, fuzzy, php-format +#, php-format msgctxt "WHOIS" msgid "%1$s (%2$s)" msgstr "%1$s (%2$s)" @@ -7041,15 +7070,15 @@ msgstr "" #. TRANS: Message given if content is too long. %1$sd is used for plural. #. TRANS: %1$d is the maximum number of characters, %2$d is the number of submitted characters. #: lib/command.php:488 -#, fuzzy, php-format +#, php-format msgid "Message too long - maximum is %1$d character, you sent %2$d." msgid_plural "Message too long - maximum is %1$d characters, you sent %2$d." msgstr[0] "" -"Het bericht te is lang. De maximale lengte is %1$d tekens. De lengte van uw " -"bericht was %2$d." +"Het bericht is te lang. Het mag maximaal %1$d teken bevatten en u hebt er %2" +"$d gebruikt." msgstr[1] "" -"Het bericht te is lang. De maximale lengte is %1$d tekens. De lengte van uw " -"bericht was %2$d." +"Het bericht is te lang. Het mag maximaal %1$d tekens bevatten en u hebt er %2" +"$d gebruikt." #. TRANS: Error text shown sending a direct message fails with an unknown reason. #: lib/command.php:516 @@ -7071,15 +7100,15 @@ msgstr "Er is een fout opgetreden bij het herhalen van de mededeling." #. TRANS: Message given if content of a notice for a reply is too long. %1$d is used for plural. #. TRANS: %1$d is the maximum number of characters, %2$d is the number of submitted characters. #: lib/command.php:591 -#, fuzzy, php-format +#, php-format msgid "Notice too long - maximum is %1$d character, you sent %2$d." msgid_plural "Notice too long - maximum is %1$d characters, you sent %2$d." msgstr[0] "" -"De mededeling is te lang. De maximale lengte is %1$d tekens. Uw mededeling " -"bevatte %2$d tekens." +"De mededeling is te lang. Deze mag maximaal %1$d teken bevatten en u hebt er " +"%2$d gebruikt." msgstr[1] "" -"De mededeling is te lang. De maximale lengte is %1$d tekens. Uw mededeling " -"bevatte %2$d tekens." +"De mededeling is te lang. Deze mag maximaal %1$d tekens bevatten en u hebt " +"er %2$d gebruikt." #. TRANS: Text shown having sent a reply to a notice successfully. #. TRANS: %s is the nickname of the user of the notice the reply was sent to. @@ -7358,10 +7387,13 @@ msgstr "Geautoriseerde verbonden applicaties" msgid "Database error" msgstr "Databasefout" -#: lib/designsettings.php:105 +#. TRANS: Label in form on profile design page. +#. TRANS: Field contains file name on user's computer that could be that user's custom profile background image. +#: lib/designsettings.php:104 msgid "Upload file" msgstr "Bestand uploaden" +#. TRANS: Instructions for form on profile design page. #: lib/designsettings.php:109 msgid "" "You can upload your personal background image. The maximum file size is 2MB." @@ -7369,16 +7401,29 @@ msgstr "" "U kunt een persoonlijke achtergrondafbeelding uploaden. De maximale " "bestandsgrootte is 2 megabyte." -#: 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 "" -"De server was niet in staat zoveel POST-gegevens te verwerken (%s bytes) " -"vanwege de huidige instellingen." +#. TRANS: Radio button on profile design page that will enable use of the uploaded profile image. +#: lib/designsettings.php:139 +#, fuzzy +msgctxt "RADIO" +msgid "On" +msgstr "Aan" -#: lib/designsettings.php:418 +#. TRANS: Radio button on profile design page that will disable use of the uploaded profile image. +#: lib/designsettings.php:156 +#, fuzzy +msgctxt "RADIO" +msgid "Off" +msgstr "Uit" + +#. TRANS: Button text on profile design page to reset all colour settings to default without saving. +#: lib/designsettings.php:264 +#, fuzzy +msgctxt "BUTTON" +msgid "Reset" +msgstr "Herstellen" + +#. TRANS: Success message displayed if design settings were saved after clicking "Use defaults". +#: lib/designsettings.php:433 msgid "Design defaults restored." msgstr "Het standaardontwerp is weer ingesteld." @@ -7445,7 +7490,6 @@ msgid "1-64 lowercase letters or numbers, no punctuation or spaces" msgstr "1-64 kleine letters of cijfers, geen leestekens of spaties" #: lib/groupeditform.php:163 -#, fuzzy 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" @@ -7454,31 +7498,30 @@ msgid "Describe the group or topic" msgstr "Beschrijf de groep of het onderwerp" #: lib/groupeditform.php:170 -#, fuzzy, php-format +#, php-format msgid "Describe the group or topic in %d character or less" msgid_plural "Describe the group or topic in %d characters or less" -msgstr[0] "Beschrijf de groep of het onderwerp in %d tekens" -msgstr[1] "Beschrijf de groep of het onderwerp in %d tekens" +msgstr[0] "Beschrijf de group in %d teken of minder" +msgstr[1] "Beschrijf de group in %d tekens of minder" #: lib/groupeditform.php:182 -#, fuzzy msgid "" "Location for the group, if any, like \"City, State (or Region), Country\"." msgstr "" "Locatie voor de groep - als relevant. Iets als \"Plaats, regio, land\"." #: lib/groupeditform.php:190 -#, fuzzy, php-format +#, php-format msgid "" "Extra nicknames for the group, separated with commas or spaces. Maximum %d " "alias allowed." msgid_plural "" "Extra nicknames for the group, separated with commas or spaces. Maximum %d " "aliases allowed." -msgstr[0] "" -"Extra namen voor de groep, gescheiden door komma's of spaties. Maximaal %d." +msgstr[0] "Extra bijnaam voor de groep. Maximaal %d alias toegestaan." msgstr[1] "" -"Extra namen voor de groep, gescheiden door komma's of spaties. Maximaal %d." +"Extra bijnamen voor de groep, gescheiden met komma's of spaties. Maximaal %d " +"aliasen toegestaan." #. TRANS: Menu item in the group navigation page. #: lib/groupnav.php:86 @@ -7880,7 +7923,7 @@ msgstr "" #. TRANS: Subject for favorite notification e-mail. #. TRANS: %1$s is the adding user's long name, %2$s is the adding user's nickname. -#: lib/mail.php:603 +#: lib/mail.php:607 #, php-format msgid "%1$s (@%2$s) added your notice as a favorite" msgstr "%1$s (@%2$s) heeft uw mededeling als favoriet toegevoegd" @@ -7890,7 +7933,7 @@ msgstr "%1$s (@%2$s) heeft uw mededeling als favoriet toegevoegd" #. TRANS: %3$s is a URL to the faved notice, %4$s is the faved notice text, #. TRANS: %5$s is a URL to all faves of the adding user, %6$s is the StatusNet sitename, #. TRANS: %7$s is the adding user's nickname. -#: lib/mail.php:610 +#: lib/mail.php:614 #, php-format msgid "" "%1$s (@%7$s) just added your notice from %2$s as one of their favorites.\n" @@ -7929,7 +7972,7 @@ msgstr "" "%6$s\n" #. TRANS: Line in @-reply notification e-mail. %s is conversation URL. -#: lib/mail.php:668 +#: lib/mail.php:672 #, php-format msgid "" "The full conversation can be read here:\n" @@ -7942,7 +7985,7 @@ msgstr "" #. TRANS: E-mail subject for notice notification. #. TRANS: %1$s is the sending user's long name, %2$s is the adding user's nickname. -#: lib/mail.php:676 +#: lib/mail.php:680 #, php-format msgid "%1$s (@%2$s) sent a notice to your attention" msgstr "%1$s (@%2$s) heeft u een mededeling gestuurd" @@ -7953,7 +7996,7 @@ msgstr "%1$s (@%2$s) heeft u een mededeling gestuurd" #. TRANS: %5$s is a URL to the full conversion if it exists (otherwise empty), #. TRANS: %6$s is a URL to reply to the notice, %7$s is a URL to all @-replied for the addressed user, #. TRANS: %8$s is a URL to the addressed user's e-mail settings, %9$s is the sender's nickname. -#: lib/mail.php:684 +#: lib/mail.php:688 #, php-format msgid "" "%1$s (@%9$s) just sent a notice to your attention (an '@-reply') on %2$s.\n" @@ -8103,7 +8146,7 @@ msgstr "Het was niet mogelijk het MIME-type van het bestand te bepalen." #. TRANS: Client exception thrown trying to upload a forbidden MIME type. #. TRANS: %1$s is the file type that was denied, %2$s is the application part of #. TRANS: the MIME type that was denied. -#: lib/mediafile.php:340 +#: lib/mediafile.php:345 #, php-format msgid "" "\"%1$s\" is not a supported file type on this server. Try using another %2$s " @@ -8114,7 +8157,7 @@ msgstr "" #. TRANS: Client exception thrown trying to upload a forbidden MIME type. #. TRANS: %s is the file type that was denied. -#: lib/mediafile.php:345 +#: lib/mediafile.php:350 #, php-format msgid "\"%s\" is not a supported file type on this server." msgstr "\"%s\" is geen ondersteund bestandstype op deze server." @@ -8255,31 +8298,31 @@ msgstr "Dubbele mededeling." msgid "Couldn't insert new subscription." msgstr "Kon nieuw abonnement niet toevoegen." -#: lib/personalgroupnav.php:99 +#: lib/personalgroupnav.php:102 msgid "Personal" msgstr "Persoonlijk" -#: lib/personalgroupnav.php:104 +#: lib/personalgroupnav.php:107 msgid "Replies" msgstr "Antwoorden" -#: lib/personalgroupnav.php:114 +#: lib/personalgroupnav.php:117 msgid "Favorites" msgstr "Favorieten" -#: lib/personalgroupnav.php:125 +#: lib/personalgroupnav.php:128 msgid "Inbox" msgstr "Postvak IN" -#: lib/personalgroupnav.php:126 +#: lib/personalgroupnav.php:129 msgid "Your incoming messages" msgstr "Uw inkomende berichten" -#: lib/personalgroupnav.php:130 +#: lib/personalgroupnav.php:133 msgid "Outbox" msgstr "Postvak UIT" -#: lib/personalgroupnav.php:131 +#: lib/personalgroupnav.php:134 msgid "Your sent messages" msgstr "Uw verzonden berichten" @@ -8476,6 +8519,12 @@ msgstr "Gebruikerslabelwolk" msgid "None" msgstr "Geen" +#. TRANS: Server exception displayed if a theme name was invalid. +#: lib/theme.php:74 +#, fuzzy +msgid "Invalid theme name." +msgstr "Ongeldige bestandsnaam." + #: lib/themeuploader.php:50 msgid "This server cannot handle theme uploads without ZIP support." msgstr "" @@ -8497,16 +8546,16 @@ msgid "Invalid theme: bad directory structure." msgstr "Ongeldige vormgeving: de mappenstructuur is onjuist." #: lib/themeuploader.php:166 -#, fuzzy, php-format +#, php-format msgid "Uploaded theme is too large; must be less than %d byte uncompressed." msgid_plural "" "Uploaded theme is too large; must be less than %d bytes uncompressed." msgstr[0] "" -"De toegevoegde vormgeving is te groot. Deze moet uitgepakt kleiner zijn dan %" -"d bytes." +"De geüploade vormgeving is te groot; deze moet omgecomprimeerd kleiner zijn " +"dan %d byte." msgstr[1] "" -"De toegevoegde vormgeving is te groot. Deze moet uitgepakt kleiner zijn dan %" -"d bytes." +"De geüploade vormgeving is te groot; deze moet omgecomprimeerd kleiner zijn " +"dan %d bytes." #: lib/themeuploader.php:179 msgid "Invalid theme archive: missing file css/display.css" @@ -8722,7 +8771,7 @@ msgstr[1] "" #: scripts/restoreuser.php:61 #, php-format msgid "Getting backup from file '%s'." -msgstr "" +msgstr "De back-up wordt uit het bestand \"%s\" geladen." #. TRANS: Commandline script output. #: scripts/restoreuser.php:91 @@ -8731,28 +8780,15 @@ msgstr "Geen gebruiker opgegeven; de back-upgebruiker wordt gebruikt." #. TRANS: Commandline script output. %d is the number of entries in the activity stream in backup; used for plural. #: scripts/restoreuser.php:98 -#, fuzzy, php-format +#, php-format msgid "%d entry in backup." msgid_plural "%d entries in backup." -msgstr[0] "%d regels in de back-up." -msgstr[1] "%d regels in de back-up." +msgstr[0] "%d element in de back-up." +msgstr[1] "%d elementen in de back-up." -#~ msgid "Name is too long (maximum 255 chars)." -#~ msgstr "De naam is te lang (maximaal 255 tekens)." - -#~ msgid "Organization is too long (maximum 255 chars)." -#~ msgstr "De organisatienaam is te lang (maximaal 255 tekens)." - -#~ msgid "That's too long. Max notice size is %d chars." -#~ msgstr "De mededeling is te lang. Gebruik maximaal %d tekens." - -#~ msgid "Max notice size is %d chars, including attachment URL." +#~ msgid "" +#~ "The server was unable to handle that much POST data (%s bytes) due to its " +#~ "current configuration." #~ msgstr "" -#~ "De maximale mededelingenlengte is %d tekens, inclusief de URL voor de " -#~ "bijlage." - -#~ msgid " tagged %s" -#~ msgstr " met het label %s" - -#~ msgid "Backup file for user %s (%s)" -#~ msgstr "Back-upbestand voor gebruiker %s (%s)" +#~ "De server was niet in staat zoveel POST-gegevens te verwerken (%s bytes) " +#~ "vanwege de huidige instellingen." diff --git a/locale/nn/LC_MESSAGES/statusnet.po b/locale/nn/LC_MESSAGES/statusnet.po index 3a3110bbf8..bc874821c0 100644 --- a/locale/nn/LC_MESSAGES/statusnet.po +++ b/locale/nn/LC_MESSAGES/statusnet.po @@ -10,17 +10,17 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet - Core\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-11-02 22:51+0000\n" -"PO-Revision-Date: 2010-11-02 22:53:34+0000\n" +"POT-Creation-Date: 2010-11-04 18:25+0000\n" +"PO-Revision-Date: 2010-11-04 18:27:41+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 (r75875); Translate extension (2010-09-17)\n" +"X-Generator: MediaWiki 1.17alpha (r76004); Translate extension (2010-09-17)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: nn\n" "X-Message-Group: #out-statusnet-core\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-POT-Import-Date: 2010-10-30 23:42:01+0000\n" +"X-POT-Import-Date: 2010-11-02 23:22:49+0000\n" #. TRANS: Page title for Access admin panel that allows configuring site access. #. TRANS: Menu item for site administration @@ -92,12 +92,14 @@ msgstr "Avatar-innstillingar" #. TRANS: Save button for settings for a profile in a subscriptions list. #. TRANS: Button text to save user settings in user admin panel. #. TRANS: Button label in the "Edit application" form. +#. TRANS: Button text on profile design page to save settings. #: actions/accessadminpanel.php:193 actions/emailsettings.php:228 #: actions/imsettings.php:187 actions/othersettings.php:134 #: actions/pathsadminpanel.php:512 actions/profilesettings.php:201 #: actions/sitenoticeadminpanel.php:197 actions/smssettings.php:209 #: actions/subscriptions.php:246 actions/useradminpanel.php:298 -#: lib/applicationeditform.php:355 lib/groupeditform.php:207 +#: lib/applicationeditform.php:355 lib/designsettings.php:270 +#: lib/groupeditform.php:207 #, fuzzy msgctxt "BUTTON" msgid "Save" @@ -167,7 +169,7 @@ msgstr "%s med vener" #. TRANS: Timeline title for user and friends. %s is a user nickname. #: actions/all.php:94 actions/all.php:191 actions/allrss.php:115 #: actions/apitimelinefriends.php:207 actions/apitimelinehome.php:113 -#: lib/personalgroupnav.php:100 +#: lib/personalgroupnav.php:103 #, php-format msgid "%s and friends" msgstr "%s med vener" @@ -337,11 +339,13 @@ msgstr "Kan ikkje lagra profil." #. TRANS: Client error displayed when the number of bytes in a POST request exceeds a limit. #. TRANS: %s is the number of bytes of the CONTENT_LENGTH. +#. TRANS: Form validation error in design settings form. POST should remain untranslated. #: actions/apiaccountupdateprofilebackgroundimage.php:108 #: actions/apiaccountupdateprofileimage.php:95 actions/apimediaupload.php:81 #: actions/apistatusesupdate.php:210 actions/avatarsettings.php:269 #: actions/designadminpanel.php:125 actions/editapplication.php:121 #: actions/newapplication.php:104 actions/newnotice.php:95 +#: lib/designsettings.php:298 #, php-format msgid "" "The server was unable to handle that much POST data (%s byte) due to its " @@ -758,7 +762,7 @@ msgstr "Du tingar ikkje oppdateringar til den profilen." #: actions/repeat.php:83 actions/smssettings.php:256 actions/subedit.php:40 #: actions/subscribe.php:86 actions/tagother.php:166 #: actions/unsubscribe.php:69 actions/userauthorization.php:52 -#: lib/designsettings.php:294 +#: lib/designsettings.php:310 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." @@ -781,12 +785,13 @@ msgstr "databasefeil ved innsetjing av skigardmerkelapp (#merkelapp): %s" #. TRANS: Message given submitting a form with an unknown action in IM settings. #. TRANS: Client error when submitting a form with unexpected information. #. TRANS: Message given submitting a form with an unknown action in SMS settings. +#. TRANS: Unknown form validation error in design settings form. #: actions/apioauthauthorize.php:294 actions/avatarsettings.php:294 #: actions/designadminpanel.php:104 actions/editapplication.php:144 #: actions/emailsettings.php:290 actions/grouplogo.php:322 #: actions/imsettings.php:245 actions/newapplication.php:125 #: actions/oauthconnectionssettings.php:147 actions/recoverpassword.php:44 -#: actions/smssettings.php:277 lib/designsettings.php:304 +#: actions/smssettings.php:277 lib/designsettings.php:321 msgid "Unexpected form submission." msgstr "Uventa skjemasending." @@ -833,7 +838,7 @@ msgstr "Konto" #. TRANS: Label for group nickname (dt). Text hidden by default. #: actions/apioauthauthorize.php:459 actions/login.php:252 #: actions/profilesettings.php:110 actions/register.php:433 -#: actions/showgroup.php:245 actions/tagother.php:94 +#: actions/showgroup.php:240 actions/tagother.php:94 #: actions/userauthorization.php:145 lib/groupeditform.php:152 #: lib/userprofile.php:132 msgid "Nickname" @@ -1098,7 +1103,7 @@ msgstr "Dette emneord finst ikkje." #: actions/avatarbynickname.php:60 actions/blockedfromgroup.php:73 #: actions/editgroup.php:85 actions/groupdesignsettings.php:84 #: actions/grouplogo.php:86 actions/groupmembers.php:76 -#: actions/grouprss.php:91 actions/showgroup.php:121 +#: actions/grouprss.php:91 actions/showgroup.php:116 msgid "No nickname." msgstr "Ingen kallenamn." @@ -1115,7 +1120,7 @@ msgstr "Ugyldig storleik." #. TRANS: Title for avatar upload page. #. TRANS: Label for group avatar (dt). Text hidden by default. #. TRANS: Link description in user account settings menu. -#: actions/avatarsettings.php:66 actions/showgroup.php:229 +#: actions/avatarsettings.php:66 actions/showgroup.php:224 #: lib/accountsettingsaction.php:113 msgid "Avatar" msgstr "Brukarbilete" @@ -1292,7 +1297,7 @@ msgstr "Lagring av informasjon feila." #: actions/groupunblock.php:88 actions/joingroup.php:82 #: actions/joingroup.php:93 actions/leavegroup.php:82 #: actions/leavegroup.php:93 actions/makeadmin.php:86 -#: actions/showgroup.php:139 actions/showgroup.php:148 lib/command.php:168 +#: actions/showgroup.php:134 actions/showgroup.php:143 lib/command.php:168 #: lib/command.php:380 msgid "No such group." msgstr "Denne gruppa finst ikkje." @@ -1669,12 +1674,14 @@ msgstr "Statusmelding" msgid "You can upload a custom StatusNet theme as a .ZIP archive." msgstr "" -#: actions/designadminpanel.php:512 lib/designsettings.php:101 +#. TRANS: Fieldset legend on profile design page. +#: actions/designadminpanel.php:512 lib/designsettings.php:98 msgid "Change background image" msgstr "" +#. TRANS: Label on profile design page for setting a profile page background colour. #: actions/designadminpanel.php:517 actions/designadminpanel.php:600 -#: lib/designsettings.php:178 +#: lib/designsettings.php:183 msgid "Background" msgstr "" @@ -1686,42 +1693,50 @@ msgid "" msgstr "Du kan lasta opp ein logo for gruppa." #. TRANS: Used as radio button label to add a background image. -#: actions/designadminpanel.php:553 lib/designsettings.php:139 +#: actions/designadminpanel.php:553 msgid "On" msgstr "" #. TRANS: Used as radio button label to not add a background image. -#: actions/designadminpanel.php:570 lib/designsettings.php:155 +#: actions/designadminpanel.php:570 msgid "Off" msgstr "" -#: actions/designadminpanel.php:571 lib/designsettings.php:156 +#. TRANS: Form guide for a set of radio buttons on the profile design page that will enable or disable +#. TRANS: use of the uploaded profile image. +#: actions/designadminpanel.php:571 lib/designsettings.php:159 msgid "Turn background image on or off." msgstr "" -#: actions/designadminpanel.php:576 lib/designsettings.php:161 +#. TRANS: Checkbox label on profile design page that will cause the profile image to be tiled. +#: actions/designadminpanel.php:576 lib/designsettings.php:165 msgid "Tile background image" msgstr "" -#: actions/designadminpanel.php:590 lib/designsettings.php:170 +#. TRANS: Fieldset legend on profile design page to change profile page colours. +#: actions/designadminpanel.php:590 lib/designsettings.php:175 #, fuzzy msgid "Change colours" msgstr "Endra passordet ditt" -#: actions/designadminpanel.php:613 lib/designsettings.php:191 +#. TRANS: Label on profile design page for setting a profile page content colour. +#: actions/designadminpanel.php:613 lib/designsettings.php:197 msgid "Content" msgstr "Innhald" -#: actions/designadminpanel.php:626 lib/designsettings.php:204 +#. TRANS: Label on profile design page for setting a profile page sidebar colour. +#: actions/designadminpanel.php:626 lib/designsettings.php:211 #, fuzzy msgid "Sidebar" msgstr "Søk" -#: actions/designadminpanel.php:639 lib/designsettings.php:217 +#. TRANS: Label on profile design page for setting a profile page text colour. +#: actions/designadminpanel.php:639 lib/designsettings.php:225 msgid "Text" msgstr "Tekst" -#: actions/designadminpanel.php:652 lib/designsettings.php:230 +#. TRANS: Label on profile design page for setting a profile page links colour. +#: actions/designadminpanel.php:652 lib/designsettings.php:239 #, fuzzy msgid "Links" msgstr "Logg inn" @@ -1734,15 +1749,18 @@ msgstr "" msgid "Custom CSS" msgstr "" -#: actions/designadminpanel.php:702 lib/designsettings.php:247 +#. TRANS: Button text on profile design page to immediately reset all colour settings to default. +#: actions/designadminpanel.php:702 lib/designsettings.php:257 msgid "Use defaults" msgstr "" -#: actions/designadminpanel.php:703 lib/designsettings.php:248 +#. TRANS: Title for button on profile design page to reset all colour settings to default. +#: actions/designadminpanel.php:703 lib/designsettings.php:259 msgid "Restore default designs" msgstr "" -#: actions/designadminpanel.php:709 lib/designsettings.php:254 +#. TRANS: Title for button on profile design page to reset all colour settings to default without saving. +#: actions/designadminpanel.php:709 lib/designsettings.php:267 msgid "Reset back to default" msgstr "" @@ -1750,11 +1768,12 @@ msgstr "" #: actions/designadminpanel.php:711 actions/licenseadminpanel.php:319 #: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:292 #: actions/snapshotadminpanel.php:245 actions/tagother.php:154 -#: lib/applicationeditform.php:357 lib/designsettings.php:256 +#: lib/applicationeditform.php:357 msgid "Save" msgstr "Lagra" -#: actions/designadminpanel.php:712 lib/designsettings.php:257 +#. TRANS: Title for button on profile design page to save settings. +#: actions/designadminpanel.php:712 lib/designsettings.php:272 msgid "Save design" msgstr "" @@ -1898,7 +1917,7 @@ msgstr "Kann ikkje oppdatera gruppa." #. TRANS: Server error displayed when group aliases could not be added. #. TRANS: Server exception thrown when creating group aliases failed. -#: actions/editgroup.php:288 classes/User_group.php:513 +#: actions/editgroup.php:288 classes/User_group.php:529 #, fuzzy msgid "Could not create aliases." msgstr "Kunne ikkje lagre favoritt." @@ -2184,7 +2203,7 @@ msgid "" msgstr "" #: actions/favoritesrss.php:111 actions/showfavorites.php:77 -#: lib/personalgroupnav.php:115 +#: lib/personalgroupnav.php:118 #, php-format msgid "%s's favorite notices" msgstr "%s's favoritt meldingar" @@ -2375,8 +2394,10 @@ msgid "" "palette of your choice." msgstr "" +#. TRANS: Error message displayed if design settings could not be saved. +#. TRANS: Error message displayed if design settings could not be saved after clicking "Use defaults". #: actions/groupdesignsettings.php:266 actions/userdesignsettings.php:186 -#: lib/designsettings.php:391 lib/designsettings.php:413 +#: lib/designsettings.php:405 lib/designsettings.php:427 #, fuzzy msgid "Couldn't update your design." msgstr "Kan ikkje oppdatera brukar." @@ -3329,25 +3350,25 @@ msgstr "" msgid "Notice has no profile." msgstr "Brukaren har inga profil." -#: actions/oembed.php:87 actions/shownotice.php:176 +#: actions/oembed.php:83 actions/shownotice.php:172 #, php-format msgid "%1$s's status on %2$s" msgstr "%1$s sin status på %2$s" #. TRANS: Error message displaying attachments. %s is a raw MIME type (eg 'image/png') -#: actions/oembed.php:159 +#: actions/oembed.php:155 #, fuzzy, php-format msgid "Content type %s not supported." msgstr "Kopla til" #. TRANS: Error message displaying attachments. %s is the site's base URL. -#: actions/oembed.php:163 +#: actions/oembed.php:159 #, php-format msgid "Only %s URLs over plain HTTP please." msgstr "" #. TRANS: Client error on an API request with an unsupported data format. -#: actions/oembed.php:184 actions/oembed.php:203 lib/apiaction.php:1200 +#: actions/oembed.php:180 actions/oembed.php:199 lib/apiaction.php:1200 #: lib/apiaction.php:1227 lib/apiaction.php:1356 msgid "Not a supported data format." msgstr "Ikkje eit støtta dataformat." @@ -3851,7 +3872,7 @@ msgstr "" #. TRANS: Field label in form for profile settings. #. TRANS: Label for full group name (dt). Text hidden by default. #: actions/profilesettings.php:117 actions/register.php:457 -#: actions/showgroup.php:257 actions/tagother.php:104 +#: actions/showgroup.php:252 actions/tagother.php:104 #: lib/groupeditform.php:157 lib/userprofile.php:150 msgid "Full name" msgstr "Fullt namn" @@ -3894,7 +3915,7 @@ msgstr "Om meg" #. TRANS: Field label in form for profile settings. #. TRANS: Label for group location (dt). Text hidden by default. #: actions/profilesettings.php:149 actions/register.php:485 -#: actions/showgroup.php:267 actions/tagother.php:112 +#: actions/showgroup.php:262 actions/tagother.php:112 #: actions/userauthorization.php:166 lib/groupeditform.php:180 #: lib/userprofile.php:165 msgid "Location" @@ -4481,7 +4502,7 @@ msgid "Repeated!" msgstr "Lag" #: actions/replies.php:126 actions/repliesrss.php:68 -#: lib/personalgroupnav.php:105 +#: lib/personalgroupnav.php:108 #, php-format msgid "Replies to %s" msgstr "Svar til %s" @@ -4621,7 +4642,7 @@ msgid "Description" msgstr "Beskriving" #. TRANS: Header for group statistics on a group page (h2). -#: actions/showapplication.php:192 actions/showgroup.php:453 +#: actions/showapplication.php:192 actions/showgroup.php:448 #: lib/profileaction.php:187 msgid "Statistics" msgstr "Statistikk" @@ -4729,95 +4750,95 @@ msgid "This is a way to share what you like." msgstr "" #. TRANS: Page title for first group page. %s is a group name. -#: actions/showgroup.php:80 +#: actions/showgroup.php:75 #, php-format msgid "%s group" msgstr "%s gruppe" #. TRANS: Page title for any but first group page. #. TRANS: %1$s is a group name, $2$s is a page number. -#: actions/showgroup.php:84 +#: actions/showgroup.php:79 #, php-format msgid "%1$s group, page %2$d" msgstr "Grupper, side %d" #. TRANS: Group profile header (h2). Text hidden by default. -#: actions/showgroup.php:225 +#: actions/showgroup.php:220 msgid "Group profile" msgstr "Gruppe profil" #. TRANS: Label for group URL (dt). Text hidden by default. -#: actions/showgroup.php:275 actions/tagother.php:118 +#: actions/showgroup.php:270 actions/tagother.php:118 #: actions/userauthorization.php:175 lib/userprofile.php:178 msgid "URL" msgstr "URL" #. TRANS: Label for group description or group note (dt). Text hidden by default. -#: actions/showgroup.php:287 actions/tagother.php:128 +#: actions/showgroup.php:282 actions/tagother.php:128 #: actions/userauthorization.php:187 lib/userprofile.php:195 msgid "Note" msgstr "Merknad" #. TRANS: Label for group aliases (dt). Text hidden by default. -#: actions/showgroup.php:298 lib/groupeditform.php:187 +#: actions/showgroup.php:293 lib/groupeditform.php:187 msgid "Aliases" msgstr "" #. TRANS: Group actions header (h2). Text hidden by default. -#: actions/showgroup.php:309 +#: actions/showgroup.php:304 msgid "Group actions" msgstr "Gruppe handlingar" #. TRANS: Tooltip for feed link. %s is a group nickname. -#: actions/showgroup.php:350 +#: actions/showgroup.php:345 #, php-format msgid "Notice feed for %s group (RSS 1.0)" msgstr "Straum for vener av %s" #. TRANS: Tooltip for feed link. %s is a group nickname. -#: actions/showgroup.php:357 +#: actions/showgroup.php:352 #, php-format msgid "Notice feed for %s group (RSS 2.0)" msgstr "Straum for vener av %s" #. TRANS: Tooltip for feed link. %s is a group nickname. -#: actions/showgroup.php:364 +#: actions/showgroup.php:359 #, php-format msgid "Notice feed for %s group (Atom)" msgstr "Notisstraum for %s" #. TRANS: Tooltip for feed link. %s is a group nickname. -#: actions/showgroup.php:370 +#: actions/showgroup.php:365 #, php-format msgid "FOAF for %s group" msgstr "Utboks for %s" #. TRANS: Header for mini list of group members on a group page (h2). -#: actions/showgroup.php:407 +#: actions/showgroup.php:402 msgid "Members" msgstr "Medlemmar" #. TRANS: Description for mini list of group members on a group page when the group has no members. -#: actions/showgroup.php:413 lib/profileaction.php:117 +#: actions/showgroup.php:408 lib/profileaction.php:117 #: lib/profileaction.php:152 lib/profileaction.php:255 lib/section.php:95 #: lib/subscriptionlist.php:127 lib/tagcloudsection.php:71 msgid "(None)" msgstr "(Ingen)" #. TRANS: Link to all group members from mini list of group members if group has more than n members. -#: actions/showgroup.php:422 +#: actions/showgroup.php:417 msgid "All members" msgstr "Alle medlemmar" #. TRANS: Label for creation date in statistics on group page. -#: actions/showgroup.php:458 +#: actions/showgroup.php:453 #, fuzzy msgctxt "LABEL" msgid "Created" msgstr "Framheva" #. TRANS: Label for member count in statistics on group page. -#: actions/showgroup.php:466 +#: actions/showgroup.php:461 #, fuzzy msgctxt "LABEL" msgid "Members" @@ -4827,7 +4848,7 @@ msgstr "Medlemmar" #. TRANS: **%s** is the group alias, %%%%site.name%%%% is the site name, #. TRANS: %%%%action.register%%%% is the URL for registration, %%%%doc.help%%%% is a URL to help. #. TRANS: This message contains Markdown links. Ensure they are formatted correctly: [Description](link). -#: actions/showgroup.php:481 +#: actions/showgroup.php:476 #, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -4840,7 +4861,7 @@ msgstr "" #. TRANS: Notice on group pages for anonymous users for StatusNet sites that accept no new registrations. #. TRANS: **%s** is the group alias, %%%%site.name%%%% is the site name, #. TRANS: This message contains Markdown links. Ensure they are formatted correctly: [Description](link). -#: actions/showgroup.php:491 +#: actions/showgroup.php:486 #, fuzzy, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -4852,7 +4873,7 @@ msgstr "" "wikipedia.org/wiki/Micro-blogging)-teneste" #. TRANS: Header for list of group administrators on a group page (h2). -#: actions/showgroup.php:520 +#: actions/showgroup.php:515 #, fuzzy msgid "Admins" msgstr "Administrator" @@ -5629,7 +5650,7 @@ msgstr "" #. TRANS: Link description in user account settings menu. #: actions/useradminpanel.php:215 lib/accountsettingsaction.php:106 -#: lib/personalgroupnav.php:109 +#: lib/personalgroupnav.php:112 msgid "Profile" msgstr "Profil" @@ -5802,12 +5823,14 @@ msgstr "Kan ikkje lesa brukarbilete-URL «%s»" msgid "Wrong image type for avatar URL ‘%s’." msgstr "Feil biletetype for '%s'" -#: actions/userdesignsettings.php:76 lib/designsettings.php:65 +#. TRANS: Page title for profile design page. +#: actions/userdesignsettings.php:76 lib/designsettings.php:63 #, fuzzy msgid "Profile design" msgstr "Profilinnstillingar" -#: actions/userdesignsettings.php:87 lib/designsettings.php:76 +#. TRANS: Instructions for profile design page. +#: actions/userdesignsettings.php:87 lib/designsettings.php:74 msgid "" "Customize the way your profile looks with a background image and a colour " "palette of your choice." @@ -5928,29 +5951,38 @@ msgstr "" #. TRANS: Message given if an upload is larger than the configured maximum. #. TRANS: %1$d is the byte limit for uploads, %2$d is the byte count for the uploaded file. -#: classes/File.php:189 +#. TRANS: %1$s is used for plural. +#: classes/File.php:190 #, php-format msgid "" +"No file may be larger than %1$d byte and the file you sent was %2$d bytes. " +"Try to upload a smaller version." +msgid_plural "" "No file may be larger than %1$d bytes and the file you sent was %2$d bytes. " "Try to upload a smaller version." -msgstr "" +msgstr[0] "" +msgstr[1] "" #. TRANS: Message given if an upload would exceed user quota. -#. TRANS: %d (number) is the user quota in bytes. -#: classes/File.php:201 +#. TRANS: %d (number) is the user quota in bytes and is used for plural. +#: classes/File.php:203 #, php-format -msgid "A file this large would exceed your user quota of %d bytes." -msgstr "" +msgid "A file this large would exceed your user quota of %d byte." +msgid_plural "A file this large would exceed your user quota of %d bytes." +msgstr[0] "" +msgstr[1] "" #. TRANS: Message given id an upload would exceed a user's monthly quota. -#. TRANS: $d (number) is the monthly user quota in bytes. -#: classes/File.php:210 +#. TRANS: $d (number) is the monthly user quota in bytes and is used for plural. +#: classes/File.php:215 #, php-format -msgid "A file this large would exceed your monthly quota of %d bytes." -msgstr "" +msgid "A file this large would exceed your monthly quota of %d byte." +msgid_plural "A file this large would exceed your monthly quota of %d bytes." +msgstr[0] "" +msgstr[1] "" #. TRANS: Client exception thrown if a file upload does not have a valid name. -#: classes/File.php:247 classes/File.php:262 +#: classes/File.php:262 classes/File.php:277 msgid "Invalid filename." msgstr "Ugyldig filnamn." @@ -6084,32 +6116,32 @@ msgid "Problem saving notice." msgstr "Eit problem oppstod ved lagring av notis." #. TRANS: Server exception thrown when no array is provided to the method saveKnownGroups(). -#: classes/Notice.php:907 -msgid "Bad type provided to saveKnownGroups" +#: classes/Notice.php:905 +msgid "Bad type provided to saveKnownGroups." msgstr "" #. TRANS: Server exception thrown when an update for a group inbox fails. -#: classes/Notice.php:1006 +#: classes/Notice.php:1004 #, fuzzy msgid "Problem saving group inbox." msgstr "Eit problem oppstod ved lagring av notis." #. TRANS: Server exception thrown when a reply cannot be saved. #. TRANS: %1$d is a notice ID, %2$d is the ID of the mentioned user. -#: classes/Notice.php:1120 +#: classes/Notice.php:1118 #, fuzzy, php-format msgid "Could not save reply for %1$d, %2$d." msgstr "Kunne ikkje lagra abonnement." #. TRANS: Message used to repeat a notice. RT is the abbreviation of 'retweet'. #. TRANS: %1$s is the repeated user's name, %2$s is the repeated notice. -#: classes/Notice.php:1822 +#: classes/Notice.php:1820 #, php-format msgid "RT @%1$s %2$s" msgstr "RT @%1$s %2$s" #. TRANS: Full name of a profile or group followed by nickname in parens -#: classes/Profile.php:164 +#: classes/Profile.php:164 classes/User_group.php:247 #, fuzzy, php-format msgctxt "FANCYNAME" msgid "%1$s (%2$s)" @@ -6208,22 +6240,22 @@ msgid "Single-user mode code called when not enabled." msgstr "" #. TRANS: Server exception thrown when creating a group failed. -#: classes/User_group.php:495 +#: classes/User_group.php:511 msgid "Could not create group." msgstr "Kunne ikkje laga gruppa." #. TRANS: Server exception thrown when updating a group URI failed. -#: classes/User_group.php:505 +#: classes/User_group.php:521 msgid "Could not set group URI." msgstr "Kunne ikkje laga gruppa." #. TRANS: Server exception thrown when setting group membership failed. -#: classes/User_group.php:528 +#: classes/User_group.php:544 msgid "Could not set group membership." msgstr "Kunne ikkje bli med i gruppa." #. TRANS: Server exception thrown when saving local group information failed. -#: classes/User_group.php:543 +#: classes/User_group.php:559 #, fuzzy msgid "Could not save local group info." msgstr "Kunne ikkje lagra abonnement." @@ -6652,7 +6684,7 @@ msgid "User configuration" msgstr "SMS bekreftelse" #. TRANS: Menu item for site administration -#: lib/adminpanelaction.php:355 lib/personalgroupnav.php:115 +#: lib/adminpanelaction.php:355 lib/personalgroupnav.php:118 msgid "User" msgstr "Brukar" @@ -7335,23 +7367,39 @@ msgstr "" msgid "Database error" msgstr "" -#: lib/designsettings.php:105 +#. TRANS: Label in form on profile design page. +#. TRANS: Field contains file name on user's computer that could be that user's custom profile background image. +#: lib/designsettings.php:104 msgid "Upload file" msgstr "Last opp fil" +#. TRANS: Instructions for form on profile design page. #: lib/designsettings.php:109 msgid "" "You can upload your personal background image. The maximum file size is 2MB." msgstr "Du kan lasta opp ein logo for gruppa." -#: lib/designsettings.php:283 -#, php-format -msgid "" -"The server was unable to handle that much POST data (%s bytes) due to its " -"current configuration." +#. TRANS: Radio button on profile design page that will enable use of the uploaded profile image. +#: lib/designsettings.php:139 +msgctxt "RADIO" +msgid "On" msgstr "" -#: lib/designsettings.php:418 +#. TRANS: Radio button on profile design page that will disable use of the uploaded profile image. +#: lib/designsettings.php:156 +msgctxt "RADIO" +msgid "Off" +msgstr "" + +#. TRANS: Button text on profile design page to reset all colour settings to default without saving. +#: lib/designsettings.php:264 +#, fuzzy +msgctxt "BUTTON" +msgid "Reset" +msgstr "Avbryt" + +#. TRANS: Success message displayed if design settings were saved after clicking "Use defaults". +#: lib/designsettings.php:433 msgid "Design defaults restored." msgstr "" @@ -7806,7 +7854,7 @@ msgstr "" #. TRANS: Subject for favorite notification e-mail. #. TRANS: %1$s is the adding user's long name, %2$s is the adding user's nickname. -#: lib/mail.php:603 +#: lib/mail.php:607 #, fuzzy, php-format msgid "%1$s (@%2$s) added your notice as a favorite" msgstr "" @@ -7817,7 +7865,7 @@ msgstr "" #. TRANS: %3$s is a URL to the faved notice, %4$s is the faved notice text, #. TRANS: %5$s is a URL to all faves of the adding user, %6$s is the StatusNet sitename, #. TRANS: %7$s is the adding user's nickname. -#: lib/mail.php:610 +#: lib/mail.php:614 #, php-format msgid "" "%1$s (@%7$s) just added your notice from %2$s as one of their favorites.\n" @@ -7839,7 +7887,7 @@ msgid "" msgstr "" #. TRANS: Line in @-reply notification e-mail. %s is conversation URL. -#: lib/mail.php:668 +#: lib/mail.php:672 #, php-format msgid "" "The full conversation can be read here:\n" @@ -7849,7 +7897,7 @@ msgstr "" #. TRANS: E-mail subject for notice notification. #. TRANS: %1$s is the sending user's long name, %2$s is the adding user's nickname. -#: lib/mail.php:676 +#: lib/mail.php:680 #, php-format msgid "%1$s (@%2$s) sent a notice to your attention" msgstr "" @@ -7860,7 +7908,7 @@ msgstr "" #. TRANS: %5$s is a URL to the full conversion if it exists (otherwise empty), #. TRANS: %6$s is a URL to reply to the notice, %7$s is a URL to all @-replied for the addressed user, #. TRANS: %8$s is a URL to the addressed user's e-mail settings, %9$s is the sender's nickname. -#: lib/mail.php:684 +#: lib/mail.php:688 #, php-format msgid "" "%1$s (@%9$s) just sent a notice to your attention (an '@-reply') on %2$s.\n" @@ -7980,7 +8028,7 @@ msgstr "Kunne ikkje slette favoritt." #. TRANS: Client exception thrown trying to upload a forbidden MIME type. #. TRANS: %1$s is the file type that was denied, %2$s is the application part of #. TRANS: the MIME type that was denied. -#: lib/mediafile.php:340 +#: lib/mediafile.php:345 #, php-format msgid "" "\"%1$s\" is not a supported file type on this server. Try using another %2$s " @@ -7989,7 +8037,7 @@ msgstr "" #. TRANS: Client exception thrown trying to upload a forbidden MIME type. #. TRANS: %s is the file type that was denied. -#: lib/mediafile.php:345 +#: lib/mediafile.php:350 #, php-format msgid "\"%s\" is not a supported file type on this server." msgstr "" @@ -8135,31 +8183,31 @@ msgstr "" msgid "Couldn't insert new subscription." msgstr "Kan ikkje leggja til ny tinging." -#: lib/personalgroupnav.php:99 +#: lib/personalgroupnav.php:102 msgid "Personal" msgstr "Personleg" -#: lib/personalgroupnav.php:104 +#: lib/personalgroupnav.php:107 msgid "Replies" msgstr "Svar" -#: lib/personalgroupnav.php:114 +#: lib/personalgroupnav.php:117 msgid "Favorites" msgstr "Favorittar" -#: lib/personalgroupnav.php:125 +#: lib/personalgroupnav.php:128 msgid "Inbox" msgstr "Innboks" -#: lib/personalgroupnav.php:126 +#: lib/personalgroupnav.php:129 msgid "Your incoming messages" msgstr "Dine innkomande meldinger" -#: lib/personalgroupnav.php:130 +#: lib/personalgroupnav.php:133 msgid "Outbox" msgstr "Utboks" -#: lib/personalgroupnav.php:131 +#: lib/personalgroupnav.php:134 msgid "Your sent messages" msgstr "Dine sende meldingar" @@ -8368,6 +8416,12 @@ msgstr "" msgid "None" msgstr "Ingen" +#. TRANS: Server exception displayed if a theme name was invalid. +#: lib/theme.php:74 +#, fuzzy +msgid "Invalid theme name." +msgstr "Ugyldig filnamn." + #: lib/themeuploader.php:50 msgid "This server cannot handle theme uploads without ZIP support." msgstr "" @@ -8620,19 +8674,3 @@ msgid "%d entry in backup." msgid_plural "%d entries in backup." msgstr[0] "" msgstr[1] "" - -#, fuzzy -#~ msgid "Name is too long (maximum 255 chars)." -#~ msgstr "Ditt fulle namn er for langt (maksimalt 255 teikn)." - -#, fuzzy -#~ msgid "Organization is too long (maximum 255 chars)." -#~ msgstr "Plassering er for lang (maksimalt 255 teikn)." - -#, fuzzy -#~ msgid "That's too long. Max notice size is %d chars." -#~ msgstr "Du kan lasta opp ein logo for gruppa." - -#, fuzzy -#~ msgid " tagged %s" -#~ msgstr "Notisar merka med %s" diff --git a/locale/pl/LC_MESSAGES/statusnet.po b/locale/pl/LC_MESSAGES/statusnet.po index 499657993e..388e04527a 100644 --- a/locale/pl/LC_MESSAGES/statusnet.po +++ b/locale/pl/LC_MESSAGES/statusnet.po @@ -11,8 +11,8 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet - Core\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-11-02 22:51+0000\n" -"PO-Revision-Date: 2010-11-02 22:53:36+0000\n" +"POT-Creation-Date: 2010-11-04 18:25+0000\n" +"PO-Revision-Date: 2010-11-04 18:27:43+0000\n" "Last-Translator: Piotr Drąg \n" "Language-Team: Polish \n" "MIME-Version: 1.0\n" @@ -20,11 +20,11 @@ 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 (r75875); Translate extension (2010-09-17)\n" +"X-Generator: MediaWiki 1.17alpha (r76004); Translate extension (2010-09-17)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: pl\n" "X-Message-Group: #out-statusnet-core\n" -"X-POT-Import-Date: 2010-10-30 23:42:01+0000\n" +"X-POT-Import-Date: 2010-11-02 23:22:49+0000\n" #. TRANS: Page title for Access admin panel that allows configuring site access. #. TRANS: Menu item for site administration @@ -89,12 +89,14 @@ msgstr "Zapisz ustawienia dostępu" #. TRANS: Save button for settings for a profile in a subscriptions list. #. TRANS: Button text to save user settings in user admin panel. #. TRANS: Button label in the "Edit application" form. +#. TRANS: Button text on profile design page to save settings. #: actions/accessadminpanel.php:193 actions/emailsettings.php:228 #: actions/imsettings.php:187 actions/othersettings.php:134 #: actions/pathsadminpanel.php:512 actions/profilesettings.php:201 #: actions/sitenoticeadminpanel.php:197 actions/smssettings.php:209 #: actions/subscriptions.php:246 actions/useradminpanel.php:298 -#: lib/applicationeditform.php:355 lib/groupeditform.php:207 +#: lib/applicationeditform.php:355 lib/designsettings.php:270 +#: lib/groupeditform.php:207 msgctxt "BUTTON" msgid "Save" msgstr "Zapisz" @@ -162,7 +164,7 @@ msgstr "%1$s i przyjaciele, strona %2$d" #. TRANS: Timeline title for user and friends. %s is a user nickname. #: actions/all.php:94 actions/all.php:191 actions/allrss.php:115 #: actions/apitimelinefriends.php:207 actions/apitimelinehome.php:113 -#: lib/personalgroupnav.php:100 +#: lib/personalgroupnav.php:103 #, php-format msgid "%s and friends" msgstr "Użytkownik %s i przyjaciele" @@ -337,11 +339,13 @@ msgstr "Nie można zapisać profilu." #. TRANS: Client error displayed when the number of bytes in a POST request exceeds a limit. #. TRANS: %s is the number of bytes of the CONTENT_LENGTH. +#. TRANS: Form validation error in design settings form. POST should remain untranslated. #: actions/apiaccountupdateprofilebackgroundimage.php:108 #: actions/apiaccountupdateprofileimage.php:95 actions/apimediaupload.php:81 #: actions/apistatusesupdate.php:210 actions/avatarsettings.php:269 #: actions/designadminpanel.php:125 actions/editapplication.php:121 #: actions/newapplication.php:104 actions/newnotice.php:95 +#: lib/designsettings.php:298 #, php-format msgid "" "The server was unable to handle that much POST data (%s byte) due to its " @@ -754,7 +758,7 @@ msgstr "Token żądania został już upoważniony." #: actions/repeat.php:83 actions/smssettings.php:256 actions/subedit.php:40 #: actions/subscribe.php:86 actions/tagother.php:166 #: actions/unsubscribe.php:69 actions/userauthorization.php:52 -#: lib/designsettings.php:294 +#: lib/designsettings.php:310 msgid "There was a problem with your session token. Try again, please." msgstr "Wystąpił problem z tokenem sesji. Spróbuj ponownie." @@ -775,12 +779,13 @@ msgstr "Błąd bazy danych podczas wprowadzania oauth_token_association." #. TRANS: Message given submitting a form with an unknown action in IM settings. #. TRANS: Client error when submitting a form with unexpected information. #. TRANS: Message given submitting a form with an unknown action in SMS settings. +#. TRANS: Unknown form validation error in design settings form. #: actions/apioauthauthorize.php:294 actions/avatarsettings.php:294 #: actions/designadminpanel.php:104 actions/editapplication.php:144 #: actions/emailsettings.php:290 actions/grouplogo.php:322 #: actions/imsettings.php:245 actions/newapplication.php:125 #: actions/oauthconnectionssettings.php:147 actions/recoverpassword.php:44 -#: actions/smssettings.php:277 lib/designsettings.php:304 +#: actions/smssettings.php:277 lib/designsettings.php:321 msgid "Unexpected form submission." msgstr "Nieoczekiwane wysłanie formularza." @@ -832,7 +837,7 @@ msgstr "Konto" #. TRANS: Label for group nickname (dt). Text hidden by default. #: actions/apioauthauthorize.php:459 actions/login.php:252 #: actions/profilesettings.php:110 actions/register.php:433 -#: actions/showgroup.php:245 actions/tagother.php:94 +#: actions/showgroup.php:240 actions/tagother.php:94 #: actions/userauthorization.php:145 lib/groupeditform.php:152 #: lib/userprofile.php:132 msgid "Nickname" @@ -1097,7 +1102,7 @@ msgstr "Nie ma takiego załącznika." #: actions/avatarbynickname.php:60 actions/blockedfromgroup.php:73 #: actions/editgroup.php:85 actions/groupdesignsettings.php:84 #: actions/grouplogo.php:86 actions/groupmembers.php:76 -#: actions/grouprss.php:91 actions/showgroup.php:121 +#: actions/grouprss.php:91 actions/showgroup.php:116 msgid "No nickname." msgstr "Brak pseudonimu." @@ -1114,7 +1119,7 @@ msgstr "Nieprawidłowy rozmiar." #. TRANS: Title for avatar upload page. #. TRANS: Label for group avatar (dt). Text hidden by default. #. TRANS: Link description in user account settings menu. -#: actions/avatarsettings.php:66 actions/showgroup.php:229 +#: actions/avatarsettings.php:66 actions/showgroup.php:224 #: lib/accountsettingsaction.php:113 msgid "Avatar" msgstr "Awatar" @@ -1287,7 +1292,7 @@ msgstr "Zapisanie informacji o blokadzie nie powiodło się." #: actions/groupunblock.php:88 actions/joingroup.php:82 #: actions/joingroup.php:93 actions/leavegroup.php:82 #: actions/leavegroup.php:93 actions/makeadmin.php:86 -#: actions/showgroup.php:139 actions/showgroup.php:148 lib/command.php:168 +#: actions/showgroup.php:134 actions/showgroup.php:143 lib/command.php:168 #: lib/command.php:380 msgid "No such group." msgstr "Nie ma takiej grupy." @@ -1643,12 +1648,14 @@ msgstr "Własny motyw" msgid "You can upload a custom StatusNet theme as a .ZIP archive." msgstr "Można wysłać własny motyw witryny StatusNet jako archiwum zip." -#: actions/designadminpanel.php:512 lib/designsettings.php:101 +#. TRANS: Fieldset legend on profile design page. +#: actions/designadminpanel.php:512 lib/designsettings.php:98 msgid "Change background image" msgstr "Zmień obraz tła" +#. TRANS: Label on profile design page for setting a profile page background colour. #: actions/designadminpanel.php:517 actions/designadminpanel.php:600 -#: lib/designsettings.php:178 +#: lib/designsettings.php:183 msgid "Background" msgstr "Tło" @@ -1660,40 +1667,48 @@ msgid "" msgstr "Można wysłać obraz tła dla witryny. Maksymalny rozmiar pliku to %1$s." #. TRANS: Used as radio button label to add a background image. -#: actions/designadminpanel.php:553 lib/designsettings.php:139 +#: actions/designadminpanel.php:553 msgid "On" msgstr "Włączone" #. TRANS: Used as radio button label to not add a background image. -#: actions/designadminpanel.php:570 lib/designsettings.php:155 +#: actions/designadminpanel.php:570 msgid "Off" msgstr "Wyłączone" -#: actions/designadminpanel.php:571 lib/designsettings.php:156 +#. TRANS: Form guide for a set of radio buttons on the profile design page that will enable or disable +#. TRANS: use of the uploaded profile image. +#: actions/designadminpanel.php:571 lib/designsettings.php:159 msgid "Turn background image on or off." msgstr "Włącz lub wyłącz obraz tła." -#: actions/designadminpanel.php:576 lib/designsettings.php:161 +#. TRANS: Checkbox label on profile design page that will cause the profile image to be tiled. +#: actions/designadminpanel.php:576 lib/designsettings.php:165 msgid "Tile background image" msgstr "Kafelkowy obraz tła" -#: actions/designadminpanel.php:590 lib/designsettings.php:170 +#. TRANS: Fieldset legend on profile design page to change profile page colours. +#: actions/designadminpanel.php:590 lib/designsettings.php:175 msgid "Change colours" msgstr "Zmień kolory" -#: actions/designadminpanel.php:613 lib/designsettings.php:191 +#. TRANS: Label on profile design page for setting a profile page content colour. +#: actions/designadminpanel.php:613 lib/designsettings.php:197 msgid "Content" msgstr "Treść" -#: actions/designadminpanel.php:626 lib/designsettings.php:204 +#. TRANS: Label on profile design page for setting a profile page sidebar colour. +#: actions/designadminpanel.php:626 lib/designsettings.php:211 msgid "Sidebar" msgstr "Panel boczny" -#: actions/designadminpanel.php:639 lib/designsettings.php:217 +#. TRANS: Label on profile design page for setting a profile page text colour. +#: actions/designadminpanel.php:639 lib/designsettings.php:225 msgid "Text" msgstr "Tekst" -#: actions/designadminpanel.php:652 lib/designsettings.php:230 +#. TRANS: Label on profile design page for setting a profile page links colour. +#: actions/designadminpanel.php:652 lib/designsettings.php:239 msgid "Links" msgstr "Odnośniki" @@ -1705,15 +1720,18 @@ msgstr "Zaawansowane" msgid "Custom CSS" msgstr "Własny plik CSS" -#: actions/designadminpanel.php:702 lib/designsettings.php:247 +#. TRANS: Button text on profile design page to immediately reset all colour settings to default. +#: actions/designadminpanel.php:702 lib/designsettings.php:257 msgid "Use defaults" msgstr "Użycie domyślnych" -#: actions/designadminpanel.php:703 lib/designsettings.php:248 +#. TRANS: Title for button on profile design page to reset all colour settings to default. +#: actions/designadminpanel.php:703 lib/designsettings.php:259 msgid "Restore default designs" msgstr "Przywróć domyślny wygląd" -#: actions/designadminpanel.php:709 lib/designsettings.php:254 +#. TRANS: Title for button on profile design page to reset all colour settings to default without saving. +#: actions/designadminpanel.php:709 lib/designsettings.php:267 msgid "Reset back to default" msgstr "Przywróć domyślne ustawienia" @@ -1721,11 +1739,12 @@ msgstr "Przywróć domyślne ustawienia" #: actions/designadminpanel.php:711 actions/licenseadminpanel.php:319 #: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:292 #: actions/snapshotadminpanel.php:245 actions/tagother.php:154 -#: lib/applicationeditform.php:357 lib/designsettings.php:256 +#: lib/applicationeditform.php:357 msgid "Save" msgstr "Zapisz" -#: actions/designadminpanel.php:712 lib/designsettings.php:257 +#. TRANS: Title for button on profile design page to save settings. +#: actions/designadminpanel.php:712 lib/designsettings.php:272 msgid "Save design" msgstr "Zapisz wygląd" @@ -1770,7 +1789,6 @@ msgstr "Nazwa jest wymagana." #. TRANS: Validation error shown when providing too long a name in the "Edit application" form. #: actions/editapplication.php:188 actions/newapplication.php:169 -#, fuzzy msgid "Name is too long (maximum 255 characters)." msgstr "Nazwa jest za długa (maksymalnie 255 znaków)." @@ -1860,7 +1878,7 @@ msgstr "Nie można zaktualizować grupy." #. TRANS: Server error displayed when group aliases could not be added. #. TRANS: Server exception thrown when creating group aliases failed. -#: actions/editgroup.php:288 classes/User_group.php:513 +#: actions/editgroup.php:288 classes/User_group.php:529 msgid "Could not create aliases." msgstr "Nie można utworzyć aliasów." @@ -2147,7 +2165,7 @@ msgstr "" "pierwszym, który doda wpis do ulubionych." #: actions/favoritesrss.php:111 actions/showfavorites.php:77 -#: lib/personalgroupnav.php:115 +#: lib/personalgroupnav.php:118 #, php-format msgid "%s's favorite notices" msgstr "Ulubione wpisy użytkownika %s" @@ -2324,8 +2342,10 @@ msgid "" "palette of your choice." msgstr "Dostosuj wygląd grupy za pomocą wybranego obrazu tła i palety kolorów." +#. TRANS: Error message displayed if design settings could not be saved. +#. TRANS: Error message displayed if design settings could not be saved after clicking "Use defaults". #: actions/groupdesignsettings.php:266 actions/userdesignsettings.php:186 -#: lib/designsettings.php:391 lib/designsettings.php:413 +#: lib/designsettings.php:405 lib/designsettings.php:427 msgid "Couldn't update your design." msgstr "Nie można zaktualizować wyglądu." @@ -2718,7 +2738,7 @@ msgstr[2] "Jesteś już subskrybowany do tych użytkowników:" #. TRANS: Used as list item for already subscribed users (%1$s is nickname, %2$s is e-mail address). #. TRANS: Used as list item for already registered people (%1$s is nickname, %2$s is e-mail address). #: actions/invite.php:145 actions/invite.php:159 -#, fuzzy, php-format +#, php-format msgctxt "INVITE" msgid "%1$s (%2$s)" msgstr "%1$s (%2$s)" @@ -2908,7 +2928,6 @@ msgstr "" "zastrzeżone\"." #: actions/licenseadminpanel.php:156 -#, fuzzy msgid "Invalid license title. Maximum length is 255 characters." msgstr "Nieprawidłowy tytuł licencji. Maksymalna długość to 255 znaków." @@ -3288,25 +3307,25 @@ msgstr "" msgid "Notice has no profile." msgstr "Wpis nie posiada profilu." -#: actions/oembed.php:87 actions/shownotice.php:176 +#: actions/oembed.php:83 actions/shownotice.php:172 #, php-format msgid "%1$s's status on %2$s" msgstr "Stan użytkownika %1$s na %2$s" #. TRANS: Error message displaying attachments. %s is a raw MIME type (eg 'image/png') -#: actions/oembed.php:159 +#: actions/oembed.php:155 #, php-format msgid "Content type %s not supported." msgstr "Typ zawartości %s jest nieobsługiwany." #. TRANS: Error message displaying attachments. %s is the site's base URL. -#: actions/oembed.php:163 +#: actions/oembed.php:159 #, php-format msgid "Only %s URLs over plain HTTP please." msgstr "Dozwolone są tylko adresy URL %s przez zwykły protokół HTTP." #. TRANS: Client error on an API request with an unsupported data format. -#: actions/oembed.php:184 actions/oembed.php:203 lib/apiaction.php:1200 +#: actions/oembed.php:180 actions/oembed.php:199 lib/apiaction.php:1200 #: lib/apiaction.php:1227 lib/apiaction.php:1356 msgid "Not a supported data format." msgstr "To nie jest obsługiwany format danych." @@ -3357,7 +3376,6 @@ msgstr "Wyświetl lub ukryj ustawienia wyglądu profilu." #. TRANS: Form validation error for form "Other settings" in user profile. #: actions/othersettings.php:162 -#, fuzzy msgid "URL shortening service is too long (maximum 50 characters)." msgstr "Adres URL usługi skracania jest za długi (maksymalnie 50 znaków)." @@ -3787,7 +3805,7 @@ msgstr "1-64 małe litery lub liczby, bez spacji i znaków przestankowych." #. TRANS: Field label in form for profile settings. #. TRANS: Label for full group name (dt). Text hidden by default. #: actions/profilesettings.php:117 actions/register.php:457 -#: actions/showgroup.php:257 actions/tagother.php:104 +#: actions/showgroup.php:252 actions/tagother.php:104 #: lib/groupeditform.php:157 lib/userprofile.php:150 msgid "Full name" msgstr "Imię i nazwisko" @@ -3829,7 +3847,7 @@ msgstr "O mnie" #. TRANS: Field label in form for profile settings. #. TRANS: Label for group location (dt). Text hidden by default. #: actions/profilesettings.php:149 actions/register.php:485 -#: actions/showgroup.php:267 actions/tagother.php:112 +#: actions/showgroup.php:262 actions/tagother.php:112 #: actions/userauthorization.php:166 lib/groupeditform.php:180 #: lib/userprofile.php:165 msgid "Location" @@ -4170,7 +4188,6 @@ msgid "Unexpected password reset." msgstr "Nieoczekiwane przywrócenie hasła." #: actions/recoverpassword.php:365 -#, fuzzy msgid "Password must be 6 characters or more." msgstr "Hasło musi mieć sześć lub więcej znaków." @@ -4414,7 +4431,7 @@ msgid "Repeated!" msgstr "Powtórzono." #: actions/replies.php:126 actions/repliesrss.php:68 -#: lib/personalgroupnav.php:105 +#: lib/personalgroupnav.php:108 #, php-format msgid "Replies to %s" msgstr "Odpowiedzi na %s" @@ -4552,7 +4569,7 @@ msgid "Description" msgstr "Opis" #. TRANS: Header for group statistics on a group page (h2). -#: actions/showapplication.php:192 actions/showgroup.php:453 +#: actions/showapplication.php:192 actions/showgroup.php:448 #: lib/profileaction.php:187 msgid "Statistics" msgstr "Statystyki" @@ -4669,94 +4686,94 @@ msgid "This is a way to share what you like." msgstr "To jest sposób na współdzielenie tego, co chcesz." #. TRANS: Page title for first group page. %s is a group name. -#: actions/showgroup.php:80 +#: actions/showgroup.php:75 #, php-format msgid "%s group" msgstr "Grupa %s" #. TRANS: Page title for any but first group page. #. TRANS: %1$s is a group name, $2$s is a page number. -#: actions/showgroup.php:84 +#: actions/showgroup.php:79 #, php-format msgid "%1$s group, page %2$d" msgstr "Grupa %1$s, strona %2$d" #. TRANS: Group profile header (h2). Text hidden by default. -#: actions/showgroup.php:225 +#: actions/showgroup.php:220 msgid "Group profile" msgstr "Profil grupy" #. TRANS: Label for group URL (dt). Text hidden by default. -#: actions/showgroup.php:275 actions/tagother.php:118 +#: actions/showgroup.php:270 actions/tagother.php:118 #: actions/userauthorization.php:175 lib/userprofile.php:178 msgid "URL" msgstr "Adres URL" #. TRANS: Label for group description or group note (dt). Text hidden by default. -#: actions/showgroup.php:287 actions/tagother.php:128 +#: actions/showgroup.php:282 actions/tagother.php:128 #: actions/userauthorization.php:187 lib/userprofile.php:195 msgid "Note" msgstr "Wpis" #. TRANS: Label for group aliases (dt). Text hidden by default. -#: actions/showgroup.php:298 lib/groupeditform.php:187 +#: actions/showgroup.php:293 lib/groupeditform.php:187 msgid "Aliases" msgstr "Aliasy" #. TRANS: Group actions header (h2). Text hidden by default. -#: actions/showgroup.php:309 +#: actions/showgroup.php:304 msgid "Group actions" msgstr "Działania grupy" #. TRANS: Tooltip for feed link. %s is a group nickname. -#: actions/showgroup.php:350 +#: actions/showgroup.php:345 #, php-format msgid "Notice feed for %s group (RSS 1.0)" msgstr "Kanał wpisów dla grupy %s (RSS 1.0)" #. TRANS: Tooltip for feed link. %s is a group nickname. -#: actions/showgroup.php:357 +#: actions/showgroup.php:352 #, php-format msgid "Notice feed for %s group (RSS 2.0)" msgstr "Kanał wpisów dla grupy %s (RSS 2.0)" #. TRANS: Tooltip for feed link. %s is a group nickname. -#: actions/showgroup.php:364 +#: actions/showgroup.php:359 #, php-format msgid "Notice feed for %s group (Atom)" msgstr "Kanał wpisów dla grupy %s (Atom)" #. TRANS: Tooltip for feed link. %s is a group nickname. -#: actions/showgroup.php:370 +#: actions/showgroup.php:365 #, php-format msgid "FOAF for %s group" msgstr "FOAF dla grupy %s" #. TRANS: Header for mini list of group members on a group page (h2). -#: actions/showgroup.php:407 +#: actions/showgroup.php:402 msgid "Members" msgstr "Członkowie" #. TRANS: Description for mini list of group members on a group page when the group has no members. -#: actions/showgroup.php:413 lib/profileaction.php:117 +#: actions/showgroup.php:408 lib/profileaction.php:117 #: lib/profileaction.php:152 lib/profileaction.php:255 lib/section.php:95 #: lib/subscriptionlist.php:127 lib/tagcloudsection.php:71 msgid "(None)" msgstr "(Brak)" #. TRANS: Link to all group members from mini list of group members if group has more than n members. -#: actions/showgroup.php:422 +#: actions/showgroup.php:417 msgid "All members" msgstr "Wszyscy członkowie" #. TRANS: Label for creation date in statistics on group page. -#: actions/showgroup.php:458 +#: actions/showgroup.php:453 msgctxt "LABEL" msgid "Created" msgstr "Utworzono" #. TRANS: Label for member count in statistics on group page. -#: actions/showgroup.php:466 +#: actions/showgroup.php:461 msgctxt "LABEL" msgid "Members" msgstr "Członkowie" @@ -4765,7 +4782,7 @@ msgstr "Członkowie" #. TRANS: **%s** is the group alias, %%%%site.name%%%% is the site name, #. TRANS: %%%%action.register%%%% is the URL for registration, %%%%doc.help%%%% is a URL to help. #. TRANS: This message contains Markdown links. Ensure they are formatted correctly: [Description](link). -#: actions/showgroup.php:481 +#: actions/showgroup.php:476 #, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -4784,7 +4801,7 @@ msgstr "" #. TRANS: Notice on group pages for anonymous users for StatusNet sites that accept no new registrations. #. TRANS: **%s** is the group alias, %%%%site.name%%%% is the site name, #. TRANS: This message contains Markdown links. Ensure they are formatted correctly: [Description](link). -#: actions/showgroup.php:491 +#: actions/showgroup.php:486 #, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -4798,7 +4815,7 @@ msgstr "" "krótkimi wiadomościami o swoim życiu i zainteresowaniach. " #. TRANS: Header for list of group administrators on a group page (h2). -#: actions/showgroup.php:520 +#: actions/showgroup.php:515 msgid "Admins" msgstr "Administratorzy" @@ -4832,16 +4849,16 @@ msgstr "Usunięto wpis." #. TRANS: Page title showing tagged notices in one user's stream. %1$s is the username, %2$s is the hash tag. #: actions/showstream.php:70 -#, fuzzy, php-format +#, php-format msgid "%1$s tagged %2$s" -msgstr "%1$s, strona %2$d" +msgstr "%1$s nadał etykietę %2$s" #. TRANS: Page title showing tagged notices in one user's stream. #. TRANS: %1$s is the username, %2$s is the hash tag, %1$d is the page number. #: actions/showstream.php:74 -#, fuzzy, php-format +#, php-format msgid "%1$s tagged %2$s, page %3$d" -msgstr "Wpisy ze znacznikiem %1$s, strona %2$d" +msgstr "%1$s nadał etykietę %2$s, strona %3$d" #. TRANS: Extended page title showing tagged notices in one user's stream. #. TRANS: %1$s is the username, %2$d is the page number. @@ -4885,10 +4902,10 @@ msgstr "FOAF dla %s" #. TRANS: First sentence of empty list message for a stream. $1%s is a user nickname. #: actions/showstream.php:211 -#, fuzzy, php-format +#, php-format msgid "This is the timeline for %1$s, but %1$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ł." +"To jest oś czasu dla użytkownika %1$s, ale %1$s nie nic jeszcze nie wysłał." #. TRANS: Second sentence of empty list message for a stream for the user themselves. #: actions/showstream.php:217 @@ -5071,7 +5088,6 @@ msgstr "Nie można zapisać wpisu witryny." #. TRANS: Client error displayed when a site-wide notice was longer than allowed. #: actions/sitenoticeadminpanel.php:112 -#, fuzzy msgid "Maximum length for the site-wide notice is 255 characters." msgstr "Maksymalna długość wpisu witryny to 255 znaków." @@ -5082,7 +5098,6 @@ msgstr "Tekst wpisu witryny" #. TRANS: Tooltip for site-wide notice text field in admin panel. #: actions/sitenoticeadminpanel.php:179 -#, fuzzy msgid "Site-wide notice text (255 characters maximum; HTML allowed)" msgstr "" "Tekst wpisu witryny (maksymalnie 255 znaków, można używać znaczników HTML)" @@ -5572,20 +5587,19 @@ msgstr "Nieprawidłowe ograniczenie informacji o sobie. Musi być liczbowa." #. TRANS: Form validation error in user admin panel when welcome text is too long. #: actions/useradminpanel.php:154 -#, fuzzy msgid "Invalid welcome text. Maximum length is 255 characters." msgstr "Nieprawidłowy tekst powitania. Maksymalna długość to 255 znaków." #. TRANS: Client error displayed when trying to set a non-existing user as default subscription for new #. TRANS: users in user admin panel. %1$s is the invalid nickname. #: actions/useradminpanel.php:166 -#, fuzzy, php-format +#, php-format msgid "Invalid default subscripton: '%1$s' is not a user." msgstr "Nieprawidłowa domyślna subskrypcja: \"%1$s\" nie jest użytkownikiem." #. TRANS: Link description in user account settings menu. #: actions/useradminpanel.php:215 lib/accountsettingsaction.php:106 -#: lib/personalgroupnav.php:109 +#: lib/personalgroupnav.php:112 msgid "Profile" msgstr "Profil" @@ -5611,7 +5625,6 @@ msgstr "Powitanie nowego użytkownika" #. TRANS: Tooltip in user admin panel for setting new user welcome text. #: actions/useradminpanel.php:238 -#, fuzzy msgid "Welcome text for new users (maximum 255 characters)." msgstr "Tekst powitania nowych użytkowników (maksymalnie 255 znaków)." @@ -5747,11 +5760,13 @@ msgstr "Nie można odczytać adresu URL awatara \"%s\"." msgid "Wrong image type for avatar URL ‘%s’." msgstr "Błędny typ obrazu dla adresu URL awatara \"%s\"." -#: actions/userdesignsettings.php:76 lib/designsettings.php:65 +#. TRANS: Page title for profile design page. +#: actions/userdesignsettings.php:76 lib/designsettings.php:63 msgid "Profile design" msgstr "Wygląd profilu" -#: actions/userdesignsettings.php:87 lib/designsettings.php:76 +#. TRANS: Instructions for profile design page. +#: actions/userdesignsettings.php:87 lib/designsettings.php:74 msgid "" "Customize the way your profile looks with a background image and a colour " "palette of your choice." @@ -5884,34 +5899,56 @@ msgstr "Robin sądzi, że coś jest niemożliwe." #. TRANS: Message given if an upload is larger than the configured maximum. #. TRANS: %1$d is the byte limit for uploads, %2$d is the byte count for the uploaded file. -#: classes/File.php:189 -#, php-format +#. TRANS: %1$s is used for plural. +#: classes/File.php:190 +#, fuzzy, php-format msgid "" +"No file may be larger than %1$d byte and the file you sent was %2$d bytes. " +"Try to upload a smaller version." +msgid_plural "" "No file may be larger than %1$d bytes and the file you sent was %2$d bytes. " "Try to upload a smaller version." -msgstr "" +msgstr[0] "" +"Żaden plik nie może być większy niż %1$d bajty, a wysłany plik miał %2$d " +"bajty. Proszę spróbować wysłać mniejszą wersję." +msgstr[1] "" +"Żaden plik nie może być większy niż %1$d bajty, a wysłany plik miał %2$d " +"bajty. Proszę spróbować wysłać mniejszą wersję." +msgstr[2] "" "Żaden plik nie może być większy niż %1$d bajty, a wysłany plik miał %2$d " "bajty. Proszę spróbować wysłać mniejszą wersję." #. TRANS: Message given if an upload would exceed user quota. -#. TRANS: %d (number) is the user quota in bytes. -#: classes/File.php:201 -#, php-format -msgid "A file this large would exceed your user quota of %d bytes." -msgstr "" +#. TRANS: %d (number) is the user quota in bytes and is used for plural. +#: classes/File.php:203 +#, fuzzy, php-format +msgid "A file this large would exceed your user quota of %d byte." +msgid_plural "A file this large would exceed your user quota of %d bytes." +msgstr[0] "" +"Plik tej wielkości przekroczyłby przydział użytkownika wynoszący %d bajty." +msgstr[1] "" +"Plik tej wielkości przekroczyłby przydział użytkownika wynoszący %d bajty." +msgstr[2] "" "Plik tej wielkości przekroczyłby przydział użytkownika wynoszący %d bajty." #. TRANS: Message given id an upload would exceed a user's monthly quota. -#. TRANS: $d (number) is the monthly user quota in bytes. -#: classes/File.php:210 -#, php-format -msgid "A file this large would exceed your monthly quota of %d bytes." -msgstr "" +#. TRANS: $d (number) is the monthly user quota in bytes and is used for plural. +#: classes/File.php:215 +#, fuzzy, php-format +msgid "A file this large would exceed your monthly quota of %d byte." +msgid_plural "A file this large would exceed your monthly quota of %d bytes." +msgstr[0] "" +"Plik tej wielkości przekroczyłby miesięczny przydział użytkownika wynoszący %" +"d bajty." +msgstr[1] "" +"Plik tej wielkości przekroczyłby miesięczny przydział użytkownika wynoszący %" +"d bajty." +msgstr[2] "" "Plik tej wielkości przekroczyłby miesięczny przydział użytkownika wynoszący %" "d bajty." #. TRANS: Client exception thrown if a file upload does not have a valid name. -#: classes/File.php:247 classes/File.php:262 +#: classes/File.php:262 classes/File.php:277 msgid "Invalid filename." msgstr "Nieprawidłowa nazwa pliku." @@ -6040,32 +6077,33 @@ msgid "Problem saving notice." msgstr "Problem podczas zapisywania wpisu." #. TRANS: Server exception thrown when no array is provided to the method saveKnownGroups(). -#: classes/Notice.php:907 -msgid "Bad type provided to saveKnownGroups" +#: classes/Notice.php:905 +#, fuzzy +msgid "Bad type provided to saveKnownGroups." msgstr "Podano błędne dane do saveKnownGroups" #. TRANS: Server exception thrown when an update for a group inbox fails. -#: classes/Notice.php:1006 +#: classes/Notice.php:1004 msgid "Problem saving group inbox." msgstr "Problem podczas zapisywania skrzynki odbiorczej grupy." #. TRANS: Server exception thrown when a reply cannot be saved. #. TRANS: %1$d is a notice ID, %2$d is the ID of the mentioned user. -#: classes/Notice.php:1120 +#: classes/Notice.php:1118 #, php-format msgid "Could not save reply for %1$d, %2$d." msgstr "Nie można zapisać odpowiedzi na %1$d, %2$d." #. TRANS: Message used to repeat a notice. RT is the abbreviation of 'retweet'. #. TRANS: %1$s is the repeated user's name, %2$s is the repeated notice. -#: classes/Notice.php:1822 +#: classes/Notice.php:1820 #, php-format msgid "RT @%1$s %2$s" msgstr "RT @%1$s %2$s" #. TRANS: Full name of a profile or group followed by nickname in parens -#: classes/Profile.php:164 -#, fuzzy, php-format +#: classes/Profile.php:164 classes/User_group.php:247 +#, php-format msgctxt "FANCYNAME" msgid "%1$s (%2$s)" msgstr "%1$s (%2$s)" @@ -6161,22 +6199,22 @@ msgid "Single-user mode code called when not enabled." msgstr "Wywołano kod pojedynczego użytkownika, kiedy nie był włączony." #. TRANS: Server exception thrown when creating a group failed. -#: classes/User_group.php:495 +#: classes/User_group.php:511 msgid "Could not create group." msgstr "Nie można utworzyć grupy." #. TRANS: Server exception thrown when updating a group URI failed. -#: classes/User_group.php:505 +#: classes/User_group.php:521 msgid "Could not set group URI." msgstr "Nie można ustawić adresu URI grupy." #. TRANS: Server exception thrown when setting group membership failed. -#: classes/User_group.php:528 +#: classes/User_group.php:544 msgid "Could not set group membership." msgstr "Nie można ustawić członkostwa w grupie." #. TRANS: Server exception thrown when saving local group information failed. -#: classes/User_group.php:543 +#: classes/User_group.php:559 msgid "Could not save local group info." msgstr "Nie można zapisać informacji o lokalnej grupie." @@ -6230,7 +6268,7 @@ msgstr "Strona bez nazwy" #: lib/action.php:310 msgctxt "TOOLTIP" msgid "Show more" -msgstr "" +msgstr "Wyświetl więcej" #. TRANS: DT element for primary navigation menu. String is hidden in default CSS. #: lib/action.php:526 @@ -6587,7 +6625,7 @@ msgid "User configuration" msgstr "Konfiguracja użytkownika" #. TRANS: Menu item for site administration -#: lib/adminpanelaction.php:355 lib/personalgroupnav.php:115 +#: lib/adminpanelaction.php:355 lib/personalgroupnav.php:118 msgid "User" msgstr "Użytkownik" @@ -6940,7 +6978,7 @@ msgstr "Użytkownik %1$s opuścił grupę %2$s." #. TRANS: Whois output. #. TRANS: %1$s nickname of the queried user, %2$s is their profile URL. #: lib/command.php:426 -#, fuzzy, php-format +#, php-format msgctxt "WHOIS" msgid "%1$s (%2$s)" msgstr "%1$s (%2$s)" @@ -6987,11 +7025,11 @@ msgstr "" #. TRANS: Message given if content is too long. %1$sd is used for plural. #. TRANS: %1$d is the maximum number of characters, %2$d is the number of submitted characters. #: lib/command.php:488 -#, fuzzy, php-format +#, php-format msgid "Message too long - maximum is %1$d character, you sent %2$d." msgid_plural "Message too long - maximum is %1$d characters, you sent %2$d." -msgstr[0] "Wiadomość jest za długa - maksymalnie %1$d znaków, wysłano %2$d." -msgstr[1] "Wiadomość jest za długa - maksymalnie %1$d znaków, wysłano %2$d." +msgstr[0] "Wiadomość jest za długa - maksymalnie %1$d znak, wysłano %2$d." +msgstr[1] "Wiadomość jest za długa - maksymalnie %1$d znaki, wysłano %2$d." msgstr[2] "Wiadomość jest za długa - maksymalnie %1$d znaków, wysłano %2$d." #. TRANS: Error text shown sending a direct message fails with an unknown reason. @@ -7014,11 +7052,11 @@ msgstr "Błąd podczas powtarzania wpisu." #. TRANS: Message given if content of a notice for a reply is too long. %1$d is used for plural. #. TRANS: %1$d is the maximum number of characters, %2$d is the number of submitted characters. #: lib/command.php:591 -#, fuzzy, php-format +#, php-format msgid "Notice too long - maximum is %1$d character, you sent %2$d." msgid_plural "Notice too long - maximum is %1$d characters, you sent %2$d." -msgstr[0] "Wpis jest za długi - maksymalnie %1$d znaków, wysłano %2$d." -msgstr[1] "Wpis jest za długi - maksymalnie %1$d znaków, wysłano %2$d." +msgstr[0] "Wpis jest za długi - maksymalnie %1$d znak, wysłano %2$d." +msgstr[1] "Wpis jest za długi - maksymalnie %1$d znaki, wysłano %2$d." msgstr[2] "Wpis jest za długi - maksymalnie %1$d znaków, wysłano %2$d." #. TRANS: Text shown having sent a reply to a notice successfully. @@ -7301,25 +7339,41 @@ msgstr "Upoważnione połączone aplikacje" msgid "Database error" msgstr "Błąd bazy danych" -#: lib/designsettings.php:105 +#. TRANS: Label in form on profile design page. +#. TRANS: Field contains file name on user's computer that could be that user's custom profile background image. +#: lib/designsettings.php:104 msgid "Upload file" msgstr "Wyślij plik" +#. TRANS: Instructions for form on profile design page. #: lib/designsettings.php:109 msgid "" "You can upload your personal background image. The maximum file size is 2MB." msgstr "Można wysłać osobisty obraz tła. Maksymalny rozmiar pliku to 2 MB." -#: 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 "" -"Serwer nie może obsłużyć aż tyle danych POST (%s bajty) z powodu bieżącej " -"konfiguracji." +#. TRANS: Radio button on profile design page that will enable use of the uploaded profile image. +#: lib/designsettings.php:139 +#, fuzzy +msgctxt "RADIO" +msgid "On" +msgstr "Włączone" -#: lib/designsettings.php:418 +#. TRANS: Radio button on profile design page that will disable use of the uploaded profile image. +#: lib/designsettings.php:156 +#, fuzzy +msgctxt "RADIO" +msgid "Off" +msgstr "Wyłączone" + +#. TRANS: Button text on profile design page to reset all colour settings to default without saving. +#: lib/designsettings.php:264 +#, fuzzy +msgctxt "BUTTON" +msgid "Reset" +msgstr "Przywróć" + +#. TRANS: Success message displayed if design settings were saved after clicking "Use defaults". +#: lib/designsettings.php:433 msgid "Design defaults restored." msgstr "Przywrócono domyślny wygląd." @@ -7386,32 +7440,30 @@ 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" #: lib/groupeditform.php:163 -#, fuzzy msgid "URL of the homepage or blog of the group or topic." -msgstr "Adres URL strony domowej lub bloga grupy, albo temat" +msgstr "Adres URL strony domowej lub bloga grupy, albo temat." #: lib/groupeditform.php:168 msgid "Describe the group or topic" msgstr "Opisz grupę lub temat" #: lib/groupeditform.php:170 -#, fuzzy, php-format +#, php-format msgid "Describe the group or topic in %d character or less" msgid_plural "Describe the group or topic in %d characters or less" -msgstr[0] "Opisz grupę lub temat w %d znakach" +msgstr[0] "Opisz grupę lub temat w %d znaku" msgstr[1] "Opisz grupę lub temat w %d znakach" msgstr[2] "Opisz grupę lub temat w %d znakach" #: lib/groupeditform.php:182 -#, fuzzy msgid "" "Location for the group, if any, like \"City, State (or Region), Country\"." msgstr "" "Położenie grupy, jeśli istnieje, np. \"miasto, województwo (lub region), kraj" -"\"" +"\"." #: lib/groupeditform.php:190 -#, fuzzy, php-format +#, php-format msgid "" "Extra nicknames for the group, separated with commas or spaces. Maximum %d " "alias allowed." @@ -7420,13 +7472,13 @@ msgid_plural "" "aliases allowed." msgstr[0] "" "Dodatkowe pseudonimy grupy, oddzielone przecinkami lub spacjami, maksymalnie " -"%d" +"%d." msgstr[1] "" "Dodatkowe pseudonimy grupy, oddzielone przecinkami lub spacjami, maksymalnie " -"%d" +"%d." msgstr[2] "" "Dodatkowe pseudonimy grupy, oddzielone przecinkami lub spacjami, maksymalnie " -"%d" +"%d." #. TRANS: Menu item in the group navigation page. #: lib/groupnav.php:86 @@ -7830,7 +7882,7 @@ msgstr "" #. TRANS: Subject for favorite notification e-mail. #. TRANS: %1$s is the adding user's long name, %2$s is the adding user's nickname. -#: lib/mail.php:603 +#: lib/mail.php:607 #, php-format msgid "%1$s (@%2$s) added your notice as a favorite" msgstr "Użytkownik %1$s (@%2$s) dodał twój wpis jako ulubiony" @@ -7840,7 +7892,7 @@ msgstr "Użytkownik %1$s (@%2$s) dodał twój wpis jako ulubiony" #. TRANS: %3$s is a URL to the faved notice, %4$s is the faved notice text, #. TRANS: %5$s is a URL to all faves of the adding user, %6$s is the StatusNet sitename, #. TRANS: %7$s is the adding user's nickname. -#: lib/mail.php:610 +#: lib/mail.php:614 #, php-format msgid "" "%1$s (@%7$s) just added your notice from %2$s as one of their favorites.\n" @@ -7879,7 +7931,7 @@ msgstr "" "%6$s\n" #. TRANS: Line in @-reply notification e-mail. %s is conversation URL. -#: lib/mail.php:668 +#: lib/mail.php:672 #, php-format msgid "" "The full conversation can be read here:\n" @@ -7892,7 +7944,7 @@ msgstr "" #. TRANS: E-mail subject for notice notification. #. TRANS: %1$s is the sending user's long name, %2$s is the adding user's nickname. -#: lib/mail.php:676 +#: lib/mail.php:680 #, php-format msgid "%1$s (@%2$s) sent a notice to your attention" msgstr "Użytkownik %1$s (@%2$s) wysłał wpis wymagający twojej uwagi" @@ -7903,7 +7955,7 @@ msgstr "Użytkownik %1$s (@%2$s) wysłał wpis wymagający twojej uwagi" #. TRANS: %5$s is a URL to the full conversion if it exists (otherwise empty), #. TRANS: %6$s is a URL to reply to the notice, %7$s is a URL to all @-replied for the addressed user, #. TRANS: %8$s is a URL to the addressed user's e-mail settings, %9$s is the sender's nickname. -#: lib/mail.php:684 +#: lib/mail.php:688 #, php-format msgid "" "%1$s (@%9$s) just sent a notice to your attention (an '@-reply') on %2$s.\n" @@ -8049,7 +8101,7 @@ msgstr "Nie można określić typu MIME pliku." #. TRANS: Client exception thrown trying to upload a forbidden MIME type. #. TRANS: %1$s is the file type that was denied, %2$s is the application part of #. TRANS: the MIME type that was denied. -#: lib/mediafile.php:340 +#: lib/mediafile.php:345 #, php-format msgid "" "\"%1$s\" is not a supported file type on this server. Try using another %2$s " @@ -8060,7 +8112,7 @@ msgstr "" #. TRANS: Client exception thrown trying to upload a forbidden MIME type. #. TRANS: %s is the file type that was denied. -#: lib/mediafile.php:345 +#: lib/mediafile.php:350 #, php-format msgid "\"%s\" is not a supported file type on this server." msgstr "\"%s\" nie jest obsługiwanym typem pliku na tym serwerze." @@ -8201,31 +8253,31 @@ msgstr "Podwójny wpis." msgid "Couldn't insert new subscription." msgstr "Nie można wprowadzić nowej subskrypcji." -#: lib/personalgroupnav.php:99 +#: lib/personalgroupnav.php:102 msgid "Personal" msgstr "Osobiste" -#: lib/personalgroupnav.php:104 +#: lib/personalgroupnav.php:107 msgid "Replies" msgstr "Odpowiedzi" -#: lib/personalgroupnav.php:114 +#: lib/personalgroupnav.php:117 msgid "Favorites" msgstr "Ulubione" -#: lib/personalgroupnav.php:125 +#: lib/personalgroupnav.php:128 msgid "Inbox" msgstr "Odebrane" -#: lib/personalgroupnav.php:126 +#: lib/personalgroupnav.php:129 msgid "Your incoming messages" msgstr "Wiadomości przychodzące" -#: lib/personalgroupnav.php:130 +#: lib/personalgroupnav.php:133 msgid "Outbox" msgstr "Wysłane" -#: lib/personalgroupnav.php:131 +#: lib/personalgroupnav.php:134 msgid "Your sent messages" msgstr "Wysłane wiadomości" @@ -8422,6 +8474,12 @@ msgstr "Chmura znaczników osób ze znacznikami" msgid "None" msgstr "Brak" +#. TRANS: Server exception displayed if a theme name was invalid. +#: lib/theme.php:74 +#, fuzzy +msgid "Invalid theme name." +msgstr "Nieprawidłowa nazwa pliku." + #: lib/themeuploader.php:50 msgid "This server cannot handle theme uploads without ZIP support." msgstr "" @@ -8442,15 +8500,15 @@ msgid "Invalid theme: bad directory structure." msgstr "Nieprawidłowy motyw: błędna struktura katalogów." #: lib/themeuploader.php:166 -#, fuzzy, php-format +#, php-format msgid "Uploaded theme is too large; must be less than %d byte uncompressed." msgid_plural "" "Uploaded theme is too large; must be less than %d bytes uncompressed." msgstr[0] "" -"Wysłany motyw jest za duży, musi być mniejszy niż %d bajtów po " +"Wysłany motyw jest za duży, musi być mniejszy niż %d bajt po " "zdekompresowaniu." msgstr[1] "" -"Wysłany motyw jest za duży, musi być mniejszy niż %d bajtów po " +"Wysłany motyw jest za duży, musi być mniejszy niż %d bajty po " "zdekompresowaniu." msgstr[2] "" "Wysłany motyw jest za duży, musi być mniejszy niż %d bajtów po " @@ -8671,7 +8729,7 @@ msgstr[2] "Wiadomość jest za długa. Maksymalnie %1$d znaków, wysłano %2$d." #: scripts/restoreuser.php:61 #, php-format msgid "Getting backup from file '%s'." -msgstr "" +msgstr "Pobieranie kopii zapasowej z pliku \"%s\"." #. TRANS: Commandline script output. #: scripts/restoreuser.php:91 @@ -8680,28 +8738,16 @@ msgstr "Nie podano użytkownika; używanie użytkownika zapasowego." #. TRANS: Commandline script output. %d is the number of entries in the activity stream in backup; used for plural. #: scripts/restoreuser.php:98 -#, fuzzy, php-format +#, php-format msgid "%d entry in backup." msgid_plural "%d entries in backup." -msgstr[0] "%d wpisów w kopii zapasowej." -msgstr[1] "%d wpisów w kopii zapasowej." +msgstr[0] "%d wpis w kopii zapasowej." +msgstr[1] "%d wpisy w kopii zapasowej." msgstr[2] "%d wpisów w kopii zapasowej." -#~ msgid "Name is too long (maximum 255 chars)." -#~ msgstr "Nazwa jest za długa (maksymalnie 255 znaków)." - -#~ msgid "Organization is too long (maximum 255 chars)." -#~ msgstr "Organizacja jest za długa (maksymalnie 255 znaków)." - -#~ msgid "That's too long. Max notice size is %d chars." -#~ msgstr "Wpis jest za długi. Maksymalna długość wynosi %d znaków." - -#~ msgid "Max notice size is %d chars, including attachment URL." +#~ msgid "" +#~ "The server was unable to handle that much POST data (%s bytes) due to its " +#~ "current configuration." #~ msgstr "" -#~ "Maksymalny rozmiar wpisu wynosi %d znaków, w tym adres URL załącznika." - -#~ msgid " tagged %s" -#~ msgstr " ze znacznikiem %s" - -#~ msgid "Backup file for user %s (%s)" -#~ msgstr "Plik kopii zapasowej dla użytkownika %s (%s)" +#~ "Serwer nie może obsłużyć aż tyle danych POST (%s bajty) z powodu bieżącej " +#~ "konfiguracji." diff --git a/locale/pt/LC_MESSAGES/statusnet.po b/locale/pt/LC_MESSAGES/statusnet.po index 2c04b685dd..2a7347ba2f 100644 --- a/locale/pt/LC_MESSAGES/statusnet.po +++ b/locale/pt/LC_MESSAGES/statusnet.po @@ -14,17 +14,17 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet - Core\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-11-02 22:51+0000\n" -"PO-Revision-Date: 2010-11-02 22:53:38+0000\n" +"POT-Creation-Date: 2010-11-04 18:25+0000\n" +"PO-Revision-Date: 2010-11-04 18:27:45+0000\n" "Language-Team: Portuguese \n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r75875); Translate extension (2010-09-17)\n" +"X-Generator: MediaWiki 1.17alpha (r76004); Translate extension (2010-09-17)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: pt\n" "X-Message-Group: #out-statusnet-core\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-POT-Import-Date: 2010-10-30 23:42:01+0000\n" +"X-POT-Import-Date: 2010-11-02 23:22:49+0000\n" #. TRANS: Page title for Access admin panel that allows configuring site access. #. TRANS: Menu item for site administration @@ -89,12 +89,14 @@ msgstr "Gravar configurações de acesso" #. TRANS: Save button for settings for a profile in a subscriptions list. #. TRANS: Button text to save user settings in user admin panel. #. TRANS: Button label in the "Edit application" form. +#. TRANS: Button text on profile design page to save settings. #: actions/accessadminpanel.php:193 actions/emailsettings.php:228 #: actions/imsettings.php:187 actions/othersettings.php:134 #: actions/pathsadminpanel.php:512 actions/profilesettings.php:201 #: actions/sitenoticeadminpanel.php:197 actions/smssettings.php:209 #: actions/subscriptions.php:246 actions/useradminpanel.php:298 -#: lib/applicationeditform.php:355 lib/groupeditform.php:207 +#: lib/applicationeditform.php:355 lib/designsettings.php:270 +#: lib/groupeditform.php:207 msgctxt "BUTTON" msgid "Save" msgstr "Gravar" @@ -162,7 +164,7 @@ msgstr "%1$s e amigos, página %2$d" #. TRANS: Timeline title for user and friends. %s is a user nickname. #: actions/all.php:94 actions/all.php:191 actions/allrss.php:115 #: actions/apitimelinefriends.php:207 actions/apitimelinehome.php:113 -#: lib/personalgroupnav.php:100 +#: lib/personalgroupnav.php:103 #, php-format msgid "%s and friends" msgstr "%s e amigos" @@ -336,11 +338,13 @@ msgstr "Não foi possível gravar o perfil." #. TRANS: Client error displayed when the number of bytes in a POST request exceeds a limit. #. TRANS: %s is the number of bytes of the CONTENT_LENGTH. +#. TRANS: Form validation error in design settings form. POST should remain untranslated. #: actions/apiaccountupdateprofilebackgroundimage.php:108 #: actions/apiaccountupdateprofileimage.php:95 actions/apimediaupload.php:81 #: actions/apistatusesupdate.php:210 actions/avatarsettings.php:269 #: actions/designadminpanel.php:125 actions/editapplication.php:121 #: actions/newapplication.php:104 actions/newnotice.php:95 +#: lib/designsettings.php:298 #, fuzzy, php-format msgid "" "The server was unable to handle that much POST data (%s byte) due to its " @@ -751,7 +755,7 @@ msgstr "Não tem autorização." #: actions/repeat.php:83 actions/smssettings.php:256 actions/subedit.php:40 #: actions/subscribe.php:86 actions/tagother.php:166 #: actions/unsubscribe.php:69 actions/userauthorization.php:52 -#: lib/designsettings.php:294 +#: lib/designsettings.php:310 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." @@ -773,12 +777,13 @@ msgstr "Erro na base de dados ao inserir o utilizador da aplicação OAuth." #. TRANS: Message given submitting a form with an unknown action in IM settings. #. TRANS: Client error when submitting a form with unexpected information. #. TRANS: Message given submitting a form with an unknown action in SMS settings. +#. TRANS: Unknown form validation error in design settings form. #: actions/apioauthauthorize.php:294 actions/avatarsettings.php:294 #: actions/designadminpanel.php:104 actions/editapplication.php:144 #: actions/emailsettings.php:290 actions/grouplogo.php:322 #: actions/imsettings.php:245 actions/newapplication.php:125 #: actions/oauthconnectionssettings.php:147 actions/recoverpassword.php:44 -#: actions/smssettings.php:277 lib/designsettings.php:304 +#: actions/smssettings.php:277 lib/designsettings.php:321 msgid "Unexpected form submission." msgstr "Envio inesperado de formulário." @@ -831,7 +836,7 @@ msgstr "Conta" #. TRANS: Label for group nickname (dt). Text hidden by default. #: actions/apioauthauthorize.php:459 actions/login.php:252 #: actions/profilesettings.php:110 actions/register.php:433 -#: actions/showgroup.php:245 actions/tagother.php:94 +#: actions/showgroup.php:240 actions/tagother.php:94 #: actions/userauthorization.php:145 lib/groupeditform.php:152 #: lib/userprofile.php:132 msgid "Nickname" @@ -1094,7 +1099,7 @@ msgstr "Anexo não foi encontrado." #: actions/avatarbynickname.php:60 actions/blockedfromgroup.php:73 #: actions/editgroup.php:85 actions/groupdesignsettings.php:84 #: actions/grouplogo.php:86 actions/groupmembers.php:76 -#: actions/grouprss.php:91 actions/showgroup.php:121 +#: actions/grouprss.php:91 actions/showgroup.php:116 msgid "No nickname." msgstr "Nome de utilizador não definido." @@ -1111,7 +1116,7 @@ msgstr "Tamanho inválido." #. TRANS: Title for avatar upload page. #. TRANS: Label for group avatar (dt). Text hidden by default. #. TRANS: Link description in user account settings menu. -#: actions/avatarsettings.php:66 actions/showgroup.php:229 +#: actions/avatarsettings.php:66 actions/showgroup.php:224 #: lib/accountsettingsaction.php:113 msgid "Avatar" msgstr "Avatar" @@ -1287,7 +1292,7 @@ msgstr "Não foi possível gravar informação do bloqueio." #: actions/groupunblock.php:88 actions/joingroup.php:82 #: actions/joingroup.php:93 actions/leavegroup.php:82 #: actions/leavegroup.php:93 actions/makeadmin.php:86 -#: actions/showgroup.php:139 actions/showgroup.php:148 lib/command.php:168 +#: actions/showgroup.php:134 actions/showgroup.php:143 lib/command.php:168 #: lib/command.php:380 msgid "No such group." msgstr "Grupo não foi encontrado." @@ -1655,12 +1660,14 @@ msgstr "" "Pode fazer o upload de um tema personalizado para o StatusNet, na forma de " "um arquivo .ZIP." -#: actions/designadminpanel.php:512 lib/designsettings.php:101 +#. TRANS: Fieldset legend on profile design page. +#: actions/designadminpanel.php:512 lib/designsettings.php:98 msgid "Change background image" msgstr "Alterar imagem de fundo" +#. TRANS: Label on profile design page for setting a profile page background colour. #: actions/designadminpanel.php:517 actions/designadminpanel.php:600 -#: lib/designsettings.php:178 +#: lib/designsettings.php:183 msgid "Background" msgstr "Fundo" @@ -1674,40 +1681,48 @@ msgstr "" "é %1$s." #. TRANS: Used as radio button label to add a background image. -#: actions/designadminpanel.php:553 lib/designsettings.php:139 +#: actions/designadminpanel.php:553 msgid "On" msgstr "Ligar" #. TRANS: Used as radio button label to not add a background image. -#: actions/designadminpanel.php:570 lib/designsettings.php:155 +#: actions/designadminpanel.php:570 msgid "Off" msgstr "Desligar" -#: actions/designadminpanel.php:571 lib/designsettings.php:156 +#. TRANS: Form guide for a set of radio buttons on the profile design page that will enable or disable +#. TRANS: use of the uploaded profile image. +#: actions/designadminpanel.php:571 lib/designsettings.php:159 msgid "Turn background image on or off." msgstr "Ligar ou desligar a imagem de fundo." -#: actions/designadminpanel.php:576 lib/designsettings.php:161 +#. TRANS: Checkbox label on profile design page that will cause the profile image to be tiled. +#: actions/designadminpanel.php:576 lib/designsettings.php:165 msgid "Tile background image" msgstr "Repetir imagem de fundo em mosaico" -#: actions/designadminpanel.php:590 lib/designsettings.php:170 +#. TRANS: Fieldset legend on profile design page to change profile page colours. +#: actions/designadminpanel.php:590 lib/designsettings.php:175 msgid "Change colours" msgstr "Alterar cores" -#: actions/designadminpanel.php:613 lib/designsettings.php:191 +#. TRANS: Label on profile design page for setting a profile page content colour. +#: actions/designadminpanel.php:613 lib/designsettings.php:197 msgid "Content" msgstr "Conteúdo" -#: actions/designadminpanel.php:626 lib/designsettings.php:204 +#. TRANS: Label on profile design page for setting a profile page sidebar colour. +#: actions/designadminpanel.php:626 lib/designsettings.php:211 msgid "Sidebar" msgstr "Barra" -#: actions/designadminpanel.php:639 lib/designsettings.php:217 +#. TRANS: Label on profile design page for setting a profile page text colour. +#: actions/designadminpanel.php:639 lib/designsettings.php:225 msgid "Text" msgstr "Texto" -#: actions/designadminpanel.php:652 lib/designsettings.php:230 +#. TRANS: Label on profile design page for setting a profile page links colour. +#: actions/designadminpanel.php:652 lib/designsettings.php:239 msgid "Links" msgstr "Links" @@ -1719,15 +1734,18 @@ msgstr "Avançado" msgid "Custom CSS" msgstr "CSS personalizado" -#: actions/designadminpanel.php:702 lib/designsettings.php:247 +#. TRANS: Button text on profile design page to immediately reset all colour settings to default. +#: actions/designadminpanel.php:702 lib/designsettings.php:257 msgid "Use defaults" msgstr "Usar predefinições" -#: actions/designadminpanel.php:703 lib/designsettings.php:248 +#. TRANS: Title for button on profile design page to reset all colour settings to default. +#: actions/designadminpanel.php:703 lib/designsettings.php:259 msgid "Restore default designs" msgstr "Repor estilos predefinidos" -#: actions/designadminpanel.php:709 lib/designsettings.php:254 +#. TRANS: Title for button on profile design page to reset all colour settings to default without saving. +#: actions/designadminpanel.php:709 lib/designsettings.php:267 msgid "Reset back to default" msgstr "Repor predefinição" @@ -1735,11 +1753,12 @@ msgstr "Repor predefinição" #: actions/designadminpanel.php:711 actions/licenseadminpanel.php:319 #: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:292 #: actions/snapshotadminpanel.php:245 actions/tagother.php:154 -#: lib/applicationeditform.php:357 lib/designsettings.php:256 +#: lib/applicationeditform.php:357 msgid "Save" msgstr "Gravar" -#: actions/designadminpanel.php:712 lib/designsettings.php:257 +#. TRANS: Title for button on profile design page to save settings. +#: actions/designadminpanel.php:712 lib/designsettings.php:272 msgid "Save design" msgstr "Gravar o estilo" @@ -1875,7 +1894,7 @@ msgstr "Não foi possível actualizar o grupo." #. TRANS: Server error displayed when group aliases could not be added. #. TRANS: Server exception thrown when creating group aliases failed. -#: actions/editgroup.php:288 classes/User_group.php:513 +#: actions/editgroup.php:288 classes/User_group.php:529 msgid "Could not create aliases." msgstr "Não foi possível criar os nomes alternativos." @@ -2165,7 +2184,7 @@ msgstr "" "uma nota às favoritas!" #: actions/favoritesrss.php:111 actions/showfavorites.php:77 -#: lib/personalgroupnav.php:115 +#: lib/personalgroupnav.php:118 #, php-format msgid "%s's favorite notices" msgstr "Notas favoritas de %s" @@ -2344,8 +2363,10 @@ msgstr "" "Personalize o aspecto do seu grupo com uma imagem de fundo e uma paleta de " "cores à sua escolha." +#. TRANS: Error message displayed if design settings could not be saved. +#. TRANS: Error message displayed if design settings could not be saved after clicking "Use defaults". #: actions/groupdesignsettings.php:266 actions/userdesignsettings.php:186 -#: lib/designsettings.php:391 lib/designsettings.php:413 +#: lib/designsettings.php:405 lib/designsettings.php:427 msgid "Couldn't update your design." msgstr "Não foi possível actualizar o estilo." @@ -3302,25 +3323,25 @@ msgstr "" msgid "Notice has no profile." msgstr "Nota não tem perfil." -#: actions/oembed.php:87 actions/shownotice.php:176 +#: actions/oembed.php:83 actions/shownotice.php:172 #, php-format msgid "%1$s's status on %2$s" msgstr "Estado de %1$s em %2$s" #. TRANS: Error message displaying attachments. %s is a raw MIME type (eg 'image/png') -#: actions/oembed.php:159 +#: actions/oembed.php:155 #, php-format msgid "Content type %s not supported." msgstr "O tipo de conteúdo %s não é suportado." #. TRANS: Error message displaying attachments. %s is the site's base URL. -#: actions/oembed.php:163 +#: actions/oembed.php:159 #, php-format msgid "Only %s URLs over plain HTTP please." msgstr "Só URLs %s sobre HTTP simples, por favor." #. TRANS: Client error on an API request with an unsupported data format. -#: actions/oembed.php:184 actions/oembed.php:203 lib/apiaction.php:1200 +#: actions/oembed.php:180 actions/oembed.php:199 lib/apiaction.php:1200 #: lib/apiaction.php:1227 lib/apiaction.php:1356 msgid "Not a supported data format." msgstr "Formato de dados não suportado." @@ -3820,7 +3841,7 @@ msgstr "1-64 letras minúsculas ou números, sem pontuação ou espaços" #. TRANS: Field label in form for profile settings. #. TRANS: Label for full group name (dt). Text hidden by default. #: actions/profilesettings.php:117 actions/register.php:457 -#: actions/showgroup.php:257 actions/tagother.php:104 +#: actions/showgroup.php:252 actions/tagother.php:104 #: lib/groupeditform.php:157 lib/userprofile.php:150 msgid "Full name" msgstr "Nome completo" @@ -3862,7 +3883,7 @@ msgstr "Biografia" #. TRANS: Field label in form for profile settings. #. TRANS: Label for group location (dt). Text hidden by default. #: actions/profilesettings.php:149 actions/register.php:485 -#: actions/showgroup.php:267 actions/tagother.php:112 +#: actions/showgroup.php:262 actions/tagother.php:112 #: actions/userauthorization.php:166 lib/groupeditform.php:180 #: lib/userprofile.php:165 msgid "Location" @@ -4454,7 +4475,7 @@ msgid "Repeated!" msgstr "Repetida!" #: actions/replies.php:126 actions/repliesrss.php:68 -#: lib/personalgroupnav.php:105 +#: lib/personalgroupnav.php:108 #, php-format msgid "Replies to %s" msgstr "Respostas a %s" @@ -4591,7 +4612,7 @@ msgid "Description" msgstr "Descrição" #. TRANS: Header for group statistics on a group page (h2). -#: actions/showapplication.php:192 actions/showgroup.php:453 +#: actions/showapplication.php:192 actions/showgroup.php:448 #: lib/profileaction.php:187 msgid "Statistics" msgstr "Estatísticas" @@ -4709,95 +4730,95 @@ msgid "This is a way to share what you like." msgstr "Esta é uma forma de partilhar aquilo de que gosta." #. TRANS: Page title for first group page. %s is a group name. -#: actions/showgroup.php:80 +#: actions/showgroup.php:75 #, php-format msgid "%s group" msgstr "Grupo %s" #. TRANS: Page title for any but first group page. #. TRANS: %1$s is a group name, $2$s is a page number. -#: actions/showgroup.php:84 +#: actions/showgroup.php:79 #, php-format msgid "%1$s group, page %2$d" msgstr "Grupo %1$s, página %2$d" #. TRANS: Group profile header (h2). Text hidden by default. -#: actions/showgroup.php:225 +#: actions/showgroup.php:220 msgid "Group profile" msgstr "Perfil do grupo" #. TRANS: Label for group URL (dt). Text hidden by default. -#: actions/showgroup.php:275 actions/tagother.php:118 +#: actions/showgroup.php:270 actions/tagother.php:118 #: actions/userauthorization.php:175 lib/userprofile.php:178 msgid "URL" msgstr "URL" #. TRANS: Label for group description or group note (dt). Text hidden by default. -#: actions/showgroup.php:287 actions/tagother.php:128 +#: actions/showgroup.php:282 actions/tagother.php:128 #: actions/userauthorization.php:187 lib/userprofile.php:195 msgid "Note" msgstr "Anotação" #. TRANS: Label for group aliases (dt). Text hidden by default. -#: actions/showgroup.php:298 lib/groupeditform.php:187 +#: actions/showgroup.php:293 lib/groupeditform.php:187 msgid "Aliases" msgstr "Nomes alternativos" #. TRANS: Group actions header (h2). Text hidden by default. -#: actions/showgroup.php:309 +#: actions/showgroup.php:304 msgid "Group actions" msgstr "Acções do grupo" #. TRANS: Tooltip for feed link. %s is a group nickname. -#: actions/showgroup.php:350 +#: actions/showgroup.php:345 #, php-format msgid "Notice feed for %s group (RSS 1.0)" msgstr "Fonte de notas do grupo %s (RSS 1.0)" #. TRANS: Tooltip for feed link. %s is a group nickname. -#: actions/showgroup.php:357 +#: actions/showgroup.php:352 #, php-format msgid "Notice feed for %s group (RSS 2.0)" msgstr "Fonte de notas do grupo %s (RSS 2.0)" #. TRANS: Tooltip for feed link. %s is a group nickname. -#: actions/showgroup.php:364 +#: actions/showgroup.php:359 #, php-format msgid "Notice feed for %s group (Atom)" msgstr "Fonte de notas do grupo %s (Atom)" #. TRANS: Tooltip for feed link. %s is a group nickname. -#: actions/showgroup.php:370 +#: actions/showgroup.php:365 #, php-format msgid "FOAF for %s group" msgstr "FOAF do grupo %s" #. TRANS: Header for mini list of group members on a group page (h2). -#: actions/showgroup.php:407 +#: actions/showgroup.php:402 msgid "Members" msgstr "Membros" #. TRANS: Description for mini list of group members on a group page when the group has no members. -#: actions/showgroup.php:413 lib/profileaction.php:117 +#: actions/showgroup.php:408 lib/profileaction.php:117 #: lib/profileaction.php:152 lib/profileaction.php:255 lib/section.php:95 #: lib/subscriptionlist.php:127 lib/tagcloudsection.php:71 msgid "(None)" msgstr "(Nenhum)" #. TRANS: Link to all group members from mini list of group members if group has more than n members. -#: actions/showgroup.php:422 +#: actions/showgroup.php:417 msgid "All members" msgstr "Todos os membros" #. TRANS: Label for creation date in statistics on group page. -#: actions/showgroup.php:458 +#: actions/showgroup.php:453 #, fuzzy msgctxt "LABEL" msgid "Created" msgstr "Criado" #. TRANS: Label for member count in statistics on group page. -#: actions/showgroup.php:466 +#: actions/showgroup.php:461 #, fuzzy msgctxt "LABEL" msgid "Members" @@ -4807,7 +4828,7 @@ msgstr "Membros" #. TRANS: **%s** is the group alias, %%%%site.name%%%% is the site name, #. TRANS: %%%%action.register%%%% is the URL for registration, %%%%doc.help%%%% is a URL to help. #. TRANS: This message contains Markdown links. Ensure they are formatted correctly: [Description](link). -#: actions/showgroup.php:481 +#: actions/showgroup.php:476 #, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -4826,7 +4847,7 @@ msgstr "" #. TRANS: Notice on group pages for anonymous users for StatusNet sites that accept no new registrations. #. TRANS: **%s** is the group alias, %%%%site.name%%%% is the site name, #. TRANS: This message contains Markdown links. Ensure they are formatted correctly: [Description](link). -#: actions/showgroup.php:491 +#: actions/showgroup.php:486 #, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -4840,7 +4861,7 @@ msgstr "" "grupo partilham mensagens curtas acerca das suas vidas e interesses. " #. TRANS: Header for list of group administrators on a group page (h2). -#: actions/showgroup.php:520 +#: actions/showgroup.php:515 msgid "Admins" msgstr "Gestores" @@ -5624,7 +5645,7 @@ msgstr "Subscrição predefinida é inválida: '%1$s' não é utilizador." #. TRANS: Link description in user account settings menu. #: actions/useradminpanel.php:215 lib/accountsettingsaction.php:106 -#: lib/personalgroupnav.php:109 +#: lib/personalgroupnav.php:112 msgid "Profile" msgstr "Perfil" @@ -5788,11 +5809,13 @@ msgstr "Não é possível ler a URL do avatar ‘%s’." msgid "Wrong image type for avatar URL ‘%s’." msgstr "Tipo de imagem incorrecto para o avatar da URL ‘%s’." -#: actions/userdesignsettings.php:76 lib/designsettings.php:65 +#. TRANS: Page title for profile design page. +#: actions/userdesignsettings.php:76 lib/designsettings.php:63 msgid "Profile design" msgstr "Estilo do perfil" -#: actions/userdesignsettings.php:87 lib/designsettings.php:76 +#. TRANS: Instructions for profile design page. +#: actions/userdesignsettings.php:87 lib/designsettings.php:74 msgid "" "Customize the way your profile looks with a background image and a colour " "palette of your choice." @@ -5923,32 +5946,46 @@ msgstr "o Robin acha que algo é impossível." #. TRANS: Message given if an upload is larger than the configured maximum. #. TRANS: %1$d is the byte limit for uploads, %2$d is the byte count for the uploaded file. -#: classes/File.php:189 -#, php-format +#. TRANS: %1$s is used for plural. +#: classes/File.php:190 +#, fuzzy, php-format msgid "" +"No file may be larger than %1$d byte and the file you sent was %2$d bytes. " +"Try to upload a smaller version." +msgid_plural "" "No file may be larger than %1$d bytes and the file you sent was %2$d bytes. " "Try to upload a smaller version." -msgstr "" +msgstr[0] "" +"Nenhum ficheiro pode ter mais de %1$d bytes e o que enviou tinha %2$d bytes. " +"Tente enviar uma versão mais pequena." +msgstr[1] "" "Nenhum ficheiro pode ter mais de %1$d bytes e o que enviou tinha %2$d bytes. " "Tente enviar uma versão mais pequena." #. TRANS: Message given if an upload would exceed user quota. -#. TRANS: %d (number) is the user quota in bytes. -#: classes/File.php:201 -#, php-format -msgid "A file this large would exceed your user quota of %d bytes." -msgstr "" +#. TRANS: %d (number) is the user quota in bytes and is used for plural. +#: classes/File.php:203 +#, fuzzy, php-format +msgid "A file this large would exceed your user quota of %d byte." +msgid_plural "A file this large would exceed your user quota of %d bytes." +msgstr[0] "" +"Um ficheiro desta dimensão excederia a sua quota de utilizador de %d bytes." +msgstr[1] "" "Um ficheiro desta dimensão excederia a sua quota de utilizador de %d bytes." #. TRANS: Message given id an upload would exceed a user's monthly quota. -#. TRANS: $d (number) is the monthly user quota in bytes. -#: classes/File.php:210 -#, php-format -msgid "A file this large would exceed your monthly quota of %d bytes." -msgstr "Um ficheiro desta dimensão excederia a sua quota mensal de %d bytes." +#. TRANS: $d (number) is the monthly user quota in bytes and is used for plural. +#: classes/File.php:215 +#, fuzzy, php-format +msgid "A file this large would exceed your monthly quota of %d byte." +msgid_plural "A file this large would exceed your monthly quota of %d bytes." +msgstr[0] "" +"Um ficheiro desta dimensão excederia a sua quota mensal de %d bytes." +msgstr[1] "" +"Um ficheiro desta dimensão excederia a sua quota mensal de %d bytes." #. TRANS: Client exception thrown if a file upload does not have a valid name. -#: classes/File.php:247 classes/File.php:262 +#: classes/File.php:262 classes/File.php:277 msgid "Invalid filename." msgstr "Nome de ficheiro inválido." @@ -6077,31 +6114,32 @@ msgid "Problem saving notice." msgstr "Problema na gravação da nota." #. TRANS: Server exception thrown when no array is provided to the method saveKnownGroups(). -#: classes/Notice.php:907 -msgid "Bad type provided to saveKnownGroups" +#: classes/Notice.php:905 +#, fuzzy +msgid "Bad type provided to saveKnownGroups." msgstr "O tipo fornecido ao método saveKnownGroups é incorrecto" #. TRANS: Server exception thrown when an update for a group inbox fails. -#: classes/Notice.php:1006 +#: classes/Notice.php:1004 msgid "Problem saving group inbox." msgstr "Problema na gravação da caixa de entrada do grupo." #. TRANS: Server exception thrown when a reply cannot be saved. #. TRANS: %1$d is a notice ID, %2$d is the ID of the mentioned user. -#: classes/Notice.php:1120 +#: classes/Notice.php:1118 #, fuzzy, php-format msgid "Could not save reply for %1$d, %2$d." msgstr "Não foi possível gravar a informação do grupo local." #. TRANS: Message used to repeat a notice. RT is the abbreviation of 'retweet'. #. TRANS: %1$s is the repeated user's name, %2$s is the repeated notice. -#: classes/Notice.php:1822 +#: classes/Notice.php:1820 #, php-format msgid "RT @%1$s %2$s" msgstr "RT @%1$s %2$s" #. TRANS: Full name of a profile or group followed by nickname in parens -#: classes/Profile.php:164 +#: classes/Profile.php:164 classes/User_group.php:247 #, fuzzy, php-format msgctxt "FANCYNAME" msgid "%1$s (%2$s)" @@ -6199,22 +6237,22 @@ msgid "Single-user mode code called when not enabled." msgstr "" #. TRANS: Server exception thrown when creating a group failed. -#: classes/User_group.php:495 +#: classes/User_group.php:511 msgid "Could not create group." msgstr "Não foi possível criar o grupo." #. TRANS: Server exception thrown when updating a group URI failed. -#: classes/User_group.php:505 +#: classes/User_group.php:521 msgid "Could not set group URI." msgstr "Não foi possível configurar a URI do grupo." #. TRANS: Server exception thrown when setting group membership failed. -#: classes/User_group.php:528 +#: classes/User_group.php:544 msgid "Could not set group membership." msgstr "Não foi possível configurar membros do grupo." #. TRANS: Server exception thrown when saving local group information failed. -#: classes/User_group.php:543 +#: classes/User_group.php:559 msgid "Could not save local group info." msgstr "Não foi possível gravar a informação do grupo local." @@ -6627,7 +6665,7 @@ msgid "User configuration" msgstr "Configuração do utilizador" #. TRANS: Menu item for site administration -#: lib/adminpanelaction.php:355 lib/personalgroupnav.php:115 +#: lib/adminpanelaction.php:355 lib/personalgroupnav.php:118 msgid "User" msgstr "Utilizador" @@ -7334,10 +7372,13 @@ msgstr "Aplicações ligadas autorizadas" msgid "Database error" msgstr "Erro de base de dados" -#: lib/designsettings.php:105 +#. TRANS: Label in form on profile design page. +#. TRANS: Field contains file name on user's computer that could be that user's custom profile background image. +#: lib/designsettings.php:104 msgid "Upload file" msgstr "Carregar ficheiro" +#. TRANS: Instructions for form on profile design page. #: lib/designsettings.php:109 msgid "" "You can upload your personal background image. The maximum file size is 2MB." @@ -7345,16 +7386,29 @@ msgstr "" "Pode carregar uma imagem de fundo pessoal. O tamanho máximo do ficheiro é " "2MB." -#: 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 "" -"O servidor não conseguiu processar tantos dados POST (%s bytes) devido à sua " -"configuração actual." +#. TRANS: Radio button on profile design page that will enable use of the uploaded profile image. +#: lib/designsettings.php:139 +#, fuzzy +msgctxt "RADIO" +msgid "On" +msgstr "Ligar" -#: lib/designsettings.php:418 +#. TRANS: Radio button on profile design page that will disable use of the uploaded profile image. +#: lib/designsettings.php:156 +#, fuzzy +msgctxt "RADIO" +msgid "Off" +msgstr "Desligar" + +#. TRANS: Button text on profile design page to reset all colour settings to default without saving. +#: lib/designsettings.php:264 +#, fuzzy +msgctxt "BUTTON" +msgid "Reset" +msgstr "Reiniciar" + +#. TRANS: Success message displayed if design settings were saved after clicking "Use defaults". +#: lib/designsettings.php:433 msgid "Design defaults restored." msgstr "Predefinições do estilo repostas" @@ -7854,7 +7908,7 @@ msgstr "" #. TRANS: Subject for favorite notification e-mail. #. TRANS: %1$s is the adding user's long name, %2$s is the adding user's nickname. -#: lib/mail.php:603 +#: lib/mail.php:607 #, fuzzy, php-format msgid "%1$s (@%2$s) added your notice as a favorite" msgstr "%s (@%s) adicionou a sua nota às favoritas." @@ -7864,7 +7918,7 @@ msgstr "%s (@%s) adicionou a sua nota às favoritas." #. TRANS: %3$s is a URL to the faved notice, %4$s is the faved notice text, #. TRANS: %5$s is a URL to all faves of the adding user, %6$s is the StatusNet sitename, #. TRANS: %7$s is the adding user's nickname. -#: lib/mail.php:610 +#: lib/mail.php:614 #, php-format msgid "" "%1$s (@%7$s) just added your notice from %2$s as one of their favorites.\n" @@ -7902,7 +7956,7 @@ msgstr "" "%6$s\n" #. TRANS: Line in @-reply notification e-mail. %s is conversation URL. -#: lib/mail.php:668 +#: lib/mail.php:672 #, php-format msgid "" "The full conversation can be read here:\n" @@ -7915,7 +7969,7 @@ msgstr "" #. TRANS: E-mail subject for notice notification. #. TRANS: %1$s is the sending user's long name, %2$s is the adding user's nickname. -#: lib/mail.php:676 +#: lib/mail.php:680 #, fuzzy, php-format msgid "%1$s (@%2$s) sent a notice to your attention" msgstr "%s (@%s) enviou uma nota à sua atenção" @@ -7926,7 +7980,7 @@ msgstr "%s (@%s) enviou uma nota à sua atenção" #. TRANS: %5$s is a URL to the full conversion if it exists (otherwise empty), #. TRANS: %6$s is a URL to reply to the notice, %7$s is a URL to all @-replied for the addressed user, #. TRANS: %8$s is a URL to the addressed user's e-mail settings, %9$s is the sender's nickname. -#: lib/mail.php:684 +#: lib/mail.php:688 #, php-format msgid "" "%1$s (@%9$s) just sent a notice to your attention (an '@-reply') on %2$s.\n" @@ -8075,7 +8129,7 @@ msgstr "Não foi possível determinar o tipo MIME do ficheiro." #. TRANS: Client exception thrown trying to upload a forbidden MIME type. #. TRANS: %1$s is the file type that was denied, %2$s is the application part of #. TRANS: the MIME type that was denied. -#: lib/mediafile.php:340 +#: lib/mediafile.php:345 #, php-format msgid "" "\"%1$s\" is not a supported file type on this server. Try using another %2$s " @@ -8086,7 +8140,7 @@ msgstr "" #. TRANS: Client exception thrown trying to upload a forbidden MIME type. #. TRANS: %s is the file type that was denied. -#: lib/mediafile.php:345 +#: lib/mediafile.php:350 #, php-format msgid "\"%s\" is not a supported file type on this server." msgstr "\"%s\" não é um tipo de ficheiro suportado neste servidor." @@ -8227,31 +8281,31 @@ msgstr "Nota duplicada." msgid "Couldn't insert new subscription." msgstr "Não foi possível inserir nova subscrição." -#: lib/personalgroupnav.php:99 +#: lib/personalgroupnav.php:102 msgid "Personal" msgstr "Pessoal" -#: lib/personalgroupnav.php:104 +#: lib/personalgroupnav.php:107 msgid "Replies" msgstr "Respostas" -#: lib/personalgroupnav.php:114 +#: lib/personalgroupnav.php:117 msgid "Favorites" msgstr "Favoritas" -#: lib/personalgroupnav.php:125 +#: lib/personalgroupnav.php:128 msgid "Inbox" msgstr "Recebidas" -#: lib/personalgroupnav.php:126 +#: lib/personalgroupnav.php:129 msgid "Your incoming messages" msgstr "Mensagens recebidas" -#: lib/personalgroupnav.php:130 +#: lib/personalgroupnav.php:133 msgid "Outbox" msgstr "Enviadas" -#: lib/personalgroupnav.php:131 +#: lib/personalgroupnav.php:134 msgid "Your sent messages" msgstr "Mensagens enviadas" @@ -8449,6 +8503,12 @@ msgstr "Nuvem da sua categorização das pessoas" msgid "None" msgstr "Nenhum" +#. TRANS: Server exception displayed if a theme name was invalid. +#: lib/theme.php:74 +#, fuzzy +msgid "Invalid theme name." +msgstr "Nome de ficheiro inválido." + #: lib/themeuploader.php:50 msgid "This server cannot handle theme uploads without ZIP support." msgstr "" @@ -8702,19 +8762,9 @@ msgid_plural "%d entries in backup." msgstr[0] "" msgstr[1] "" -#, fuzzy -#~ msgid "Name is too long (maximum 255 chars)." -#~ msgstr "Nome é demasiado longo (máx. 255 caracteres)." - -#, fuzzy -#~ msgid "Organization is too long (maximum 255 chars)." -#~ msgstr "Organização é demasiado longa (máx. 255 caracteres)." - -#~ msgid "That's too long. Max notice size is %d chars." -#~ msgstr "Demasiado longo. Tamanho máx. das notas é %d caracteres." - -#~ msgid "Max notice size is %d chars, including attachment URL." -#~ msgstr "Tamanho máx. das notas é %d caracteres, incluindo a URL do anexo." - -#~ msgid " tagged %s" -#~ msgstr " categorizou %s" +#~ msgid "" +#~ "The server was unable to handle that much POST data (%s bytes) due to its " +#~ "current configuration." +#~ msgstr "" +#~ "O servidor não conseguiu processar tantos dados POST (%s bytes) devido à " +#~ "sua configuração actual." diff --git a/locale/pt_BR/LC_MESSAGES/statusnet.po b/locale/pt_BR/LC_MESSAGES/statusnet.po index 4b84ec3ab6..bb8b030dc5 100644 --- a/locale/pt_BR/LC_MESSAGES/statusnet.po +++ b/locale/pt_BR/LC_MESSAGES/statusnet.po @@ -15,18 +15,18 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet - Core\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-11-02 22:51+0000\n" -"PO-Revision-Date: 2010-11-02 22:53:41+0000\n" +"POT-Creation-Date: 2010-11-04 18:25+0000\n" +"PO-Revision-Date: 2010-11-04 18:27:46+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 (r75875); Translate extension (2010-09-17)\n" +"X-Generator: MediaWiki 1.17alpha (r76004); Translate extension (2010-09-17)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: pt-br\n" "X-Message-Group: #out-statusnet-core\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" -"X-POT-Import-Date: 2010-10-30 23:42:01+0000\n" +"X-POT-Import-Date: 2010-11-02 23:22:49+0000\n" #. TRANS: Page title for Access admin panel that allows configuring site access. #. TRANS: Menu item for site administration @@ -91,12 +91,14 @@ msgstr "Salvar as configurações de acesso" #. TRANS: Save button for settings for a profile in a subscriptions list. #. TRANS: Button text to save user settings in user admin panel. #. TRANS: Button label in the "Edit application" form. +#. TRANS: Button text on profile design page to save settings. #: actions/accessadminpanel.php:193 actions/emailsettings.php:228 #: actions/imsettings.php:187 actions/othersettings.php:134 #: actions/pathsadminpanel.php:512 actions/profilesettings.php:201 #: actions/sitenoticeadminpanel.php:197 actions/smssettings.php:209 #: actions/subscriptions.php:246 actions/useradminpanel.php:298 -#: lib/applicationeditform.php:355 lib/groupeditform.php:207 +#: lib/applicationeditform.php:355 lib/designsettings.php:270 +#: lib/groupeditform.php:207 msgctxt "BUTTON" msgid "Save" msgstr "Salvar" @@ -164,7 +166,7 @@ msgstr "%1$s e amigos, pág. %2$d" #. TRANS: Timeline title for user and friends. %s is a user nickname. #: actions/all.php:94 actions/all.php:191 actions/allrss.php:115 #: actions/apitimelinefriends.php:207 actions/apitimelinehome.php:113 -#: lib/personalgroupnav.php:100 +#: lib/personalgroupnav.php:103 #, php-format msgid "%s and friends" msgstr "%s e amigos" @@ -340,11 +342,13 @@ msgstr "Não foi possível salvar o perfil." #. TRANS: Client error displayed when the number of bytes in a POST request exceeds a limit. #. TRANS: %s is the number of bytes of the CONTENT_LENGTH. +#. TRANS: Form validation error in design settings form. POST should remain untranslated. #: actions/apiaccountupdateprofilebackgroundimage.php:108 #: actions/apiaccountupdateprofileimage.php:95 actions/apimediaupload.php:81 #: actions/apistatusesupdate.php:210 actions/avatarsettings.php:269 #: actions/designadminpanel.php:125 actions/editapplication.php:121 #: actions/newapplication.php:104 actions/newnotice.php:95 +#: lib/designsettings.php:298 #, php-format msgid "" "The server was unable to handle that much POST data (%s byte) due to its " @@ -611,10 +615,10 @@ msgstr "A localização é muito extensa (máx. 255 caracteres)." #. TRANS: %d is the maximum number of allowed aliases. #: actions/apigroupcreate.php:255 actions/editgroup.php:236 #: actions/newgroup.php:172 -#, fuzzy, php-format +#, php-format msgid "Too many aliases! Maximum %d allowed." msgid_plural "Too many aliases! Maximum %d allowed." -msgstr[0] "Muitos apelidos! O máximo são %d." +msgstr[0] "Muitos apelidos! O máximo é %d." msgstr[1] "Muitos apelidos! O máximo são %d." #. TRANS: Client error shown when providing an invalid alias during group creation. @@ -722,9 +726,8 @@ msgstr "O upload falhou." #. TRANS: Client error given from the OAuth API when the request token or verifier is invalid. #: actions/apioauthaccesstoken.php:101 -#, fuzzy msgid "Invalid request token or verifier." -msgstr "O token de autenticação especificado é inválido." +msgstr "O token ou o verificador solicitado é inválido." #. TRANS: Client error given when no oauth_token was passed to the OAuth API. #: actions/apioauthauthorize.php:107 @@ -733,15 +736,13 @@ msgstr "Não foi fornecido nenhum parâmetro oauth_token" #. TRANS: Client error given when an invalid request token was passed to the OAuth API. #: actions/apioauthauthorize.php:115 actions/apioauthauthorize.php:129 -#, fuzzy msgid "Invalid request token." -msgstr "Token inválido." +msgstr "O token solicitado é inválido." #. TRANS: Client error given when an invalid request token was passed to the OAuth API. #: actions/apioauthauthorize.php:121 -#, fuzzy msgid "Request token already authorized." -msgstr "Você não está autorizado." +msgstr "O token solicitado já foi autorizado." #. TRANS: Form validation error in API OAuth authorisation because of an invalid session token. #: actions/apioauthauthorize.php:147 actions/avatarsettings.php:280 @@ -758,7 +759,7 @@ msgstr "Você não está autorizado." #: actions/repeat.php:83 actions/smssettings.php:256 actions/subedit.php:40 #: actions/subscribe.php:86 actions/tagother.php:166 #: actions/unsubscribe.php:69 actions/userauthorization.php:52 -#: lib/designsettings.php:294 +#: lib/designsettings.php:310 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." @@ -770,10 +771,8 @@ msgstr "Nome de usuário e/ou senha inválido(s)!" #. TRANS: Server error displayed when a database action fails. #: actions/apioauthauthorize.php:217 -#, fuzzy msgid "Database error inserting oauth_token_association." -msgstr "" -"Erro no banco de dados durante a inserção do usuário da aplicativo OAuth." +msgstr "Erro no banco de dados durante a inserção de oauth_token_association." #. TRANS: Client error given on when invalid data was passed through a form in the OAuth API. #. TRANS: Unexpected validation error on avatar upload form. @@ -782,12 +781,13 @@ msgstr "" #. TRANS: Message given submitting a form with an unknown action in IM settings. #. TRANS: Client error when submitting a form with unexpected information. #. TRANS: Message given submitting a form with an unknown action in SMS settings. +#. TRANS: Unknown form validation error in design settings form. #: actions/apioauthauthorize.php:294 actions/avatarsettings.php:294 #: actions/designadminpanel.php:104 actions/editapplication.php:144 #: actions/emailsettings.php:290 actions/grouplogo.php:322 #: actions/imsettings.php:245 actions/newapplication.php:125 #: actions/oauthconnectionssettings.php:147 actions/recoverpassword.php:44 -#: actions/smssettings.php:277 lib/designsettings.php:304 +#: actions/smssettings.php:277 lib/designsettings.php:321 msgid "Unexpected form submission." msgstr "Submissão inesperada de formulário." @@ -804,16 +804,15 @@ msgstr "Permitir ou negar o acesso" #. TRANS: User notification of external application requesting account access. #. TRANS: %3$s is the access type requested, %4$s is the StatusNet sitename. #: actions/apioauthauthorize.php:425 -#, fuzzy, php-format +#, php-format msgid "" "An application 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 "" -"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." +"Uma aplicação solicitou 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." #. TRANS: User notification of external application requesting account access. #. TRANS: %1$s is the application name requesting access, %2$s is the organisation behind the application, @@ -832,7 +831,6 @@ msgstr "" #. TRANS: Fieldset legend. #: actions/apioauthauthorize.php:455 -#, fuzzy msgctxt "LEGEND" msgid "Account" msgstr "Conta" @@ -842,7 +840,7 @@ msgstr "Conta" #. TRANS: Label for group nickname (dt). Text hidden by default. #: actions/apioauthauthorize.php:459 actions/login.php:252 #: actions/profilesettings.php:110 actions/register.php:433 -#: actions/showgroup.php:245 actions/tagother.php:94 +#: actions/showgroup.php:240 actions/tagother.php:94 #: actions/userauthorization.php:145 lib/groupeditform.php:152 #: lib/userprofile.php:132 msgid "Nickname" @@ -870,29 +868,26 @@ msgstr "Cancelar" #. TRANS: Button text that when clicked will allow access to an account by an external application. #: actions/apioauthauthorize.php:485 -#, fuzzy msgctxt "BUTTON" msgid "Allow" msgstr "Permitir" #. TRANS: Form instructions. #: actions/apioauthauthorize.php:502 -#, fuzzy msgid "Authorize access to your account information." -msgstr "Permitir ou negar o acesso às informações da sua conta." +msgstr "Autoriza o acesso às informações da sua conta." #. TRANS: Header for user notification after revoking OAuth access to an application. #: actions/apioauthauthorize.php:594 -#, fuzzy msgid "Authorization canceled." -msgstr "A confirmação do mensageiro instantâneo foi cancelada." +msgstr "A autorização foi cancelada." #. TRANS: User notification after revoking OAuth access to an application. #. TRANS: %s is an OAuth token. #: actions/apioauthauthorize.php:598 -#, fuzzy, php-format +#, php-format msgid "The request token %s has been revoked." -msgstr "O token %s solicitado foi negado e revogado." +msgstr "O token %s solicitado foi revogado." #. TRANS: Title of the page notifying the user that an anonymous client application was successfully authorized to access the user's account with OAuth. #: actions/apioauthauthorize.php:621 @@ -1104,7 +1099,7 @@ msgstr "Este anexo não existe." #: actions/avatarbynickname.php:60 actions/blockedfromgroup.php:73 #: actions/editgroup.php:85 actions/groupdesignsettings.php:84 #: actions/grouplogo.php:86 actions/groupmembers.php:76 -#: actions/grouprss.php:91 actions/showgroup.php:121 +#: actions/grouprss.php:91 actions/showgroup.php:116 msgid "No nickname." msgstr "Nenhuma identificação." @@ -1121,7 +1116,7 @@ msgstr "Tamanho inválido." #. TRANS: Title for avatar upload page. #. TRANS: Label for group avatar (dt). Text hidden by default. #. TRANS: Link description in user account settings menu. -#: actions/avatarsettings.php:66 actions/showgroup.php:229 +#: actions/avatarsettings.php:66 actions/showgroup.php:224 #: lib/accountsettingsaction.php:113 msgid "Avatar" msgstr "Avatar" @@ -1299,7 +1294,7 @@ msgstr "Não foi possível salvar a informação de bloqueio." #: actions/groupunblock.php:88 actions/joingroup.php:82 #: actions/joingroup.php:93 actions/leavegroup.php:82 #: actions/leavegroup.php:93 actions/makeadmin.php:86 -#: actions/showgroup.php:139 actions/showgroup.php:148 lib/command.php:168 +#: actions/showgroup.php:134 actions/showgroup.php:143 lib/command.php:168 #: lib/command.php:380 msgid "No such group." msgstr "Esse grupo não existe." @@ -1667,12 +1662,14 @@ msgstr "" "Você pode enviar um tema personalizado para o StatusNet, na forma de um " "arquivo .zip." -#: actions/designadminpanel.php:512 lib/designsettings.php:101 +#. TRANS: Fieldset legend on profile design page. +#: actions/designadminpanel.php:512 lib/designsettings.php:98 msgid "Change background image" msgstr "Alterar imagem do fundo" +#. TRANS: Label on profile design page for setting a profile page background colour. #: actions/designadminpanel.php:517 actions/designadminpanel.php:600 -#: lib/designsettings.php:178 +#: lib/designsettings.php:183 msgid "Background" msgstr "Fundo" @@ -1686,40 +1683,48 @@ msgstr "" "arquivo é de %1 $s." #. TRANS: Used as radio button label to add a background image. -#: actions/designadminpanel.php:553 lib/designsettings.php:139 +#: actions/designadminpanel.php:553 msgid "On" msgstr "Ativado" #. TRANS: Used as radio button label to not add a background image. -#: actions/designadminpanel.php:570 lib/designsettings.php:155 +#: actions/designadminpanel.php:570 msgid "Off" msgstr "Desativado" -#: actions/designadminpanel.php:571 lib/designsettings.php:156 +#. TRANS: Form guide for a set of radio buttons on the profile design page that will enable or disable +#. TRANS: use of the uploaded profile image. +#: actions/designadminpanel.php:571 lib/designsettings.php:159 msgid "Turn background image on or off." msgstr "Ativar/desativar a imagem de fundo." -#: actions/designadminpanel.php:576 lib/designsettings.php:161 +#. TRANS: Checkbox label on profile design page that will cause the profile image to be tiled. +#: actions/designadminpanel.php:576 lib/designsettings.php:165 msgid "Tile background image" msgstr "Ladrilhar a imagem de fundo" -#: actions/designadminpanel.php:590 lib/designsettings.php:170 +#. TRANS: Fieldset legend on profile design page to change profile page colours. +#: actions/designadminpanel.php:590 lib/designsettings.php:175 msgid "Change colours" msgstr "Alterar a cor" -#: actions/designadminpanel.php:613 lib/designsettings.php:191 +#. TRANS: Label on profile design page for setting a profile page content colour. +#: actions/designadminpanel.php:613 lib/designsettings.php:197 msgid "Content" msgstr "Conteúdo" -#: actions/designadminpanel.php:626 lib/designsettings.php:204 +#. TRANS: Label on profile design page for setting a profile page sidebar colour. +#: actions/designadminpanel.php:626 lib/designsettings.php:211 msgid "Sidebar" msgstr "Barra lateral" -#: actions/designadminpanel.php:639 lib/designsettings.php:217 +#. TRANS: Label on profile design page for setting a profile page text colour. +#: actions/designadminpanel.php:639 lib/designsettings.php:225 msgid "Text" msgstr "Texto" -#: actions/designadminpanel.php:652 lib/designsettings.php:230 +#. TRANS: Label on profile design page for setting a profile page links colour. +#: actions/designadminpanel.php:652 lib/designsettings.php:239 msgid "Links" msgstr "Links" @@ -1731,15 +1736,18 @@ msgstr "Avançado" msgid "Custom CSS" msgstr "CSS personalizado" -#: actions/designadminpanel.php:702 lib/designsettings.php:247 +#. TRANS: Button text on profile design page to immediately reset all colour settings to default. +#: actions/designadminpanel.php:702 lib/designsettings.php:257 msgid "Use defaults" msgstr "Usar o padrão|" -#: actions/designadminpanel.php:703 lib/designsettings.php:248 +#. TRANS: Title for button on profile design page to reset all colour settings to default. +#: actions/designadminpanel.php:703 lib/designsettings.php:259 msgid "Restore default designs" msgstr "Restaura a aparência padrão" -#: actions/designadminpanel.php:709 lib/designsettings.php:254 +#. TRANS: Title for button on profile design page to reset all colour settings to default without saving. +#: actions/designadminpanel.php:709 lib/designsettings.php:267 msgid "Reset back to default" msgstr "Restaura de volta ao padrão" @@ -1747,11 +1755,12 @@ msgstr "Restaura de volta ao padrão" #: actions/designadminpanel.php:711 actions/licenseadminpanel.php:319 #: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:292 #: actions/snapshotadminpanel.php:245 actions/tagother.php:154 -#: lib/applicationeditform.php:357 lib/designsettings.php:256 +#: lib/applicationeditform.php:357 msgid "Save" msgstr "Salvar" -#: actions/designadminpanel.php:712 lib/designsettings.php:257 +#. TRANS: Title for button on profile design page to save settings. +#: actions/designadminpanel.php:712 lib/designsettings.php:272 msgid "Save design" msgstr "Salvar a aparência" @@ -1887,7 +1896,7 @@ msgstr "Não foi possível atualizar o grupo." #. TRANS: Server error displayed when group aliases could not be added. #. TRANS: Server exception thrown when creating group aliases failed. -#: actions/editgroup.php:288 classes/User_group.php:513 +#: actions/editgroup.php:288 classes/User_group.php:529 msgid "Could not create aliases." msgstr "Não foi possível criar os apelidos." @@ -2178,7 +2187,7 @@ msgstr "" "primeiro a adicionar uma mensagem aos favoritos?" #: actions/favoritesrss.php:111 actions/showfavorites.php:77 -#: lib/personalgroupnav.php:115 +#: lib/personalgroupnav.php:118 #, php-format msgid "%s's favorite notices" msgstr "Mensagens favoritas de %s" @@ -2358,8 +2367,10 @@ msgstr "" "Personalize a aparência do grupo com uma imagem de fundo e uma paleta de " "cores à sua escolha." +#. TRANS: Error message displayed if design settings could not be saved. +#. TRANS: Error message displayed if design settings could not be saved after clicking "Use defaults". #: actions/groupdesignsettings.php:266 actions/userdesignsettings.php:186 -#: lib/designsettings.php:391 lib/designsettings.php:413 +#: lib/designsettings.php:405 lib/designsettings.php:427 msgid "Couldn't update your design." msgstr "Não foi possível atualizar a aparência." @@ -3324,25 +3335,25 @@ msgstr "" msgid "Notice has no profile." msgstr "A mensagem não está associada a nenhum perfil." -#: actions/oembed.php:87 actions/shownotice.php:176 +#: actions/oembed.php:83 actions/shownotice.php:172 #, php-format msgid "%1$s's status on %2$s" msgstr "Mensagem de %1$s no %2$s" #. TRANS: Error message displaying attachments. %s is a raw MIME type (eg 'image/png') -#: actions/oembed.php:159 +#: actions/oembed.php:155 #, php-format msgid "Content type %s not supported." msgstr "O tipo de conteúdo %s não é suportado." #. TRANS: Error message displaying attachments. %s is the site's base URL. -#: actions/oembed.php:163 +#: actions/oembed.php:159 #, php-format msgid "Only %s URLs over plain HTTP please." msgstr "Por favor, somente URLs %s sobre HTTP puro." #. TRANS: Client error on an API request with an unsupported data format. -#: actions/oembed.php:184 actions/oembed.php:203 lib/apiaction.php:1200 +#: actions/oembed.php:180 actions/oembed.php:199 lib/apiaction.php:1200 #: lib/apiaction.php:1227 lib/apiaction.php:1356 msgid "Not a supported data format." msgstr "Não é um formato de dados suportado." @@ -3843,7 +3854,7 @@ msgstr "1-64 letras minúsculas ou números, sem pontuações ou espaços" #. TRANS: Field label in form for profile settings. #. TRANS: Label for full group name (dt). Text hidden by default. #: actions/profilesettings.php:117 actions/register.php:457 -#: actions/showgroup.php:257 actions/tagother.php:104 +#: actions/showgroup.php:252 actions/tagother.php:104 #: lib/groupeditform.php:157 lib/userprofile.php:150 msgid "Full name" msgstr "Nome completo" @@ -3885,7 +3896,7 @@ msgstr "Descrição" #. TRANS: Field label in form for profile settings. #. TRANS: Label for group location (dt). Text hidden by default. #: actions/profilesettings.php:149 actions/register.php:485 -#: actions/showgroup.php:267 actions/tagother.php:112 +#: actions/showgroup.php:262 actions/tagother.php:112 #: actions/userauthorization.php:166 lib/groupeditform.php:180 #: lib/userprofile.php:165 msgid "Location" @@ -4476,7 +4487,7 @@ msgid "Repeated!" msgstr "Repetida!" #: actions/replies.php:126 actions/repliesrss.php:68 -#: lib/personalgroupnav.php:105 +#: lib/personalgroupnav.php:108 #, php-format msgid "Replies to %s" msgstr "Respostas para %s" @@ -4614,7 +4625,7 @@ msgid "Description" msgstr "Descrição" #. TRANS: Header for group statistics on a group page (h2). -#: actions/showapplication.php:192 actions/showgroup.php:453 +#: actions/showapplication.php:192 actions/showgroup.php:448 #: lib/profileaction.php:187 msgid "Statistics" msgstr "Estatísticas" @@ -4730,95 +4741,95 @@ msgid "This is a way to share what you like." msgstr "Esta é uma forma de compartilhar o que você gosta." #. TRANS: Page title for first group page. %s is a group name. -#: actions/showgroup.php:80 +#: actions/showgroup.php:75 #, php-format msgid "%s group" msgstr "Grupo %s" #. TRANS: Page title for any but first group page. #. TRANS: %1$s is a group name, $2$s is a page number. -#: actions/showgroup.php:84 +#: actions/showgroup.php:79 #, php-format msgid "%1$s group, page %2$d" msgstr "Grupo %1$s, pág. %2$d" #. TRANS: Group profile header (h2). Text hidden by default. -#: actions/showgroup.php:225 +#: actions/showgroup.php:220 msgid "Group profile" msgstr "Perfil do grupo" #. TRANS: Label for group URL (dt). Text hidden by default. -#: actions/showgroup.php:275 actions/tagother.php:118 +#: actions/showgroup.php:270 actions/tagother.php:118 #: actions/userauthorization.php:175 lib/userprofile.php:178 msgid "URL" msgstr "Site" #. TRANS: Label for group description or group note (dt). Text hidden by default. -#: actions/showgroup.php:287 actions/tagother.php:128 +#: actions/showgroup.php:282 actions/tagother.php:128 #: actions/userauthorization.php:187 lib/userprofile.php:195 msgid "Note" msgstr "Mensagem" #. TRANS: Label for group aliases (dt). Text hidden by default. -#: actions/showgroup.php:298 lib/groupeditform.php:187 +#: actions/showgroup.php:293 lib/groupeditform.php:187 msgid "Aliases" msgstr "Apelidos" #. TRANS: Group actions header (h2). Text hidden by default. -#: actions/showgroup.php:309 +#: actions/showgroup.php:304 msgid "Group actions" msgstr "Ações do grupo" #. TRANS: Tooltip for feed link. %s is a group nickname. -#: actions/showgroup.php:350 +#: actions/showgroup.php:345 #, php-format msgid "Notice feed for %s group (RSS 1.0)" msgstr "Fonte de mensagens do grupo %s (RSS 1.0)" #. TRANS: Tooltip for feed link. %s is a group nickname. -#: actions/showgroup.php:357 +#: actions/showgroup.php:352 #, php-format msgid "Notice feed for %s group (RSS 2.0)" msgstr "Fonte de mensagens do grupo %s (RSS 2.0)" #. TRANS: Tooltip for feed link. %s is a group nickname. -#: actions/showgroup.php:364 +#: actions/showgroup.php:359 #, php-format msgid "Notice feed for %s group (Atom)" msgstr "Fonte de mensagens do grupo %s (Atom)" #. TRANS: Tooltip for feed link. %s is a group nickname. -#: actions/showgroup.php:370 +#: actions/showgroup.php:365 #, php-format msgid "FOAF for %s group" msgstr "FOAF para o grupo %s" #. TRANS: Header for mini list of group members on a group page (h2). -#: actions/showgroup.php:407 +#: actions/showgroup.php:402 msgid "Members" msgstr "Membros" #. TRANS: Description for mini list of group members on a group page when the group has no members. -#: actions/showgroup.php:413 lib/profileaction.php:117 +#: actions/showgroup.php:408 lib/profileaction.php:117 #: lib/profileaction.php:152 lib/profileaction.php:255 lib/section.php:95 #: lib/subscriptionlist.php:127 lib/tagcloudsection.php:71 msgid "(None)" msgstr "(Nenhum)" #. TRANS: Link to all group members from mini list of group members if group has more than n members. -#: actions/showgroup.php:422 +#: actions/showgroup.php:417 msgid "All members" msgstr "Todos os membros" #. TRANS: Label for creation date in statistics on group page. -#: actions/showgroup.php:458 +#: actions/showgroup.php:453 #, fuzzy msgctxt "LABEL" msgid "Created" msgstr "Criado" #. TRANS: Label for member count in statistics on group page. -#: actions/showgroup.php:466 +#: actions/showgroup.php:461 #, fuzzy msgctxt "LABEL" msgid "Members" @@ -4828,7 +4839,7 @@ msgstr "Membros" #. TRANS: **%s** is the group alias, %%%%site.name%%%% is the site name, #. TRANS: %%%%action.register%%%% is the URL for registration, %%%%doc.help%%%% is a URL to help. #. TRANS: This message contains Markdown links. Ensure they are formatted correctly: [Description](link). -#: actions/showgroup.php:481 +#: actions/showgroup.php:476 #, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -4847,7 +4858,7 @@ msgstr "" #. TRANS: Notice on group pages for anonymous users for StatusNet sites that accept no new registrations. #. TRANS: **%s** is the group alias, %%%%site.name%%%% is the site name, #. TRANS: This message contains Markdown links. Ensure they are formatted correctly: [Description](link). -#: actions/showgroup.php:491 +#: actions/showgroup.php:486 #, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -4861,7 +4872,7 @@ msgstr "" "sobre suas vidas e interesses. " #. TRANS: Header for list of group administrators on a group page (h2). -#: actions/showgroup.php:520 +#: actions/showgroup.php:515 msgid "Admins" msgstr "Administradores" @@ -5646,7 +5657,7 @@ msgstr "Assinatura padrão inválida: '%1$s' não é um usuário." #. TRANS: Link description in user account settings menu. #: actions/useradminpanel.php:215 lib/accountsettingsaction.php:106 -#: lib/personalgroupnav.php:109 +#: lib/personalgroupnav.php:112 msgid "Profile" msgstr "Perfil" @@ -5810,11 +5821,13 @@ msgstr "Não é possível ler a URL '%s' do avatar." msgid "Wrong image type for avatar URL ‘%s’." msgstr "Tipo de imagem errado para a URL '%s' do avatar." -#: actions/userdesignsettings.php:76 lib/designsettings.php:65 +#. TRANS: Page title for profile design page. +#: actions/userdesignsettings.php:76 lib/designsettings.php:63 msgid "Profile design" msgstr "Aparência do perfil" -#: actions/userdesignsettings.php:87 lib/designsettings.php:76 +#. TRANS: Instructions for profile design page. +#: actions/userdesignsettings.php:87 lib/designsettings.php:74 msgid "" "Customize the way your profile looks with a background image and a colour " "palette of your choice." @@ -5948,31 +5961,42 @@ msgstr "o Robin acha que algo é impossível." #. TRANS: Message given if an upload is larger than the configured maximum. #. TRANS: %1$d is the byte limit for uploads, %2$d is the byte count for the uploaded file. -#: classes/File.php:189 -#, php-format +#. TRANS: %1$s is used for plural. +#: classes/File.php:190 +#, fuzzy, php-format msgid "" +"No file may be larger than %1$d byte and the file you sent was %2$d bytes. " +"Try to upload a smaller version." +msgid_plural "" "No file may be larger than %1$d bytes and the file you sent was %2$d bytes. " "Try to upload a smaller version." -msgstr "" +msgstr[0] "" +"Nenhum arquivo pode ter mais de %1$d bytes e o que você enviou tinha %2$d " +"bytes. Tente enviar uma versão mais pequena." +msgstr[1] "" "Nenhum arquivo pode ter mais de %1$d bytes e o que você enviou tinha %2$d " "bytes. Tente enviar uma versão mais pequena." #. TRANS: Message given if an upload would exceed user quota. -#. TRANS: %d (number) is the user quota in bytes. -#: classes/File.php:201 -#, php-format -msgid "A file this large would exceed your user quota of %d bytes." -msgstr "Um arquivo deste tamanho excederá a sua conta de %d bytes." +#. TRANS: %d (number) is the user quota in bytes and is used for plural. +#: classes/File.php:203 +#, fuzzy, php-format +msgid "A file this large would exceed your user quota of %d byte." +msgid_plural "A file this large would exceed your user quota of %d bytes." +msgstr[0] "Um arquivo deste tamanho excederá a sua conta de %d bytes." +msgstr[1] "Um arquivo deste tamanho excederá a sua conta de %d bytes." #. TRANS: Message given id an upload would exceed a user's monthly quota. -#. TRANS: $d (number) is the monthly user quota in bytes. -#: classes/File.php:210 -#, php-format -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." +#. TRANS: $d (number) is the monthly user quota in bytes and is used for plural. +#: classes/File.php:215 +#, fuzzy, php-format +msgid "A file this large would exceed your monthly quota of %d byte." +msgid_plural "A file this large would exceed your monthly quota of %d bytes." +msgstr[0] "Um arquivo deste tamanho excederá a sua conta mensal de %d bytes." +msgstr[1] "Um arquivo deste tamanho excederá a sua conta mensal de %d bytes." #. TRANS: Client exception thrown if a file upload does not have a valid name. -#: classes/File.php:247 classes/File.php:262 +#: classes/File.php:262 classes/File.php:277 msgid "Invalid filename." msgstr "Nome de arquivo inválido." @@ -6101,31 +6125,32 @@ msgid "Problem saving notice." msgstr "Problema no salvamento da mensagem." #. TRANS: Server exception thrown when no array is provided to the method saveKnownGroups(). -#: classes/Notice.php:907 -msgid "Bad type provided to saveKnownGroups" +#: classes/Notice.php:905 +#, fuzzy +msgid "Bad type provided to saveKnownGroups." msgstr "O tipo fornecido ao método saveKnownGroups é incorreto" #. TRANS: Server exception thrown when an update for a group inbox fails. -#: classes/Notice.php:1006 +#: classes/Notice.php:1004 msgid "Problem saving group inbox." msgstr "Problema no salvamento das mensagens recebidas do grupo." #. TRANS: Server exception thrown when a reply cannot be saved. #. TRANS: %1$d is a notice ID, %2$d is the ID of the mentioned user. -#: classes/Notice.php:1120 +#: classes/Notice.php:1118 #, fuzzy, php-format msgid "Could not save reply for %1$d, %2$d." msgstr "Não foi possível salvar a informação do grupo local." #. TRANS: Message used to repeat a notice. RT is the abbreviation of 'retweet'. #. TRANS: %1$s is the repeated user's name, %2$s is the repeated notice. -#: classes/Notice.php:1822 +#: classes/Notice.php:1820 #, php-format msgid "RT @%1$s %2$s" msgstr "RT @%1$s %2$s" #. TRANS: Full name of a profile or group followed by nickname in parens -#: classes/Profile.php:164 +#: classes/Profile.php:164 classes/User_group.php:247 #, fuzzy, php-format msgctxt "FANCYNAME" msgid "%1$s (%2$s)" @@ -6222,22 +6247,22 @@ msgid "Single-user mode code called when not enabled." msgstr "" #. TRANS: Server exception thrown when creating a group failed. -#: classes/User_group.php:495 +#: classes/User_group.php:511 msgid "Could not create group." msgstr "Não foi possível criar o grupo." #. TRANS: Server exception thrown when updating a group URI failed. -#: classes/User_group.php:505 +#: classes/User_group.php:521 msgid "Could not set group URI." msgstr "Não foi possível definir a URI do grupo." #. TRANS: Server exception thrown when setting group membership failed. -#: classes/User_group.php:528 +#: classes/User_group.php:544 msgid "Could not set group membership." msgstr "Não foi possível configurar a associação ao grupo." #. TRANS: Server exception thrown when saving local group information failed. -#: classes/User_group.php:543 +#: classes/User_group.php:559 msgid "Could not save local group info." msgstr "Não foi possível salvar a informação do grupo local." @@ -6646,7 +6671,7 @@ msgid "User configuration" msgstr "Configuração do usuário" #. TRANS: Menu item for site administration -#: lib/adminpanelaction.php:355 lib/personalgroupnav.php:115 +#: lib/adminpanelaction.php:355 lib/personalgroupnav.php:118 msgid "User" msgstr "Usuário" @@ -7365,26 +7390,42 @@ msgstr "Aplicações autorizadas conectadas" msgid "Database error" msgstr "Erro no banco de dados" -#: lib/designsettings.php:105 +#. TRANS: Label in form on profile design page. +#. TRANS: Field contains file name on user's computer that could be that user's custom profile background image. +#: lib/designsettings.php:104 msgid "Upload file" msgstr "Enviar arquivo" +#. TRANS: Instructions for form on profile design page. #: lib/designsettings.php:109 msgid "" "You can upload your personal background image. The maximum file size is 2MB." msgstr "" "Você pode enviar sua imagem de fundo. O tamanho máximo do arquivo é de 2Mb." -#: 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 "" -"O servidor não conseguiu manipular a quantidade de dados do POST (%s bytes) " -"devido à sua configuração atual." +#. TRANS: Radio button on profile design page that will enable use of the uploaded profile image. +#: lib/designsettings.php:139 +#, fuzzy +msgctxt "RADIO" +msgid "On" +msgstr "Ativado" -#: lib/designsettings.php:418 +#. TRANS: Radio button on profile design page that will disable use of the uploaded profile image. +#: lib/designsettings.php:156 +#, fuzzy +msgctxt "RADIO" +msgid "Off" +msgstr "Desativado" + +#. TRANS: Button text on profile design page to reset all colour settings to default without saving. +#: lib/designsettings.php:264 +#, fuzzy +msgctxt "BUTTON" +msgid "Reset" +msgstr "Restaurar" + +#. TRANS: Success message displayed if design settings were saved after clicking "Use defaults". +#: lib/designsettings.php:433 msgid "Design defaults restored." msgstr "A aparência padrão foi restaurada." @@ -7887,7 +7928,7 @@ msgstr "" #. TRANS: Subject for favorite notification e-mail. #. TRANS: %1$s is the adding user's long name, %2$s is the adding user's nickname. -#: lib/mail.php:603 +#: lib/mail.php:607 #, fuzzy, php-format msgid "%1$s (@%2$s) added your notice as a favorite" msgstr "%s (@%s) marcou sua mensagem como favorita" @@ -7897,7 +7938,7 @@ msgstr "%s (@%s) marcou sua mensagem como favorita" #. TRANS: %3$s is a URL to the faved notice, %4$s is the faved notice text, #. TRANS: %5$s is a URL to all faves of the adding user, %6$s is the StatusNet sitename, #. TRANS: %7$s is the adding user's nickname. -#: lib/mail.php:610 +#: lib/mail.php:614 #, php-format msgid "" "%1$s (@%7$s) just added your notice from %2$s as one of their favorites.\n" @@ -7935,7 +7976,7 @@ msgstr "" "%6$s\n" #. TRANS: Line in @-reply notification e-mail. %s is conversation URL. -#: lib/mail.php:668 +#: lib/mail.php:672 #, php-format msgid "" "The full conversation can be read here:\n" @@ -7948,7 +7989,7 @@ msgstr "" #. TRANS: E-mail subject for notice notification. #. TRANS: %1$s is the sending user's long name, %2$s is the adding user's nickname. -#: lib/mail.php:676 +#: lib/mail.php:680 #, fuzzy, php-format msgid "%1$s (@%2$s) sent a notice to your attention" msgstr "%s (@%s) enviou uma mensagem citando você" @@ -7959,7 +8000,7 @@ msgstr "%s (@%s) enviou uma mensagem citando você" #. TRANS: %5$s is a URL to the full conversion if it exists (otherwise empty), #. TRANS: %6$s is a URL to reply to the notice, %7$s is a URL to all @-replied for the addressed user, #. TRANS: %8$s is a URL to the addressed user's e-mail settings, %9$s is the sender's nickname. -#: lib/mail.php:684 +#: lib/mail.php:688 #, php-format msgid "" "%1$s (@%9$s) just sent a notice to your attention (an '@-reply') on %2$s.\n" @@ -8110,7 +8151,7 @@ msgstr "Não foi possível determinar o tipo MIME do arquivo." #. TRANS: Client exception thrown trying to upload a forbidden MIME type. #. TRANS: %1$s is the file type that was denied, %2$s is the application part of #. TRANS: the MIME type that was denied. -#: lib/mediafile.php:340 +#: lib/mediafile.php:345 #, php-format msgid "" "\"%1$s\" is not a supported file type on this server. Try using another %2$s " @@ -8121,7 +8162,7 @@ msgstr "" #. TRANS: Client exception thrown trying to upload a forbidden MIME type. #. TRANS: %s is the file type that was denied. -#: lib/mediafile.php:345 +#: lib/mediafile.php:350 #, php-format msgid "\"%s\" is not a supported file type on this server." msgstr "\"%s\" não é um tipo de arquivo suportado neste servidor." @@ -8262,31 +8303,31 @@ msgstr "Nota duplicada." msgid "Couldn't insert new subscription." msgstr "Não foi possível inserir a nova assinatura." -#: lib/personalgroupnav.php:99 +#: lib/personalgroupnav.php:102 msgid "Personal" msgstr "Pessoal" -#: lib/personalgroupnav.php:104 +#: lib/personalgroupnav.php:107 msgid "Replies" msgstr "Respostas" -#: lib/personalgroupnav.php:114 +#: lib/personalgroupnav.php:117 msgid "Favorites" msgstr "Favoritos" -#: lib/personalgroupnav.php:125 +#: lib/personalgroupnav.php:128 msgid "Inbox" msgstr "Recebidas" -#: lib/personalgroupnav.php:126 +#: lib/personalgroupnav.php:129 msgid "Your incoming messages" msgstr "Suas mensagens recebidas" -#: lib/personalgroupnav.php:130 +#: lib/personalgroupnav.php:133 msgid "Outbox" msgstr "Enviadas" -#: lib/personalgroupnav.php:131 +#: lib/personalgroupnav.php:134 msgid "Your sent messages" msgstr "Suas mensagens enviadas" @@ -8484,6 +8525,12 @@ msgstr "Nuvem de etiquetas pessoais definidas pelos outros usuário" msgid "None" msgstr "Nenhuma" +#. TRANS: Server exception displayed if a theme name was invalid. +#: lib/theme.php:74 +#, fuzzy +msgid "Invalid theme name." +msgstr "Nome de arquivo inválido." + #: lib/themeuploader.php:50 msgid "This server cannot handle theme uploads without ZIP support." msgstr "" @@ -8737,19 +8784,9 @@ msgid_plural "%d entries in backup." msgstr[0] "" msgstr[1] "" -#, fuzzy -#~ msgid "Name is too long (maximum 255 chars)." -#~ msgstr "O nome é muito extenso (máx. 255 caracteres)." - -#, fuzzy -#~ msgid "Organization is too long (maximum 255 chars)." -#~ msgstr "A organização é muito extensa (máx. 255 caracteres)." - -#~ msgid "That's too long. Max notice size is %d chars." -#~ msgstr "Está muito extenso. O tamanho máximo é de %d caracteres." - -#~ msgid "Max notice size is %d chars, including attachment URL." -#~ msgstr "O tamanho máximo da mensagem é de %d caracteres" - -#~ msgid " tagged %s" -#~ msgstr " etiquetada %s" +#~ msgid "" +#~ "The server was unable to handle that much POST data (%s bytes) due to its " +#~ "current configuration." +#~ msgstr "" +#~ "O servidor não conseguiu manipular a quantidade de dados do POST (%s " +#~ "bytes) devido à sua configuração atual." diff --git a/locale/ru/LC_MESSAGES/statusnet.po b/locale/ru/LC_MESSAGES/statusnet.po index 17a86e3738..57cc4c46ac 100644 --- a/locale/ru/LC_MESSAGES/statusnet.po +++ b/locale/ru/LC_MESSAGES/statusnet.po @@ -14,18 +14,18 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet - Core\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-11-02 22:51+0000\n" -"PO-Revision-Date: 2010-11-02 22:53:42+0000\n" +"POT-Creation-Date: 2010-11-04 18:25+0000\n" +"PO-Revision-Date: 2010-11-04 18:27:47+0000\n" "Language-Team: Russian \n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r75875); Translate extension (2010-09-17)\n" +"X-Generator: MediaWiki 1.17alpha (r76004); Translate extension (2010-09-17)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: ru\n" "X-Message-Group: #out-statusnet-core\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" -"X-POT-Import-Date: 2010-10-30 23:42:01+0000\n" +"X-POT-Import-Date: 2010-11-02 23:22:49+0000\n" #. TRANS: Page title for Access admin panel that allows configuring site access. #. TRANS: Menu item for site administration @@ -91,12 +91,14 @@ msgstr "Сохранить настройки доступа" #. TRANS: Save button for settings for a profile in a subscriptions list. #. TRANS: Button text to save user settings in user admin panel. #. TRANS: Button label in the "Edit application" form. +#. TRANS: Button text on profile design page to save settings. #: actions/accessadminpanel.php:193 actions/emailsettings.php:228 #: actions/imsettings.php:187 actions/othersettings.php:134 #: actions/pathsadminpanel.php:512 actions/profilesettings.php:201 #: actions/sitenoticeadminpanel.php:197 actions/smssettings.php:209 #: actions/subscriptions.php:246 actions/useradminpanel.php:298 -#: lib/applicationeditform.php:355 lib/groupeditform.php:207 +#: lib/applicationeditform.php:355 lib/designsettings.php:270 +#: lib/groupeditform.php:207 msgctxt "BUTTON" msgid "Save" msgstr "Сохранить" @@ -164,7 +166,7 @@ msgstr "%1$s и друзья, страница %2$d" #. TRANS: Timeline title for user and friends. %s is a user nickname. #: actions/all.php:94 actions/all.php:191 actions/allrss.php:115 #: actions/apitimelinefriends.php:207 actions/apitimelinehome.php:113 -#: lib/personalgroupnav.php:100 +#: lib/personalgroupnav.php:103 #, php-format msgid "%s and friends" msgstr "%s и друзья" @@ -338,11 +340,13 @@ msgstr "Не удаётся сохранить профиль." #. TRANS: Client error displayed when the number of bytes in a POST request exceeds a limit. #. TRANS: %s is the number of bytes of the CONTENT_LENGTH. +#. TRANS: Form validation error in design settings form. POST should remain untranslated. #: actions/apiaccountupdateprofilebackgroundimage.php:108 #: actions/apiaccountupdateprofileimage.php:95 actions/apimediaupload.php:81 #: actions/apistatusesupdate.php:210 actions/avatarsettings.php:269 #: actions/designadminpanel.php:125 actions/editapplication.php:121 #: actions/newapplication.php:104 actions/newnotice.php:95 +#: lib/designsettings.php:298 #, fuzzy, php-format msgid "" "The server was unable to handle that much POST data (%s byte) due to its " @@ -761,7 +765,7 @@ msgstr "Вы не авторизованы." #: actions/repeat.php:83 actions/smssettings.php:256 actions/subedit.php:40 #: actions/subscribe.php:86 actions/tagother.php:166 #: actions/unsubscribe.php:69 actions/userauthorization.php:52 -#: lib/designsettings.php:294 +#: lib/designsettings.php:310 msgid "There was a problem with your session token. Try again, please." msgstr "Проблема с вашим ключом сессии. Пожалуйста, попробуйте ещё раз." @@ -783,12 +787,13 @@ msgstr "Ошибка базы данных при добавлении поль #. TRANS: Message given submitting a form with an unknown action in IM settings. #. TRANS: Client error when submitting a form with unexpected information. #. TRANS: Message given submitting a form with an unknown action in SMS settings. +#. TRANS: Unknown form validation error in design settings form. #: actions/apioauthauthorize.php:294 actions/avatarsettings.php:294 #: actions/designadminpanel.php:104 actions/editapplication.php:144 #: actions/emailsettings.php:290 actions/grouplogo.php:322 #: actions/imsettings.php:245 actions/newapplication.php:125 #: actions/oauthconnectionssettings.php:147 actions/recoverpassword.php:44 -#: actions/smssettings.php:277 lib/designsettings.php:304 +#: actions/smssettings.php:277 lib/designsettings.php:321 msgid "Unexpected form submission." msgstr "Нетиповое подтверждение формы." @@ -842,7 +847,7 @@ msgstr "Аккаунт" #. TRANS: Label for group nickname (dt). Text hidden by default. #: actions/apioauthauthorize.php:459 actions/login.php:252 #: actions/profilesettings.php:110 actions/register.php:433 -#: actions/showgroup.php:245 actions/tagother.php:94 +#: actions/showgroup.php:240 actions/tagother.php:94 #: actions/userauthorization.php:145 lib/groupeditform.php:152 #: lib/userprofile.php:132 msgid "Nickname" @@ -1104,7 +1109,7 @@ msgstr "Нет такого вложения." #: actions/avatarbynickname.php:60 actions/blockedfromgroup.php:73 #: actions/editgroup.php:85 actions/groupdesignsettings.php:84 #: actions/grouplogo.php:86 actions/groupmembers.php:76 -#: actions/grouprss.php:91 actions/showgroup.php:121 +#: actions/grouprss.php:91 actions/showgroup.php:116 msgid "No nickname." msgstr "Нет имени." @@ -1121,7 +1126,7 @@ msgstr "Неверный размер." #. TRANS: Title for avatar upload page. #. TRANS: Label for group avatar (dt). Text hidden by default. #. TRANS: Link description in user account settings menu. -#: actions/avatarsettings.php:66 actions/showgroup.php:229 +#: actions/avatarsettings.php:66 actions/showgroup.php:224 #: lib/accountsettingsaction.php:113 msgid "Avatar" msgstr "Аватара" @@ -1298,7 +1303,7 @@ msgstr "Не удаётся сохранить информацию о блок #: actions/groupunblock.php:88 actions/joingroup.php:82 #: actions/joingroup.php:93 actions/leavegroup.php:82 #: actions/leavegroup.php:93 actions/makeadmin.php:86 -#: actions/showgroup.php:139 actions/showgroup.php:148 lib/command.php:168 +#: actions/showgroup.php:134 actions/showgroup.php:143 lib/command.php:168 #: lib/command.php:380 msgid "No such group." msgstr "Нет такой группы." @@ -1662,12 +1667,14 @@ msgstr "Особая тема" msgid "You can upload a custom StatusNet theme as a .ZIP archive." msgstr "Вы можете загрузить особую тему StatusNet в виде ZIP-архива." -#: actions/designadminpanel.php:512 lib/designsettings.php:101 +#. TRANS: Fieldset legend on profile design page. +#: actions/designadminpanel.php:512 lib/designsettings.php:98 msgid "Change background image" msgstr "Изменение фонового изображения" +#. TRANS: Label on profile design page for setting a profile page background colour. #: actions/designadminpanel.php:517 actions/designadminpanel.php:600 -#: lib/designsettings.php:178 +#: lib/designsettings.php:183 msgid "Background" msgstr "Фон" @@ -1681,40 +1688,48 @@ msgstr "" "составляет %1$s." #. TRANS: Used as radio button label to add a background image. -#: actions/designadminpanel.php:553 lib/designsettings.php:139 +#: actions/designadminpanel.php:553 msgid "On" msgstr "Включить" #. TRANS: Used as radio button label to not add a background image. -#: actions/designadminpanel.php:570 lib/designsettings.php:155 +#: actions/designadminpanel.php:570 msgid "Off" msgstr "Отключить" -#: actions/designadminpanel.php:571 lib/designsettings.php:156 +#. TRANS: Form guide for a set of radio buttons on the profile design page that will enable or disable +#. TRANS: use of the uploaded profile image. +#: actions/designadminpanel.php:571 lib/designsettings.php:159 msgid "Turn background image on or off." msgstr "Включить или отключить показ фонового изображения." -#: actions/designadminpanel.php:576 lib/designsettings.php:161 +#. TRANS: Checkbox label on profile design page that will cause the profile image to be tiled. +#: actions/designadminpanel.php:576 lib/designsettings.php:165 msgid "Tile background image" msgstr "Растянуть фоновое изображение" -#: actions/designadminpanel.php:590 lib/designsettings.php:170 +#. TRANS: Fieldset legend on profile design page to change profile page colours. +#: actions/designadminpanel.php:590 lib/designsettings.php:175 msgid "Change colours" msgstr "Изменение цветовой гаммы" -#: actions/designadminpanel.php:613 lib/designsettings.php:191 +#. TRANS: Label on profile design page for setting a profile page content colour. +#: actions/designadminpanel.php:613 lib/designsettings.php:197 msgid "Content" msgstr "Содержание" -#: actions/designadminpanel.php:626 lib/designsettings.php:204 +#. TRANS: Label on profile design page for setting a profile page sidebar colour. +#: actions/designadminpanel.php:626 lib/designsettings.php:211 msgid "Sidebar" msgstr "Боковая панель" -#: actions/designadminpanel.php:639 lib/designsettings.php:217 +#. TRANS: Label on profile design page for setting a profile page text colour. +#: actions/designadminpanel.php:639 lib/designsettings.php:225 msgid "Text" msgstr "Текст" -#: actions/designadminpanel.php:652 lib/designsettings.php:230 +#. TRANS: Label on profile design page for setting a profile page links colour. +#: actions/designadminpanel.php:652 lib/designsettings.php:239 msgid "Links" msgstr "Ссылки" @@ -1726,15 +1741,18 @@ msgstr "Расширенный" msgid "Custom CSS" msgstr "Особый CSS" -#: actions/designadminpanel.php:702 lib/designsettings.php:247 +#. TRANS: Button text on profile design page to immediately reset all colour settings to default. +#: actions/designadminpanel.php:702 lib/designsettings.php:257 msgid "Use defaults" msgstr "Использовать значения по умолчанию" -#: actions/designadminpanel.php:703 lib/designsettings.php:248 +#. TRANS: Title for button on profile design page to reset all colour settings to default. +#: actions/designadminpanel.php:703 lib/designsettings.php:259 msgid "Restore default designs" msgstr "Восстановить оформление по умолчанию" -#: actions/designadminpanel.php:709 lib/designsettings.php:254 +#. TRANS: Title for button on profile design page to reset all colour settings to default without saving. +#: actions/designadminpanel.php:709 lib/designsettings.php:267 msgid "Reset back to default" msgstr "Восстановить значения по умолчанию" @@ -1742,11 +1760,12 @@ msgstr "Восстановить значения по умолчанию" #: actions/designadminpanel.php:711 actions/licenseadminpanel.php:319 #: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:292 #: actions/snapshotadminpanel.php:245 actions/tagother.php:154 -#: lib/applicationeditform.php:357 lib/designsettings.php:256 +#: lib/applicationeditform.php:357 msgid "Save" msgstr "Сохранить" -#: actions/designadminpanel.php:712 lib/designsettings.php:257 +#. TRANS: Title for button on profile design page to save settings. +#: actions/designadminpanel.php:712 lib/designsettings.php:272 msgid "Save design" msgstr "Сохранить оформление" @@ -1882,7 +1901,7 @@ msgstr "Не удаётся обновить информацию о групп #. TRANS: Server error displayed when group aliases could not be added. #. TRANS: Server exception thrown when creating group aliases failed. -#: actions/editgroup.php:288 classes/User_group.php:513 +#: actions/editgroup.php:288 classes/User_group.php:529 msgid "Could not create aliases." msgstr "Не удаётся создать алиасы." @@ -2178,7 +2197,7 @@ msgstr "" "запись в число любимых?" #: actions/favoritesrss.php:111 actions/showfavorites.php:77 -#: lib/personalgroupnav.php:115 +#: lib/personalgroupnav.php:118 #, php-format msgid "%s's favorite notices" msgstr "Любимые записи %s" @@ -2357,8 +2376,10 @@ msgstr "" "Настройте внешний вид группы, установив фоновое изображение и цветовую гамму " "на ваш выбор." +#. TRANS: Error message displayed if design settings could not be saved. +#. TRANS: Error message displayed if design settings could not be saved after clicking "Use defaults". #: actions/groupdesignsettings.php:266 actions/userdesignsettings.php:186 -#: lib/designsettings.php:391 lib/designsettings.php:413 +#: lib/designsettings.php:405 lib/designsettings.php:427 msgid "Couldn't update your design." msgstr "Не удаётся обновить ваше оформление." @@ -3323,25 +3344,25 @@ msgstr "" msgid "Notice has no profile." msgstr "Уведомление не имеет профиля." -#: actions/oembed.php:87 actions/shownotice.php:176 +#: actions/oembed.php:83 actions/shownotice.php:172 #, php-format msgid "%1$s's status on %2$s" msgstr "Статус %1$s на %2$s" #. TRANS: Error message displaying attachments. %s is a raw MIME type (eg 'image/png') -#: actions/oembed.php:159 +#: actions/oembed.php:155 #, php-format msgid "Content type %s not supported." msgstr "Тип содержимого %s не поддерживается." #. TRANS: Error message displaying attachments. %s is the site's base URL. -#: actions/oembed.php:163 +#: actions/oembed.php:159 #, php-format msgid "Only %s URLs over plain HTTP please." msgstr "Только %s URL в простом HTTP, пожалуйста." #. TRANS: Client error on an API request with an unsupported data format. -#: actions/oembed.php:184 actions/oembed.php:203 lib/apiaction.php:1200 +#: actions/oembed.php:180 actions/oembed.php:199 lib/apiaction.php:1200 #: lib/apiaction.php:1227 lib/apiaction.php:1356 msgid "Not a supported data format." msgstr "Неподдерживаемый формат данных." @@ -3836,7 +3857,7 @@ msgstr "1-64 латинских строчных буквы или цифры, #. TRANS: Field label in form for profile settings. #. TRANS: Label for full group name (dt). Text hidden by default. #: actions/profilesettings.php:117 actions/register.php:457 -#: actions/showgroup.php:257 actions/tagother.php:104 +#: actions/showgroup.php:252 actions/tagother.php:104 #: lib/groupeditform.php:157 lib/userprofile.php:150 msgid "Full name" msgstr "Полное имя" @@ -3879,7 +3900,7 @@ msgstr "Биография" #. TRANS: Field label in form for profile settings. #. TRANS: Label for group location (dt). Text hidden by default. #: actions/profilesettings.php:149 actions/register.php:485 -#: actions/showgroup.php:267 actions/tagother.php:112 +#: actions/showgroup.php:262 actions/tagother.php:112 #: actions/userauthorization.php:166 lib/groupeditform.php:180 #: lib/userprofile.php:165 msgid "Location" @@ -4464,7 +4485,7 @@ msgid "Repeated!" msgstr "Повторено!" #: actions/replies.php:126 actions/repliesrss.php:68 -#: lib/personalgroupnav.php:105 +#: lib/personalgroupnav.php:108 #, php-format msgid "Replies to %s" msgstr "Ответы для %s" @@ -4603,7 +4624,7 @@ msgid "Description" msgstr "Описание" #. TRANS: Header for group statistics on a group page (h2). -#: actions/showapplication.php:192 actions/showgroup.php:453 +#: actions/showapplication.php:192 actions/showgroup.php:448 #: lib/profileaction.php:187 msgid "Statistics" msgstr "Статистика" @@ -4720,95 +4741,95 @@ msgid "This is a way to share what you like." msgstr "Это способ поделиться тем, что вам нравится." #. TRANS: Page title for first group page. %s is a group name. -#: actions/showgroup.php:80 +#: actions/showgroup.php:75 #, php-format msgid "%s group" msgstr "Группа %s" #. TRANS: Page title for any but first group page. #. TRANS: %1$s is a group name, $2$s is a page number. -#: actions/showgroup.php:84 +#: actions/showgroup.php:79 #, php-format msgid "%1$s group, page %2$d" msgstr "Группа %1$s, страница %2$d" #. TRANS: Group profile header (h2). Text hidden by default. -#: actions/showgroup.php:225 +#: actions/showgroup.php:220 msgid "Group profile" msgstr "Профиль группы" #. TRANS: Label for group URL (dt). Text hidden by default. -#: actions/showgroup.php:275 actions/tagother.php:118 +#: actions/showgroup.php:270 actions/tagother.php:118 #: actions/userauthorization.php:175 lib/userprofile.php:178 msgid "URL" msgstr "URL" #. TRANS: Label for group description or group note (dt). Text hidden by default. -#: actions/showgroup.php:287 actions/tagother.php:128 +#: actions/showgroup.php:282 actions/tagother.php:128 #: actions/userauthorization.php:187 lib/userprofile.php:195 msgid "Note" msgstr "Запись" #. TRANS: Label for group aliases (dt). Text hidden by default. -#: actions/showgroup.php:298 lib/groupeditform.php:187 +#: actions/showgroup.php:293 lib/groupeditform.php:187 msgid "Aliases" msgstr "Алиасы" #. TRANS: Group actions header (h2). Text hidden by default. -#: actions/showgroup.php:309 +#: actions/showgroup.php:304 msgid "Group actions" msgstr "Действия группы" #. TRANS: Tooltip for feed link. %s is a group nickname. -#: actions/showgroup.php:350 +#: actions/showgroup.php:345 #, php-format msgid "Notice feed for %s group (RSS 1.0)" msgstr "Лента записей группы %s (RSS 1.0)" #. TRANS: Tooltip for feed link. %s is a group nickname. -#: actions/showgroup.php:357 +#: actions/showgroup.php:352 #, php-format msgid "Notice feed for %s group (RSS 2.0)" msgstr "Лента записей группы %s (RSS 2.0)" #. TRANS: Tooltip for feed link. %s is a group nickname. -#: actions/showgroup.php:364 +#: actions/showgroup.php:359 #, php-format msgid "Notice feed for %s group (Atom)" msgstr "Лента записей группы %s (Atom)" #. TRANS: Tooltip for feed link. %s is a group nickname. -#: actions/showgroup.php:370 +#: actions/showgroup.php:365 #, php-format msgid "FOAF for %s group" msgstr "FOAF для группы %s" #. TRANS: Header for mini list of group members on a group page (h2). -#: actions/showgroup.php:407 +#: actions/showgroup.php:402 msgid "Members" msgstr "Участники" #. TRANS: Description for mini list of group members on a group page when the group has no members. -#: actions/showgroup.php:413 lib/profileaction.php:117 +#: actions/showgroup.php:408 lib/profileaction.php:117 #: lib/profileaction.php:152 lib/profileaction.php:255 lib/section.php:95 #: lib/subscriptionlist.php:127 lib/tagcloudsection.php:71 msgid "(None)" msgstr "(пока ничего нет)" #. TRANS: Link to all group members from mini list of group members if group has more than n members. -#: actions/showgroup.php:422 +#: actions/showgroup.php:417 msgid "All members" msgstr "Все участники" #. TRANS: Label for creation date in statistics on group page. -#: actions/showgroup.php:458 +#: actions/showgroup.php:453 #, fuzzy msgctxt "LABEL" msgid "Created" msgstr "Создано" #. TRANS: Label for member count in statistics on group page. -#: actions/showgroup.php:466 +#: actions/showgroup.php:461 #, fuzzy msgctxt "LABEL" msgid "Members" @@ -4818,7 +4839,7 @@ msgstr "Участники" #. TRANS: **%s** is the group alias, %%%%site.name%%%% is the site name, #. TRANS: %%%%action.register%%%% is the URL for registration, %%%%doc.help%%%% is a URL to help. #. TRANS: This message contains Markdown links. Ensure they are formatted correctly: [Description](link). -#: actions/showgroup.php:481 +#: actions/showgroup.php:476 #, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -4837,7 +4858,7 @@ msgstr "" #. TRANS: Notice on group pages for anonymous users for StatusNet sites that accept no new registrations. #. TRANS: **%s** is the group alias, %%%%site.name%%%% is the site name, #. TRANS: This message contains Markdown links. Ensure they are formatted correctly: [Description](link). -#: actions/showgroup.php:491 +#: actions/showgroup.php:486 #, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -4851,7 +4872,7 @@ msgstr "" "короткими сообщениями о своей жизни и интересах. " #. TRANS: Header for list of group administrators on a group page (h2). -#: actions/showgroup.php:520 +#: actions/showgroup.php:515 msgid "Admins" msgstr "Администраторы" @@ -5641,7 +5662,7 @@ msgstr "Неверная подписка по умолчанию: «%1$s» не #. TRANS: Link description in user account settings menu. #: actions/useradminpanel.php:215 lib/accountsettingsaction.php:106 -#: lib/personalgroupnav.php:109 +#: lib/personalgroupnav.php:112 msgid "Profile" msgstr "Профиль" @@ -5803,11 +5824,13 @@ msgstr "Не удаётся прочитать URL аватары «%s»" msgid "Wrong image type for avatar URL ‘%s’." msgstr "Неверный тип изображения для URL аватары «%s»." -#: actions/userdesignsettings.php:76 lib/designsettings.php:65 +#. TRANS: Page title for profile design page. +#: actions/userdesignsettings.php:76 lib/designsettings.php:63 msgid "Profile design" msgstr "Оформление профиля" -#: actions/userdesignsettings.php:87 lib/designsettings.php:76 +#. TRANS: Instructions for profile design page. +#: actions/userdesignsettings.php:87 lib/designsettings.php:74 msgid "" "Customize the way your profile looks with a background image and a colour " "palette of your choice." @@ -5940,31 +5963,50 @@ msgstr "Робин считает, что это невозможно." #. TRANS: Message given if an upload is larger than the configured maximum. #. TRANS: %1$d is the byte limit for uploads, %2$d is the byte count for the uploaded file. -#: classes/File.php:189 -#, php-format +#. TRANS: %1$s is used for plural. +#: classes/File.php:190 +#, fuzzy, php-format msgid "" +"No file may be larger than %1$d byte and the file you sent was %2$d bytes. " +"Try to upload a smaller version." +msgid_plural "" "No file may be larger than %1$d bytes and the file you sent was %2$d bytes. " "Try to upload a smaller version." -msgstr "" +msgstr[0] "" +"Файл не может быть больше %1$d байт, тогда как отправленный вами файл " +"содержал %2$d байт. Попробуйте загрузить меньшую версию." +msgstr[1] "" +"Файл не может быть больше %1$d байт, тогда как отправленный вами файл " +"содержал %2$d байт. Попробуйте загрузить меньшую версию." +msgstr[2] "" "Файл не может быть больше %1$d байт, тогда как отправленный вами файл " "содержал %2$d байт. Попробуйте загрузить меньшую версию." #. TRANS: Message given if an upload would exceed user quota. -#. TRANS: %d (number) is the user quota in bytes. -#: classes/File.php:201 -#, php-format -msgid "A file this large would exceed your user quota of %d bytes." -msgstr "Файл такого размера превысит вашу пользовательскую квоту в %d байта." +#. TRANS: %d (number) is the user quota in bytes and is used for plural. +#: classes/File.php:203 +#, fuzzy, php-format +msgid "A file this large would exceed your user quota of %d byte." +msgid_plural "A file this large would exceed your user quota of %d bytes." +msgstr[0] "" +"Файл такого размера превысит вашу пользовательскую квоту в %d байта." +msgstr[1] "" +"Файл такого размера превысит вашу пользовательскую квоту в %d байта." +msgstr[2] "" +"Файл такого размера превысит вашу пользовательскую квоту в %d байта." #. TRANS: Message given id an upload would exceed a user's monthly quota. -#. TRANS: $d (number) is the monthly user quota in bytes. -#: classes/File.php:210 -#, php-format -msgid "A file this large would exceed your monthly quota of %d bytes." -msgstr "Файл такого размера превысит вашу месячную квоту в %d байта." +#. TRANS: $d (number) is the monthly user quota in bytes and is used for plural. +#: classes/File.php:215 +#, fuzzy, php-format +msgid "A file this large would exceed your monthly quota of %d byte." +msgid_plural "A file this large would exceed your monthly quota of %d bytes." +msgstr[0] "Файл такого размера превысит вашу месячную квоту в %d байта." +msgstr[1] "Файл такого размера превысит вашу месячную квоту в %d байта." +msgstr[2] "Файл такого размера превысит вашу месячную квоту в %d байта." #. TRANS: Client exception thrown if a file upload does not have a valid name. -#: classes/File.php:247 classes/File.php:262 +#: classes/File.php:262 classes/File.php:277 msgid "Invalid filename." msgstr "Неверное имя файла." @@ -6093,31 +6135,32 @@ msgid "Problem saving notice." msgstr "Проблемы с сохранением записи." #. TRANS: Server exception thrown when no array is provided to the method saveKnownGroups(). -#: classes/Notice.php:907 -msgid "Bad type provided to saveKnownGroups" +#: classes/Notice.php:905 +#, fuzzy +msgid "Bad type provided to saveKnownGroups." msgstr "Для saveKnownGroups указан неверный тип" #. TRANS: Server exception thrown when an update for a group inbox fails. -#: classes/Notice.php:1006 +#: classes/Notice.php:1004 msgid "Problem saving group inbox." msgstr "Проблемы с сохранением входящих сообщений группы." #. TRANS: Server exception thrown when a reply cannot be saved. #. TRANS: %1$d is a notice ID, %2$d is the ID of the mentioned user. -#: classes/Notice.php:1120 +#: classes/Notice.php:1118 #, fuzzy, php-format msgid "Could not save reply for %1$d, %2$d." msgstr "Не удаётся сохранить информацию о локальной группе." #. TRANS: Message used to repeat a notice. RT is the abbreviation of 'retweet'. #. TRANS: %1$s is the repeated user's name, %2$s is the repeated notice. -#: classes/Notice.php:1822 +#: classes/Notice.php:1820 #, php-format msgid "RT @%1$s %2$s" msgstr "RT @%1$s %2$s" #. TRANS: Full name of a profile or group followed by nickname in parens -#: classes/Profile.php:164 +#: classes/Profile.php:164 classes/User_group.php:247 #, fuzzy, php-format msgctxt "FANCYNAME" msgid "%1$s (%2$s)" @@ -6215,22 +6258,22 @@ msgid "Single-user mode code called when not enabled." msgstr "" #. TRANS: Server exception thrown when creating a group failed. -#: classes/User_group.php:495 +#: classes/User_group.php:511 msgid "Could not create group." msgstr "Не удаётся создать группу." #. TRANS: Server exception thrown when updating a group URI failed. -#: classes/User_group.php:505 +#: classes/User_group.php:521 msgid "Could not set group URI." msgstr "Не удаётся назначить URI группы." #. TRANS: Server exception thrown when setting group membership failed. -#: classes/User_group.php:528 +#: classes/User_group.php:544 msgid "Could not set group membership." msgstr "Не удаётся назначить членство в группе." #. TRANS: Server exception thrown when saving local group information failed. -#: classes/User_group.php:543 +#: classes/User_group.php:559 msgid "Could not save local group info." msgstr "Не удаётся сохранить информацию о локальной группе." @@ -6639,7 +6682,7 @@ msgid "User configuration" msgstr "Конфигурация пользователя" #. TRANS: Menu item for site administration -#: lib/adminpanelaction.php:355 lib/personalgroupnav.php:115 +#: lib/adminpanelaction.php:355 lib/personalgroupnav.php:118 msgid "User" msgstr "Пользователь" @@ -7363,10 +7406,13 @@ msgstr "Авторизованные соединённые приложения msgid "Database error" msgstr "Ошибка базы данных" -#: lib/designsettings.php:105 +#. TRANS: Label in form on profile design page. +#. TRANS: Field contains file name on user's computer that could be that user's custom profile background image. +#: lib/designsettings.php:104 msgid "Upload file" msgstr "Загрузить файл" +#. TRANS: Instructions for form on profile design page. #: lib/designsettings.php:109 msgid "" "You can upload your personal background image. The maximum file size is 2MB." @@ -7374,16 +7420,29 @@ msgstr "" "Вы можете загрузить собственное фоновое изображение. Максимальный размер " "файла составляет 2МБ." -#: 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 "" -"Сервер не смог обработать столько POST-данных (%s байт) из-за текущей " -"конфигурации." +#. TRANS: Radio button on profile design page that will enable use of the uploaded profile image. +#: lib/designsettings.php:139 +#, fuzzy +msgctxt "RADIO" +msgid "On" +msgstr "Включить" -#: lib/designsettings.php:418 +#. TRANS: Radio button on profile design page that will disable use of the uploaded profile image. +#: lib/designsettings.php:156 +#, fuzzy +msgctxt "RADIO" +msgid "Off" +msgstr "Отключить" + +#. TRANS: Button text on profile design page to reset all colour settings to default without saving. +#: lib/designsettings.php:264 +#, fuzzy +msgctxt "BUTTON" +msgid "Reset" +msgstr "Сбросить" + +#. TRANS: Success message displayed if design settings were saved after clicking "Use defaults". +#: lib/designsettings.php:433 msgid "Design defaults restored." msgstr "Оформление по умолчанию восстановлено." @@ -7892,7 +7951,7 @@ msgstr "" #. TRANS: Subject for favorite notification e-mail. #. TRANS: %1$s is the adding user's long name, %2$s is the adding user's nickname. -#: lib/mail.php:603 +#: lib/mail.php:607 #, fuzzy, php-format msgid "%1$s (@%2$s) added your notice as a favorite" msgstr "%s (@%s) добавил вашу запись в число своих любимых" @@ -7902,7 +7961,7 @@ msgstr "%s (@%s) добавил вашу запись в число своих #. TRANS: %3$s is a URL to the faved notice, %4$s is the faved notice text, #. TRANS: %5$s is a URL to all faves of the adding user, %6$s is the StatusNet sitename, #. TRANS: %7$s is the adding user's nickname. -#: lib/mail.php:610 +#: lib/mail.php:614 #, php-format msgid "" "%1$s (@%7$s) just added your notice from %2$s as one of their favorites.\n" @@ -7940,7 +7999,7 @@ msgstr "" "%6$s\n" #. TRANS: Line in @-reply notification e-mail. %s is conversation URL. -#: lib/mail.php:668 +#: lib/mail.php:672 #, php-format msgid "" "The full conversation can be read here:\n" @@ -7953,7 +8012,7 @@ msgstr "" #. TRANS: E-mail subject for notice notification. #. TRANS: %1$s is the sending user's long name, %2$s is the adding user's nickname. -#: lib/mail.php:676 +#: lib/mail.php:680 #, fuzzy, php-format msgid "%1$s (@%2$s) sent a notice to your attention" msgstr "%s (@%s) отправил запись для вашего внимания" @@ -7964,7 +8023,7 @@ msgstr "%s (@%s) отправил запись для вашего вниман #. TRANS: %5$s is a URL to the full conversion if it exists (otherwise empty), #. TRANS: %6$s is a URL to reply to the notice, %7$s is a URL to all @-replied for the addressed user, #. TRANS: %8$s is a URL to the addressed user's e-mail settings, %9$s is the sender's nickname. -#: lib/mail.php:684 +#: lib/mail.php:688 #, php-format msgid "" "%1$s (@%9$s) just sent a notice to your attention (an '@-reply') on %2$s.\n" @@ -8111,7 +8170,7 @@ msgstr "Не удаётся определить mime-тип файла." #. TRANS: Client exception thrown trying to upload a forbidden MIME type. #. TRANS: %1$s is the file type that was denied, %2$s is the application part of #. TRANS: the MIME type that was denied. -#: lib/mediafile.php:340 +#: lib/mediafile.php:345 #, php-format msgid "" "\"%1$s\" is not a supported file type on this server. Try using another %2$s " @@ -8120,7 +8179,7 @@ msgstr "" #. TRANS: Client exception thrown trying to upload a forbidden MIME type. #. TRANS: %s is the file type that was denied. -#: lib/mediafile.php:345 +#: lib/mediafile.php:350 #, php-format msgid "\"%s\" is not a supported file type on this server." msgstr "" @@ -8261,31 +8320,31 @@ msgstr "" msgid "Couldn't insert new subscription." msgstr "Не удаётся вставить новую подписку." -#: lib/personalgroupnav.php:99 +#: lib/personalgroupnav.php:102 msgid "Personal" msgstr "Личное" -#: lib/personalgroupnav.php:104 +#: lib/personalgroupnav.php:107 msgid "Replies" msgstr "Ответы" -#: lib/personalgroupnav.php:114 +#: lib/personalgroupnav.php:117 msgid "Favorites" msgstr "Любимое" -#: lib/personalgroupnav.php:125 +#: lib/personalgroupnav.php:128 msgid "Inbox" msgstr "Входящие" -#: lib/personalgroupnav.php:126 +#: lib/personalgroupnav.php:129 msgid "Your incoming messages" msgstr "Ваши входящие сообщения" -#: lib/personalgroupnav.php:130 +#: lib/personalgroupnav.php:133 msgid "Outbox" msgstr "Исходящие" -#: lib/personalgroupnav.php:131 +#: lib/personalgroupnav.php:134 msgid "Your sent messages" msgstr "Ваши исходящие сообщения" @@ -8483,6 +8542,12 @@ msgstr "Облако тегов людей" msgid "None" msgstr "Нет тегов" +#. TRANS: Server exception displayed if a theme name was invalid. +#: lib/theme.php:74 +#, fuzzy +msgid "Invalid theme name." +msgstr "Неверное имя файла." + #: lib/themeuploader.php:50 msgid "This server cannot handle theme uploads without ZIP support." msgstr "Этот сервер не может обработать загруженные темы без поддержки ZIP." @@ -8749,19 +8814,9 @@ msgstr[0] "" msgstr[1] "" msgstr[2] "" -#, fuzzy -#~ msgid "Name is too long (maximum 255 chars)." -#~ msgstr "Имя слишком длинное (не больше 255 знаков)." - -#, fuzzy -#~ msgid "Organization is too long (maximum 255 chars)." -#~ msgstr "Слишком длинное название организации (максимум 255 знаков)." - -#~ msgid "That's too long. Max notice size is %d chars." -#~ msgstr "Слишком длинная запись. Максимальная длина — %d знаков." - -#~ msgid "Max notice size is %d chars, including attachment URL." -#~ msgstr "Максимальная длина записи — %d символов, включая URL вложения." - -#~ msgid " tagged %s" -#~ msgstr " с тегом %s" +#~ msgid "" +#~ "The server was unable to handle that much POST data (%s bytes) due to its " +#~ "current configuration." +#~ msgstr "" +#~ "Сервер не смог обработать столько POST-данных (%s байт) из-за текущей " +#~ "конфигурации." diff --git a/locale/statusnet.pot b/locale/statusnet.pot index ed52e7f84e..0baa50c926 100644 --- a/locale/statusnet.pot +++ b/locale/statusnet.pot @@ -8,7 +8,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-11-02 22:51+0000\n" +"POT-Creation-Date: 2010-11-04 18:25+0000\n" "PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" "Last-Translator: FULL NAME \n" "Language-Team: LANGUAGE \n" @@ -80,12 +80,14 @@ msgstr "" #. TRANS: Save button for settings for a profile in a subscriptions list. #. TRANS: Button text to save user settings in user admin panel. #. TRANS: Button label in the "Edit application" form. +#. TRANS: Button text on profile design page to save settings. #: actions/accessadminpanel.php:193 actions/emailsettings.php:228 #: actions/imsettings.php:187 actions/othersettings.php:134 #: actions/pathsadminpanel.php:512 actions/profilesettings.php:201 #: actions/sitenoticeadminpanel.php:197 actions/smssettings.php:209 #: actions/subscriptions.php:246 actions/useradminpanel.php:298 -#: lib/applicationeditform.php:355 lib/groupeditform.php:207 +#: lib/applicationeditform.php:355 lib/designsettings.php:270 +#: lib/groupeditform.php:207 msgctxt "BUTTON" msgid "Save" msgstr "" @@ -153,7 +155,7 @@ msgstr "" #. TRANS: Timeline title for user and friends. %s is a user nickname. #: actions/all.php:94 actions/all.php:191 actions/allrss.php:115 #: actions/apitimelinefriends.php:207 actions/apitimelinehome.php:113 -#: lib/personalgroupnav.php:100 +#: lib/personalgroupnav.php:103 #, php-format msgid "%s and friends" msgstr "" @@ -319,11 +321,13 @@ msgstr "" #. TRANS: Client error displayed when the number of bytes in a POST request exceeds a limit. #. TRANS: %s is the number of bytes of the CONTENT_LENGTH. +#. TRANS: Form validation error in design settings form. POST should remain untranslated. #: actions/apiaccountupdateprofilebackgroundimage.php:108 #: actions/apiaccountupdateprofileimage.php:95 actions/apimediaupload.php:81 #: actions/apistatusesupdate.php:210 actions/avatarsettings.php:269 #: actions/designadminpanel.php:125 actions/editapplication.php:121 #: actions/newapplication.php:104 actions/newnotice.php:95 +#: lib/designsettings.php:298 #, php-format msgid "" "The server was unable to handle that much POST data (%s byte) due to its " @@ -722,7 +726,7 @@ msgstr "" #: actions/repeat.php:83 actions/smssettings.php:256 actions/subedit.php:40 #: actions/subscribe.php:86 actions/tagother.php:166 #: actions/unsubscribe.php:69 actions/userauthorization.php:52 -#: lib/designsettings.php:294 +#: lib/designsettings.php:310 msgid "There was a problem with your session token. Try again, please." msgstr "" @@ -743,12 +747,13 @@ msgstr "" #. TRANS: Message given submitting a form with an unknown action in IM settings. #. TRANS: Client error when submitting a form with unexpected information. #. TRANS: Message given submitting a form with an unknown action in SMS settings. +#. TRANS: Unknown form validation error in design settings form. #: actions/apioauthauthorize.php:294 actions/avatarsettings.php:294 #: actions/designadminpanel.php:104 actions/editapplication.php:144 #: actions/emailsettings.php:290 actions/grouplogo.php:322 #: actions/imsettings.php:245 actions/newapplication.php:125 #: actions/oauthconnectionssettings.php:147 actions/recoverpassword.php:44 -#: actions/smssettings.php:277 lib/designsettings.php:304 +#: actions/smssettings.php:277 lib/designsettings.php:321 msgid "Unexpected form submission." msgstr "" @@ -794,7 +799,7 @@ msgstr "" #. TRANS: Label for group nickname (dt). Text hidden by default. #: actions/apioauthauthorize.php:459 actions/login.php:252 #: actions/profilesettings.php:110 actions/register.php:433 -#: actions/showgroup.php:245 actions/tagother.php:94 +#: actions/showgroup.php:240 actions/tagother.php:94 #: actions/userauthorization.php:145 lib/groupeditform.php:152 #: lib/userprofile.php:132 msgid "Nickname" @@ -1050,7 +1055,7 @@ msgstr "" #: actions/avatarbynickname.php:60 actions/blockedfromgroup.php:73 #: actions/editgroup.php:85 actions/groupdesignsettings.php:84 #: actions/grouplogo.php:86 actions/groupmembers.php:76 -#: actions/grouprss.php:91 actions/showgroup.php:121 +#: actions/grouprss.php:91 actions/showgroup.php:116 msgid "No nickname." msgstr "" @@ -1067,7 +1072,7 @@ msgstr "" #. TRANS: Title for avatar upload page. #. TRANS: Label for group avatar (dt). Text hidden by default. #. TRANS: Link description in user account settings menu. -#: actions/avatarsettings.php:66 actions/showgroup.php:229 +#: actions/avatarsettings.php:66 actions/showgroup.php:224 #: lib/accountsettingsaction.php:113 msgid "Avatar" msgstr "" @@ -1237,7 +1242,7 @@ msgstr "" #: actions/groupunblock.php:88 actions/joingroup.php:82 #: actions/joingroup.php:93 actions/leavegroup.php:82 #: actions/leavegroup.php:93 actions/makeadmin.php:86 -#: actions/showgroup.php:139 actions/showgroup.php:148 lib/command.php:168 +#: actions/showgroup.php:134 actions/showgroup.php:143 lib/command.php:168 #: lib/command.php:380 msgid "No such group." msgstr "" @@ -1584,12 +1589,14 @@ msgstr "" msgid "You can upload a custom StatusNet theme as a .ZIP archive." msgstr "" -#: actions/designadminpanel.php:512 lib/designsettings.php:101 +#. TRANS: Fieldset legend on profile design page. +#: actions/designadminpanel.php:512 lib/designsettings.php:98 msgid "Change background image" msgstr "" +#. TRANS: Label on profile design page for setting a profile page background colour. #: actions/designadminpanel.php:517 actions/designadminpanel.php:600 -#: lib/designsettings.php:178 +#: lib/designsettings.php:183 msgid "Background" msgstr "" @@ -1601,40 +1608,48 @@ msgid "" msgstr "" #. TRANS: Used as radio button label to add a background image. -#: actions/designadminpanel.php:553 lib/designsettings.php:139 +#: actions/designadminpanel.php:553 msgid "On" msgstr "" #. TRANS: Used as radio button label to not add a background image. -#: actions/designadminpanel.php:570 lib/designsettings.php:155 +#: actions/designadminpanel.php:570 msgid "Off" msgstr "" -#: actions/designadminpanel.php:571 lib/designsettings.php:156 +#. TRANS: Form guide for a set of radio buttons on the profile design page that will enable or disable +#. TRANS: use of the uploaded profile image. +#: actions/designadminpanel.php:571 lib/designsettings.php:159 msgid "Turn background image on or off." msgstr "" -#: actions/designadminpanel.php:576 lib/designsettings.php:161 +#. TRANS: Checkbox label on profile design page that will cause the profile image to be tiled. +#: actions/designadminpanel.php:576 lib/designsettings.php:165 msgid "Tile background image" msgstr "" -#: actions/designadminpanel.php:590 lib/designsettings.php:170 +#. TRANS: Fieldset legend on profile design page to change profile page colours. +#: actions/designadminpanel.php:590 lib/designsettings.php:175 msgid "Change colours" msgstr "" -#: actions/designadminpanel.php:613 lib/designsettings.php:191 +#. TRANS: Label on profile design page for setting a profile page content colour. +#: actions/designadminpanel.php:613 lib/designsettings.php:197 msgid "Content" msgstr "" -#: actions/designadminpanel.php:626 lib/designsettings.php:204 +#. TRANS: Label on profile design page for setting a profile page sidebar colour. +#: actions/designadminpanel.php:626 lib/designsettings.php:211 msgid "Sidebar" msgstr "" -#: actions/designadminpanel.php:639 lib/designsettings.php:217 +#. TRANS: Label on profile design page for setting a profile page text colour. +#: actions/designadminpanel.php:639 lib/designsettings.php:225 msgid "Text" msgstr "" -#: actions/designadminpanel.php:652 lib/designsettings.php:230 +#. TRANS: Label on profile design page for setting a profile page links colour. +#: actions/designadminpanel.php:652 lib/designsettings.php:239 msgid "Links" msgstr "" @@ -1646,15 +1661,18 @@ msgstr "" msgid "Custom CSS" msgstr "" -#: actions/designadminpanel.php:702 lib/designsettings.php:247 +#. TRANS: Button text on profile design page to immediately reset all colour settings to default. +#: actions/designadminpanel.php:702 lib/designsettings.php:257 msgid "Use defaults" msgstr "" -#: actions/designadminpanel.php:703 lib/designsettings.php:248 +#. TRANS: Title for button on profile design page to reset all colour settings to default. +#: actions/designadminpanel.php:703 lib/designsettings.php:259 msgid "Restore default designs" msgstr "" -#: actions/designadminpanel.php:709 lib/designsettings.php:254 +#. TRANS: Title for button on profile design page to reset all colour settings to default without saving. +#: actions/designadminpanel.php:709 lib/designsettings.php:267 msgid "Reset back to default" msgstr "" @@ -1662,11 +1680,12 @@ msgstr "" #: actions/designadminpanel.php:711 actions/licenseadminpanel.php:319 #: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:292 #: actions/snapshotadminpanel.php:245 actions/tagother.php:154 -#: lib/applicationeditform.php:357 lib/designsettings.php:256 +#: lib/applicationeditform.php:357 msgid "Save" msgstr "" -#: actions/designadminpanel.php:712 lib/designsettings.php:257 +#. TRANS: Title for button on profile design page to save settings. +#: actions/designadminpanel.php:712 lib/designsettings.php:272 msgid "Save design" msgstr "" @@ -1800,7 +1819,7 @@ msgstr "" #. TRANS: Server error displayed when group aliases could not be added. #. TRANS: Server exception thrown when creating group aliases failed. -#: actions/editgroup.php:288 classes/User_group.php:513 +#: actions/editgroup.php:288 classes/User_group.php:529 msgid "Could not create aliases." msgstr "" @@ -2075,7 +2094,7 @@ msgid "" msgstr "" #: actions/favoritesrss.php:111 actions/showfavorites.php:77 -#: lib/personalgroupnav.php:115 +#: lib/personalgroupnav.php:118 #, php-format msgid "%s's favorite notices" msgstr "" @@ -2249,8 +2268,10 @@ msgid "" "palette of your choice." msgstr "" +#. TRANS: Error message displayed if design settings could not be saved. +#. TRANS: Error message displayed if design settings could not be saved after clicking "Use defaults". #: actions/groupdesignsettings.php:266 actions/userdesignsettings.php:186 -#: lib/designsettings.php:391 lib/designsettings.php:413 +#: lib/designsettings.php:405 lib/designsettings.php:427 msgid "Couldn't update your design." msgstr "" @@ -3131,25 +3152,25 @@ msgstr "" msgid "Notice has no profile." msgstr "" -#: actions/oembed.php:87 actions/shownotice.php:176 +#: actions/oembed.php:83 actions/shownotice.php:172 #, php-format msgid "%1$s's status on %2$s" msgstr "" #. TRANS: Error message displaying attachments. %s is a raw MIME type (eg 'image/png') -#: actions/oembed.php:159 +#: actions/oembed.php:155 #, php-format msgid "Content type %s not supported." msgstr "" #. TRANS: Error message displaying attachments. %s is the site's base URL. -#: actions/oembed.php:163 +#: actions/oembed.php:159 #, php-format msgid "Only %s URLs over plain HTTP please." msgstr "" #. TRANS: Client error on an API request with an unsupported data format. -#: actions/oembed.php:184 actions/oembed.php:203 lib/apiaction.php:1200 +#: actions/oembed.php:180 actions/oembed.php:199 lib/apiaction.php:1200 #: lib/apiaction.php:1227 lib/apiaction.php:1356 msgid "Not a supported data format." msgstr "" @@ -3622,7 +3643,7 @@ msgstr "" #. TRANS: Field label in form for profile settings. #. TRANS: Label for full group name (dt). Text hidden by default. #: actions/profilesettings.php:117 actions/register.php:457 -#: actions/showgroup.php:257 actions/tagother.php:104 +#: actions/showgroup.php:252 actions/tagother.php:104 #: lib/groupeditform.php:157 lib/userprofile.php:150 msgid "Full name" msgstr "" @@ -3663,7 +3684,7 @@ msgstr "" #. TRANS: Field label in form for profile settings. #. TRANS: Label for group location (dt). Text hidden by default. #: actions/profilesettings.php:149 actions/register.php:485 -#: actions/showgroup.php:267 actions/tagother.php:112 +#: actions/showgroup.php:262 actions/tagother.php:112 #: actions/userauthorization.php:166 lib/groupeditform.php:180 #: lib/userprofile.php:165 msgid "Location" @@ -4198,7 +4219,7 @@ msgid "Repeated!" msgstr "" #: actions/replies.php:126 actions/repliesrss.php:68 -#: lib/personalgroupnav.php:105 +#: lib/personalgroupnav.php:108 #, php-format msgid "Replies to %s" msgstr "" @@ -4330,7 +4351,7 @@ msgid "Description" msgstr "" #. TRANS: Header for group statistics on a group page (h2). -#: actions/showapplication.php:192 actions/showgroup.php:453 +#: actions/showapplication.php:192 actions/showgroup.php:448 #: lib/profileaction.php:187 msgid "Statistics" msgstr "" @@ -4437,94 +4458,94 @@ msgid "This is a way to share what you like." msgstr "" #. TRANS: Page title for first group page. %s is a group name. -#: actions/showgroup.php:80 +#: actions/showgroup.php:75 #, php-format msgid "%s group" msgstr "" #. TRANS: Page title for any but first group page. #. TRANS: %1$s is a group name, $2$s is a page number. -#: actions/showgroup.php:84 +#: actions/showgroup.php:79 #, php-format msgid "%1$s group, page %2$d" msgstr "" #. TRANS: Group profile header (h2). Text hidden by default. -#: actions/showgroup.php:225 +#: actions/showgroup.php:220 msgid "Group profile" msgstr "" #. TRANS: Label for group URL (dt). Text hidden by default. -#: actions/showgroup.php:275 actions/tagother.php:118 +#: actions/showgroup.php:270 actions/tagother.php:118 #: actions/userauthorization.php:175 lib/userprofile.php:178 msgid "URL" msgstr "" #. TRANS: Label for group description or group note (dt). Text hidden by default. -#: actions/showgroup.php:287 actions/tagother.php:128 +#: actions/showgroup.php:282 actions/tagother.php:128 #: actions/userauthorization.php:187 lib/userprofile.php:195 msgid "Note" msgstr "" #. TRANS: Label for group aliases (dt). Text hidden by default. -#: actions/showgroup.php:298 lib/groupeditform.php:187 +#: actions/showgroup.php:293 lib/groupeditform.php:187 msgid "Aliases" msgstr "" #. TRANS: Group actions header (h2). Text hidden by default. -#: actions/showgroup.php:309 +#: actions/showgroup.php:304 msgid "Group actions" msgstr "" #. TRANS: Tooltip for feed link. %s is a group nickname. -#: actions/showgroup.php:350 +#: actions/showgroup.php:345 #, php-format msgid "Notice feed for %s group (RSS 1.0)" msgstr "" #. TRANS: Tooltip for feed link. %s is a group nickname. -#: actions/showgroup.php:357 +#: actions/showgroup.php:352 #, php-format msgid "Notice feed for %s group (RSS 2.0)" msgstr "" #. TRANS: Tooltip for feed link. %s is a group nickname. -#: actions/showgroup.php:364 +#: actions/showgroup.php:359 #, php-format msgid "Notice feed for %s group (Atom)" msgstr "" #. TRANS: Tooltip for feed link. %s is a group nickname. -#: actions/showgroup.php:370 +#: actions/showgroup.php:365 #, php-format msgid "FOAF for %s group" msgstr "" #. TRANS: Header for mini list of group members on a group page (h2). -#: actions/showgroup.php:407 +#: actions/showgroup.php:402 msgid "Members" msgstr "" #. TRANS: Description for mini list of group members on a group page when the group has no members. -#: actions/showgroup.php:413 lib/profileaction.php:117 +#: actions/showgroup.php:408 lib/profileaction.php:117 #: lib/profileaction.php:152 lib/profileaction.php:255 lib/section.php:95 #: lib/subscriptionlist.php:127 lib/tagcloudsection.php:71 msgid "(None)" msgstr "" #. TRANS: Link to all group members from mini list of group members if group has more than n members. -#: actions/showgroup.php:422 +#: actions/showgroup.php:417 msgid "All members" msgstr "" #. TRANS: Label for creation date in statistics on group page. -#: actions/showgroup.php:458 +#: actions/showgroup.php:453 msgctxt "LABEL" msgid "Created" msgstr "" #. TRANS: Label for member count in statistics on group page. -#: actions/showgroup.php:466 +#: actions/showgroup.php:461 msgctxt "LABEL" msgid "Members" msgstr "" @@ -4533,7 +4554,7 @@ msgstr "" #. TRANS: **%s** is the group alias, %%%%site.name%%%% is the site name, #. TRANS: %%%%action.register%%%% is the URL for registration, %%%%doc.help%%%% is a URL to help. #. TRANS: This message contains Markdown links. Ensure they are formatted correctly: [Description](link). -#: actions/showgroup.php:481 +#: actions/showgroup.php:476 #, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -4546,7 +4567,7 @@ msgstr "" #. TRANS: Notice on group pages for anonymous users for StatusNet sites that accept no new registrations. #. TRANS: **%s** is the group alias, %%%%site.name%%%% is the site name, #. TRANS: This message contains Markdown links. Ensure they are formatted correctly: [Description](link). -#: actions/showgroup.php:491 +#: actions/showgroup.php:486 #, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -4556,7 +4577,7 @@ msgid "" msgstr "" #. TRANS: Header for list of group administrators on a group page (h2). -#: actions/showgroup.php:520 +#: actions/showgroup.php:515 msgid "Admins" msgstr "" @@ -5296,7 +5317,7 @@ msgstr "" #. TRANS: Link description in user account settings menu. #: actions/useradminpanel.php:215 lib/accountsettingsaction.php:106 -#: lib/personalgroupnav.php:109 +#: lib/personalgroupnav.php:112 msgid "Profile" msgstr "" @@ -5450,11 +5471,13 @@ msgstr "" msgid "Wrong image type for avatar URL ‘%s’." msgstr "" -#: actions/userdesignsettings.php:76 lib/designsettings.php:65 +#. TRANS: Page title for profile design page. +#: actions/userdesignsettings.php:76 lib/designsettings.php:63 msgid "Profile design" msgstr "" -#: actions/userdesignsettings.php:87 lib/designsettings.php:76 +#. TRANS: Instructions for profile design page. +#: actions/userdesignsettings.php:87 lib/designsettings.php:74 msgid "" "Customize the way your profile looks with a background image and a colour " "palette of your choice." @@ -5572,29 +5595,38 @@ msgstr "" #. TRANS: Message given if an upload is larger than the configured maximum. #. TRANS: %1$d is the byte limit for uploads, %2$d is the byte count for the uploaded file. -#: classes/File.php:189 +#. TRANS: %1$s is used for plural. +#: classes/File.php:190 #, php-format msgid "" +"No file may be larger than %1$d byte and the file you sent was %2$d bytes. " +"Try to upload a smaller version." +msgid_plural "" "No file may be larger than %1$d bytes and the file you sent was %2$d bytes. " "Try to upload a smaller version." -msgstr "" +msgstr[0] "" +msgstr[1] "" #. TRANS: Message given if an upload would exceed user quota. -#. TRANS: %d (number) is the user quota in bytes. -#: classes/File.php:201 +#. TRANS: %d (number) is the user quota in bytes and is used for plural. +#: classes/File.php:203 #, php-format -msgid "A file this large would exceed your user quota of %d bytes." -msgstr "" +msgid "A file this large would exceed your user quota of %d byte." +msgid_plural "A file this large would exceed your user quota of %d bytes." +msgstr[0] "" +msgstr[1] "" #. TRANS: Message given id an upload would exceed a user's monthly quota. -#. TRANS: $d (number) is the monthly user quota in bytes. -#: classes/File.php:210 +#. TRANS: $d (number) is the monthly user quota in bytes and is used for plural. +#: classes/File.php:215 #, php-format -msgid "A file this large would exceed your monthly quota of %d bytes." -msgstr "" +msgid "A file this large would exceed your monthly quota of %d byte." +msgid_plural "A file this large would exceed your monthly quota of %d bytes." +msgstr[0] "" +msgstr[1] "" #. TRANS: Client exception thrown if a file upload does not have a valid name. -#: classes/File.php:247 classes/File.php:262 +#: classes/File.php:262 classes/File.php:277 msgid "Invalid filename." msgstr "" @@ -5719,31 +5751,31 @@ msgid "Problem saving notice." msgstr "" #. TRANS: Server exception thrown when no array is provided to the method saveKnownGroups(). -#: classes/Notice.php:907 -msgid "Bad type provided to saveKnownGroups" +#: classes/Notice.php:905 +msgid "Bad type provided to saveKnownGroups." msgstr "" #. TRANS: Server exception thrown when an update for a group inbox fails. -#: classes/Notice.php:1006 +#: classes/Notice.php:1004 msgid "Problem saving group inbox." msgstr "" #. TRANS: Server exception thrown when a reply cannot be saved. #. TRANS: %1$d is a notice ID, %2$d is the ID of the mentioned user. -#: classes/Notice.php:1120 +#: classes/Notice.php:1118 #, php-format msgid "Could not save reply for %1$d, %2$d." msgstr "" #. TRANS: Message used to repeat a notice. RT is the abbreviation of 'retweet'. #. TRANS: %1$s is the repeated user's name, %2$s is the repeated notice. -#: classes/Notice.php:1822 +#: classes/Notice.php:1820 #, php-format msgid "RT @%1$s %2$s" msgstr "" #. TRANS: Full name of a profile or group followed by nickname in parens -#: classes/Profile.php:164 +#: classes/Profile.php:164 classes/User_group.php:247 #, php-format msgctxt "FANCYNAME" msgid "%1$s (%2$s)" @@ -5838,22 +5870,22 @@ msgid "Single-user mode code called when not enabled." msgstr "" #. TRANS: Server exception thrown when creating a group failed. -#: classes/User_group.php:495 +#: classes/User_group.php:511 msgid "Could not create group." msgstr "" #. TRANS: Server exception thrown when updating a group URI failed. -#: classes/User_group.php:505 +#: classes/User_group.php:521 msgid "Could not set group URI." msgstr "" #. TRANS: Server exception thrown when setting group membership failed. -#: classes/User_group.php:528 +#: classes/User_group.php:544 msgid "Could not set group membership." msgstr "" #. TRANS: Server exception thrown when saving local group information failed. -#: classes/User_group.php:543 +#: classes/User_group.php:559 msgid "Could not save local group info." msgstr "" @@ -6253,7 +6285,7 @@ msgid "User configuration" msgstr "" #. TRANS: Menu item for site administration -#: lib/adminpanelaction.php:355 lib/personalgroupnav.php:115 +#: lib/adminpanelaction.php:355 lib/personalgroupnav.php:118 msgid "User" msgstr "" @@ -6906,23 +6938,38 @@ msgstr "" msgid "Database error" msgstr "" -#: lib/designsettings.php:105 +#. TRANS: Label in form on profile design page. +#. TRANS: Field contains file name on user's computer that could be that user's custom profile background image. +#: lib/designsettings.php:104 msgid "Upload file" msgstr "" +#. TRANS: Instructions for form on profile design page. #: lib/designsettings.php:109 msgid "" "You can upload your personal background image. The maximum file size is 2MB." msgstr "" -#: lib/designsettings.php:283 -#, php-format -msgid "" -"The server was unable to handle that much POST data (%s bytes) due to its " -"current configuration." +#. TRANS: Radio button on profile design page that will enable use of the uploaded profile image. +#: lib/designsettings.php:139 +msgctxt "RADIO" +msgid "On" msgstr "" -#: lib/designsettings.php:418 +#. TRANS: Radio button on profile design page that will disable use of the uploaded profile image. +#: lib/designsettings.php:156 +msgctxt "RADIO" +msgid "Off" +msgstr "" + +#. TRANS: Button text on profile design page to reset all colour settings to default without saving. +#: lib/designsettings.php:264 +msgctxt "BUTTON" +msgid "Reset" +msgstr "" + +#. TRANS: Success message displayed if design settings were saved after clicking "Use defaults". +#: lib/designsettings.php:433 msgid "Design defaults restored." msgstr "" @@ -7359,7 +7406,7 @@ msgstr "" #. TRANS: Subject for favorite notification e-mail. #. TRANS: %1$s is the adding user's long name, %2$s is the adding user's nickname. -#: lib/mail.php:603 +#: lib/mail.php:607 #, php-format msgid "%1$s (@%2$s) added your notice as a favorite" msgstr "" @@ -7369,7 +7416,7 @@ msgstr "" #. TRANS: %3$s is a URL to the faved notice, %4$s is the faved notice text, #. TRANS: %5$s is a URL to all faves of the adding user, %6$s is the StatusNet sitename, #. TRANS: %7$s is the adding user's nickname. -#: lib/mail.php:610 +#: lib/mail.php:614 #, php-format msgid "" "%1$s (@%7$s) just added your notice from %2$s as one of their favorites.\n" @@ -7391,7 +7438,7 @@ msgid "" msgstr "" #. TRANS: Line in @-reply notification e-mail. %s is conversation URL. -#: lib/mail.php:668 +#: lib/mail.php:672 #, php-format msgid "" "The full conversation can be read here:\n" @@ -7401,7 +7448,7 @@ msgstr "" #. TRANS: E-mail subject for notice notification. #. TRANS: %1$s is the sending user's long name, %2$s is the adding user's nickname. -#: lib/mail.php:676 +#: lib/mail.php:680 #, php-format msgid "%1$s (@%2$s) sent a notice to your attention" msgstr "" @@ -7412,7 +7459,7 @@ msgstr "" #. TRANS: %5$s is a URL to the full conversion if it exists (otherwise empty), #. TRANS: %6$s is a URL to reply to the notice, %7$s is a URL to all @-replied for the addressed user, #. TRANS: %8$s is a URL to the addressed user's e-mail settings, %9$s is the sender's nickname. -#: lib/mail.php:684 +#: lib/mail.php:688 #, php-format msgid "" "%1$s (@%9$s) just sent a notice to your attention (an '@-reply') on %2$s.\n" @@ -7531,7 +7578,7 @@ msgstr "" #. TRANS: Client exception thrown trying to upload a forbidden MIME type. #. TRANS: %1$s is the file type that was denied, %2$s is the application part of #. TRANS: the MIME type that was denied. -#: lib/mediafile.php:340 +#: lib/mediafile.php:345 #, php-format msgid "" "\"%1$s\" is not a supported file type on this server. Try using another %2$s " @@ -7540,7 +7587,7 @@ msgstr "" #. TRANS: Client exception thrown trying to upload a forbidden MIME type. #. TRANS: %s is the file type that was denied. -#: lib/mediafile.php:345 +#: lib/mediafile.php:350 #, php-format msgid "\"%s\" is not a supported file type on this server." msgstr "" @@ -7679,31 +7726,31 @@ msgstr "" msgid "Couldn't insert new subscription." msgstr "" -#: lib/personalgroupnav.php:99 +#: lib/personalgroupnav.php:102 msgid "Personal" msgstr "" -#: lib/personalgroupnav.php:104 +#: lib/personalgroupnav.php:107 msgid "Replies" msgstr "" -#: lib/personalgroupnav.php:114 +#: lib/personalgroupnav.php:117 msgid "Favorites" msgstr "" -#: lib/personalgroupnav.php:125 +#: lib/personalgroupnav.php:128 msgid "Inbox" msgstr "" -#: lib/personalgroupnav.php:126 +#: lib/personalgroupnav.php:129 msgid "Your incoming messages" msgstr "" -#: lib/personalgroupnav.php:130 +#: lib/personalgroupnav.php:133 msgid "Outbox" msgstr "" -#: lib/personalgroupnav.php:131 +#: lib/personalgroupnav.php:134 msgid "Your sent messages" msgstr "" @@ -7900,6 +7947,11 @@ msgstr "" msgid "None" msgstr "" +#. TRANS: Server exception displayed if a theme name was invalid. +#: lib/theme.php:74 +msgid "Invalid theme name." +msgstr "" + #: lib/themeuploader.php:50 msgid "This server cannot handle theme uploads without ZIP support." msgstr "" diff --git a/locale/sv/LC_MESSAGES/statusnet.po b/locale/sv/LC_MESSAGES/statusnet.po index 9cc6991dc6..88ff10436c 100644 --- a/locale/sv/LC_MESSAGES/statusnet.po +++ b/locale/sv/LC_MESSAGES/statusnet.po @@ -11,17 +11,17 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet - Core\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-11-02 22:51+0000\n" -"PO-Revision-Date: 2010-11-02 22:53:43+0000\n" +"POT-Creation-Date: 2010-11-04 18:25+0000\n" +"PO-Revision-Date: 2010-11-04 18:27:48+0000\n" "Language-Team: Swedish \n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r75875); Translate extension (2010-09-17)\n" +"X-Generator: MediaWiki 1.17alpha (r76004); Translate extension (2010-09-17)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: sv\n" "X-Message-Group: #out-statusnet-core\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-POT-Import-Date: 2010-10-30 23:42:01+0000\n" +"X-POT-Import-Date: 2010-11-02 23:22:49+0000\n" #. TRANS: Page title for Access admin panel that allows configuring site access. #. TRANS: Menu item for site administration @@ -87,12 +87,14 @@ msgstr "Spara inställningar för åtkomst" #. TRANS: Save button for settings for a profile in a subscriptions list. #. TRANS: Button text to save user settings in user admin panel. #. TRANS: Button label in the "Edit application" form. +#. TRANS: Button text on profile design page to save settings. #: actions/accessadminpanel.php:193 actions/emailsettings.php:228 #: actions/imsettings.php:187 actions/othersettings.php:134 #: actions/pathsadminpanel.php:512 actions/profilesettings.php:201 #: actions/sitenoticeadminpanel.php:197 actions/smssettings.php:209 #: actions/subscriptions.php:246 actions/useradminpanel.php:298 -#: lib/applicationeditform.php:355 lib/groupeditform.php:207 +#: lib/applicationeditform.php:355 lib/designsettings.php:270 +#: lib/groupeditform.php:207 msgctxt "BUTTON" msgid "Save" msgstr "Spara" @@ -160,7 +162,7 @@ msgstr "%1$s och vänner, sida %2$d" #. TRANS: Timeline title for user and friends. %s is a user nickname. #: actions/all.php:94 actions/all.php:191 actions/allrss.php:115 #: actions/apitimelinefriends.php:207 actions/apitimelinehome.php:113 -#: lib/personalgroupnav.php:100 +#: lib/personalgroupnav.php:103 #, php-format msgid "%s and friends" msgstr "%s och vänner" @@ -332,11 +334,13 @@ msgstr "Kunde inte spara profil." #. TRANS: Client error displayed when the number of bytes in a POST request exceeds a limit. #. TRANS: %s is the number of bytes of the CONTENT_LENGTH. +#. TRANS: Form validation error in design settings form. POST should remain untranslated. #: actions/apiaccountupdateprofilebackgroundimage.php:108 #: actions/apiaccountupdateprofileimage.php:95 actions/apimediaupload.php:81 #: actions/apistatusesupdate.php:210 actions/avatarsettings.php:269 #: actions/designadminpanel.php:125 actions/editapplication.php:121 #: actions/newapplication.php:104 actions/newnotice.php:95 +#: lib/designsettings.php:298 #, fuzzy, php-format msgid "" "The server was unable to handle that much POST data (%s byte) due to its " @@ -748,7 +752,7 @@ msgstr "Du har inte tillstånd." #: actions/repeat.php:83 actions/smssettings.php:256 actions/subedit.php:40 #: actions/subscribe.php:86 actions/tagother.php:166 #: actions/unsubscribe.php:69 actions/userauthorization.php:52 -#: lib/designsettings.php:294 +#: lib/designsettings.php:310 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." @@ -770,12 +774,13 @@ msgstr "Databasfel vid infogning av OAuth-applikationsanvändare." #. TRANS: Message given submitting a form with an unknown action in IM settings. #. TRANS: Client error when submitting a form with unexpected information. #. TRANS: Message given submitting a form with an unknown action in SMS settings. +#. TRANS: Unknown form validation error in design settings form. #: actions/apioauthauthorize.php:294 actions/avatarsettings.php:294 #: actions/designadminpanel.php:104 actions/editapplication.php:144 #: actions/emailsettings.php:290 actions/grouplogo.php:322 #: actions/imsettings.php:245 actions/newapplication.php:125 #: actions/oauthconnectionssettings.php:147 actions/recoverpassword.php:44 -#: actions/smssettings.php:277 lib/designsettings.php:304 +#: actions/smssettings.php:277 lib/designsettings.php:321 msgid "Unexpected form submission." msgstr "Oväntat inskick av formulär." @@ -828,7 +833,7 @@ msgstr "Konto" #. TRANS: Label for group nickname (dt). Text hidden by default. #: actions/apioauthauthorize.php:459 actions/login.php:252 #: actions/profilesettings.php:110 actions/register.php:433 -#: actions/showgroup.php:245 actions/tagother.php:94 +#: actions/showgroup.php:240 actions/tagother.php:94 #: actions/userauthorization.php:145 lib/groupeditform.php:152 #: lib/userprofile.php:132 msgid "Nickname" @@ -1090,7 +1095,7 @@ msgstr "Ingen sådan bilaga." #: actions/avatarbynickname.php:60 actions/blockedfromgroup.php:73 #: actions/editgroup.php:85 actions/groupdesignsettings.php:84 #: actions/grouplogo.php:86 actions/groupmembers.php:76 -#: actions/grouprss.php:91 actions/showgroup.php:121 +#: actions/grouprss.php:91 actions/showgroup.php:116 msgid "No nickname." msgstr "Inget smeknamn." @@ -1107,7 +1112,7 @@ msgstr "Ogiltig storlek." #. TRANS: Title for avatar upload page. #. TRANS: Label for group avatar (dt). Text hidden by default. #. TRANS: Link description in user account settings menu. -#: actions/avatarsettings.php:66 actions/showgroup.php:229 +#: actions/avatarsettings.php:66 actions/showgroup.php:224 #: lib/accountsettingsaction.php:113 msgid "Avatar" msgstr "Avatar" @@ -1284,7 +1289,7 @@ msgstr "Misslyckades att spara blockeringsinformation." #: actions/groupunblock.php:88 actions/joingroup.php:82 #: actions/joingroup.php:93 actions/leavegroup.php:82 #: actions/leavegroup.php:93 actions/makeadmin.php:86 -#: actions/showgroup.php:139 actions/showgroup.php:148 lib/command.php:168 +#: actions/showgroup.php:134 actions/showgroup.php:143 lib/command.php:168 #: lib/command.php:380 msgid "No such group." msgstr "Ingen sådan grupp." @@ -1651,12 +1656,14 @@ msgstr "Anpassat tema" msgid "You can upload a custom StatusNet theme as a .ZIP archive." msgstr "Du kan ladda upp ett eget StatusNet-tema som ett .ZIP-arkiv." -#: actions/designadminpanel.php:512 lib/designsettings.php:101 +#. TRANS: Fieldset legend on profile design page. +#: actions/designadminpanel.php:512 lib/designsettings.php:98 msgid "Change background image" msgstr "Ändra bakgrundsbild" +#. TRANS: Label on profile design page for setting a profile page background colour. #: actions/designadminpanel.php:517 actions/designadminpanel.php:600 -#: lib/designsettings.php:178 +#: lib/designsettings.php:183 msgid "Background" msgstr "Bakgrund" @@ -1670,40 +1677,48 @@ msgstr "" "filstorleken är %1$s." #. TRANS: Used as radio button label to add a background image. -#: actions/designadminpanel.php:553 lib/designsettings.php:139 +#: actions/designadminpanel.php:553 msgid "On" msgstr "På" #. TRANS: Used as radio button label to not add a background image. -#: actions/designadminpanel.php:570 lib/designsettings.php:155 +#: actions/designadminpanel.php:570 msgid "Off" msgstr "Av" -#: actions/designadminpanel.php:571 lib/designsettings.php:156 +#. TRANS: Form guide for a set of radio buttons on the profile design page that will enable or disable +#. TRANS: use of the uploaded profile image. +#: actions/designadminpanel.php:571 lib/designsettings.php:159 msgid "Turn background image on or off." msgstr "Sätt på eller stäng av bakgrundsbild." -#: actions/designadminpanel.php:576 lib/designsettings.php:161 +#. TRANS: Checkbox label on profile design page that will cause the profile image to be tiled. +#: actions/designadminpanel.php:576 lib/designsettings.php:165 msgid "Tile background image" msgstr "Upprepa bakgrundsbild" -#: actions/designadminpanel.php:590 lib/designsettings.php:170 +#. TRANS: Fieldset legend on profile design page to change profile page colours. +#: actions/designadminpanel.php:590 lib/designsettings.php:175 msgid "Change colours" msgstr "Byt färger" -#: actions/designadminpanel.php:613 lib/designsettings.php:191 +#. TRANS: Label on profile design page for setting a profile page content colour. +#: actions/designadminpanel.php:613 lib/designsettings.php:197 msgid "Content" msgstr "Innehåll" -#: actions/designadminpanel.php:626 lib/designsettings.php:204 +#. TRANS: Label on profile design page for setting a profile page sidebar colour. +#: actions/designadminpanel.php:626 lib/designsettings.php:211 msgid "Sidebar" msgstr "Sidofält" -#: actions/designadminpanel.php:639 lib/designsettings.php:217 +#. TRANS: Label on profile design page for setting a profile page text colour. +#: actions/designadminpanel.php:639 lib/designsettings.php:225 msgid "Text" msgstr "Text" -#: actions/designadminpanel.php:652 lib/designsettings.php:230 +#. TRANS: Label on profile design page for setting a profile page links colour. +#: actions/designadminpanel.php:652 lib/designsettings.php:239 msgid "Links" msgstr "Länkar" @@ -1715,15 +1730,18 @@ msgstr "Avancerat" msgid "Custom CSS" msgstr "Anpassad CSS" -#: actions/designadminpanel.php:702 lib/designsettings.php:247 +#. TRANS: Button text on profile design page to immediately reset all colour settings to default. +#: actions/designadminpanel.php:702 lib/designsettings.php:257 msgid "Use defaults" msgstr "Använd standardvärden" -#: actions/designadminpanel.php:703 lib/designsettings.php:248 +#. TRANS: Title for button on profile design page to reset all colour settings to default. +#: actions/designadminpanel.php:703 lib/designsettings.php:259 msgid "Restore default designs" msgstr "Återställ standardutseende" -#: actions/designadminpanel.php:709 lib/designsettings.php:254 +#. TRANS: Title for button on profile design page to reset all colour settings to default without saving. +#: actions/designadminpanel.php:709 lib/designsettings.php:267 msgid "Reset back to default" msgstr "Återställ till standardvärde" @@ -1731,11 +1749,12 @@ msgstr "Återställ till standardvärde" #: actions/designadminpanel.php:711 actions/licenseadminpanel.php:319 #: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:292 #: actions/snapshotadminpanel.php:245 actions/tagother.php:154 -#: lib/applicationeditform.php:357 lib/designsettings.php:256 +#: lib/applicationeditform.php:357 msgid "Save" msgstr "Spara" -#: actions/designadminpanel.php:712 lib/designsettings.php:257 +#. TRANS: Title for button on profile design page to save settings. +#: actions/designadminpanel.php:712 lib/designsettings.php:272 msgid "Save design" msgstr "Spara utseende" @@ -1871,7 +1890,7 @@ msgstr "Kunde inte uppdatera grupp." #. TRANS: Server error displayed when group aliases could not be added. #. TRANS: Server exception thrown when creating group aliases failed. -#: actions/editgroup.php:288 classes/User_group.php:513 +#: actions/editgroup.php:288 classes/User_group.php:529 msgid "Could not create aliases." msgstr "Kunde inte skapa alias." @@ -2158,7 +2177,7 @@ msgstr "" "att lägga en notis till dina favoriter!" #: actions/favoritesrss.php:111 actions/showfavorites.php:77 -#: lib/personalgroupnav.php:115 +#: lib/personalgroupnav.php:118 #, php-format msgid "%s's favorite notices" msgstr "%ss favoritnotiser" @@ -2336,8 +2355,10 @@ msgid "" msgstr "" "Anpassa hur din grupp ser ut genom att välja bakgrundbild och färgpalett." +#. TRANS: Error message displayed if design settings could not be saved. +#. TRANS: Error message displayed if design settings could not be saved after clicking "Use defaults". #: actions/groupdesignsettings.php:266 actions/userdesignsettings.php:186 -#: lib/designsettings.php:391 lib/designsettings.php:413 +#: lib/designsettings.php:405 lib/designsettings.php:427 msgid "Couldn't update your design." msgstr "Kunde inte uppdatera dina utseendeinställningar." @@ -3297,25 +3318,25 @@ msgstr "" msgid "Notice has no profile." msgstr "Notisen har ingen profil." -#: actions/oembed.php:87 actions/shownotice.php:176 +#: actions/oembed.php:83 actions/shownotice.php:172 #, php-format msgid "%1$s's status on %2$s" msgstr "%1$ss status den %2$s" #. TRANS: Error message displaying attachments. %s is a raw MIME type (eg 'image/png') -#: actions/oembed.php:159 +#: actions/oembed.php:155 #, php-format msgid "Content type %s not supported." msgstr "Innehållstyp %s stödjs inte." #. TRANS: Error message displaying attachments. %s is the site's base URL. -#: actions/oembed.php:163 +#: actions/oembed.php:159 #, php-format msgid "Only %s URLs over plain HTTP please." msgstr "Endast %s-webbadresser över vanlig HTTP." #. TRANS: Client error on an API request with an unsupported data format. -#: actions/oembed.php:184 actions/oembed.php:203 lib/apiaction.php:1200 +#: actions/oembed.php:180 actions/oembed.php:199 lib/apiaction.php:1200 #: lib/apiaction.php:1227 lib/apiaction.php:1356 msgid "Not a supported data format." msgstr "Ett dataformat som inte stödjs" @@ -3813,7 +3834,7 @@ msgstr "1-64 små bokstäver eller nummer, inga punkter eller mellanslag" #. TRANS: Field label in form for profile settings. #. TRANS: Label for full group name (dt). Text hidden by default. #: actions/profilesettings.php:117 actions/register.php:457 -#: actions/showgroup.php:257 actions/tagother.php:104 +#: actions/showgroup.php:252 actions/tagother.php:104 #: lib/groupeditform.php:157 lib/userprofile.php:150 msgid "Full name" msgstr "Fullständigt namn" @@ -3855,7 +3876,7 @@ msgstr "Biografi" #. TRANS: Field label in form for profile settings. #. TRANS: Label for group location (dt). Text hidden by default. #: actions/profilesettings.php:149 actions/register.php:485 -#: actions/showgroup.php:267 actions/tagother.php:112 +#: actions/showgroup.php:262 actions/tagother.php:112 #: actions/userauthorization.php:166 lib/groupeditform.php:180 #: lib/userprofile.php:165 msgid "Location" @@ -4445,7 +4466,7 @@ msgid "Repeated!" msgstr "Upprepad!" #: actions/replies.php:126 actions/repliesrss.php:68 -#: lib/personalgroupnav.php:105 +#: lib/personalgroupnav.php:108 #, php-format msgid "Replies to %s" msgstr "Svarat till %s" @@ -4581,7 +4602,7 @@ msgid "Description" msgstr "Beskrivning" #. TRANS: Header for group statistics on a group page (h2). -#: actions/showapplication.php:192 actions/showgroup.php:453 +#: actions/showapplication.php:192 actions/showgroup.php:448 #: lib/profileaction.php:187 msgid "Statistics" msgstr "Statistik" @@ -4698,95 +4719,95 @@ msgid "This is a way to share what you like." msgstr "Detta är ett sätt att dela med av det du gillar." #. TRANS: Page title for first group page. %s is a group name. -#: actions/showgroup.php:80 +#: actions/showgroup.php:75 #, php-format msgid "%s group" msgstr "%s grupp" #. TRANS: Page title for any but first group page. #. TRANS: %1$s is a group name, $2$s is a page number. -#: actions/showgroup.php:84 +#: actions/showgroup.php:79 #, php-format msgid "%1$s group, page %2$d" msgstr "%1$s grupp, sida %2$d" #. TRANS: Group profile header (h2). Text hidden by default. -#: actions/showgroup.php:225 +#: actions/showgroup.php:220 msgid "Group profile" msgstr "Grupprofil" #. TRANS: Label for group URL (dt). Text hidden by default. -#: actions/showgroup.php:275 actions/tagother.php:118 +#: actions/showgroup.php:270 actions/tagother.php:118 #: actions/userauthorization.php:175 lib/userprofile.php:178 msgid "URL" msgstr "URL" #. TRANS: Label for group description or group note (dt). Text hidden by default. -#: actions/showgroup.php:287 actions/tagother.php:128 +#: actions/showgroup.php:282 actions/tagother.php:128 #: actions/userauthorization.php:187 lib/userprofile.php:195 msgid "Note" msgstr "Notis" #. TRANS: Label for group aliases (dt). Text hidden by default. -#: actions/showgroup.php:298 lib/groupeditform.php:187 +#: actions/showgroup.php:293 lib/groupeditform.php:187 msgid "Aliases" msgstr "Alias" #. TRANS: Group actions header (h2). Text hidden by default. -#: actions/showgroup.php:309 +#: actions/showgroup.php:304 msgid "Group actions" msgstr "Åtgärder för grupp" #. TRANS: Tooltip for feed link. %s is a group nickname. -#: actions/showgroup.php:350 +#: actions/showgroup.php:345 #, php-format msgid "Notice feed for %s group (RSS 1.0)" msgstr "Flöde av notiser för %s grupp (RSS 1.0)" #. TRANS: Tooltip for feed link. %s is a group nickname. -#: actions/showgroup.php:357 +#: actions/showgroup.php:352 #, php-format msgid "Notice feed for %s group (RSS 2.0)" msgstr "Flöde av notiser för %s grupp (RSS 2.0)" #. TRANS: Tooltip for feed link. %s is a group nickname. -#: actions/showgroup.php:364 +#: actions/showgroup.php:359 #, php-format msgid "Notice feed for %s group (Atom)" msgstr "Flöde av notiser för %s grupp (Atom)" #. TRANS: Tooltip for feed link. %s is a group nickname. -#: actions/showgroup.php:370 +#: actions/showgroup.php:365 #, php-format msgid "FOAF for %s group" msgstr "FOAF för %s grupp" #. TRANS: Header for mini list of group members on a group page (h2). -#: actions/showgroup.php:407 +#: actions/showgroup.php:402 msgid "Members" msgstr "Medlemmar" #. TRANS: Description for mini list of group members on a group page when the group has no members. -#: actions/showgroup.php:413 lib/profileaction.php:117 +#: actions/showgroup.php:408 lib/profileaction.php:117 #: lib/profileaction.php:152 lib/profileaction.php:255 lib/section.php:95 #: lib/subscriptionlist.php:127 lib/tagcloudsection.php:71 msgid "(None)" msgstr "(Ingen)" #. TRANS: Link to all group members from mini list of group members if group has more than n members. -#: actions/showgroup.php:422 +#: actions/showgroup.php:417 msgid "All members" msgstr "Alla medlemmar" #. TRANS: Label for creation date in statistics on group page. -#: actions/showgroup.php:458 +#: actions/showgroup.php:453 #, fuzzy msgctxt "LABEL" msgid "Created" msgstr "Skapad" #. TRANS: Label for member count in statistics on group page. -#: actions/showgroup.php:466 +#: actions/showgroup.php:461 #, fuzzy msgctxt "LABEL" msgid "Members" @@ -4796,7 +4817,7 @@ msgstr "Medlemmar" #. TRANS: **%s** is the group alias, %%%%site.name%%%% is the site name, #. TRANS: %%%%action.register%%%% is the URL for registration, %%%%doc.help%%%% is a URL to help. #. TRANS: This message contains Markdown links. Ensure they are formatted correctly: [Description](link). -#: actions/showgroup.php:481 +#: actions/showgroup.php:476 #, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -4814,7 +4835,7 @@ msgstr "" #. TRANS: Notice on group pages for anonymous users for StatusNet sites that accept no new registrations. #. TRANS: **%s** is the group alias, %%%%site.name%%%% is the site name, #. TRANS: This message contains Markdown links. Ensure they are formatted correctly: [Description](link). -#: actions/showgroup.php:491 +#: actions/showgroup.php:486 #, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -4828,7 +4849,7 @@ msgstr "" "sina liv och intressen. " #. TRANS: Header for list of group administrators on a group page (h2). -#: actions/showgroup.php:520 +#: actions/showgroup.php:515 msgid "Admins" msgstr "Administratörer" @@ -5610,7 +5631,7 @@ msgstr "Ogiltig standardprenumeration: '%1$s' är inte användare." #. TRANS: Link description in user account settings menu. #: actions/useradminpanel.php:215 lib/accountsettingsaction.php:106 -#: lib/personalgroupnav.php:109 +#: lib/personalgroupnav.php:112 msgid "Profile" msgstr "Profil" @@ -5776,11 +5797,13 @@ msgstr "Kan inte läsa avatar-URL '%s'." msgid "Wrong image type for avatar URL ‘%s’." msgstr "Fel bildtyp för avatar-URL '%s'." -#: actions/userdesignsettings.php:76 lib/designsettings.php:65 +#. TRANS: Page title for profile design page. +#: actions/userdesignsettings.php:76 lib/designsettings.php:63 msgid "Profile design" msgstr "Profilutseende" -#: actions/userdesignsettings.php:87 lib/designsettings.php:76 +#. TRANS: Instructions for profile design page. +#: actions/userdesignsettings.php:87 lib/designsettings.php:74 msgid "" "Customize the way your profile looks with a background image and a colour " "palette of your choice." @@ -5912,31 +5935,44 @@ msgstr "Robin tycker att något är omöjligt" #. TRANS: Message given if an upload is larger than the configured maximum. #. TRANS: %1$d is the byte limit for uploads, %2$d is the byte count for the uploaded file. -#: classes/File.php:189 -#, php-format +#. TRANS: %1$s is used for plural. +#: classes/File.php:190 +#, fuzzy, php-format msgid "" +"No file may be larger than %1$d byte and the file you sent was %2$d bytes. " +"Try to upload a smaller version." +msgid_plural "" "No file may be larger than %1$d bytes and the file you sent was %2$d bytes. " "Try to upload a smaller version." -msgstr "" +msgstr[0] "" +"Ingen fil får vara större än %1$d byte och filen du skickade var %2$d byte. " +"Prova att ladda upp en mindre version." +msgstr[1] "" "Ingen fil får vara större än %1$d byte och filen du skickade var %2$d byte. " "Prova att ladda upp en mindre version." #. TRANS: Message given if an upload would exceed user quota. -#. TRANS: %d (number) is the user quota in bytes. -#: classes/File.php:201 -#, php-format -msgid "A file this large would exceed your user quota of %d bytes." -msgstr "En så här stor fil skulle överskrida din användarkvot på %d byte." +#. TRANS: %d (number) is the user quota in bytes and is used for plural. +#: classes/File.php:203 +#, fuzzy, php-format +msgid "A file this large would exceed your user quota of %d byte." +msgid_plural "A file this large would exceed your user quota of %d bytes." +msgstr[0] "En så här stor fil skulle överskrida din användarkvot på %d byte." +msgstr[1] "En så här stor fil skulle överskrida din användarkvot på %d byte." #. TRANS: Message given id an upload would exceed a user's monthly quota. -#. TRANS: $d (number) is the monthly user quota in bytes. -#: classes/File.php:210 -#, php-format -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." +#. TRANS: $d (number) is the monthly user quota in bytes and is used for plural. +#: classes/File.php:215 +#, fuzzy, php-format +msgid "A file this large would exceed your monthly quota of %d byte." +msgid_plural "A file this large would exceed your monthly quota of %d bytes." +msgstr[0] "" +"En sådan här stor fil skulle överskrida din månatliga kvot på %d byte." +msgstr[1] "" +"En sådan här stor fil skulle överskrida din månatliga kvot på %d byte." #. TRANS: Client exception thrown if a file upload does not have a valid name. -#: classes/File.php:247 classes/File.php:262 +#: classes/File.php:262 classes/File.php:277 msgid "Invalid filename." msgstr "Ogiltigt filnamn." @@ -6065,31 +6101,32 @@ msgid "Problem saving notice." msgstr "Problem med att spara notis." #. TRANS: Server exception thrown when no array is provided to the method saveKnownGroups(). -#: classes/Notice.php:907 -msgid "Bad type provided to saveKnownGroups" +#: classes/Notice.php:905 +#, fuzzy +msgid "Bad type provided to saveKnownGroups." msgstr "Dålig typ tillhandahållen saveKnownGroups" #. TRANS: Server exception thrown when an update for a group inbox fails. -#: classes/Notice.php:1006 +#: classes/Notice.php:1004 msgid "Problem saving group inbox." msgstr "Problem med att spara gruppinkorg." #. TRANS: Server exception thrown when a reply cannot be saved. #. TRANS: %1$d is a notice ID, %2$d is the ID of the mentioned user. -#: classes/Notice.php:1120 +#: classes/Notice.php:1118 #, fuzzy, php-format msgid "Could not save reply for %1$d, %2$d." msgstr "Kunde inte spara lokal gruppinformation." #. TRANS: Message used to repeat a notice. RT is the abbreviation of 'retweet'. #. TRANS: %1$s is the repeated user's name, %2$s is the repeated notice. -#: classes/Notice.php:1822 +#: classes/Notice.php:1820 #, php-format msgid "RT @%1$s %2$s" msgstr "RT @%1$s %2$s" #. TRANS: Full name of a profile or group followed by nickname in parens -#: classes/Profile.php:164 +#: classes/Profile.php:164 classes/User_group.php:247 #, fuzzy, php-format msgctxt "FANCYNAME" msgid "%1$s (%2$s)" @@ -6184,22 +6221,22 @@ msgid "Single-user mode code called when not enabled." msgstr "" #. TRANS: Server exception thrown when creating a group failed. -#: classes/User_group.php:495 +#: classes/User_group.php:511 msgid "Could not create group." msgstr "Kunde inte skapa grupp." #. TRANS: Server exception thrown when updating a group URI failed. -#: classes/User_group.php:505 +#: classes/User_group.php:521 msgid "Could not set group URI." msgstr "Kunde inte ställa in grupp-URI." #. TRANS: Server exception thrown when setting group membership failed. -#: classes/User_group.php:528 +#: classes/User_group.php:544 msgid "Could not set group membership." msgstr "Kunde inte ställa in gruppmedlemskap." #. TRANS: Server exception thrown when saving local group information failed. -#: classes/User_group.php:543 +#: classes/User_group.php:559 msgid "Could not save local group info." msgstr "Kunde inte spara lokal gruppinformation." @@ -6605,7 +6642,7 @@ msgid "User configuration" msgstr "Konfiguration av användare" #. TRANS: Menu item for site administration -#: lib/adminpanelaction.php:355 lib/personalgroupnav.php:115 +#: lib/adminpanelaction.php:355 lib/personalgroupnav.php:118 msgid "User" msgstr "Användare" @@ -7315,10 +7352,13 @@ msgstr "Tillåt anslutna applikationer" msgid "Database error" msgstr "Databasfel" -#: lib/designsettings.php:105 +#. TRANS: Label in form on profile design page. +#. TRANS: Field contains file name on user's computer that could be that user's custom profile background image. +#: lib/designsettings.php:104 msgid "Upload file" msgstr "Ladda upp fil" +#. TRANS: Instructions for form on profile design page. #: lib/designsettings.php:109 msgid "" "You can upload your personal background image. The maximum file size is 2MB." @@ -7326,16 +7366,29 @@ msgstr "" "Du kan ladda upp din personliga bakgrundbild. Den maximala filstorleken är " "2MB." -#: 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 "" -"Servern kunde inte hantera så mycket POST-data (%s byte) på grund av sin " -"nuvarande konfiguration." +#. TRANS: Radio button on profile design page that will enable use of the uploaded profile image. +#: lib/designsettings.php:139 +#, fuzzy +msgctxt "RADIO" +msgid "On" +msgstr "På" -#: lib/designsettings.php:418 +#. TRANS: Radio button on profile design page that will disable use of the uploaded profile image. +#: lib/designsettings.php:156 +#, fuzzy +msgctxt "RADIO" +msgid "Off" +msgstr "Av" + +#. TRANS: Button text on profile design page to reset all colour settings to default without saving. +#: lib/designsettings.php:264 +#, fuzzy +msgctxt "BUTTON" +msgid "Reset" +msgstr "Återställ" + +#. TRANS: Success message displayed if design settings were saved after clicking "Use defaults". +#: lib/designsettings.php:433 msgid "Design defaults restored." msgstr "Standardvärden för utseende återställda." @@ -7834,7 +7887,7 @@ msgstr "" #. TRANS: Subject for favorite notification e-mail. #. TRANS: %1$s is the adding user's long name, %2$s is the adding user's nickname. -#: lib/mail.php:603 +#: lib/mail.php:607 #, fuzzy, php-format msgid "%1$s (@%2$s) added your notice as a favorite" msgstr "%s (@%s) lade till din notis som en favorit" @@ -7844,7 +7897,7 @@ msgstr "%s (@%s) lade till din notis som en favorit" #. TRANS: %3$s is a URL to the faved notice, %4$s is the faved notice text, #. TRANS: %5$s is a URL to all faves of the adding user, %6$s is the StatusNet sitename, #. TRANS: %7$s is the adding user's nickname. -#: lib/mail.php:610 +#: lib/mail.php:614 #, php-format msgid "" "%1$s (@%7$s) just added your notice from %2$s as one of their favorites.\n" @@ -7882,7 +7935,7 @@ msgstr "" "%6$s\n" #. TRANS: Line in @-reply notification e-mail. %s is conversation URL. -#: lib/mail.php:668 +#: lib/mail.php:672 #, php-format msgid "" "The full conversation can be read here:\n" @@ -7895,7 +7948,7 @@ msgstr "" #. TRANS: E-mail subject for notice notification. #. TRANS: %1$s is the sending user's long name, %2$s is the adding user's nickname. -#: lib/mail.php:676 +#: lib/mail.php:680 #, fuzzy, php-format msgid "%1$s (@%2$s) sent a notice to your attention" msgstr "%s (@%s) skickade en notis för din uppmärksamhet" @@ -7906,7 +7959,7 @@ msgstr "%s (@%s) skickade en notis för din uppmärksamhet" #. TRANS: %5$s is a URL to the full conversion if it exists (otherwise empty), #. TRANS: %6$s is a URL to reply to the notice, %7$s is a URL to all @-replied for the addressed user, #. TRANS: %8$s is a URL to the addressed user's e-mail settings, %9$s is the sender's nickname. -#: lib/mail.php:684 +#: lib/mail.php:688 #, php-format msgid "" "%1$s (@%9$s) just sent a notice to your attention (an '@-reply') on %2$s.\n" @@ -8054,7 +8107,7 @@ msgstr "Kunde inte fastställa filens MIME-typ." #. TRANS: Client exception thrown trying to upload a forbidden MIME type. #. TRANS: %1$s is the file type that was denied, %2$s is the application part of #. TRANS: the MIME type that was denied. -#: lib/mediafile.php:340 +#: lib/mediafile.php:345 #, php-format msgid "" "\"%1$s\" is not a supported file type on this server. Try using another %2$s " @@ -8065,7 +8118,7 @@ msgstr "" #. TRANS: Client exception thrown trying to upload a forbidden MIME type. #. TRANS: %s is the file type that was denied. -#: lib/mediafile.php:345 +#: lib/mediafile.php:350 #, 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." @@ -8206,31 +8259,31 @@ msgstr "Duplicera notis." msgid "Couldn't insert new subscription." msgstr "Kunde inte infoga ny prenumeration." -#: lib/personalgroupnav.php:99 +#: lib/personalgroupnav.php:102 msgid "Personal" msgstr "Personligt" -#: lib/personalgroupnav.php:104 +#: lib/personalgroupnav.php:107 msgid "Replies" msgstr "Svar" -#: lib/personalgroupnav.php:114 +#: lib/personalgroupnav.php:117 msgid "Favorites" msgstr "Favoriter" -#: lib/personalgroupnav.php:125 +#: lib/personalgroupnav.php:128 msgid "Inbox" msgstr "Inkorg" -#: lib/personalgroupnav.php:126 +#: lib/personalgroupnav.php:129 msgid "Your incoming messages" msgstr "Dina inkommande meddelanden" -#: lib/personalgroupnav.php:130 +#: lib/personalgroupnav.php:133 msgid "Outbox" msgstr "Utkorg" -#: lib/personalgroupnav.php:131 +#: lib/personalgroupnav.php:134 msgid "Your sent messages" msgstr "Dina skickade meddelanden" @@ -8428,6 +8481,12 @@ msgstr "Taggmoln för person, såsom taggats" msgid "None" msgstr "Ingen" +#. TRANS: Server exception displayed if a theme name was invalid. +#: lib/theme.php:74 +#, fuzzy +msgid "Invalid theme name." +msgstr "Ogiltigt filnamn." + #: lib/themeuploader.php:50 msgid "This server cannot handle theme uploads without ZIP support." msgstr "Denna server kan inte hantera temauppladdningar utan ZIP-stöd." @@ -8678,19 +8737,9 @@ msgid_plural "%d entries in backup." msgstr[0] "" msgstr[1] "" -#, fuzzy -#~ msgid "Name is too long (maximum 255 chars)." -#~ msgstr "Namnet är för långt (max 255 tecken)." - -#, fuzzy -#~ msgid "Organization is too long (maximum 255 chars)." -#~ msgstr "Organisation är för lång (max 255 tecken)." - -#~ msgid "That's too long. Max notice size is %d chars." -#~ msgstr "Det är för långt. Maximal notisstorlek är %d tecken." - -#~ msgid "Max notice size is %d chars, including attachment URL." -#~ msgstr "Maximal notisstorlek är %d tecken, inklusive webbadress för bilaga." - -#~ msgid " tagged %s" -#~ msgstr "taggade %s" +#~ msgid "" +#~ "The server was unable to handle that much POST data (%s bytes) due to its " +#~ "current configuration." +#~ msgstr "" +#~ "Servern kunde inte hantera så mycket POST-data (%s byte) på grund av sin " +#~ "nuvarande konfiguration." diff --git a/locale/te/LC_MESSAGES/statusnet.po b/locale/te/LC_MESSAGES/statusnet.po index 5057577d14..320dbdec0a 100644 --- a/locale/te/LC_MESSAGES/statusnet.po +++ b/locale/te/LC_MESSAGES/statusnet.po @@ -10,17 +10,17 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet - Core\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-11-02 22:51+0000\n" -"PO-Revision-Date: 2010-11-02 22:53:45+0000\n" +"POT-Creation-Date: 2010-11-04 18:25+0000\n" +"PO-Revision-Date: 2010-11-04 18:27:49+0000\n" "Language-Team: Telugu \n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r75875); Translate extension (2010-09-17)\n" +"X-Generator: MediaWiki 1.17alpha (r76004); Translate extension (2010-09-17)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: te\n" "X-Message-Group: #out-statusnet-core\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-POT-Import-Date: 2010-10-30 23:42:01+0000\n" +"X-POT-Import-Date: 2010-11-02 23:22:49+0000\n" #. TRANS: Page title for Access admin panel that allows configuring site access. #. TRANS: Menu item for site administration @@ -85,12 +85,14 @@ msgstr "అందుబాటు అమరికలను భద్రపరచ #. TRANS: Save button for settings for a profile in a subscriptions list. #. TRANS: Button text to save user settings in user admin panel. #. TRANS: Button label in the "Edit application" form. +#. TRANS: Button text on profile design page to save settings. #: actions/accessadminpanel.php:193 actions/emailsettings.php:228 #: actions/imsettings.php:187 actions/othersettings.php:134 #: actions/pathsadminpanel.php:512 actions/profilesettings.php:201 #: actions/sitenoticeadminpanel.php:197 actions/smssettings.php:209 #: actions/subscriptions.php:246 actions/useradminpanel.php:298 -#: lib/applicationeditform.php:355 lib/groupeditform.php:207 +#: lib/applicationeditform.php:355 lib/designsettings.php:270 +#: lib/groupeditform.php:207 msgctxt "BUTTON" msgid "Save" msgstr "భద్రపరచు" @@ -158,7 +160,7 @@ msgstr "%1$s మరియు మిత్రులు, పేజీ %2$d" #. TRANS: Timeline title for user and friends. %s is a user nickname. #: actions/all.php:94 actions/all.php:191 actions/allrss.php:115 #: actions/apitimelinefriends.php:207 actions/apitimelinehome.php:113 -#: lib/personalgroupnav.php:100 +#: lib/personalgroupnav.php:103 #, php-format msgid "%s and friends" msgstr "%s మరియు మిత్రులు" @@ -328,11 +330,13 @@ msgstr "ప్రొఫైలుని భద్రపరచలేకున్ #. TRANS: Client error displayed when the number of bytes in a POST request exceeds a limit. #. TRANS: %s is the number of bytes of the CONTENT_LENGTH. +#. TRANS: Form validation error in design settings form. POST should remain untranslated. #: actions/apiaccountupdateprofilebackgroundimage.php:108 #: actions/apiaccountupdateprofileimage.php:95 actions/apimediaupload.php:81 #: actions/apistatusesupdate.php:210 actions/avatarsettings.php:269 #: actions/designadminpanel.php:125 actions/editapplication.php:121 #: actions/newapplication.php:104 actions/newnotice.php:95 +#: lib/designsettings.php:298 #, php-format msgid "" "The server was unable to handle that much POST data (%s byte) due to its " @@ -739,7 +743,7 @@ msgstr "మీకు అధీకరణ లేదు." #: actions/repeat.php:83 actions/smssettings.php:256 actions/subedit.php:40 #: actions/subscribe.php:86 actions/tagother.php:166 #: actions/unsubscribe.php:69 actions/userauthorization.php:52 -#: lib/designsettings.php:294 +#: lib/designsettings.php:310 msgid "There was a problem with your session token. Try again, please." msgstr "" @@ -761,12 +765,13 @@ msgstr "అవతారాన్ని పెట్టడంలో పొరప #. TRANS: Message given submitting a form with an unknown action in IM settings. #. TRANS: Client error when submitting a form with unexpected information. #. TRANS: Message given submitting a form with an unknown action in SMS settings. +#. TRANS: Unknown form validation error in design settings form. #: actions/apioauthauthorize.php:294 actions/avatarsettings.php:294 #: actions/designadminpanel.php:104 actions/editapplication.php:144 #: actions/emailsettings.php:290 actions/grouplogo.php:322 #: actions/imsettings.php:245 actions/newapplication.php:125 #: actions/oauthconnectionssettings.php:147 actions/recoverpassword.php:44 -#: actions/smssettings.php:277 lib/designsettings.php:304 +#: actions/smssettings.php:277 lib/designsettings.php:321 msgid "Unexpected form submission." msgstr "" @@ -812,7 +817,7 @@ msgstr "ఖాతా" #. TRANS: Label for group nickname (dt). Text hidden by default. #: actions/apioauthauthorize.php:459 actions/login.php:252 #: actions/profilesettings.php:110 actions/register.php:433 -#: actions/showgroup.php:245 actions/tagother.php:94 +#: actions/showgroup.php:240 actions/tagother.php:94 #: actions/userauthorization.php:145 lib/groupeditform.php:152 #: lib/userprofile.php:132 msgid "Nickname" @@ -1073,7 +1078,7 @@ msgstr "అటువంటి జోడింపు లేదు." #: actions/avatarbynickname.php:60 actions/blockedfromgroup.php:73 #: actions/editgroup.php:85 actions/groupdesignsettings.php:84 #: actions/grouplogo.php:86 actions/groupmembers.php:76 -#: actions/grouprss.php:91 actions/showgroup.php:121 +#: actions/grouprss.php:91 actions/showgroup.php:116 msgid "No nickname." msgstr "పేరు" @@ -1090,7 +1095,7 @@ msgstr "తప్పుడు పరిమాణం." #. TRANS: Title for avatar upload page. #. TRANS: Label for group avatar (dt). Text hidden by default. #. TRANS: Link description in user account settings menu. -#: actions/avatarsettings.php:66 actions/showgroup.php:229 +#: actions/avatarsettings.php:66 actions/showgroup.php:224 #: lib/accountsettingsaction.php:113 msgid "Avatar" msgstr "అవతారం" @@ -1266,7 +1271,7 @@ msgstr "నిరోధపు సమాచారాన్ని భద్రప #: actions/groupunblock.php:88 actions/joingroup.php:82 #: actions/joingroup.php:93 actions/leavegroup.php:82 #: actions/leavegroup.php:93 actions/makeadmin.php:86 -#: actions/showgroup.php:139 actions/showgroup.php:148 lib/command.php:168 +#: actions/showgroup.php:134 actions/showgroup.php:143 lib/command.php:168 #: lib/command.php:380 msgid "No such group." msgstr "అటువంటి గుంపు లేదు." @@ -1627,12 +1632,14 @@ msgstr "సైటు అలంకారం" msgid "You can upload a custom StatusNet theme as a .ZIP archive." msgstr "" -#: actions/designadminpanel.php:512 lib/designsettings.php:101 +#. TRANS: Fieldset legend on profile design page. +#: actions/designadminpanel.php:512 lib/designsettings.php:98 msgid "Change background image" msgstr "నేపథ్య చిత్రాన్ని మార్చు" +#. TRANS: Label on profile design page for setting a profile page background colour. #: actions/designadminpanel.php:517 actions/designadminpanel.php:600 -#: lib/designsettings.php:178 +#: lib/designsettings.php:183 msgid "Background" msgstr "నేపథ్యం" @@ -1644,42 +1651,50 @@ msgid "" msgstr "సైటుకి మీరు నేపథ్యపు చిత్రాన్ని ఎక్కించవచ్చు. గరిష్ఠ ఫైలు పరిమాణం %1$s." #. TRANS: Used as radio button label to add a background image. -#: actions/designadminpanel.php:553 lib/designsettings.php:139 +#: actions/designadminpanel.php:553 msgid "On" msgstr "ఆన్" #. TRANS: Used as radio button label to not add a background image. -#: actions/designadminpanel.php:570 lib/designsettings.php:155 +#: actions/designadminpanel.php:570 msgid "Off" msgstr "ఆఫ్" -#: actions/designadminpanel.php:571 lib/designsettings.php:156 +#. TRANS: Form guide for a set of radio buttons on the profile design page that will enable or disable +#. TRANS: use of the uploaded profile image. +#: actions/designadminpanel.php:571 lib/designsettings.php:159 #, fuzzy msgid "Turn background image on or off." msgstr "నేపథ్య చిత్రాన్ని మార్చు" -#: actions/designadminpanel.php:576 lib/designsettings.php:161 +#. TRANS: Checkbox label on profile design page that will cause the profile image to be tiled. +#: actions/designadminpanel.php:576 lib/designsettings.php:165 #, fuzzy msgid "Tile background image" msgstr "నేపథ్య చిత్రాన్ని మార్చు" -#: actions/designadminpanel.php:590 lib/designsettings.php:170 +#. TRANS: Fieldset legend on profile design page to change profile page colours. +#: actions/designadminpanel.php:590 lib/designsettings.php:175 msgid "Change colours" msgstr "రంగులను మార్చు" -#: actions/designadminpanel.php:613 lib/designsettings.php:191 +#. TRANS: Label on profile design page for setting a profile page content colour. +#: actions/designadminpanel.php:613 lib/designsettings.php:197 msgid "Content" msgstr "విషయం" -#: actions/designadminpanel.php:626 lib/designsettings.php:204 +#. TRANS: Label on profile design page for setting a profile page sidebar colour. +#: actions/designadminpanel.php:626 lib/designsettings.php:211 msgid "Sidebar" msgstr "పక్కపట్టీ" -#: actions/designadminpanel.php:639 lib/designsettings.php:217 +#. TRANS: Label on profile design page for setting a profile page text colour. +#: actions/designadminpanel.php:639 lib/designsettings.php:225 msgid "Text" msgstr "పాఠ్యం" -#: actions/designadminpanel.php:652 lib/designsettings.php:230 +#. TRANS: Label on profile design page for setting a profile page links colour. +#: actions/designadminpanel.php:652 lib/designsettings.php:239 msgid "Links" msgstr "లంకెలు" @@ -1691,16 +1706,19 @@ msgstr "ఉన్నత" msgid "Custom CSS" msgstr "ప్రత్యేక CSS" -#: actions/designadminpanel.php:702 lib/designsettings.php:247 +#. TRANS: Button text on profile design page to immediately reset all colour settings to default. +#: actions/designadminpanel.php:702 lib/designsettings.php:257 msgid "Use defaults" msgstr "అప్రమేయాలని ఉపయోగించు" -#: actions/designadminpanel.php:703 lib/designsettings.php:248 +#. TRANS: Title for button on profile design page to reset all colour settings to default. +#: actions/designadminpanel.php:703 lib/designsettings.php:259 #, fuzzy msgid "Restore default designs" msgstr "అప్రమేయాలని ఉపయోగించు" -#: actions/designadminpanel.php:709 lib/designsettings.php:254 +#. TRANS: Title for button on profile design page to reset all colour settings to default without saving. +#: actions/designadminpanel.php:709 lib/designsettings.php:267 #, fuzzy msgid "Reset back to default" msgstr "అప్రమేయాలని ఉపయోగించు" @@ -1709,11 +1727,12 @@ msgstr "అప్రమేయాలని ఉపయోగించు" #: actions/designadminpanel.php:711 actions/licenseadminpanel.php:319 #: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:292 #: actions/snapshotadminpanel.php:245 actions/tagother.php:154 -#: lib/applicationeditform.php:357 lib/designsettings.php:256 +#: lib/applicationeditform.php:357 msgid "Save" msgstr "భద్రపరచు" -#: actions/designadminpanel.php:712 lib/designsettings.php:257 +#. TRANS: Title for button on profile design page to save settings. +#: actions/designadminpanel.php:712 lib/designsettings.php:272 msgid "Save design" msgstr "రూపురేఖలని భద్రపరచు" @@ -1851,7 +1870,7 @@ msgstr "గుంపుని తాజాకరించలేకున్న #. TRANS: Server error displayed when group aliases could not be added. #. TRANS: Server exception thrown when creating group aliases failed. -#: actions/editgroup.php:288 classes/User_group.php:513 +#: actions/editgroup.php:288 classes/User_group.php:529 msgid "Could not create aliases." msgstr "మారుపేర్లని సృష్టించలేకపోయాం." @@ -2141,7 +2160,7 @@ msgid "" msgstr "[ఒక ఖాతాని నమోదుచేసుకుని](%%action.register%%) మీరే మొదట వ్రాసేవారు ఎందుకు కాకూడదు!" #: actions/favoritesrss.php:111 actions/showfavorites.php:77 -#: lib/personalgroupnav.php:115 +#: lib/personalgroupnav.php:118 #, php-format msgid "%s's favorite notices" msgstr "%sకి ఇష్టమైన నోటీసులు" @@ -2321,8 +2340,10 @@ msgid "" "palette of your choice." msgstr "నేపథ్య చిత్రం మరియు రంగుల ఎంపికతో మీ గుంపు ఎలా కనిపించాలో మలచుకోండి." +#. TRANS: Error message displayed if design settings could not be saved. +#. TRANS: Error message displayed if design settings could not be saved after clicking "Use defaults". #: actions/groupdesignsettings.php:266 actions/userdesignsettings.php:186 -#: lib/designsettings.php:391 lib/designsettings.php:413 +#: lib/designsettings.php:405 lib/designsettings.php:427 msgid "Couldn't update your design." msgstr "మీ రూపురేఖలని తాజాకరించలేకపోయాం." @@ -3254,25 +3275,25 @@ msgstr "" msgid "Notice has no profile." msgstr "నోటీసుకి ప్రొఫైలు లేదు." -#: actions/oembed.php:87 actions/shownotice.php:176 +#: actions/oembed.php:83 actions/shownotice.php:172 #, php-format msgid "%1$s's status on %2$s" msgstr "%2$sలో %1$s యొక్క స్థితి" #. TRANS: Error message displaying attachments. %s is a raw MIME type (eg 'image/png') -#: actions/oembed.php:159 +#: actions/oembed.php:155 #, fuzzy, php-format msgid "Content type %s not supported." msgstr "విషయ రకం " #. TRANS: Error message displaying attachments. %s is the site's base URL. -#: actions/oembed.php:163 +#: actions/oembed.php:159 #, php-format msgid "Only %s URLs over plain HTTP please." msgstr "" #. TRANS: Client error on an API request with an unsupported data format. -#: actions/oembed.php:184 actions/oembed.php:203 lib/apiaction.php:1200 +#: actions/oembed.php:180 actions/oembed.php:199 lib/apiaction.php:1200 #: lib/apiaction.php:1227 lib/apiaction.php:1356 msgid "Not a supported data format." msgstr "" @@ -3771,7 +3792,7 @@ msgstr "1-64 చిన్నబడి అక్షరాలు లేదా అ #. TRANS: Field label in form for profile settings. #. TRANS: Label for full group name (dt). Text hidden by default. #: actions/profilesettings.php:117 actions/register.php:457 -#: actions/showgroup.php:257 actions/tagother.php:104 +#: actions/showgroup.php:252 actions/tagother.php:104 #: lib/groupeditform.php:157 lib/userprofile.php:150 msgid "Full name" msgstr "పూర్తి పేరు" @@ -3813,7 +3834,7 @@ msgstr "స్వపరిచయం" #. TRANS: Field label in form for profile settings. #. TRANS: Label for group location (dt). Text hidden by default. #: actions/profilesettings.php:149 actions/register.php:485 -#: actions/showgroup.php:267 actions/tagother.php:112 +#: actions/showgroup.php:262 actions/tagother.php:112 #: actions/userauthorization.php:166 lib/groupeditform.php:180 #: lib/userprofile.php:165 msgid "Location" @@ -4389,7 +4410,7 @@ msgid "Repeated!" msgstr "పునరావృతించారు!" #: actions/replies.php:126 actions/repliesrss.php:68 -#: lib/personalgroupnav.php:105 +#: lib/personalgroupnav.php:108 #, php-format msgid "Replies to %s" msgstr "%sకి స్పందనలు" @@ -4527,7 +4548,7 @@ msgid "Description" msgstr "వివరణ" #. TRANS: Header for group statistics on a group page (h2). -#: actions/showapplication.php:192 actions/showgroup.php:453 +#: actions/showapplication.php:192 actions/showgroup.php:448 #: lib/profileaction.php:187 msgid "Statistics" msgstr "గణాంకాలు" @@ -4639,95 +4660,95 @@ msgid "This is a way to share what you like." msgstr "మీకు నచ్చినవి పంచుకోడానికి ఇదొక మార్గం." #. TRANS: Page title for first group page. %s is a group name. -#: actions/showgroup.php:80 +#: actions/showgroup.php:75 #, php-format msgid "%s group" msgstr "%s గుంపు" #. TRANS: Page title for any but first group page. #. TRANS: %1$s is a group name, $2$s is a page number. -#: actions/showgroup.php:84 +#: actions/showgroup.php:79 #, php-format msgid "%1$s group, page %2$d" msgstr "%1$s గుంపు , %2$dవ పేజీ" #. TRANS: Group profile header (h2). Text hidden by default. -#: actions/showgroup.php:225 +#: actions/showgroup.php:220 msgid "Group profile" msgstr "గుంపు ప్రొఫైలు" #. TRANS: Label for group URL (dt). Text hidden by default. -#: actions/showgroup.php:275 actions/tagother.php:118 +#: actions/showgroup.php:270 actions/tagother.php:118 #: actions/userauthorization.php:175 lib/userprofile.php:178 msgid "URL" msgstr "" #. TRANS: Label for group description or group note (dt). Text hidden by default. -#: actions/showgroup.php:287 actions/tagother.php:128 +#: actions/showgroup.php:282 actions/tagother.php:128 #: actions/userauthorization.php:187 lib/userprofile.php:195 msgid "Note" msgstr "గమనిక" #. TRANS: Label for group aliases (dt). Text hidden by default. -#: actions/showgroup.php:298 lib/groupeditform.php:187 +#: actions/showgroup.php:293 lib/groupeditform.php:187 msgid "Aliases" msgstr "మారుపేర్లు" #. TRANS: Group actions header (h2). Text hidden by default. -#: actions/showgroup.php:309 +#: actions/showgroup.php:304 msgid "Group actions" msgstr "గుంపు చర్యలు" #. TRANS: Tooltip for feed link. %s is a group nickname. -#: actions/showgroup.php:350 +#: actions/showgroup.php:345 #, php-format msgid "Notice feed for %s group (RSS 1.0)" msgstr "%s కొరకు స్పందనల ఫీడు (RSS 1.0)" #. TRANS: Tooltip for feed link. %s is a group nickname. -#: actions/showgroup.php:357 +#: actions/showgroup.php:352 #, php-format msgid "Notice feed for %s group (RSS 2.0)" msgstr "%s కొరకు స్పందనల ఫీడు (RSS 2.0)" #. TRANS: Tooltip for feed link. %s is a group nickname. -#: actions/showgroup.php:364 +#: actions/showgroup.php:359 #, php-format msgid "Notice feed for %s group (Atom)" msgstr "%s కొరకు స్పందనల ఫీడు (ఆటమ్)" #. TRANS: Tooltip for feed link. %s is a group nickname. -#: actions/showgroup.php:370 +#: actions/showgroup.php:365 #, php-format msgid "FOAF for %s group" msgstr "%s గుంపు" #. TRANS: Header for mini list of group members on a group page (h2). -#: actions/showgroup.php:407 +#: actions/showgroup.php:402 msgid "Members" msgstr "సభ్యులు" #. TRANS: Description for mini list of group members on a group page when the group has no members. -#: actions/showgroup.php:413 lib/profileaction.php:117 +#: actions/showgroup.php:408 lib/profileaction.php:117 #: lib/profileaction.php:152 lib/profileaction.php:255 lib/section.php:95 #: lib/subscriptionlist.php:127 lib/tagcloudsection.php:71 msgid "(None)" msgstr "(ఏమీలేదు)" #. TRANS: Link to all group members from mini list of group members if group has more than n members. -#: actions/showgroup.php:422 +#: actions/showgroup.php:417 msgid "All members" msgstr "అందరు సభ్యులూ" #. TRANS: Label for creation date in statistics on group page. -#: actions/showgroup.php:458 +#: actions/showgroup.php:453 #, fuzzy msgctxt "LABEL" msgid "Created" msgstr "సృష్టితం" #. TRANS: Label for member count in statistics on group page. -#: actions/showgroup.php:466 +#: actions/showgroup.php:461 #, fuzzy msgctxt "LABEL" msgid "Members" @@ -4737,7 +4758,7 @@ msgstr "సభ్యులు" #. TRANS: **%s** is the group alias, %%%%site.name%%%% is the site name, #. TRANS: %%%%action.register%%%% is the URL for registration, %%%%doc.help%%%% is a URL to help. #. TRANS: This message contains Markdown links. Ensure they are formatted correctly: [Description](link). -#: actions/showgroup.php:481 +#: actions/showgroup.php:476 #, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -4756,7 +4777,7 @@ msgstr "" #. TRANS: Notice on group pages for anonymous users for StatusNet sites that accept no new registrations. #. TRANS: **%s** is the group alias, %%%%site.name%%%% is the site name, #. TRANS: This message contains Markdown links. Ensure they are formatted correctly: [Description](link). -#: actions/showgroup.php:491 +#: actions/showgroup.php:486 #, fuzzy, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -4772,7 +4793,7 @@ msgstr "" "doc.help%%%%))" #. TRANS: Header for list of group administrators on a group page (h2). -#: actions/showgroup.php:520 +#: actions/showgroup.php:515 msgid "Admins" msgstr "నిర్వాహకులు" @@ -5549,7 +5570,7 @@ msgstr "" #. TRANS: Link description in user account settings menu. #: actions/useradminpanel.php:215 lib/accountsettingsaction.php:106 -#: lib/personalgroupnav.php:109 +#: lib/personalgroupnav.php:112 msgid "Profile" msgstr "ప్రొఫైలు" @@ -5705,11 +5726,13 @@ msgstr "'%s' అనే అవతారపు URL తప్పు" msgid "Wrong image type for avatar URL ‘%s’." msgstr "'%s' కొరకు తప్పుడు బొమ్మ రకం" -#: actions/userdesignsettings.php:76 lib/designsettings.php:65 +#. TRANS: Page title for profile design page. +#: actions/userdesignsettings.php:76 lib/designsettings.php:63 msgid "Profile design" msgstr "ఫ్రొఫైలు రూపురేఖలు" -#: actions/userdesignsettings.php:87 lib/designsettings.php:76 +#. TRANS: Instructions for profile design page. +#: actions/userdesignsettings.php:87 lib/designsettings.php:74 #, fuzzy msgid "" "Customize the way your profile looks with a background image and a colour " @@ -5829,29 +5852,38 @@ msgstr "" #. TRANS: Message given if an upload is larger than the configured maximum. #. TRANS: %1$d is the byte limit for uploads, %2$d is the byte count for the uploaded file. -#: classes/File.php:189 +#. TRANS: %1$s is used for plural. +#: classes/File.php:190 #, php-format msgid "" +"No file may be larger than %1$d byte and the file you sent was %2$d bytes. " +"Try to upload a smaller version." +msgid_plural "" "No file may be larger than %1$d bytes and the file you sent was %2$d bytes. " "Try to upload a smaller version." -msgstr "" +msgstr[0] "" +msgstr[1] "" #. TRANS: Message given if an upload would exceed user quota. -#. TRANS: %d (number) is the user quota in bytes. -#: classes/File.php:201 +#. TRANS: %d (number) is the user quota in bytes and is used for plural. +#: classes/File.php:203 #, php-format -msgid "A file this large would exceed your user quota of %d bytes." -msgstr "" +msgid "A file this large would exceed your user quota of %d byte." +msgid_plural "A file this large would exceed your user quota of %d bytes." +msgstr[0] "" +msgstr[1] "" #. TRANS: Message given id an upload would exceed a user's monthly quota. -#. TRANS: $d (number) is the monthly user quota in bytes. -#: classes/File.php:210 +#. TRANS: $d (number) is the monthly user quota in bytes and is used for plural. +#: classes/File.php:215 #, php-format -msgid "A file this large would exceed your monthly quota of %d bytes." -msgstr "" +msgid "A file this large would exceed your monthly quota of %d byte." +msgid_plural "A file this large would exceed your monthly quota of %d bytes." +msgstr[0] "" +msgstr[1] "" #. TRANS: Client exception thrown if a file upload does not have a valid name. -#: classes/File.php:247 classes/File.php:262 +#: classes/File.php:262 classes/File.php:277 msgid "Invalid filename." msgstr "తప్పుడు దస్త్రపుపేరు.." @@ -5979,32 +6011,32 @@ msgid "Problem saving notice." msgstr "సందేశాన్ని భద్రపరచడంలో పొరపాటు." #. TRANS: Server exception thrown when no array is provided to the method saveKnownGroups(). -#: classes/Notice.php:907 -msgid "Bad type provided to saveKnownGroups" +#: classes/Notice.php:905 +msgid "Bad type provided to saveKnownGroups." msgstr "" #. TRANS: Server exception thrown when an update for a group inbox fails. -#: classes/Notice.php:1006 +#: classes/Notice.php:1004 #, fuzzy msgid "Problem saving group inbox." msgstr "సందేశాన్ని భద్రపరచడంలో పొరపాటు." #. TRANS: Server exception thrown when a reply cannot be saved. #. TRANS: %1$d is a notice ID, %2$d is the ID of the mentioned user. -#: classes/Notice.php:1120 +#: classes/Notice.php:1118 #, fuzzy, php-format msgid "Could not save reply for %1$d, %2$d." msgstr "స్థానిక గుంపుని తాజాకరించలేకున్నాం." #. TRANS: Message used to repeat a notice. RT is the abbreviation of 'retweet'. #. TRANS: %1$s is the repeated user's name, %2$s is the repeated notice. -#: classes/Notice.php:1822 +#: classes/Notice.php:1820 #, php-format msgid "RT @%1$s %2$s" msgstr "RT @%1$s %2$s" #. TRANS: Full name of a profile or group followed by nickname in parens -#: classes/Profile.php:164 +#: classes/Profile.php:164 classes/User_group.php:247 #, fuzzy, php-format msgctxt "FANCYNAME" msgid "%1$s (%2$s)" @@ -6101,22 +6133,22 @@ msgid "Single-user mode code called when not enabled." msgstr "" #. TRANS: Server exception thrown when creating a group failed. -#: classes/User_group.php:495 +#: classes/User_group.php:511 msgid "Could not create group." msgstr "గుంపుని సృష్టించలేకపోయాం." #. TRANS: Server exception thrown when updating a group URI failed. -#: classes/User_group.php:505 +#: classes/User_group.php:521 msgid "Could not set group URI." msgstr "గుంపుని సృష్టించలేకపోయాం." #. TRANS: Server exception thrown when setting group membership failed. -#: classes/User_group.php:528 +#: classes/User_group.php:544 msgid "Could not set group membership." msgstr "గుంపు సభ్యత్వాన్ని అమర్చలేకపోయాం." #. TRANS: Server exception thrown when saving local group information failed. -#: classes/User_group.php:543 +#: classes/User_group.php:559 msgid "Could not save local group info." msgstr "స్థానిక గుంపుని తాజాకరించలేకున్నాం." @@ -6525,7 +6557,7 @@ msgid "User configuration" msgstr "వాడుకరి స్వరూపణం" #. TRANS: Menu item for site administration -#: lib/adminpanelaction.php:355 lib/personalgroupnav.php:115 +#: lib/adminpanelaction.php:355 lib/personalgroupnav.php:118 msgid "User" msgstr "వాడుకరి" @@ -7204,23 +7236,41 @@ msgstr "అధీకృత అనుసంధాన ఉపకరణాలు" msgid "Database error" msgstr "" -#: lib/designsettings.php:105 +#. TRANS: Label in form on profile design page. +#. TRANS: Field contains file name on user's computer that could be that user's custom profile background image. +#: lib/designsettings.php:104 msgid "Upload file" msgstr "ఫైలుని ఎక్కించు" +#. TRANS: Instructions for form on profile design page. #: lib/designsettings.php:109 msgid "" "You can upload your personal background image. The maximum file size is 2MB." msgstr "మీ వ్యక్తిగత నేపథ్యపు చిత్రాన్ని మీరు ఎక్కించవచ్చు. గరిష్ఠ ఫైలు పరిమాణం 2మెబై." -#: 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 "" +#. TRANS: Radio button on profile design page that will enable use of the uploaded profile image. +#: lib/designsettings.php:139 +#, fuzzy +msgctxt "RADIO" +msgid "On" +msgstr "ఆన్" -#: lib/designsettings.php:418 +#. TRANS: Radio button on profile design page that will disable use of the uploaded profile image. +#: lib/designsettings.php:156 +#, fuzzy +msgctxt "RADIO" +msgid "Off" +msgstr "ఆఫ్" + +#. TRANS: Button text on profile design page to reset all colour settings to default without saving. +#: lib/designsettings.php:264 +#, fuzzy +msgctxt "BUTTON" +msgid "Reset" +msgstr "రీసెట్" + +#. TRANS: Success message displayed if design settings were saved after clicking "Use defaults". +#: lib/designsettings.php:433 msgid "Design defaults restored." msgstr "" @@ -7708,7 +7758,7 @@ msgstr "" #. TRANS: Subject for favorite notification e-mail. #. TRANS: %1$s is the adding user's long name, %2$s is the adding user's nickname. -#: lib/mail.php:603 +#: lib/mail.php:607 #, php-format msgid "%1$s (@%2$s) added your notice as a favorite" msgstr "%1$s (@%2$s) మీ నోటీసుని ఇష్టపడ్డారు" @@ -7718,7 +7768,7 @@ msgstr "%1$s (@%2$s) మీ నోటీసుని ఇష్టపడ్డా #. TRANS: %3$s is a URL to the faved notice, %4$s is the faved notice text, #. TRANS: %5$s is a URL to all faves of the adding user, %6$s is the StatusNet sitename, #. TRANS: %7$s is the adding user's nickname. -#: lib/mail.php:610 +#: lib/mail.php:614 #, php-format msgid "" "%1$s (@%7$s) just added your notice from %2$s as one of their favorites.\n" @@ -7756,7 +7806,7 @@ msgstr "" "%6$s\n" #. TRANS: Line in @-reply notification e-mail. %s is conversation URL. -#: lib/mail.php:668 +#: lib/mail.php:672 #, php-format msgid "" "The full conversation can be read here:\n" @@ -7769,7 +7819,7 @@ msgstr "" #. TRANS: E-mail subject for notice notification. #. TRANS: %1$s is the sending user's long name, %2$s is the adding user's nickname. -#: lib/mail.php:676 +#: lib/mail.php:680 #, php-format msgid "%1$s (@%2$s) sent a notice to your attention" msgstr "%1$s (@%2$s) మీ దృష్టికి ఒక నోటిసుని పంపించారు" @@ -7780,7 +7830,7 @@ msgstr "%1$s (@%2$s) మీ దృష్టికి ఒక నోటిసు #. TRANS: %5$s is a URL to the full conversion if it exists (otherwise empty), #. TRANS: %6$s is a URL to reply to the notice, %7$s is a URL to all @-replied for the addressed user, #. TRANS: %8$s is a URL to the addressed user's e-mail settings, %9$s is the sender's nickname. -#: lib/mail.php:684 +#: lib/mail.php:688 #, php-format msgid "" "%1$s (@%9$s) just sent a notice to your attention (an '@-reply') on %2$s.\n" @@ -7925,7 +7975,7 @@ msgstr "ఇష్టాంశాన్ని తొలగించలేకప #. TRANS: Client exception thrown trying to upload a forbidden MIME type. #. TRANS: %1$s is the file type that was denied, %2$s is the application part of #. TRANS: the MIME type that was denied. -#: lib/mediafile.php:340 +#: lib/mediafile.php:345 #, php-format msgid "" "\"%1$s\" is not a supported file type on this server. Try using another %2$s " @@ -7934,7 +7984,7 @@ msgstr "" #. TRANS: Client exception thrown trying to upload a forbidden MIME type. #. TRANS: %s is the file type that was denied. -#: lib/mediafile.php:345 +#: lib/mediafile.php:350 #, php-format msgid "\"%s\" is not a supported file type on this server." msgstr "" @@ -8079,31 +8129,31 @@ msgstr "" msgid "Couldn't insert new subscription." msgstr "కొత్త చందాని చేర్చలేకపోయాం." -#: lib/personalgroupnav.php:99 +#: lib/personalgroupnav.php:102 msgid "Personal" msgstr "వ్యక్తిగత" -#: lib/personalgroupnav.php:104 +#: lib/personalgroupnav.php:107 msgid "Replies" msgstr "స్పందనలు" -#: lib/personalgroupnav.php:114 +#: lib/personalgroupnav.php:117 msgid "Favorites" msgstr "ఇష్టాంశాలు" -#: lib/personalgroupnav.php:125 +#: lib/personalgroupnav.php:128 msgid "Inbox" msgstr "వచ్చినవి" -#: lib/personalgroupnav.php:126 +#: lib/personalgroupnav.php:129 msgid "Your incoming messages" msgstr "మీకు వచ్చిన సందేశాలు" -#: lib/personalgroupnav.php:130 +#: lib/personalgroupnav.php:133 msgid "Outbox" msgstr "పంపినవి" -#: lib/personalgroupnav.php:131 +#: lib/personalgroupnav.php:134 msgid "Your sent messages" msgstr "మీరు పంపిన సందేశాలు" @@ -8303,6 +8353,12 @@ msgstr "" msgid "None" msgstr "ఏమీలేదు" +#. TRANS: Server exception displayed if a theme name was invalid. +#: lib/theme.php:74 +#, fuzzy +msgid "Invalid theme name." +msgstr "తప్పుడు దస్త్రపుపేరు.." + #: lib/themeuploader.php:50 msgid "This server cannot handle theme uploads without ZIP support." msgstr "" @@ -8550,16 +8606,3 @@ msgid "%d entry in backup." msgid_plural "%d entries in backup." msgstr[0] "" msgstr[1] "" - -#~ msgid "Name is too long (maximum 255 chars)." -#~ msgstr "పేరు చాలా పెద్దగా ఉంది (గరిష్ఠంగా 255 అక్షరాలు)." - -#, fuzzy -#~ msgid "Organization is too long (maximum 255 chars)." -#~ msgstr "సంస్థ పేరు మరీ పెద్దగా ఉంది (255 అక్షరాలు గరిష్ఠం)." - -#~ msgid "That's too long. Max notice size is %d chars." -#~ msgstr "అది చాలా పొడవుంది. గరిష్ఠ నోటీసు పరిమాణం %d అక్షరాలు." - -#~ msgid "Max notice size is %d chars, including attachment URL." -#~ msgstr "గరిష్ఠ నోటీసు పొడవు %d అక్షరాలు, జోడింపు URLని కలుపుకుని." diff --git a/locale/tr/LC_MESSAGES/statusnet.po b/locale/tr/LC_MESSAGES/statusnet.po index a99fd9bc4a..50ec083e64 100644 --- a/locale/tr/LC_MESSAGES/statusnet.po +++ b/locale/tr/LC_MESSAGES/statusnet.po @@ -11,17 +11,17 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet - Core\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-11-02 22:51+0000\n" -"PO-Revision-Date: 2010-11-02 22:53:46+0000\n" +"POT-Creation-Date: 2010-11-04 18:25+0000\n" +"PO-Revision-Date: 2010-11-04 18:27:50+0000\n" "Language-Team: Turkish \n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r75875); Translate extension (2010-09-17)\n" +"X-Generator: MediaWiki 1.17alpha (r76004); Translate extension (2010-09-17)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: tr\n" "X-Message-Group: #out-statusnet-core\n" "Plural-Forms: nplurals=1; plural=0;\n" -"X-POT-Import-Date: 2010-10-30 23:42:01+0000\n" +"X-POT-Import-Date: 2010-11-02 23:22:49+0000\n" #. TRANS: Page title for Access admin panel that allows configuring site access. #. TRANS: Menu item for site administration @@ -87,12 +87,14 @@ msgstr "Erişim ayarlarını kaydet" #. TRANS: Save button for settings for a profile in a subscriptions list. #. TRANS: Button text to save user settings in user admin panel. #. TRANS: Button label in the "Edit application" form. +#. TRANS: Button text on profile design page to save settings. #: actions/accessadminpanel.php:193 actions/emailsettings.php:228 #: actions/imsettings.php:187 actions/othersettings.php:134 #: actions/pathsadminpanel.php:512 actions/profilesettings.php:201 #: actions/sitenoticeadminpanel.php:197 actions/smssettings.php:209 #: actions/subscriptions.php:246 actions/useradminpanel.php:298 -#: lib/applicationeditform.php:355 lib/groupeditform.php:207 +#: lib/applicationeditform.php:355 lib/designsettings.php:270 +#: lib/groupeditform.php:207 msgctxt "BUTTON" msgid "Save" msgstr "Kaydet" @@ -160,7 +162,7 @@ msgstr "%1$s ve arkadaşları, sayfa %2$d" #. TRANS: Timeline title for user and friends. %s is a user nickname. #: actions/all.php:94 actions/all.php:191 actions/allrss.php:115 #: actions/apitimelinefriends.php:207 actions/apitimelinehome.php:113 -#: lib/personalgroupnav.php:100 +#: lib/personalgroupnav.php:103 #, php-format msgid "%s and friends" msgstr "%s ve arkadaşları" @@ -340,11 +342,13 @@ msgstr "Profil kaydedilemedi." #. TRANS: Client error displayed when the number of bytes in a POST request exceeds a limit. #. TRANS: %s is the number of bytes of the CONTENT_LENGTH. +#. TRANS: Form validation error in design settings form. POST should remain untranslated. #: actions/apiaccountupdateprofilebackgroundimage.php:108 #: actions/apiaccountupdateprofileimage.php:95 actions/apimediaupload.php:81 #: actions/apistatusesupdate.php:210 actions/avatarsettings.php:269 #: actions/designadminpanel.php:125 actions/editapplication.php:121 #: actions/newapplication.php:104 actions/newnotice.php:95 +#: lib/designsettings.php:298 #, fuzzy, php-format msgid "" "The server was unable to handle that much POST data (%s byte) due to its " @@ -749,7 +753,7 @@ msgstr "Takip talebine izin verildi" #: actions/repeat.php:83 actions/smssettings.php:256 actions/subedit.php:40 #: actions/subscribe.php:86 actions/tagother.php:166 #: actions/unsubscribe.php:69 actions/userauthorization.php:52 -#: lib/designsettings.php:294 +#: lib/designsettings.php:310 msgid "There was a problem with your session token. Try again, please." msgstr "Oturum belirtecinizde bir sorun var. Lütfen, tekrar deneyin." @@ -771,12 +775,13 @@ msgstr "OAuth uygulama kullanıcısı eklerken veritabanı hatası." #. TRANS: Message given submitting a form with an unknown action in IM settings. #. TRANS: Client error when submitting a form with unexpected information. #. TRANS: Message given submitting a form with an unknown action in SMS settings. +#. TRANS: Unknown form validation error in design settings form. #: actions/apioauthauthorize.php:294 actions/avatarsettings.php:294 #: actions/designadminpanel.php:104 actions/editapplication.php:144 #: actions/emailsettings.php:290 actions/grouplogo.php:322 #: actions/imsettings.php:245 actions/newapplication.php:125 #: actions/oauthconnectionssettings.php:147 actions/recoverpassword.php:44 -#: actions/smssettings.php:277 lib/designsettings.php:304 +#: actions/smssettings.php:277 lib/designsettings.php:321 msgid "Unexpected form submission." msgstr "Beklenmeğen form girdisi." @@ -831,7 +836,7 @@ msgstr "Hesap" #. TRANS: Label for group nickname (dt). Text hidden by default. #: actions/apioauthauthorize.php:459 actions/login.php:252 #: actions/profilesettings.php:110 actions/register.php:433 -#: actions/showgroup.php:245 actions/tagother.php:94 +#: actions/showgroup.php:240 actions/tagother.php:94 #: actions/userauthorization.php:145 lib/groupeditform.php:152 #: lib/userprofile.php:132 msgid "Nickname" @@ -1093,7 +1098,7 @@ msgstr "Böyle bir durum mesajı yok." #: actions/avatarbynickname.php:60 actions/blockedfromgroup.php:73 #: actions/editgroup.php:85 actions/groupdesignsettings.php:84 #: actions/grouplogo.php:86 actions/groupmembers.php:76 -#: actions/grouprss.php:91 actions/showgroup.php:121 +#: actions/grouprss.php:91 actions/showgroup.php:116 msgid "No nickname." msgstr "Takma ad yok" @@ -1110,7 +1115,7 @@ msgstr "Geçersiz büyüklük." #. TRANS: Title for avatar upload page. #. TRANS: Label for group avatar (dt). Text hidden by default. #. TRANS: Link description in user account settings menu. -#: actions/avatarsettings.php:66 actions/showgroup.php:229 +#: actions/avatarsettings.php:66 actions/showgroup.php:224 #: lib/accountsettingsaction.php:113 msgid "Avatar" msgstr "Avatar" @@ -1289,7 +1294,7 @@ msgstr "Engelleme bilgisinin kaydedilmesi başarısızlığa uğradı." #: actions/groupunblock.php:88 actions/joingroup.php:82 #: actions/joingroup.php:93 actions/leavegroup.php:82 #: actions/leavegroup.php:93 actions/makeadmin.php:86 -#: actions/showgroup.php:139 actions/showgroup.php:148 lib/command.php:168 +#: actions/showgroup.php:134 actions/showgroup.php:143 lib/command.php:168 #: lib/command.php:380 msgid "No such group." msgstr "Böyle bir kullanıcı yok." @@ -1656,12 +1661,14 @@ msgstr "Özel tema" msgid "You can upload a custom StatusNet theme as a .ZIP archive." msgstr "Özel bir StatusNet temasını .ZIP arşivi olarak yükleyebilirsiniz." -#: actions/designadminpanel.php:512 lib/designsettings.php:101 +#. TRANS: Fieldset legend on profile design page. +#: actions/designadminpanel.php:512 lib/designsettings.php:98 msgid "Change background image" msgstr "Arkaplan resmini değiştir" +#. TRANS: Label on profile design page for setting a profile page background colour. #: actions/designadminpanel.php:517 actions/designadminpanel.php:600 -#: lib/designsettings.php:178 +#: lib/designsettings.php:183 msgid "Background" msgstr "Arkaplan" @@ -1675,40 +1682,48 @@ msgstr "" "$s'dir." #. TRANS: Used as radio button label to add a background image. -#: actions/designadminpanel.php:553 lib/designsettings.php:139 +#: actions/designadminpanel.php:553 msgid "On" msgstr "Açık" #. TRANS: Used as radio button label to not add a background image. -#: actions/designadminpanel.php:570 lib/designsettings.php:155 +#: actions/designadminpanel.php:570 msgid "Off" msgstr "Kapalı" -#: actions/designadminpanel.php:571 lib/designsettings.php:156 +#. TRANS: Form guide for a set of radio buttons on the profile design page that will enable or disable +#. TRANS: use of the uploaded profile image. +#: actions/designadminpanel.php:571 lib/designsettings.php:159 msgid "Turn background image on or off." msgstr "Arkaplan resmini açın ya da kapatın." -#: actions/designadminpanel.php:576 lib/designsettings.php:161 +#. TRANS: Checkbox label on profile design page that will cause the profile image to be tiled. +#: actions/designadminpanel.php:576 lib/designsettings.php:165 msgid "Tile background image" msgstr "Arkaplan resmini döşe" -#: actions/designadminpanel.php:590 lib/designsettings.php:170 +#. TRANS: Fieldset legend on profile design page to change profile page colours. +#: actions/designadminpanel.php:590 lib/designsettings.php:175 msgid "Change colours" msgstr "Renkleri değiştir" -#: actions/designadminpanel.php:613 lib/designsettings.php:191 +#. TRANS: Label on profile design page for setting a profile page content colour. +#: actions/designadminpanel.php:613 lib/designsettings.php:197 msgid "Content" msgstr "İçerik" -#: actions/designadminpanel.php:626 lib/designsettings.php:204 +#. TRANS: Label on profile design page for setting a profile page sidebar colour. +#: actions/designadminpanel.php:626 lib/designsettings.php:211 msgid "Sidebar" msgstr "Kenar Çubuğu" -#: actions/designadminpanel.php:639 lib/designsettings.php:217 +#. TRANS: Label on profile design page for setting a profile page text colour. +#: actions/designadminpanel.php:639 lib/designsettings.php:225 msgid "Text" msgstr "Metin" -#: actions/designadminpanel.php:652 lib/designsettings.php:230 +#. TRANS: Label on profile design page for setting a profile page links colour. +#: actions/designadminpanel.php:652 lib/designsettings.php:239 msgid "Links" msgstr "Bağlantılar" @@ -1720,15 +1735,18 @@ msgstr "Gelişmiş" msgid "Custom CSS" msgstr "Özel CSS" -#: actions/designadminpanel.php:702 lib/designsettings.php:247 +#. TRANS: Button text on profile design page to immediately reset all colour settings to default. +#: actions/designadminpanel.php:702 lib/designsettings.php:257 msgid "Use defaults" msgstr "Öntanımlıları kullan" -#: actions/designadminpanel.php:703 lib/designsettings.php:248 +#. TRANS: Title for button on profile design page to reset all colour settings to default. +#: actions/designadminpanel.php:703 lib/designsettings.php:259 msgid "Restore default designs" msgstr "" -#: actions/designadminpanel.php:709 lib/designsettings.php:254 +#. TRANS: Title for button on profile design page to reset all colour settings to default without saving. +#: actions/designadminpanel.php:709 lib/designsettings.php:267 msgid "Reset back to default" msgstr "Öntanımlıya geri dön" @@ -1736,11 +1754,12 @@ msgstr "Öntanımlıya geri dön" #: actions/designadminpanel.php:711 actions/licenseadminpanel.php:319 #: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:292 #: actions/snapshotadminpanel.php:245 actions/tagother.php:154 -#: lib/applicationeditform.php:357 lib/designsettings.php:256 +#: lib/applicationeditform.php:357 msgid "Save" msgstr "Kaydet" -#: actions/designadminpanel.php:712 lib/designsettings.php:257 +#. TRANS: Title for button on profile design page to save settings. +#: actions/designadminpanel.php:712 lib/designsettings.php:272 msgid "Save design" msgstr "Dizaynı kaydet" @@ -1876,7 +1895,7 @@ msgstr "Grup güncellenemedi." #. TRANS: Server error displayed when group aliases could not be added. #. TRANS: Server exception thrown when creating group aliases failed. -#: actions/editgroup.php:288 classes/User_group.php:513 +#: actions/editgroup.php:288 classes/User_group.php:529 msgid "Could not create aliases." msgstr "Kullanıcı güncellenemedi." @@ -2167,7 +2186,7 @@ msgid "" msgstr "" #: actions/favoritesrss.php:111 actions/showfavorites.php:77 -#: lib/personalgroupnav.php:115 +#: lib/personalgroupnav.php:118 #, php-format msgid "%s's favorite notices" msgstr "%s kullanıcısının favori durum mesajları" @@ -2346,8 +2365,10 @@ msgid "" "palette of your choice." msgstr "" +#. TRANS: Error message displayed if design settings could not be saved. +#. TRANS: Error message displayed if design settings could not be saved after clicking "Use defaults". #: actions/groupdesignsettings.php:266 actions/userdesignsettings.php:186 -#: lib/designsettings.php:391 lib/designsettings.php:413 +#: lib/designsettings.php:405 lib/designsettings.php:427 #, fuzzy msgid "Couldn't update your design." msgstr "Kullanıcı güncellenemedi." @@ -3263,25 +3284,25 @@ msgstr "" msgid "Notice has no profile." msgstr "Kullanıcının profili yok." -#: actions/oembed.php:87 actions/shownotice.php:176 +#: actions/oembed.php:83 actions/shownotice.php:172 #, php-format msgid "%1$s's status on %2$s" msgstr "%1$s'in %2$s'deki durum mesajları " #. TRANS: Error message displaying attachments. %s is a raw MIME type (eg 'image/png') -#: actions/oembed.php:159 +#: actions/oembed.php:155 #, fuzzy, php-format msgid "Content type %s not supported." msgstr "Bağlan" #. TRANS: Error message displaying attachments. %s is the site's base URL. -#: actions/oembed.php:163 +#: actions/oembed.php:159 #, php-format msgid "Only %s URLs over plain HTTP please." msgstr "" #. TRANS: Client error on an API request with an unsupported data format. -#: actions/oembed.php:184 actions/oembed.php:203 lib/apiaction.php:1200 +#: actions/oembed.php:180 actions/oembed.php:199 lib/apiaction.php:1200 #: lib/apiaction.php:1227 lib/apiaction.php:1356 msgid "Not a supported data format." msgstr "Desteklenen bir veri biçimi değil." @@ -3783,7 +3804,7 @@ msgstr "" #. TRANS: Field label in form for profile settings. #. TRANS: Label for full group name (dt). Text hidden by default. #: actions/profilesettings.php:117 actions/register.php:457 -#: actions/showgroup.php:257 actions/tagother.php:104 +#: actions/showgroup.php:252 actions/tagother.php:104 #: lib/groupeditform.php:157 lib/userprofile.php:150 msgid "Full name" msgstr "Tam İsim" @@ -3826,7 +3847,7 @@ msgstr "Hakkında" #. TRANS: Field label in form for profile settings. #. TRANS: Label for group location (dt). Text hidden by default. #: actions/profilesettings.php:149 actions/register.php:485 -#: actions/showgroup.php:267 actions/tagother.php:112 +#: actions/showgroup.php:262 actions/tagother.php:112 #: actions/userauthorization.php:166 lib/groupeditform.php:180 #: lib/userprofile.php:165 msgid "Location" @@ -4397,7 +4418,7 @@ msgid "Repeated!" msgstr "Yarat" #: actions/replies.php:126 actions/repliesrss.php:68 -#: lib/personalgroupnav.php:105 +#: lib/personalgroupnav.php:108 #, php-format msgid "Replies to %s" msgstr "%s için cevaplar" @@ -4535,7 +4556,7 @@ msgid "Description" msgstr "Tanım" #. TRANS: Header for group statistics on a group page (h2). -#: actions/showapplication.php:192 actions/showgroup.php:453 +#: actions/showapplication.php:192 actions/showgroup.php:448 #: lib/profileaction.php:187 msgid "Statistics" msgstr "İstatistikler" @@ -4643,95 +4664,95 @@ msgid "This is a way to share what you like." msgstr "" #. TRANS: Page title for first group page. %s is a group name. -#: actions/showgroup.php:80 +#: actions/showgroup.php:75 #, php-format msgid "%s group" msgstr "" #. TRANS: Page title for any but first group page. #. TRANS: %1$s is a group name, $2$s is a page number. -#: actions/showgroup.php:84 +#: actions/showgroup.php:79 #, fuzzy, php-format msgid "%1$s group, page %2$d" msgstr "Bütün abonelikler" #. TRANS: Group profile header (h2). Text hidden by default. -#: actions/showgroup.php:225 +#: actions/showgroup.php:220 msgid "Group profile" msgstr "Kullanıcının profili yok." #. TRANS: Label for group URL (dt). Text hidden by default. -#: actions/showgroup.php:275 actions/tagother.php:118 +#: actions/showgroup.php:270 actions/tagother.php:118 #: actions/userauthorization.php:175 lib/userprofile.php:178 msgid "URL" msgstr "Bağlantı" #. TRANS: Label for group description or group note (dt). Text hidden by default. -#: actions/showgroup.php:287 actions/tagother.php:128 +#: actions/showgroup.php:282 actions/tagother.php:128 #: actions/userauthorization.php:187 lib/userprofile.php:195 msgid "Note" msgstr "Not" #. TRANS: Label for group aliases (dt). Text hidden by default. -#: actions/showgroup.php:298 lib/groupeditform.php:187 +#: actions/showgroup.php:293 lib/groupeditform.php:187 msgid "Aliases" msgstr "Diğerisimler" #. TRANS: Group actions header (h2). Text hidden by default. -#: actions/showgroup.php:309 +#: actions/showgroup.php:304 msgid "Group actions" msgstr "" #. TRANS: Tooltip for feed link. %s is a group nickname. -#: actions/showgroup.php:350 +#: actions/showgroup.php:345 #, fuzzy, php-format msgid "Notice feed for %s group (RSS 1.0)" msgstr "%s için durum RSS beslemesi" #. TRANS: Tooltip for feed link. %s is a group nickname. -#: actions/showgroup.php:357 +#: actions/showgroup.php:352 #, fuzzy, php-format msgid "Notice feed for %s group (RSS 2.0)" msgstr "%s için durum RSS beslemesi" #. TRANS: Tooltip for feed link. %s is a group nickname. -#: actions/showgroup.php:364 +#: actions/showgroup.php:359 #, fuzzy, php-format msgid "Notice feed for %s group (Atom)" msgstr "%s için durum RSS beslemesi" #. TRANS: Tooltip for feed link. %s is a group nickname. -#: actions/showgroup.php:370 +#: actions/showgroup.php:365 #, fuzzy, php-format msgid "FOAF for %s group" msgstr "%s için durum RSS beslemesi" #. TRANS: Header for mini list of group members on a group page (h2). -#: actions/showgroup.php:407 +#: actions/showgroup.php:402 msgid "Members" msgstr "Üyeler" #. TRANS: Description for mini list of group members on a group page when the group has no members. -#: actions/showgroup.php:413 lib/profileaction.php:117 +#: actions/showgroup.php:408 lib/profileaction.php:117 #: lib/profileaction.php:152 lib/profileaction.php:255 lib/section.php:95 #: lib/subscriptionlist.php:127 lib/tagcloudsection.php:71 msgid "(None)" msgstr "(Yok)" #. TRANS: Link to all group members from mini list of group members if group has more than n members. -#: actions/showgroup.php:422 +#: actions/showgroup.php:417 msgid "All members" msgstr "Tüm üyeler" #. TRANS: Label for creation date in statistics on group page. -#: actions/showgroup.php:458 +#: actions/showgroup.php:453 #, fuzzy msgctxt "LABEL" msgid "Created" msgstr "Oluşturuldu" #. TRANS: Label for member count in statistics on group page. -#: actions/showgroup.php:466 +#: actions/showgroup.php:461 #, fuzzy msgctxt "LABEL" msgid "Members" @@ -4741,7 +4762,7 @@ msgstr "Üyeler" #. TRANS: **%s** is the group alias, %%%%site.name%%%% is the site name, #. TRANS: %%%%action.register%%%% is the URL for registration, %%%%doc.help%%%% is a URL to help. #. TRANS: This message contains Markdown links. Ensure they are formatted correctly: [Description](link). -#: actions/showgroup.php:481 +#: actions/showgroup.php:476 #, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -4754,7 +4775,7 @@ msgstr "" #. TRANS: Notice on group pages for anonymous users for StatusNet sites that accept no new registrations. #. TRANS: **%s** is the group alias, %%%%site.name%%%% is the site name, #. TRANS: This message contains Markdown links. Ensure they are formatted correctly: [Description](link). -#: actions/showgroup.php:491 +#: actions/showgroup.php:486 #, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -4764,7 +4785,7 @@ msgid "" msgstr "" #. TRANS: Header for list of group administrators on a group page (h2). -#: actions/showgroup.php:520 +#: actions/showgroup.php:515 msgid "Admins" msgstr "Yöneticiler" @@ -5543,7 +5564,7 @@ msgstr "" #. TRANS: Link description in user account settings menu. #: actions/useradminpanel.php:215 lib/accountsettingsaction.php:106 -#: lib/personalgroupnav.php:109 +#: lib/personalgroupnav.php:112 msgid "Profile" msgstr "Profil" @@ -5705,12 +5726,14 @@ msgstr "Avatar URLi '%s' okunamıyor" msgid "Wrong image type for avatar URL ‘%s’." msgstr "%s için yanlış resim türü" -#: actions/userdesignsettings.php:76 lib/designsettings.php:65 +#. TRANS: Page title for profile design page. +#: actions/userdesignsettings.php:76 lib/designsettings.php:63 #, fuzzy msgid "Profile design" msgstr "Profil ayarları" -#: actions/userdesignsettings.php:87 lib/designsettings.php:76 +#. TRANS: Instructions for profile design page. +#: actions/userdesignsettings.php:87 lib/designsettings.php:74 msgid "" "Customize the way your profile looks with a background image and a colour " "palette of your choice." @@ -5828,29 +5851,35 @@ msgstr "" #. TRANS: Message given if an upload is larger than the configured maximum. #. TRANS: %1$d is the byte limit for uploads, %2$d is the byte count for the uploaded file. -#: classes/File.php:189 +#. TRANS: %1$s is used for plural. +#: classes/File.php:190 #, php-format msgid "" +"No file may be larger than %1$d byte and the file you sent was %2$d bytes. " +"Try to upload a smaller version." +msgid_plural "" "No file may be larger than %1$d bytes and the file you sent was %2$d bytes. " "Try to upload a smaller version." -msgstr "" +msgstr[0] "" #. TRANS: Message given if an upload would exceed user quota. -#. TRANS: %d (number) is the user quota in bytes. -#: classes/File.php:201 +#. TRANS: %d (number) is the user quota in bytes and is used for plural. +#: classes/File.php:203 #, php-format -msgid "A file this large would exceed your user quota of %d bytes." -msgstr "" +msgid "A file this large would exceed your user quota of %d byte." +msgid_plural "A file this large would exceed your user quota of %d bytes." +msgstr[0] "" #. TRANS: Message given id an upload would exceed a user's monthly quota. -#. TRANS: $d (number) is the monthly user quota in bytes. -#: classes/File.php:210 +#. TRANS: $d (number) is the monthly user quota in bytes and is used for plural. +#: classes/File.php:215 #, php-format -msgid "A file this large would exceed your monthly quota of %d bytes." -msgstr "" +msgid "A file this large would exceed your monthly quota of %d byte." +msgid_plural "A file this large would exceed your monthly quota of %d bytes." +msgstr[0] "" #. TRANS: Client exception thrown if a file upload does not have a valid name. -#: classes/File.php:247 classes/File.php:262 +#: classes/File.php:262 classes/File.php:277 msgid "Invalid filename." msgstr "Geçersiz dosya ismi." @@ -5982,32 +6011,32 @@ msgid "Problem saving notice." msgstr "Durum mesajını kaydederken hata oluştu." #. TRANS: Server exception thrown when no array is provided to the method saveKnownGroups(). -#: classes/Notice.php:907 -msgid "Bad type provided to saveKnownGroups" +#: classes/Notice.php:905 +msgid "Bad type provided to saveKnownGroups." msgstr "" #. TRANS: Server exception thrown when an update for a group inbox fails. -#: classes/Notice.php:1006 +#: classes/Notice.php:1004 #, fuzzy msgid "Problem saving group inbox." msgstr "Durum mesajını kaydederken hata oluştu." #. TRANS: Server exception thrown when a reply cannot be saved. #. TRANS: %1$d is a notice ID, %2$d is the ID of the mentioned user. -#: classes/Notice.php:1120 +#: classes/Notice.php:1118 #, fuzzy, php-format msgid "Could not save reply for %1$d, %2$d." msgstr "Profil kaydedilemedi." #. TRANS: Message used to repeat a notice. RT is the abbreviation of 'retweet'. #. TRANS: %1$s is the repeated user's name, %2$s is the repeated notice. -#: classes/Notice.php:1822 +#: classes/Notice.php:1820 #, php-format msgid "RT @%1$s %2$s" msgstr "" #. TRANS: Full name of a profile or group followed by nickname in parens -#: classes/Profile.php:164 +#: classes/Profile.php:164 classes/User_group.php:247 #, fuzzy, php-format msgctxt "FANCYNAME" msgid "%1$s (%2$s)" @@ -6104,22 +6133,22 @@ msgid "Single-user mode code called when not enabled." msgstr "" #. TRANS: Server exception thrown when creating a group failed. -#: classes/User_group.php:495 +#: classes/User_group.php:511 msgid "Could not create group." msgstr "Kullanıcı güncellenemedi." #. TRANS: Server exception thrown when updating a group URI failed. -#: classes/User_group.php:505 +#: classes/User_group.php:521 msgid "Could not set group URI." msgstr "Profil kaydedilemedi." #. TRANS: Server exception thrown when setting group membership failed. -#: classes/User_group.php:528 +#: classes/User_group.php:544 msgid "Could not set group membership." msgstr "Kullanıcı güncellenemedi." #. TRANS: Server exception thrown when saving local group information failed. -#: classes/User_group.php:543 +#: classes/User_group.php:559 msgid "Could not save local group info." msgstr "Profil kaydedilemedi." @@ -6530,7 +6559,7 @@ msgid "User configuration" msgstr "Onay kodu yok." #. TRANS: Menu item for site administration -#: lib/adminpanelaction.php:355 lib/personalgroupnav.php:115 +#: lib/adminpanelaction.php:355 lib/personalgroupnav.php:118 msgid "User" msgstr "Kullanıcı" @@ -7201,11 +7230,14 @@ msgstr "" msgid "Database error" msgstr "" -#: lib/designsettings.php:105 +#. TRANS: Label in form on profile design page. +#. TRANS: Field contains file name on user's computer that could be that user's custom profile background image. +#: lib/designsettings.php:104 #, fuzzy msgid "Upload file" msgstr "Yükle" +#. TRANS: Instructions for form on profile design page. #: lib/designsettings.php:109 #, fuzzy msgid "" @@ -7213,16 +7245,29 @@ msgid "" msgstr "" "Ah, durumunuz biraz uzun kaçtı. Azami 180 karaktere sığdırmaya ne dersiniz?" -#: 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 "" -"Sunucu, şu anki yapılandırması dolayısıyla bu kadar çok POST verisiyle (%s " -"bytes) başa çıkamıyor." +#. TRANS: Radio button on profile design page that will enable use of the uploaded profile image. +#: lib/designsettings.php:139 +#, fuzzy +msgctxt "RADIO" +msgid "On" +msgstr "Açık" -#: lib/designsettings.php:418 +#. TRANS: Radio button on profile design page that will disable use of the uploaded profile image. +#: lib/designsettings.php:156 +#, fuzzy +msgctxt "RADIO" +msgid "Off" +msgstr "Kapalı" + +#. TRANS: Button text on profile design page to reset all colour settings to default without saving. +#: lib/designsettings.php:264 +#, fuzzy +msgctxt "BUTTON" +msgid "Reset" +msgstr "Sıfırla" + +#. TRANS: Success message displayed if design settings were saved after clicking "Use defaults". +#: lib/designsettings.php:433 msgid "Design defaults restored." msgstr "" @@ -7673,7 +7718,7 @@ msgstr "" #. TRANS: Subject for favorite notification e-mail. #. TRANS: %1$s is the adding user's long name, %2$s is the adding user's nickname. -#: lib/mail.php:603 +#: lib/mail.php:607 #, fuzzy, php-format msgid "%1$s (@%2$s) added your notice as a favorite" msgstr "%1$s %2$s'da durumunuzu takip ediyor" @@ -7683,7 +7728,7 @@ msgstr "%1$s %2$s'da durumunuzu takip ediyor" #. TRANS: %3$s is a URL to the faved notice, %4$s is the faved notice text, #. TRANS: %5$s is a URL to all faves of the adding user, %6$s is the StatusNet sitename, #. TRANS: %7$s is the adding user's nickname. -#: lib/mail.php:610 +#: lib/mail.php:614 #, php-format msgid "" "%1$s (@%7$s) just added your notice from %2$s as one of their favorites.\n" @@ -7705,7 +7750,7 @@ msgid "" msgstr "" #. TRANS: Line in @-reply notification e-mail. %s is conversation URL. -#: lib/mail.php:668 +#: lib/mail.php:672 #, php-format msgid "" "The full conversation can be read here:\n" @@ -7715,7 +7760,7 @@ msgstr "" #. TRANS: E-mail subject for notice notification. #. TRANS: %1$s is the sending user's long name, %2$s is the adding user's nickname. -#: lib/mail.php:676 +#: lib/mail.php:680 #, php-format msgid "%1$s (@%2$s) sent a notice to your attention" msgstr "" @@ -7726,7 +7771,7 @@ msgstr "" #. TRANS: %5$s is a URL to the full conversion if it exists (otherwise empty), #. TRANS: %6$s is a URL to reply to the notice, %7$s is a URL to all @-replied for the addressed user, #. TRANS: %8$s is a URL to the addressed user's e-mail settings, %9$s is the sender's nickname. -#: lib/mail.php:684 +#: lib/mail.php:688 #, php-format msgid "" "%1$s (@%9$s) just sent a notice to your attention (an '@-reply') on %2$s.\n" @@ -7849,7 +7894,7 @@ msgstr "Kullanıcı güncellenemedi." #. TRANS: Client exception thrown trying to upload a forbidden MIME type. #. TRANS: %1$s is the file type that was denied, %2$s is the application part of #. TRANS: the MIME type that was denied. -#: lib/mediafile.php:340 +#: lib/mediafile.php:345 #, php-format msgid "" "\"%1$s\" is not a supported file type on this server. Try using another %2$s " @@ -7858,7 +7903,7 @@ msgstr "" #. TRANS: Client exception thrown trying to upload a forbidden MIME type. #. TRANS: %s is the file type that was denied. -#: lib/mediafile.php:345 +#: lib/mediafile.php:350 #, php-format msgid "\"%s\" is not a supported file type on this server." msgstr "" @@ -8005,31 +8050,31 @@ msgstr "" msgid "Couldn't insert new subscription." msgstr "Yeni abonelik eklenemedi." -#: lib/personalgroupnav.php:99 +#: lib/personalgroupnav.php:102 msgid "Personal" msgstr "Kişisel" -#: lib/personalgroupnav.php:104 +#: lib/personalgroupnav.php:107 msgid "Replies" msgstr "Cevaplar" -#: lib/personalgroupnav.php:114 +#: lib/personalgroupnav.php:117 msgid "Favorites" msgstr "" -#: lib/personalgroupnav.php:125 +#: lib/personalgroupnav.php:128 msgid "Inbox" msgstr "" -#: lib/personalgroupnav.php:126 +#: lib/personalgroupnav.php:129 msgid "Your incoming messages" msgstr "" -#: lib/personalgroupnav.php:130 +#: lib/personalgroupnav.php:133 msgid "Outbox" msgstr "" -#: lib/personalgroupnav.php:131 +#: lib/personalgroupnav.php:134 msgid "Your sent messages" msgstr "" @@ -8238,6 +8283,12 @@ msgstr "" msgid "None" msgstr "" +#. TRANS: Server exception displayed if a theme name was invalid. +#: lib/theme.php:74 +#, fuzzy +msgid "Invalid theme name." +msgstr "Geçersiz dosya ismi." + #: lib/themeuploader.php:50 msgid "This server cannot handle theme uploads without ZIP support." msgstr "" @@ -8485,17 +8536,9 @@ msgid "%d entry in backup." msgid_plural "%d entries in backup." msgstr[0] "" -#, fuzzy -#~ msgid "Name is too long (maximum 255 chars)." -#~ msgstr "İsim çok uzun (maksimum: 255 karakter)." - -#, fuzzy -#~ msgid "Organization is too long (maximum 255 chars)." -#~ msgstr "Organizasyon çok uzun (maksimum 255 karakter)." - -#~ msgid "That's too long. Max notice size is %d chars." -#~ msgstr "Bu çok uzun. Maksimum durum mesajı boyutu %d karakterdir." - -#~ msgid "Max notice size is %d chars, including attachment URL." +#~ msgid "" +#~ "The server was unable to handle that much POST data (%s bytes) due to its " +#~ "current configuration." #~ msgstr "" -#~ "Maksimum durum mesajı boyutu, eklenti bağlantıları dahil %d karakterdir." +#~ "Sunucu, şu anki yapılandırması dolayısıyla bu kadar çok POST verisiyle (%" +#~ "s bytes) başa çıkamıyor." diff --git a/locale/uk/LC_MESSAGES/statusnet.po b/locale/uk/LC_MESSAGES/statusnet.po index 370d97736c..f32b088655 100644 --- a/locale/uk/LC_MESSAGES/statusnet.po +++ b/locale/uk/LC_MESSAGES/statusnet.po @@ -12,18 +12,18 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet - Core\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-11-02 22:51+0000\n" -"PO-Revision-Date: 2010-11-02 22:53:47+0000\n" +"POT-Creation-Date: 2010-11-04 18:25+0000\n" +"PO-Revision-Date: 2010-11-04 18:27:51+0000\n" "Language-Team: Ukrainian \n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r75875); Translate extension (2010-09-17)\n" +"X-Generator: MediaWiki 1.17alpha (r76004); Translate extension (2010-09-17)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: uk\n" "X-Message-Group: #out-statusnet-core\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" -"X-POT-Import-Date: 2010-10-30 23:42:01+0000\n" +"X-POT-Import-Date: 2010-11-02 23:22:49+0000\n" #. TRANS: Page title for Access admin panel that allows configuring site access. #. TRANS: Menu item for site administration @@ -90,12 +90,14 @@ msgstr "Зберегти параметри доступу" #. TRANS: Save button for settings for a profile in a subscriptions list. #. TRANS: Button text to save user settings in user admin panel. #. TRANS: Button label in the "Edit application" form. +#. TRANS: Button text on profile design page to save settings. #: actions/accessadminpanel.php:193 actions/emailsettings.php:228 #: actions/imsettings.php:187 actions/othersettings.php:134 #: actions/pathsadminpanel.php:512 actions/profilesettings.php:201 #: actions/sitenoticeadminpanel.php:197 actions/smssettings.php:209 #: actions/subscriptions.php:246 actions/useradminpanel.php:298 -#: lib/applicationeditform.php:355 lib/groupeditform.php:207 +#: lib/applicationeditform.php:355 lib/designsettings.php:270 +#: lib/groupeditform.php:207 msgctxt "BUTTON" msgid "Save" msgstr "Зберегти" @@ -163,7 +165,7 @@ msgstr "%1$s та друзі, сторінка %2$d" #. TRANS: Timeline title for user and friends. %s is a user nickname. #: actions/all.php:94 actions/all.php:191 actions/allrss.php:115 #: actions/apitimelinefriends.php:207 actions/apitimelinehome.php:113 -#: lib/personalgroupnav.php:100 +#: lib/personalgroupnav.php:103 #, php-format msgid "%s and friends" msgstr "%s з друзями" @@ -336,11 +338,13 @@ msgstr "Не вдалося зберегти профіль." #. TRANS: Client error displayed when the number of bytes in a POST request exceeds a limit. #. TRANS: %s is the number of bytes of the CONTENT_LENGTH. +#. TRANS: Form validation error in design settings form. POST should remain untranslated. #: actions/apiaccountupdateprofilebackgroundimage.php:108 #: actions/apiaccountupdateprofileimage.php:95 actions/apimediaupload.php:81 #: actions/apistatusesupdate.php:210 actions/avatarsettings.php:269 #: actions/designadminpanel.php:125 actions/editapplication.php:121 #: actions/newapplication.php:104 actions/newnotice.php:95 +#: lib/designsettings.php:298 #, php-format msgid "" "The server was unable to handle that much POST data (%s byte) due to its " @@ -754,7 +758,7 @@ msgstr "Токен запиту вже авторизовано." #: actions/repeat.php:83 actions/smssettings.php:256 actions/subedit.php:40 #: actions/subscribe.php:86 actions/tagother.php:166 #: actions/unsubscribe.php:69 actions/userauthorization.php:52 -#: lib/designsettings.php:294 +#: lib/designsettings.php:310 msgid "There was a problem with your session token. Try again, please." msgstr "" "Виникли певні проблеми з токеном поточної сесії. Спробуйте знов, будь ласка." @@ -776,12 +780,13 @@ msgstr "Помилка бази даних при додаванні парам #. TRANS: Message given submitting a form with an unknown action in IM settings. #. TRANS: Client error when submitting a form with unexpected information. #. TRANS: Message given submitting a form with an unknown action in SMS settings. +#. TRANS: Unknown form validation error in design settings form. #: actions/apioauthauthorize.php:294 actions/avatarsettings.php:294 #: actions/designadminpanel.php:104 actions/editapplication.php:144 #: actions/emailsettings.php:290 actions/grouplogo.php:322 #: actions/imsettings.php:245 actions/newapplication.php:125 #: actions/oauthconnectionssettings.php:147 actions/recoverpassword.php:44 -#: actions/smssettings.php:277 lib/designsettings.php:304 +#: actions/smssettings.php:277 lib/designsettings.php:321 msgid "Unexpected form submission." msgstr "Несподіване представлення форми." @@ -834,7 +839,7 @@ msgstr "Акаунт" #. TRANS: Label for group nickname (dt). Text hidden by default. #: actions/apioauthauthorize.php:459 actions/login.php:252 #: actions/profilesettings.php:110 actions/register.php:433 -#: actions/showgroup.php:245 actions/tagother.php:94 +#: actions/showgroup.php:240 actions/tagother.php:94 #: actions/userauthorization.php:145 lib/groupeditform.php:152 #: lib/userprofile.php:132 msgid "Nickname" @@ -1102,7 +1107,7 @@ msgstr "Такого вкладення немає." #: actions/avatarbynickname.php:60 actions/blockedfromgroup.php:73 #: actions/editgroup.php:85 actions/groupdesignsettings.php:84 #: actions/grouplogo.php:86 actions/groupmembers.php:76 -#: actions/grouprss.php:91 actions/showgroup.php:121 +#: actions/grouprss.php:91 actions/showgroup.php:116 msgid "No nickname." msgstr "Немає імені." @@ -1119,7 +1124,7 @@ msgstr "Недійсний розмір." #. TRANS: Title for avatar upload page. #. TRANS: Label for group avatar (dt). Text hidden by default. #. TRANS: Link description in user account settings menu. -#: actions/avatarsettings.php:66 actions/showgroup.php:229 +#: actions/avatarsettings.php:66 actions/showgroup.php:224 #: lib/accountsettingsaction.php:113 msgid "Avatar" msgstr "Аватара" @@ -1292,7 +1297,7 @@ msgstr "Збереження інформації про блокування з #: actions/groupunblock.php:88 actions/joingroup.php:82 #: actions/joingroup.php:93 actions/leavegroup.php:82 #: actions/leavegroup.php:93 actions/makeadmin.php:86 -#: actions/showgroup.php:139 actions/showgroup.php:148 lib/command.php:168 +#: actions/showgroup.php:134 actions/showgroup.php:143 lib/command.php:168 #: lib/command.php:380 msgid "No such group." msgstr "Такої спільноти не існує." @@ -1647,12 +1652,14 @@ msgstr "Своя тема" msgid "You can upload a custom StatusNet theme as a .ZIP archive." msgstr "Ви можете завантажити свою тему для сайту StatusNet як .ZIP архів." -#: actions/designadminpanel.php:512 lib/designsettings.php:101 +#. TRANS: Fieldset legend on profile design page. +#: actions/designadminpanel.php:512 lib/designsettings.php:98 msgid "Change background image" msgstr "Змінити фонове зображення" +#. TRANS: Label on profile design page for setting a profile page background colour. #: actions/designadminpanel.php:517 actions/designadminpanel.php:600 -#: lib/designsettings.php:178 +#: lib/designsettings.php:183 msgid "Background" msgstr "Фон" @@ -1666,40 +1673,48 @@ msgstr "" "%1$s." #. TRANS: Used as radio button label to add a background image. -#: actions/designadminpanel.php:553 lib/designsettings.php:139 +#: actions/designadminpanel.php:553 msgid "On" msgstr "Увімк." #. TRANS: Used as radio button label to not add a background image. -#: actions/designadminpanel.php:570 lib/designsettings.php:155 +#: actions/designadminpanel.php:570 msgid "Off" msgstr "Вимк." -#: actions/designadminpanel.php:571 lib/designsettings.php:156 +#. TRANS: Form guide for a set of radio buttons on the profile design page that will enable or disable +#. TRANS: use of the uploaded profile image. +#: actions/designadminpanel.php:571 lib/designsettings.php:159 msgid "Turn background image on or off." msgstr "Увімкнути або вимкнути фонове зображення." -#: actions/designadminpanel.php:576 lib/designsettings.php:161 +#. TRANS: Checkbox label on profile design page that will cause the profile image to be tiled. +#: actions/designadminpanel.php:576 lib/designsettings.php:165 msgid "Tile background image" msgstr "Замостити фон" -#: actions/designadminpanel.php:590 lib/designsettings.php:170 +#. TRANS: Fieldset legend on profile design page to change profile page colours. +#: actions/designadminpanel.php:590 lib/designsettings.php:175 msgid "Change colours" msgstr "Змінити кольори" -#: actions/designadminpanel.php:613 lib/designsettings.php:191 +#. TRANS: Label on profile design page for setting a profile page content colour. +#: actions/designadminpanel.php:613 lib/designsettings.php:197 msgid "Content" msgstr "Зміст" -#: actions/designadminpanel.php:626 lib/designsettings.php:204 +#. TRANS: Label on profile design page for setting a profile page sidebar colour. +#: actions/designadminpanel.php:626 lib/designsettings.php:211 msgid "Sidebar" msgstr "Сайдбар" -#: actions/designadminpanel.php:639 lib/designsettings.php:217 +#. TRANS: Label on profile design page for setting a profile page text colour. +#: actions/designadminpanel.php:639 lib/designsettings.php:225 msgid "Text" msgstr "Текст" -#: actions/designadminpanel.php:652 lib/designsettings.php:230 +#. TRANS: Label on profile design page for setting a profile page links colour. +#: actions/designadminpanel.php:652 lib/designsettings.php:239 msgid "Links" msgstr "Посилання" @@ -1711,15 +1726,18 @@ msgstr "Додатково" msgid "Custom CSS" msgstr "Свій CSS" -#: actions/designadminpanel.php:702 lib/designsettings.php:247 +#. TRANS: Button text on profile design page to immediately reset all colour settings to default. +#: actions/designadminpanel.php:702 lib/designsettings.php:257 msgid "Use defaults" msgstr "За замовч." -#: actions/designadminpanel.php:703 lib/designsettings.php:248 +#. TRANS: Title for button on profile design page to reset all colour settings to default. +#: actions/designadminpanel.php:703 lib/designsettings.php:259 msgid "Restore default designs" msgstr "Оновити налаштування за замовчуванням" -#: actions/designadminpanel.php:709 lib/designsettings.php:254 +#. TRANS: Title for button on profile design page to reset all colour settings to default without saving. +#: actions/designadminpanel.php:709 lib/designsettings.php:267 msgid "Reset back to default" msgstr "Повернутись до початкових налаштувань" @@ -1727,11 +1745,12 @@ msgstr "Повернутись до початкових налаштувань" #: actions/designadminpanel.php:711 actions/licenseadminpanel.php:319 #: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:292 #: actions/snapshotadminpanel.php:245 actions/tagother.php:154 -#: lib/applicationeditform.php:357 lib/designsettings.php:256 +#: lib/applicationeditform.php:357 msgid "Save" msgstr "Зберегти" -#: actions/designadminpanel.php:712 lib/designsettings.php:257 +#. TRANS: Title for button on profile design page to save settings. +#: actions/designadminpanel.php:712 lib/designsettings.php:272 msgid "Save design" msgstr "Зберегти дизайн" @@ -1776,9 +1795,8 @@ msgstr "Потрібне ім’я." #. TRANS: Validation error shown when providing too long a name in the "Edit application" form. #: actions/editapplication.php:188 actions/newapplication.php:169 -#, fuzzy msgid "Name is too long (maximum 255 characters)." -msgstr "Ім’я задовге (не більше 255 знаків)." +msgstr "Ім’я надто довге (не більше 255 знаків)." #. TRANS: Validation error shown when providing a name for an application that already exists in the "Edit application" form. #: actions/editapplication.php:192 actions/newapplication.php:166 @@ -1868,7 +1886,7 @@ msgstr "Не вдалося оновити спільноту." #. TRANS: Server error displayed when group aliases could not be added. #. TRANS: Server exception thrown when creating group aliases failed. -#: actions/editgroup.php:288 classes/User_group.php:513 +#: actions/editgroup.php:288 classes/User_group.php:529 msgid "Could not create aliases." msgstr "Неможна призначити додаткові імена." @@ -2152,7 +2170,7 @@ msgstr "" "дописи до улюблених!" #: actions/favoritesrss.php:111 actions/showfavorites.php:77 -#: lib/personalgroupnav.php:115 +#: lib/personalgroupnav.php:118 #, php-format msgid "%s's favorite notices" msgstr "Обрані дописи %s" @@ -2332,8 +2350,10 @@ msgstr "" "Налаштуйте вигляд сторінки спільноти, використовуючи фонове зображення і " "кольори на свій смак." +#. TRANS: Error message displayed if design settings could not be saved. +#. TRANS: Error message displayed if design settings could not be saved after clicking "Use defaults". #: actions/groupdesignsettings.php:266 actions/userdesignsettings.php:186 -#: lib/designsettings.php:391 lib/designsettings.php:413 +#: lib/designsettings.php:405 lib/designsettings.php:427 msgid "Couldn't update your design." msgstr "Не вдалося оновити дизайн." @@ -2730,7 +2750,7 @@ msgstr[2] "Ви вже підписані до цих користувачів:" #. TRANS: Used as list item for already subscribed users (%1$s is nickname, %2$s is e-mail address). #. TRANS: Used as list item for already registered people (%1$s is nickname, %2$s is e-mail address). #: actions/invite.php:145 actions/invite.php:159 -#, fuzzy, php-format +#, php-format msgctxt "INVITE" msgid "%1$s (%2$s)" msgstr "%1$s (%2$s)" @@ -2921,9 +2941,8 @@ msgstr "" "використовувати варіант «Всі права захищені»." #: actions/licenseadminpanel.php:156 -#, fuzzy msgid "Invalid license title. Maximum length is 255 characters." -msgstr "Помилковий назва ліцензії. Максимальна довжина — 255 символів." +msgstr "Помилкова назва ліцензії. Максимальна довжина — 255 символів." #: actions/licenseadminpanel.php:168 msgid "Invalid license URL." @@ -3304,25 +3323,25 @@ msgstr "" msgid "Notice has no profile." msgstr "Допис не має профілю." -#: actions/oembed.php:87 actions/shownotice.php:176 +#: actions/oembed.php:83 actions/shownotice.php:172 #, php-format msgid "%1$s's status on %2$s" msgstr "%1$s має статус на %2$s" #. TRANS: Error message displaying attachments. %s is a raw MIME type (eg 'image/png') -#: actions/oembed.php:159 +#: actions/oembed.php:155 #, php-format msgid "Content type %s not supported." msgstr "Тип змісту %s не підтримується." #. TRANS: Error message displaying attachments. %s is the site's base URL. -#: actions/oembed.php:163 +#: actions/oembed.php:159 #, php-format msgid "Only %s URLs over plain HTTP please." msgstr "URL-адреса %s лише в простому HTTP, будь ласка." #. TRANS: Client error on an API request with an unsupported data format. -#: actions/oembed.php:184 actions/oembed.php:203 lib/apiaction.php:1200 +#: actions/oembed.php:180 actions/oembed.php:199 lib/apiaction.php:1200 #: lib/apiaction.php:1227 lib/apiaction.php:1356 msgid "Not a supported data format." msgstr "Такий формат даних не підтримується." @@ -3373,9 +3392,8 @@ msgstr "Показувати або приховувати дизайни сто #. TRANS: Form validation error for form "Other settings" in user profile. #: actions/othersettings.php:162 -#, fuzzy msgid "URL shortening service is too long (maximum 50 characters)." -msgstr "Сервіс скорочення URL-адрес надто довгий (50 знаків максимум)." +msgstr "Сервіс скорочення URL-адрес надто довгий (50 символів максимум)." #: actions/otp.php:69 msgid "No user ID specified." @@ -3802,7 +3820,7 @@ msgstr "1-64 рядкових літер і цифр, ніякої пункту #. TRANS: Field label in form for profile settings. #. TRANS: Label for full group name (dt). Text hidden by default. #: actions/profilesettings.php:117 actions/register.php:457 -#: actions/showgroup.php:257 actions/tagother.php:104 +#: actions/showgroup.php:252 actions/tagother.php:104 #: lib/groupeditform.php:157 lib/userprofile.php:150 msgid "Full name" msgstr "Повне ім’я" @@ -3844,7 +3862,7 @@ msgstr "Про себе" #. TRANS: Field label in form for profile settings. #. TRANS: Label for group location (dt). Text hidden by default. #: actions/profilesettings.php:149 actions/register.php:485 -#: actions/showgroup.php:267 actions/tagother.php:112 +#: actions/showgroup.php:262 actions/tagother.php:112 #: actions/userauthorization.php:166 lib/groupeditform.php:180 #: lib/userprofile.php:165 msgid "Location" @@ -4186,7 +4204,6 @@ msgid "Unexpected password reset." msgstr "Несподіване скидання паролю." #: actions/recoverpassword.php:365 -#, fuzzy msgid "Password must be 6 characters or more." msgstr "Пароль має складатись з 6-ти або більше знаків." @@ -4429,7 +4446,7 @@ msgid "Repeated!" msgstr "Повторено!" #: actions/replies.php:126 actions/repliesrss.php:68 -#: lib/personalgroupnav.php:105 +#: lib/personalgroupnav.php:108 #, php-format msgid "Replies to %s" msgstr "Відповіді до %s" @@ -4567,7 +4584,7 @@ msgid "Description" msgstr "Опис" #. TRANS: Header for group statistics on a group page (h2). -#: actions/showapplication.php:192 actions/showgroup.php:453 +#: actions/showapplication.php:192 actions/showgroup.php:448 #: lib/profileaction.php:187 msgid "Statistics" msgstr "Статистика" @@ -4684,94 +4701,94 @@ msgid "This is a way to share what you like." msgstr "Це спосіб поділитись з усіма тим, що вам подобається." #. TRANS: Page title for first group page. %s is a group name. -#: actions/showgroup.php:80 +#: actions/showgroup.php:75 #, php-format msgid "%s group" msgstr "Спільнота %s" #. TRANS: Page title for any but first group page. #. TRANS: %1$s is a group name, $2$s is a page number. -#: actions/showgroup.php:84 +#: actions/showgroup.php:79 #, php-format msgid "%1$s group, page %2$d" msgstr "Спільнота %1$s, сторінка %2$d" #. TRANS: Group profile header (h2). Text hidden by default. -#: actions/showgroup.php:225 +#: actions/showgroup.php:220 msgid "Group profile" msgstr "Профіль спільноти" #. TRANS: Label for group URL (dt). Text hidden by default. -#: actions/showgroup.php:275 actions/tagother.php:118 +#: actions/showgroup.php:270 actions/tagother.php:118 #: actions/userauthorization.php:175 lib/userprofile.php:178 msgid "URL" msgstr "URL" #. TRANS: Label for group description or group note (dt). Text hidden by default. -#: actions/showgroup.php:287 actions/tagother.php:128 +#: actions/showgroup.php:282 actions/tagother.php:128 #: actions/userauthorization.php:187 lib/userprofile.php:195 msgid "Note" msgstr "Зауваження" #. TRANS: Label for group aliases (dt). Text hidden by default. -#: actions/showgroup.php:298 lib/groupeditform.php:187 +#: actions/showgroup.php:293 lib/groupeditform.php:187 msgid "Aliases" msgstr "Додаткові імена" #. TRANS: Group actions header (h2). Text hidden by default. -#: actions/showgroup.php:309 +#: actions/showgroup.php:304 msgid "Group actions" msgstr "Дії спільноти" #. TRANS: Tooltip for feed link. %s is a group nickname. -#: actions/showgroup.php:350 +#: actions/showgroup.php:345 #, php-format msgid "Notice feed for %s group (RSS 1.0)" msgstr "Стрічка дописів спільноти %s (RSS 1.0)" #. TRANS: Tooltip for feed link. %s is a group nickname. -#: actions/showgroup.php:357 +#: actions/showgroup.php:352 #, php-format msgid "Notice feed for %s group (RSS 2.0)" msgstr "Стрічка дописів спільноти %s (RSS 2.0)" #. TRANS: Tooltip for feed link. %s is a group nickname. -#: actions/showgroup.php:364 +#: actions/showgroup.php:359 #, php-format msgid "Notice feed for %s group (Atom)" msgstr "Стрічка дописів спільноти %s (Atom)" #. TRANS: Tooltip for feed link. %s is a group nickname. -#: actions/showgroup.php:370 +#: actions/showgroup.php:365 #, php-format msgid "FOAF for %s group" msgstr "FOAF спільноти %s" #. TRANS: Header for mini list of group members on a group page (h2). -#: actions/showgroup.php:407 +#: actions/showgroup.php:402 msgid "Members" msgstr "Учасники" #. TRANS: Description for mini list of group members on a group page when the group has no members. -#: actions/showgroup.php:413 lib/profileaction.php:117 +#: actions/showgroup.php:408 lib/profileaction.php:117 #: lib/profileaction.php:152 lib/profileaction.php:255 lib/section.php:95 #: lib/subscriptionlist.php:127 lib/tagcloudsection.php:71 msgid "(None)" msgstr "(Пусто)" #. TRANS: Link to all group members from mini list of group members if group has more than n members. -#: actions/showgroup.php:422 +#: actions/showgroup.php:417 msgid "All members" msgstr "Всі учасники" #. TRANS: Label for creation date in statistics on group page. -#: actions/showgroup.php:458 +#: actions/showgroup.php:453 msgctxt "LABEL" msgid "Created" msgstr "Створено" #. TRANS: Label for member count in statistics on group page. -#: actions/showgroup.php:466 +#: actions/showgroup.php:461 msgctxt "LABEL" msgid "Members" msgstr "Учасники" @@ -4780,7 +4797,7 @@ msgstr "Учасники" #. TRANS: **%s** is the group alias, %%%%site.name%%%% is the site name, #. TRANS: %%%%action.register%%%% is the URL for registration, %%%%doc.help%%%% is a URL to help. #. TRANS: This message contains Markdown links. Ensure they are formatted correctly: [Description](link). -#: actions/showgroup.php:481 +#: actions/showgroup.php:476 #, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -4799,7 +4816,7 @@ msgstr "" #. TRANS: Notice on group pages for anonymous users for StatusNet sites that accept no new registrations. #. TRANS: **%s** is the group alias, %%%%site.name%%%% is the site name, #. TRANS: This message contains Markdown links. Ensure they are formatted correctly: [Description](link). -#: actions/showgroup.php:491 +#: actions/showgroup.php:486 #, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -4813,7 +4830,7 @@ msgstr "" "спільноти роблять короткі дописи про своє життя та інтереси. " #. TRANS: Header for list of group administrators on a group page (h2). -#: actions/showgroup.php:520 +#: actions/showgroup.php:515 msgid "Admins" msgstr "Адміни" @@ -4847,16 +4864,16 @@ msgstr "Допис видалено." #. TRANS: Page title showing tagged notices in one user's stream. %1$s is the username, %2$s is the hash tag. #: actions/showstream.php:70 -#, fuzzy, php-format +#, php-format msgid "%1$s tagged %2$s" -msgstr "%1$s, сторінка %2$d" +msgstr "Дописи %1$s позначені теґом %2$s" #. TRANS: Page title showing tagged notices in one user's stream. #. TRANS: %1$s is the username, %2$s is the hash tag, %1$d is the page number. #: actions/showstream.php:74 -#, fuzzy, php-format +#, php-format msgid "%1$s tagged %2$s, page %3$d" -msgstr "Дописи з теґом %1$s, сторінка %2$d" +msgstr "Дописи %1$s позначені теґом %2$s, сторінка %3$d" #. TRANS: Extended page title showing tagged notices in one user's stream. #. TRANS: %1$s is the username, %2$d is the page number. @@ -4900,9 +4917,9 @@ msgstr "FOAF для %s" #. TRANS: First sentence of empty list message for a stream. $1%s is a user nickname. #: actions/showstream.php:211 -#, fuzzy, php-format +#, php-format msgid "This is the timeline for %1$s, but %1$s hasn't posted anything yet." -msgstr "Це стрічка дописів %1$s, але %2$s ще нічого не написав." +msgstr "Це стрічка дописів %1$s, але %1$s ще нічого не написав." #. TRANS: Second sentence of empty list message for a stream for the user themselves. #: actions/showstream.php:217 @@ -5087,7 +5104,6 @@ msgstr "Не вдається зберегти повідомлення сайт #. TRANS: Client error displayed when a site-wide notice was longer than allowed. #: actions/sitenoticeadminpanel.php:112 -#, fuzzy msgid "Maximum length for the site-wide notice is 255 characters." msgstr "Максимальна довжина повідомлення сайту становить 255 символів." @@ -5098,7 +5114,6 @@ msgstr "Текст повідомлення" #. TRANS: Tooltip for site-wide notice text field in admin panel. #: actions/sitenoticeadminpanel.php:179 -#, fuzzy msgid "Site-wide notice text (255 characters maximum; HTML allowed)" msgstr "" "Текст повідомлення сайту (255 символів максимум; деякий HTML дозволено)" @@ -5583,20 +5598,19 @@ msgstr "Помилкове обмеження біо. Це мають бути #. TRANS: Form validation error in user admin panel when welcome text is too long. #: actions/useradminpanel.php:154 -#, fuzzy msgid "Invalid welcome text. Maximum length is 255 characters." msgstr "Помилковий текст привітання. Максимальна довжина — 255 символів." #. TRANS: Client error displayed when trying to set a non-existing user as default subscription for new #. TRANS: users in user admin panel. %1$s is the invalid nickname. #: actions/useradminpanel.php:166 -#, fuzzy, php-format +#, php-format msgid "Invalid default subscripton: '%1$s' is not a user." msgstr "Помилкова підписка за замовчуванням: «%1$s» не є користувачем." #. TRANS: Link description in user account settings menu. #: actions/useradminpanel.php:215 lib/accountsettingsaction.php:106 -#: lib/personalgroupnav.php:109 +#: lib/personalgroupnav.php:112 msgid "Profile" msgstr "Профіль" @@ -5622,9 +5636,8 @@ msgstr "Привітання нового користувача" #. TRANS: Tooltip in user admin panel for setting new user welcome text. #: actions/useradminpanel.php:238 -#, fuzzy msgid "Welcome text for new users (maximum 255 characters)." -msgstr "Текст привітання нових користувачів (255 знаків)." +msgstr "Текст привітання нових користувачів (не більше 255 символів)." #. TRANS: Field label in user admin panel for setting default subscription for new users. #: actions/useradminpanel.php:244 @@ -5761,11 +5774,13 @@ msgstr "Не можна прочитати URL аватари «%s»." msgid "Wrong image type for avatar URL ‘%s’." msgstr "Неправильний тип зображення для URL-адреси аватари «%s»." -#: actions/userdesignsettings.php:76 lib/designsettings.php:65 +#. TRANS: Page title for profile design page. +#: actions/userdesignsettings.php:76 lib/designsettings.php:63 msgid "Profile design" msgstr "Дизайн профілю" -#: actions/userdesignsettings.php:87 lib/designsettings.php:76 +#. TRANS: Instructions for profile design page. +#: actions/userdesignsettings.php:87 lib/designsettings.php:74 msgid "" "Customize the way your profile looks with a background image and a colour " "palette of your choice." @@ -5899,31 +5914,47 @@ msgstr "Робін вважає, що це неможливо." #. TRANS: Message given if an upload is larger than the configured maximum. #. TRANS: %1$d is the byte limit for uploads, %2$d is the byte count for the uploaded file. -#: classes/File.php:189 -#, php-format +#. TRANS: %1$s is used for plural. +#: classes/File.php:190 +#, fuzzy, php-format msgid "" +"No file may be larger than %1$d byte and the file you sent was %2$d bytes. " +"Try to upload a smaller version." +msgid_plural "" "No file may be larger than %1$d bytes and the file you sent was %2$d bytes. " "Try to upload a smaller version." -msgstr "" +msgstr[0] "" +"Ні, файл не може бути більшим за %1$d байтів, а те, що ви хочете надіслати, " +"важить %2$d байтів. Спробуйте завантажити меншу версію." +msgstr[1] "" +"Ні, файл не може бути більшим за %1$d байтів, а те, що ви хочете надіслати, " +"важить %2$d байтів. Спробуйте завантажити меншу версію." +msgstr[2] "" "Ні, файл не може бути більшим за %1$d байтів, а те, що ви хочете надіслати, " "важить %2$d байтів. Спробуйте завантажити меншу версію." #. TRANS: Message given if an upload would exceed user quota. -#. TRANS: %d (number) is the user quota in bytes. -#: classes/File.php:201 -#, php-format -msgid "A file this large would exceed your user quota of %d bytes." -msgstr "Розміри цього файлу перевищують вашу квоту на %d байтів." +#. TRANS: %d (number) is the user quota in bytes and is used for plural. +#: classes/File.php:203 +#, fuzzy, php-format +msgid "A file this large would exceed your user quota of %d byte." +msgid_plural "A file this large would exceed your user quota of %d bytes." +msgstr[0] "Розміри цього файлу перевищують вашу квоту на %d байтів." +msgstr[1] "Розміри цього файлу перевищують вашу квоту на %d байтів." +msgstr[2] "Розміри цього файлу перевищують вашу квоту на %d байтів." #. TRANS: Message given id an upload would exceed a user's monthly quota. -#. TRANS: $d (number) is the monthly user quota in bytes. -#: classes/File.php:210 -#, php-format -msgid "A file this large would exceed your monthly quota of %d bytes." -msgstr "Розміри цього файлу перевищують вашу місячну квоту на %d байтів." +#. TRANS: $d (number) is the monthly user quota in bytes and is used for plural. +#: classes/File.php:215 +#, fuzzy, php-format +msgid "A file this large would exceed your monthly quota of %d byte." +msgid_plural "A file this large would exceed your monthly quota of %d bytes." +msgstr[0] "Розміри цього файлу перевищують вашу місячну квоту на %d байтів." +msgstr[1] "Розміри цього файлу перевищують вашу місячну квоту на %d байтів." +msgstr[2] "Розміри цього файлу перевищують вашу місячну квоту на %d байтів." #. TRANS: Client exception thrown if a file upload does not have a valid name. -#: classes/File.php:247 classes/File.php:262 +#: classes/File.php:262 classes/File.php:277 msgid "Invalid filename." msgstr "Невірне ім’я файлу." @@ -6052,32 +6083,33 @@ msgid "Problem saving notice." msgstr "Проблема при збереженні допису." #. TRANS: Server exception thrown when no array is provided to the method saveKnownGroups(). -#: classes/Notice.php:907 -msgid "Bad type provided to saveKnownGroups" +#: classes/Notice.php:905 +#, fuzzy +msgid "Bad type provided to saveKnownGroups." msgstr "Задається невірний тип для saveKnownGroups" #. TRANS: Server exception thrown when an update for a group inbox fails. -#: classes/Notice.php:1006 +#: classes/Notice.php:1004 msgid "Problem saving group inbox." msgstr "Проблема при збереженні вхідних дописів спільноти." #. TRANS: Server exception thrown when a reply cannot be saved. #. TRANS: %1$d is a notice ID, %2$d is the ID of the mentioned user. -#: classes/Notice.php:1120 +#: classes/Notice.php:1118 #, php-format msgid "Could not save reply for %1$d, %2$d." msgstr "Не вдалося зберегти відповідь для %1$d, %2$d." #. TRANS: Message used to repeat a notice. RT is the abbreviation of 'retweet'. #. TRANS: %1$s is the repeated user's name, %2$s is the repeated notice. -#: classes/Notice.php:1822 +#: classes/Notice.php:1820 #, php-format msgid "RT @%1$s %2$s" msgstr "RT @%1$s %2$s" #. TRANS: Full name of a profile or group followed by nickname in parens -#: classes/Profile.php:164 -#, fuzzy, php-format +#: classes/Profile.php:164 classes/User_group.php:247 +#, php-format msgctxt "FANCYNAME" msgid "%1$s (%2$s)" msgstr "%1$s (%2$s)" @@ -6172,22 +6204,22 @@ msgid "Single-user mode code called when not enabled." msgstr "Код для однокористувацького режиму називається, коли не ввімкнуто." #. TRANS: Server exception thrown when creating a group failed. -#: classes/User_group.php:495 +#: classes/User_group.php:511 msgid "Could not create group." msgstr "Не вдалося створити нову спільноту." #. TRANS: Server exception thrown when updating a group URI failed. -#: classes/User_group.php:505 +#: classes/User_group.php:521 msgid "Could not set group URI." msgstr "Не вдалося встановити URI спільноти." #. TRANS: Server exception thrown when setting group membership failed. -#: classes/User_group.php:528 +#: classes/User_group.php:544 msgid "Could not set group membership." msgstr "Не вдалося встановити членство." #. TRANS: Server exception thrown when saving local group information failed. -#: classes/User_group.php:543 +#: classes/User_group.php:559 msgid "Could not save local group info." msgstr "Не вдалося зберегти інформацію про локальну спільноту." @@ -6241,7 +6273,7 @@ msgstr "Сторінка без заголовку" #: lib/action.php:310 msgctxt "TOOLTIP" msgid "Show more" -msgstr "" +msgstr "Розгорнути" #. TRANS: DT element for primary navigation menu. String is hidden in default CSS. #: lib/action.php:526 @@ -6594,7 +6626,7 @@ msgid "User configuration" msgstr "Конфігурація користувача" #. TRANS: Menu item for site administration -#: lib/adminpanelaction.php:355 lib/personalgroupnav.php:115 +#: lib/adminpanelaction.php:355 lib/personalgroupnav.php:118 msgid "User" msgstr "Користувач" @@ -6947,7 +6979,7 @@ msgstr "%1$s залишив спільноту %2$s." #. TRANS: Whois output. #. TRANS: %1$s nickname of the queried user, %2$s is their profile URL. #: lib/command.php:426 -#, fuzzy, php-format +#, php-format msgctxt "WHOIS" msgid "%1$s (%2$s)" msgstr "%1$s (%2$s)" @@ -6994,11 +7026,11 @@ msgstr "" #. TRANS: Message given if content is too long. %1$sd is used for plural. #. TRANS: %1$d is the maximum number of characters, %2$d is the number of submitted characters. #: lib/command.php:488 -#, fuzzy, php-format +#, php-format msgid "Message too long - maximum is %1$d character, you sent %2$d." msgid_plural "Message too long - maximum is %1$d characters, you sent %2$d." msgstr[0] "" -"Повідомлення надто довге, максимум становить %1$d символів, натомість ви " +"Повідомлення надто довге, максимум становить %1$d символ, натомість ви " "надсилаєте %2$d." msgstr[1] "" "Повідомлення надто довге, максимум становить %1$d символів, натомість ви " @@ -7027,15 +7059,15 @@ msgstr "Помилка при повторенні допису." #. TRANS: Message given if content of a notice for a reply is too long. %1$d is used for plural. #. TRANS: %1$d is the maximum number of characters, %2$d is the number of submitted characters. #: lib/command.php:591 -#, fuzzy, php-format +#, php-format msgid "Notice too long - maximum is %1$d character, you sent %2$d." msgid_plural "Notice too long - maximum is %1$d characters, you sent %2$d." msgstr[0] "" -"Допис надто довгий, максимум становить %1$d символів, а ви надсилаєте %2$d." +"Допис надто довгий, максимум становить %1$d символ, ви надсилаєте %2$d." msgstr[1] "" -"Допис надто довгий, максимум становить %1$d символів, а ви надсилаєте %2$d." +"Допис надто довгий, максимум становить %1$d символів, ви надсилаєте %2$d." msgstr[2] "" -"Допис надто довгий, максимум становить %1$d символів, а ви надсилаєте %2$d." +"Допис надто довгий, максимум становить %1$d символів, ви надсилаєте %2$d." #. TRANS: Text shown having sent a reply to a notice successfully. #. TRANS: %s is the nickname of the user of the notice the reply was sent to. @@ -7312,10 +7344,13 @@ msgstr "Авторизовані під’єднані додатки" msgid "Database error" msgstr "Помилка бази даних" -#: lib/designsettings.php:105 +#. TRANS: Label in form on profile design page. +#. TRANS: Field contains file name on user's computer that could be that user's custom profile background image. +#: lib/designsettings.php:104 msgid "Upload file" msgstr "Завантажити файл" +#. TRANS: Instructions for form on profile design page. #: lib/designsettings.php:109 msgid "" "You can upload your personal background image. The maximum file size is 2MB." @@ -7323,16 +7358,29 @@ msgstr "" "Ви можете завантажити власне фонове зображення. Максимальний розмір файлу " "становить 2Мб." -#: 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 "" -"Сервер нездатен обробити таку кількість даних (%s байтів) за поточної " -"конфігурації." +#. TRANS: Radio button on profile design page that will enable use of the uploaded profile image. +#: lib/designsettings.php:139 +#, fuzzy +msgctxt "RADIO" +msgid "On" +msgstr "Увімк." -#: lib/designsettings.php:418 +#. TRANS: Radio button on profile design page that will disable use of the uploaded profile image. +#: lib/designsettings.php:156 +#, fuzzy +msgctxt "RADIO" +msgid "Off" +msgstr "Вимк." + +#. TRANS: Button text on profile design page to reset all colour settings to default without saving. +#: lib/designsettings.php:264 +#, fuzzy +msgctxt "BUTTON" +msgid "Reset" +msgstr "Скинути" + +#. TRANS: Success message displayed if design settings were saved after clicking "Use defaults". +#: lib/designsettings.php:433 msgid "Design defaults restored." msgstr "Дизайн за замовчуванням відновлено." @@ -7400,30 +7448,29 @@ msgstr "" "1-64 літери нижнього регістру і цифри, ніякої пунктуації або інтервалів" #: lib/groupeditform.php:163 -#, fuzzy msgid "URL of the homepage or blog of the group or topic." -msgstr "URL-адреса веб-сторінки або тематичного блоґу сільноти" +msgstr "URL-адреса веб-сторінки або тематичного блоґу спільноти" #: lib/groupeditform.php:168 msgid "Describe the group or topic" msgstr "Опишіть спільноту або тему" #: lib/groupeditform.php:170 -#, fuzzy, php-format +#, php-format msgid "Describe the group or topic in %d character or less" msgid_plural "Describe the group or topic in %d characters or less" -msgstr[0] "Опишіть спільноту або тему, вкладаючись у %d знаків" +msgstr[0] "Опишіть спільноту або тему, вкладаючись у %d знак" msgstr[1] "Опишіть спільноту або тему, вкладаючись у %d знаків" msgstr[2] "Опишіть спільноту або тему, вкладаючись у %d знаків" #: lib/groupeditform.php:182 -#, fuzzy msgid "" "Location for the group, if any, like \"City, State (or Region), Country\"." -msgstr "Розташування спільноти, на кшталт «Місто, область (або регіон), країна»" +msgstr "" +"Розташування спільноти, на кшталт «Місто, область (або регіон), країна»." #: lib/groupeditform.php:190 -#, fuzzy, php-format +#, php-format msgid "" "Extra nicknames for the group, separated with commas or spaces. Maximum %d " "alias allowed." @@ -7432,13 +7479,13 @@ msgid_plural "" "aliases allowed." msgstr[0] "" "Додаткові імена для спільноти, відокремлювати комами або пробілами, максимум " -"— %d імені" +"— %d ім’я." msgstr[1] "" "Додаткові імена для спільноти, відокремлювати комами або пробілами, максимум " -"— %d імені" +"— %d імені." msgstr[2] "" "Додаткові імена для спільноти, відокремлювати комами або пробілами, максимум " -"— %d імені" +"— %d імен." #. TRANS: Menu item in the group navigation page. #: lib/groupnav.php:86 @@ -7843,7 +7890,7 @@ msgstr "" #. TRANS: Subject for favorite notification e-mail. #. TRANS: %1$s is the adding user's long name, %2$s is the adding user's nickname. -#: lib/mail.php:603 +#: lib/mail.php:607 #, php-format msgid "%1$s (@%2$s) added your notice as a favorite" msgstr "%1$s (@%2$s) додав(ла) ваш допис обраних" @@ -7853,7 +7900,7 @@ msgstr "%1$s (@%2$s) додав(ла) ваш допис обраних" #. TRANS: %3$s is a URL to the faved notice, %4$s is the faved notice text, #. TRANS: %5$s is a URL to all faves of the adding user, %6$s is the StatusNet sitename, #. TRANS: %7$s is the adding user's nickname. -#: lib/mail.php:610 +#: lib/mail.php:614 #, php-format msgid "" "%1$s (@%7$s) just added your notice from %2$s as one of their favorites.\n" @@ -7891,7 +7938,7 @@ msgstr "" "%6$s\n" #. TRANS: Line in @-reply notification e-mail. %s is conversation URL. -#: lib/mail.php:668 +#: lib/mail.php:672 #, php-format msgid "" "The full conversation can be read here:\n" @@ -7904,7 +7951,7 @@ msgstr "" #. TRANS: E-mail subject for notice notification. #. TRANS: %1$s is the sending user's long name, %2$s is the adding user's nickname. -#: lib/mail.php:676 +#: lib/mail.php:680 #, php-format msgid "%1$s (@%2$s) sent a notice to your attention" msgstr "%1$s (@%2$s) пропонує до вашої уваги наступний допис" @@ -7915,7 +7962,7 @@ msgstr "%1$s (@%2$s) пропонує до вашої уваги наступн #. TRANS: %5$s is a URL to the full conversion if it exists (otherwise empty), #. TRANS: %6$s is a URL to reply to the notice, %7$s is a URL to all @-replied for the addressed user, #. TRANS: %8$s is a URL to the addressed user's e-mail settings, %9$s is the sender's nickname. -#: lib/mail.php:684 +#: lib/mail.php:688 #, php-format msgid "" "%1$s (@%9$s) just sent a notice to your attention (an '@-reply') on %2$s.\n" @@ -8063,7 +8110,7 @@ msgstr "Не вдається визначити MIME-тип файлу." #. TRANS: Client exception thrown trying to upload a forbidden MIME type. #. TRANS: %1$s is the file type that was denied, %2$s is the application part of #. TRANS: the MIME type that was denied. -#: lib/mediafile.php:340 +#: lib/mediafile.php:345 #, php-format msgid "" "\"%1$s\" is not a supported file type on this server. Try using another %2$s " @@ -8074,7 +8121,7 @@ msgstr "" #. TRANS: Client exception thrown trying to upload a forbidden MIME type. #. TRANS: %s is the file type that was denied. -#: lib/mediafile.php:345 +#: lib/mediafile.php:350 #, php-format msgid "\"%s\" is not a supported file type on this server." msgstr "Тип файлів «%s» тепер не підтримується на даному сервері." @@ -8215,31 +8262,31 @@ msgstr "Дублікат допису." msgid "Couldn't insert new subscription." msgstr "Не вдалося додати нову підписку." -#: lib/personalgroupnav.php:99 +#: lib/personalgroupnav.php:102 msgid "Personal" msgstr "Особисте" -#: lib/personalgroupnav.php:104 +#: lib/personalgroupnav.php:107 msgid "Replies" msgstr "Відповіді" -#: lib/personalgroupnav.php:114 +#: lib/personalgroupnav.php:117 msgid "Favorites" msgstr "Обрані" -#: lib/personalgroupnav.php:125 +#: lib/personalgroupnav.php:128 msgid "Inbox" msgstr "Вхідні" -#: lib/personalgroupnav.php:126 +#: lib/personalgroupnav.php:129 msgid "Your incoming messages" msgstr "Ваші вхідні повідомлення" -#: lib/personalgroupnav.php:130 +#: lib/personalgroupnav.php:133 msgid "Outbox" msgstr "Вихідні" -#: lib/personalgroupnav.php:131 +#: lib/personalgroupnav.php:134 msgid "Your sent messages" msgstr "Надіслані вами повідомлення" @@ -8436,6 +8483,12 @@ msgstr "Хмарка теґів (якими ви позначили корист msgid "None" msgstr "Пусто" +#. TRANS: Server exception displayed if a theme name was invalid. +#: lib/theme.php:74 +#, fuzzy +msgid "Invalid theme name." +msgstr "Невірне ім’я файлу." + #: lib/themeuploader.php:50 msgid "This server cannot handle theme uploads without ZIP support." msgstr "Цей сервер не може опрацювати завантаження теми без підтримки ZIP." @@ -8455,18 +8508,18 @@ msgid "Invalid theme: bad directory structure." msgstr "Невірна тема: хибна структура каталогів." #: lib/themeuploader.php:166 -#, fuzzy, php-format +#, php-format msgid "Uploaded theme is too large; must be less than %d byte uncompressed." msgid_plural "" "Uploaded theme is too large; must be less than %d bytes uncompressed." msgstr[0] "" -"Тема, що її було завантажено, надто велика; без компресії розмір має " -"становити менше ніж %d байтів." +"Тема, що її було завантажено, надто велика; без компресії її розмір має " +"становити менше ніж %d байт." msgstr[1] "" -"Тема, що її було завантажено, надто велика; без компресії розмір має " +"Тема, що її було завантажено, надто велика; без компресії її розмір має " "становити менше ніж %d байтів." msgstr[2] "" -"Тема, що її було завантажено, надто велика; без компресії розмір має " +"Тема, що її було завантажено, надто велика; без компресії її розмір має " "становити менше ніж %d байтів." #: lib/themeuploader.php:179 @@ -8688,7 +8741,7 @@ msgstr[2] "" #: scripts/restoreuser.php:61 #, php-format msgid "Getting backup from file '%s'." -msgstr "" +msgstr "Отримання резервної копії файлу «%s»." #. TRANS: Commandline script output. #: scripts/restoreuser.php:91 @@ -8699,29 +8752,16 @@ msgstr "" #. TRANS: Commandline script output. %d is the number of entries in the activity stream in backup; used for plural. #: scripts/restoreuser.php:98 -#, fuzzy, php-format +#, php-format msgid "%d entry in backup." msgid_plural "%d entries in backup." -msgstr[0] "У резервному файлі збережено %d дописів." +msgstr[0] "У резервному файлі збережено %d допис." msgstr[1] "У резервному файлі збережено %d дописів." msgstr[2] "У резервному файлі збережено %d дописів." -#~ msgid "Name is too long (maximum 255 chars)." -#~ msgstr "Ім’я надто довге (не більше 255 символів)." - -#~ msgid "Organization is too long (maximum 255 chars)." -#~ msgstr "Назва організації надто довга (не більше 255 знаків)." - -#~ msgid "That's too long. Max notice size is %d chars." -#~ msgstr "Надто довго. Максимальний розмір допису — %d знаків." - -#~ msgid "Max notice size is %d chars, including attachment URL." +#~ msgid "" +#~ "The server was unable to handle that much POST data (%s bytes) due to its " +#~ "current configuration." #~ msgstr "" -#~ "Максимальна довжина допису становить %d знаків, включно з URL-адресою " -#~ "вкладення." - -#~ msgid " tagged %s" -#~ msgstr " позначено з %s" - -#~ msgid "Backup file for user %s (%s)" -#~ msgstr "Резервна копія файлів користувача %s (%s)" +#~ "Сервер нездатен обробити таку кількість даних (%s байтів) за поточної " +#~ "конфігурації." diff --git a/locale/zh_CN/LC_MESSAGES/statusnet.po b/locale/zh_CN/LC_MESSAGES/statusnet.po index bd61cabda6..2ea284a880 100644 --- a/locale/zh_CN/LC_MESSAGES/statusnet.po +++ b/locale/zh_CN/LC_MESSAGES/statusnet.po @@ -14,18 +14,18 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet - Core\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-11-02 22:51+0000\n" -"PO-Revision-Date: 2010-11-02 22:53:48+0000\n" +"POT-Creation-Date: 2010-11-04 18:25+0000\n" +"PO-Revision-Date: 2010-11-04 18:27: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 (r75875); Translate extension (2010-09-17)\n" +"X-Generator: MediaWiki 1.17alpha (r76004); Translate extension (2010-09-17)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: zh-hans\n" "X-Message-Group: #out-statusnet-core\n" "Plural-Forms: nplurals=1; plural=0;\n" -"X-POT-Import-Date: 2010-10-30 23:42:01+0000\n" +"X-POT-Import-Date: 2010-11-02 23:22:49+0000\n" #. TRANS: Page title for Access admin panel that allows configuring site access. #. TRANS: Menu item for site administration @@ -90,12 +90,14 @@ msgstr "保存访问设置" #. TRANS: Save button for settings for a profile in a subscriptions list. #. TRANS: Button text to save user settings in user admin panel. #. TRANS: Button label in the "Edit application" form. +#. TRANS: Button text on profile design page to save settings. #: actions/accessadminpanel.php:193 actions/emailsettings.php:228 #: actions/imsettings.php:187 actions/othersettings.php:134 #: actions/pathsadminpanel.php:512 actions/profilesettings.php:201 #: actions/sitenoticeadminpanel.php:197 actions/smssettings.php:209 #: actions/subscriptions.php:246 actions/useradminpanel.php:298 -#: lib/applicationeditform.php:355 lib/groupeditform.php:207 +#: lib/applicationeditform.php:355 lib/designsettings.php:270 +#: lib/groupeditform.php:207 msgctxt "BUTTON" msgid "Save" msgstr "保存" @@ -163,7 +165,7 @@ msgstr "%1$s 和好友,第%2$d页" #. TRANS: Timeline title for user and friends. %s is a user nickname. #: actions/all.php:94 actions/all.php:191 actions/allrss.php:115 #: actions/apitimelinefriends.php:207 actions/apitimelinehome.php:113 -#: lib/personalgroupnav.php:100 +#: lib/personalgroupnav.php:103 #, php-format msgid "%s and friends" msgstr "%s 和好友们" @@ -334,11 +336,13 @@ msgstr "无法保存个人信息。" #. TRANS: Client error displayed when the number of bytes in a POST request exceeds a limit. #. TRANS: %s is the number of bytes of the CONTENT_LENGTH. +#. TRANS: Form validation error in design settings form. POST should remain untranslated. #: actions/apiaccountupdateprofilebackgroundimage.php:108 #: actions/apiaccountupdateprofileimage.php:95 actions/apimediaupload.php:81 #: actions/apistatusesupdate.php:210 actions/avatarsettings.php:269 #: actions/designadminpanel.php:125 actions/editapplication.php:121 #: actions/newapplication.php:104 actions/newnotice.php:95 +#: lib/designsettings.php:298 #, fuzzy, php-format msgid "" "The server was unable to handle that much POST data (%s byte) due to its " @@ -739,7 +743,7 @@ msgstr "你没有被授权。" #: actions/repeat.php:83 actions/smssettings.php:256 actions/subedit.php:40 #: actions/subscribe.php:86 actions/tagother.php:166 #: actions/unsubscribe.php:69 actions/userauthorization.php:52 -#: lib/designsettings.php:294 +#: lib/designsettings.php:310 msgid "There was a problem with your session token. Try again, please." msgstr "你的 session 出现了一个问题,请重试。" @@ -761,12 +765,13 @@ msgstr "插入 OAuth 应用用户时数据库出错。" #. TRANS: Message given submitting a form with an unknown action in IM settings. #. TRANS: Client error when submitting a form with unexpected information. #. TRANS: Message given submitting a form with an unknown action in SMS settings. +#. TRANS: Unknown form validation error in design settings form. #: actions/apioauthauthorize.php:294 actions/avatarsettings.php:294 #: actions/designadminpanel.php:104 actions/editapplication.php:144 #: actions/emailsettings.php:290 actions/grouplogo.php:322 #: actions/imsettings.php:245 actions/newapplication.php:125 #: actions/oauthconnectionssettings.php:147 actions/recoverpassword.php:44 -#: actions/smssettings.php:277 lib/designsettings.php:304 +#: actions/smssettings.php:277 lib/designsettings.php:321 msgid "Unexpected form submission." msgstr "未预料的表单提交。" @@ -817,7 +822,7 @@ msgstr "帐号" #. TRANS: Label for group nickname (dt). Text hidden by default. #: actions/apioauthauthorize.php:459 actions/login.php:252 #: actions/profilesettings.php:110 actions/register.php:433 -#: actions/showgroup.php:245 actions/tagother.php:94 +#: actions/showgroup.php:240 actions/tagother.php:94 #: actions/userauthorization.php:145 lib/groupeditform.php:152 #: lib/userprofile.php:132 msgid "Nickname" @@ -1077,7 +1082,7 @@ msgstr "没有这个附件。" #: actions/avatarbynickname.php:60 actions/blockedfromgroup.php:73 #: actions/editgroup.php:85 actions/groupdesignsettings.php:84 #: actions/grouplogo.php:86 actions/groupmembers.php:76 -#: actions/grouprss.php:91 actions/showgroup.php:121 +#: actions/grouprss.php:91 actions/showgroup.php:116 msgid "No nickname." msgstr "没有昵称。" @@ -1094,7 +1099,7 @@ msgstr "大小不正确。" #. TRANS: Title for avatar upload page. #. TRANS: Label for group avatar (dt). Text hidden by default. #. TRANS: Link description in user account settings menu. -#: actions/avatarsettings.php:66 actions/showgroup.php:229 +#: actions/avatarsettings.php:66 actions/showgroup.php:224 #: lib/accountsettingsaction.php:113 msgid "Avatar" msgstr "头像" @@ -1269,7 +1274,7 @@ msgstr "保存屏蔽信息失败。" #: actions/groupunblock.php:88 actions/joingroup.php:82 #: actions/joingroup.php:93 actions/leavegroup.php:82 #: actions/leavegroup.php:93 actions/makeadmin.php:86 -#: actions/showgroup.php:139 actions/showgroup.php:148 lib/command.php:168 +#: actions/showgroup.php:134 actions/showgroup.php:143 lib/command.php:168 #: lib/command.php:380 msgid "No such group." msgstr "没有这个组。" @@ -1630,12 +1635,14 @@ msgstr "自定义主题" msgid "You can upload a custom StatusNet theme as a .ZIP archive." msgstr "你可以上传一个 .ZIP 压缩文件作为一个自定义的 StatusNet 主题" -#: actions/designadminpanel.php:512 lib/designsettings.php:101 +#. TRANS: Fieldset legend on profile design page. +#: actions/designadminpanel.php:512 lib/designsettings.php:98 msgid "Change background image" msgstr "更换背景图像" +#. TRANS: Label on profile design page for setting a profile page background colour. #: actions/designadminpanel.php:517 actions/designadminpanel.php:600 -#: lib/designsettings.php:178 +#: lib/designsettings.php:183 msgid "Background" msgstr "背景" @@ -1647,40 +1654,48 @@ msgid "" msgstr "你可以为网站上传一个背景图像。文件大小限制在%1$s以下。" #. TRANS: Used as radio button label to add a background image. -#: actions/designadminpanel.php:553 lib/designsettings.php:139 +#: actions/designadminpanel.php:553 msgid "On" msgstr "打开" #. TRANS: Used as radio button label to not add a background image. -#: actions/designadminpanel.php:570 lib/designsettings.php:155 +#: actions/designadminpanel.php:570 msgid "Off" msgstr "关闭" -#: actions/designadminpanel.php:571 lib/designsettings.php:156 +#. TRANS: Form guide for a set of radio buttons on the profile design page that will enable or disable +#. TRANS: use of the uploaded profile image. +#: actions/designadminpanel.php:571 lib/designsettings.php:159 msgid "Turn background image on or off." msgstr "打开或关闭背景图片" -#: actions/designadminpanel.php:576 lib/designsettings.php:161 +#. TRANS: Checkbox label on profile design page that will cause the profile image to be tiled. +#: actions/designadminpanel.php:576 lib/designsettings.php:165 msgid "Tile background image" msgstr "平铺背景图片" -#: actions/designadminpanel.php:590 lib/designsettings.php:170 +#. TRANS: Fieldset legend on profile design page to change profile page colours. +#: actions/designadminpanel.php:590 lib/designsettings.php:175 msgid "Change colours" msgstr "改变颜色" -#: actions/designadminpanel.php:613 lib/designsettings.php:191 +#. TRANS: Label on profile design page for setting a profile page content colour. +#: actions/designadminpanel.php:613 lib/designsettings.php:197 msgid "Content" msgstr "内容" -#: actions/designadminpanel.php:626 lib/designsettings.php:204 +#. TRANS: Label on profile design page for setting a profile page sidebar colour. +#: actions/designadminpanel.php:626 lib/designsettings.php:211 msgid "Sidebar" msgstr "边栏" -#: actions/designadminpanel.php:639 lib/designsettings.php:217 +#. TRANS: Label on profile design page for setting a profile page text colour. +#: actions/designadminpanel.php:639 lib/designsettings.php:225 msgid "Text" msgstr "文字" -#: actions/designadminpanel.php:652 lib/designsettings.php:230 +#. TRANS: Label on profile design page for setting a profile page links colour. +#: actions/designadminpanel.php:652 lib/designsettings.php:239 msgid "Links" msgstr "链接" @@ -1692,15 +1707,18 @@ msgstr "高级" msgid "Custom CSS" msgstr "自定义CSS" -#: actions/designadminpanel.php:702 lib/designsettings.php:247 +#. TRANS: Button text on profile design page to immediately reset all colour settings to default. +#: actions/designadminpanel.php:702 lib/designsettings.php:257 msgid "Use defaults" msgstr "使用默认值" -#: actions/designadminpanel.php:703 lib/designsettings.php:248 +#. TRANS: Title for button on profile design page to reset all colour settings to default. +#: actions/designadminpanel.php:703 lib/designsettings.php:259 msgid "Restore default designs" msgstr "恢复默认外观" -#: actions/designadminpanel.php:709 lib/designsettings.php:254 +#. TRANS: Title for button on profile design page to reset all colour settings to default without saving. +#: actions/designadminpanel.php:709 lib/designsettings.php:267 msgid "Reset back to default" msgstr "重置到默认" @@ -1708,11 +1726,12 @@ msgstr "重置到默认" #: actions/designadminpanel.php:711 actions/licenseadminpanel.php:319 #: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:292 #: actions/snapshotadminpanel.php:245 actions/tagother.php:154 -#: lib/applicationeditform.php:357 lib/designsettings.php:256 +#: lib/applicationeditform.php:357 msgid "Save" msgstr "保存" -#: actions/designadminpanel.php:712 lib/designsettings.php:257 +#. TRANS: Title for button on profile design page to save settings. +#: actions/designadminpanel.php:712 lib/designsettings.php:272 msgid "Save design" msgstr "保存外观" @@ -1848,7 +1867,7 @@ msgstr "无法更新小组" #. TRANS: Server error displayed when group aliases could not be added. #. TRANS: Server exception thrown when creating group aliases failed. -#: actions/editgroup.php:288 classes/User_group.php:513 +#: actions/editgroup.php:288 classes/User_group.php:529 msgid "Could not create aliases." msgstr "无法创建别名。" @@ -2127,7 +2146,7 @@ msgid "" msgstr "现在就[注册一个账户](%%action.register%%)并成为第一个添加收藏的人!" #: actions/favoritesrss.php:111 actions/showfavorites.php:77 -#: lib/personalgroupnav.php:115 +#: lib/personalgroupnav.php:118 #, php-format msgid "%s's favorite notices" msgstr "%s收藏的消息" @@ -2303,8 +2322,10 @@ msgid "" "palette of your choice." msgstr "通过背景图片和颜色板来自定义你的小组的外观。" +#. TRANS: Error message displayed if design settings could not be saved. +#. TRANS: Error message displayed if design settings could not be saved after clicking "Use defaults". #: actions/groupdesignsettings.php:266 actions/userdesignsettings.php:186 -#: lib/designsettings.php:391 lib/designsettings.php:413 +#: lib/designsettings.php:405 lib/designsettings.php:427 msgid "Couldn't update your design." msgstr "无法更新你的外观。" @@ -3232,25 +3253,25 @@ msgstr "" msgid "Notice has no profile." msgstr "消息没有对应用户。" -#: actions/oembed.php:87 actions/shownotice.php:176 +#: actions/oembed.php:83 actions/shownotice.php:172 #, php-format msgid "%1$s's status on %2$s" msgstr "%1$s在%2$s时发的消息" #. TRANS: Error message displaying attachments. %s is a raw MIME type (eg 'image/png') -#: actions/oembed.php:159 +#: actions/oembed.php:155 #, php-format msgid "Content type %s not supported." msgstr "%s内容类型不被支持。" #. TRANS: Error message displaying attachments. %s is the site's base URL. -#: actions/oembed.php:163 +#: actions/oembed.php:159 #, php-format msgid "Only %s URLs over plain HTTP please." msgstr "请只用HTTP明文的%sURLs的地址。" #. TRANS: Client error on an API request with an unsupported data format. -#: actions/oembed.php:184 actions/oembed.php:203 lib/apiaction.php:1200 +#: actions/oembed.php:180 actions/oembed.php:199 lib/apiaction.php:1200 #: lib/apiaction.php:1227 lib/apiaction.php:1356 msgid "Not a supported data format." msgstr "不支持的数据格式。" @@ -3745,7 +3766,7 @@ msgstr "1 到 64 个小写字母或数字,不包含标点或空格" #. TRANS: Field label in form for profile settings. #. TRANS: Label for full group name (dt). Text hidden by default. #: actions/profilesettings.php:117 actions/register.php:457 -#: actions/showgroup.php:257 actions/tagother.php:104 +#: actions/showgroup.php:252 actions/tagother.php:104 #: lib/groupeditform.php:157 lib/userprofile.php:150 msgid "Full name" msgstr "全名" @@ -3786,7 +3807,7 @@ msgstr "自述" #. TRANS: Field label in form for profile settings. #. TRANS: Label for group location (dt). Text hidden by default. #: actions/profilesettings.php:149 actions/register.php:485 -#: actions/showgroup.php:267 actions/tagother.php:112 +#: actions/showgroup.php:262 actions/tagother.php:112 #: actions/userauthorization.php:166 lib/groupeditform.php:180 #: lib/userprofile.php:165 msgid "Location" @@ -4346,7 +4367,7 @@ msgid "Repeated!" msgstr "已转发!" #: actions/replies.php:126 actions/repliesrss.php:68 -#: lib/personalgroupnav.php:105 +#: lib/personalgroupnav.php:108 #, php-format msgid "Replies to %s" msgstr "对 %s 的回复" @@ -4481,7 +4502,7 @@ msgid "Description" msgstr "描述" #. TRANS: Header for group statistics on a group page (h2). -#: actions/showapplication.php:192 actions/showgroup.php:453 +#: actions/showapplication.php:192 actions/showgroup.php:448 #: lib/profileaction.php:187 msgid "Statistics" msgstr "统计" @@ -4592,95 +4613,95 @@ msgid "This is a way to share what you like." msgstr "这是一种分享你喜欢的内容的方式。" #. TRANS: Page title for first group page. %s is a group name. -#: actions/showgroup.php:80 +#: actions/showgroup.php:75 #, php-format msgid "%s group" msgstr "%s 小组" #. TRANS: Page title for any but first group page. #. TRANS: %1$s is a group name, $2$s is a page number. -#: actions/showgroup.php:84 +#: actions/showgroup.php:79 #, php-format msgid "%1$s group, page %2$d" msgstr "%1$s小组,第%2$d页" #. TRANS: Group profile header (h2). Text hidden by default. -#: actions/showgroup.php:225 +#: actions/showgroup.php:220 msgid "Group profile" msgstr "小组资料" #. TRANS: Label for group URL (dt). Text hidden by default. -#: actions/showgroup.php:275 actions/tagother.php:118 +#: actions/showgroup.php:270 actions/tagother.php:118 #: actions/userauthorization.php:175 lib/userprofile.php:178 msgid "URL" msgstr "URL 互联网地址" #. TRANS: Label for group description or group note (dt). Text hidden by default. -#: actions/showgroup.php:287 actions/tagother.php:128 +#: actions/showgroup.php:282 actions/tagother.php:128 #: actions/userauthorization.php:187 lib/userprofile.php:195 msgid "Note" msgstr "注释" #. TRANS: Label for group aliases (dt). Text hidden by default. -#: actions/showgroup.php:298 lib/groupeditform.php:187 +#: actions/showgroup.php:293 lib/groupeditform.php:187 msgid "Aliases" msgstr "别名" #. TRANS: Group actions header (h2). Text hidden by default. -#: actions/showgroup.php:309 +#: actions/showgroup.php:304 msgid "Group actions" msgstr "小组动作" #. TRANS: Tooltip for feed link. %s is a group nickname. -#: actions/showgroup.php:350 +#: actions/showgroup.php:345 #, php-format msgid "Notice feed for %s group (RSS 1.0)" msgstr "%s小组的消息聚合 (RSS 1.0)" #. TRANS: Tooltip for feed link. %s is a group nickname. -#: actions/showgroup.php:357 +#: actions/showgroup.php:352 #, php-format msgid "Notice feed for %s group (RSS 2.0)" msgstr "%s小组的消息聚合 (RSS 2.0)" #. TRANS: Tooltip for feed link. %s is a group nickname. -#: actions/showgroup.php:364 +#: actions/showgroup.php:359 #, php-format msgid "Notice feed for %s group (Atom)" msgstr "%s小组的消息聚合 (Atom)" #. TRANS: Tooltip for feed link. %s is a group nickname. -#: actions/showgroup.php:370 +#: actions/showgroup.php:365 #, php-format msgid "FOAF for %s group" msgstr "%s 的发件箱" #. TRANS: Header for mini list of group members on a group page (h2). -#: actions/showgroup.php:407 +#: actions/showgroup.php:402 msgid "Members" msgstr "小组成员" #. TRANS: Description for mini list of group members on a group page when the group has no members. -#: actions/showgroup.php:413 lib/profileaction.php:117 +#: actions/showgroup.php:408 lib/profileaction.php:117 #: lib/profileaction.php:152 lib/profileaction.php:255 lib/section.php:95 #: lib/subscriptionlist.php:127 lib/tagcloudsection.php:71 msgid "(None)" msgstr "(无)" #. TRANS: Link to all group members from mini list of group members if group has more than n members. -#: actions/showgroup.php:422 +#: actions/showgroup.php:417 msgid "All members" msgstr "所有成员" #. TRANS: Label for creation date in statistics on group page. -#: actions/showgroup.php:458 +#: actions/showgroup.php:453 #, fuzzy msgctxt "LABEL" msgid "Created" msgstr "建立" #. TRANS: Label for member count in statistics on group page. -#: actions/showgroup.php:466 +#: actions/showgroup.php:461 #, fuzzy msgctxt "LABEL" msgid "Members" @@ -4690,7 +4711,7 @@ msgstr "小组成员" #. TRANS: **%s** is the group alias, %%%%site.name%%%% is the site name, #. TRANS: %%%%action.register%%%% is the URL for registration, %%%%doc.help%%%% is a URL to help. #. TRANS: This message contains Markdown links. Ensure they are formatted correctly: [Description](link). -#: actions/showgroup.php:481 +#: actions/showgroup.php:476 #, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -4708,7 +4729,7 @@ msgstr "" #. TRANS: Notice on group pages for anonymous users for StatusNet sites that accept no new registrations. #. TRANS: **%s** is the group alias, %%%%site.name%%%% is the site name, #. TRANS: This message contains Markdown links. Ensure they are formatted correctly: [Description](link). -#: actions/showgroup.php:491 +#: actions/showgroup.php:486 #, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -4722,7 +4743,7 @@ msgstr "" "趣的消息。" #. TRANS: Header for list of group administrators on a group page (h2). -#: actions/showgroup.php:520 +#: actions/showgroup.php:515 msgid "Admins" msgstr "管理员" @@ -5485,7 +5506,7 @@ msgstr "无效的默认关注:“%1$s”不是一个用户。" #. TRANS: Link description in user account settings menu. #: actions/useradminpanel.php:215 lib/accountsettingsaction.php:106 -#: lib/personalgroupnav.php:109 +#: lib/personalgroupnav.php:112 msgid "Profile" msgstr "个人信息" @@ -5644,11 +5665,13 @@ msgstr "无法读取头像 URL '%s'。" msgid "Wrong image type for avatar URL ‘%s’." msgstr "头像 URL ‘%s’ 图像格式错误。" -#: actions/userdesignsettings.php:76 lib/designsettings.php:65 +#. TRANS: Page title for profile design page. +#: actions/userdesignsettings.php:76 lib/designsettings.php:63 msgid "Profile design" msgstr "个人页面外观" -#: actions/userdesignsettings.php:87 lib/designsettings.php:76 +#. TRANS: Instructions for profile design page. +#: actions/userdesignsettings.php:87 lib/designsettings.php:74 msgid "" "Customize the way your profile looks with a background image and a colour " "palette of your choice." @@ -5771,30 +5794,36 @@ msgstr "麦子认为卖烧麦是份很令人愉快的工作。" #. TRANS: Message given if an upload is larger than the configured maximum. #. TRANS: %1$d is the byte limit for uploads, %2$d is the byte count for the uploaded file. -#: classes/File.php:189 -#, php-format +#. TRANS: %1$s is used for plural. +#: classes/File.php:190 +#, fuzzy, php-format msgid "" +"No file may be larger than %1$d byte and the file you sent was %2$d bytes. " +"Try to upload a smaller version." +msgid_plural "" "No file may be larger than %1$d bytes and the file you sent was %2$d bytes. " "Try to upload a smaller version." -msgstr "" +msgstr[0] "" "不能有文件大于%1$d字节,你上传的文件是%2$d字节。换一个小点的版本试一下。" #. TRANS: Message given if an upload would exceed user quota. -#. TRANS: %d (number) is the user quota in bytes. -#: classes/File.php:201 -#, php-format -msgid "A file this large would exceed your user quota of %d bytes." -msgstr "这么大的文件会超过你%d字节的用户配额。" +#. TRANS: %d (number) is the user quota in bytes and is used for plural. +#: classes/File.php:203 +#, fuzzy, php-format +msgid "A file this large would exceed your user quota of %d byte." +msgid_plural "A file this large would exceed your user quota of %d bytes." +msgstr[0] "这么大的文件会超过你%d字节的用户配额。" #. TRANS: Message given id an upload would exceed a user's monthly quota. -#. TRANS: $d (number) is the monthly user quota in bytes. -#: classes/File.php:210 -#, php-format -msgid "A file this large would exceed your monthly quota of %d bytes." -msgstr "这么大的文件会超过你%d字节的每月配额。" +#. TRANS: $d (number) is the monthly user quota in bytes and is used for plural. +#: classes/File.php:215 +#, fuzzy, php-format +msgid "A file this large would exceed your monthly quota of %d byte." +msgid_plural "A file this large would exceed your monthly quota of %d bytes." +msgstr[0] "这么大的文件会超过你%d字节的每月配额。" #. TRANS: Client exception thrown if a file upload does not have a valid name. -#: classes/File.php:247 classes/File.php:262 +#: classes/File.php:262 classes/File.php:277 msgid "Invalid filename." msgstr "无效的文件名。" @@ -5919,31 +5948,32 @@ msgid "Problem saving notice." msgstr "保存消息时出错。" #. TRANS: Server exception thrown when no array is provided to the method saveKnownGroups(). -#: classes/Notice.php:907 -msgid "Bad type provided to saveKnownGroups" +#: classes/Notice.php:905 +#, fuzzy +msgid "Bad type provided to saveKnownGroups." msgstr "对 saveKnownGroups 提供的类型无效" #. TRANS: Server exception thrown when an update for a group inbox fails. -#: classes/Notice.php:1006 +#: classes/Notice.php:1004 msgid "Problem saving group inbox." msgstr "保存小组收件箱时出错。" #. TRANS: Server exception thrown when a reply cannot be saved. #. TRANS: %1$d is a notice ID, %2$d is the ID of the mentioned user. -#: classes/Notice.php:1120 +#: classes/Notice.php:1118 #, php-format msgid "Could not save reply for %1$d, %2$d." msgstr "无法保存回复,%1$d 对 %2$d。" #. TRANS: Message used to repeat a notice. RT is the abbreviation of 'retweet'. #. TRANS: %1$s is the repeated user's name, %2$s is the repeated notice. -#: classes/Notice.php:1822 +#: classes/Notice.php:1820 #, php-format msgid "RT @%1$s %2$s" msgstr "RT @%1$s %2$s" #. TRANS: Full name of a profile or group followed by nickname in parens -#: classes/Profile.php:164 +#: classes/Profile.php:164 classes/User_group.php:247 #, fuzzy, php-format msgctxt "FANCYNAME" msgid "%1$s (%2$s)" @@ -6038,22 +6068,22 @@ msgid "Single-user mode code called when not enabled." msgstr "" #. TRANS: Server exception thrown when creating a group failed. -#: classes/User_group.php:495 +#: classes/User_group.php:511 msgid "Could not create group." msgstr "无法创建小组。" #. TRANS: Server exception thrown when updating a group URI failed. -#: classes/User_group.php:505 +#: classes/User_group.php:521 msgid "Could not set group URI." msgstr "无法设置小组 URI。" #. TRANS: Server exception thrown when setting group membership failed. -#: classes/User_group.php:528 +#: classes/User_group.php:544 msgid "Could not set group membership." msgstr "无法设置小组成员。" #. TRANS: Server exception thrown when saving local group information failed. -#: classes/User_group.php:543 +#: classes/User_group.php:559 msgid "Could not save local group info." msgstr "无法保存本地小组信息。" @@ -6457,7 +6487,7 @@ msgid "User configuration" msgstr "用户配置" #. TRANS: Menu item for site administration -#: lib/adminpanelaction.php:355 lib/personalgroupnav.php:115 +#: lib/adminpanelaction.php:355 lib/personalgroupnav.php:118 msgid "User" msgstr "用户" @@ -7150,23 +7180,41 @@ msgstr "被授权已连接的应用" msgid "Database error" msgstr "数据库错误" -#: lib/designsettings.php:105 +#. TRANS: Label in form on profile design page. +#. TRANS: Field contains file name on user's computer that could be that user's custom profile background image. +#: lib/designsettings.php:104 msgid "Upload file" msgstr "上传文件" +#. TRANS: Instructions for form on profile design page. #: lib/designsettings.php:109 msgid "" "You can upload your personal background image. The maximum file size is 2MB." msgstr "你可以上传你的个人页面背景。文件最大 2MB。" -#: 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 "服务器当前的设置无法处理这么多的 POST 数据(%s bytes)。" +#. TRANS: Radio button on profile design page that will enable use of the uploaded profile image. +#: lib/designsettings.php:139 +#, fuzzy +msgctxt "RADIO" +msgid "On" +msgstr "打开" -#: lib/designsettings.php:418 +#. TRANS: Radio button on profile design page that will disable use of the uploaded profile image. +#: lib/designsettings.php:156 +#, fuzzy +msgctxt "RADIO" +msgid "Off" +msgstr "关闭" + +#. TRANS: Button text on profile design page to reset all colour settings to default without saving. +#: lib/designsettings.php:264 +#, fuzzy +msgctxt "BUTTON" +msgid "Reset" +msgstr "重置" + +#. TRANS: Success message displayed if design settings were saved after clicking "Use defaults". +#: lib/designsettings.php:433 msgid "Design defaults restored." msgstr "默认外观已恢复。" @@ -7657,7 +7705,7 @@ msgstr "" #. TRANS: Subject for favorite notification e-mail. #. TRANS: %1$s is the adding user's long name, %2$s is the adding user's nickname. -#: lib/mail.php:603 +#: lib/mail.php:607 #, fuzzy, php-format msgid "%1$s (@%2$s) added your notice as a favorite" msgstr "%s (@%s) 收藏了你的消息" @@ -7667,7 +7715,7 @@ msgstr "%s (@%s) 收藏了你的消息" #. TRANS: %3$s is a URL to the faved notice, %4$s is the faved notice text, #. TRANS: %5$s is a URL to all faves of the adding user, %6$s is the StatusNet sitename, #. TRANS: %7$s is the adding user's nickname. -#: lib/mail.php:610 +#: lib/mail.php:614 #, php-format msgid "" "%1$s (@%7$s) just added your notice from %2$s as one of their favorites.\n" @@ -7705,7 +7753,7 @@ msgstr "" "%6$s\n" #. TRANS: Line in @-reply notification e-mail. %s is conversation URL. -#: lib/mail.php:668 +#: lib/mail.php:672 #, php-format msgid "" "The full conversation can be read here:\n" @@ -7718,7 +7766,7 @@ msgstr "" #. TRANS: E-mail subject for notice notification. #. TRANS: %1$s is the sending user's long name, %2$s is the adding user's nickname. -#: lib/mail.php:676 +#: lib/mail.php:680 #, fuzzy, php-format msgid "%1$s (@%2$s) sent a notice to your attention" msgstr "%s (@%s) 给你发送了一条消息" @@ -7729,7 +7777,7 @@ msgstr "%s (@%s) 给你发送了一条消息" #. TRANS: %5$s is a URL to the full conversion if it exists (otherwise empty), #. TRANS: %6$s is a URL to reply to the notice, %7$s is a URL to all @-replied for the addressed user, #. TRANS: %8$s is a URL to the addressed user's e-mail settings, %9$s is the sender's nickname. -#: lib/mail.php:684 +#: lib/mail.php:688 #, php-format msgid "" "%1$s (@%9$s) just sent a notice to your attention (an '@-reply') on %2$s.\n" @@ -7872,7 +7920,7 @@ msgstr "无法判断文件的 MIME 类型。" #. TRANS: Client exception thrown trying to upload a forbidden MIME type. #. TRANS: %1$s is the file type that was denied, %2$s is the application part of #. TRANS: the MIME type that was denied. -#: lib/mediafile.php:340 +#: lib/mediafile.php:345 #, php-format msgid "" "\"%1$s\" is not a supported file type on this server. Try using another %2$s " @@ -7881,7 +7929,7 @@ msgstr "此服务器不支持 “%1$s” 的文件格式,试下使用其他的 #. TRANS: Client exception thrown trying to upload a forbidden MIME type. #. TRANS: %s is the file type that was denied. -#: lib/mediafile.php:345 +#: lib/mediafile.php:350 #, php-format msgid "\"%s\" is not a supported file type on this server." msgstr "这个服务器不支持 %s 的文件格式。" @@ -8020,31 +8068,31 @@ msgstr "复制消息。" msgid "Couldn't insert new subscription." msgstr "无法添加新的关注。" -#: lib/personalgroupnav.php:99 +#: lib/personalgroupnav.php:102 msgid "Personal" msgstr "我的主页" -#: lib/personalgroupnav.php:104 +#: lib/personalgroupnav.php:107 msgid "Replies" msgstr "回复" -#: lib/personalgroupnav.php:114 +#: lib/personalgroupnav.php:117 msgid "Favorites" msgstr "收藏夹" -#: lib/personalgroupnav.php:125 +#: lib/personalgroupnav.php:128 msgid "Inbox" msgstr "收件箱" -#: lib/personalgroupnav.php:126 +#: lib/personalgroupnav.php:129 msgid "Your incoming messages" msgstr "你收到的私信" -#: lib/personalgroupnav.php:130 +#: lib/personalgroupnav.php:133 msgid "Outbox" msgstr "发件箱" -#: lib/personalgroupnav.php:131 +#: lib/personalgroupnav.php:134 msgid "Your sent messages" msgstr "你发送的私信" @@ -8242,6 +8290,12 @@ msgstr "被添加标签的用户标签云" msgid "None" msgstr "无" +#. TRANS: Server exception displayed if a theme name was invalid. +#: lib/theme.php:74 +#, fuzzy +msgid "Invalid theme name." +msgstr "无效的文件名。" + #: lib/themeuploader.php:50 msgid "This server cannot handle theme uploads without ZIP support." msgstr "服务器不支持 ZIP,无法处理上传的主题。" @@ -8481,22 +8535,7 @@ msgid "%d entry in backup." msgid_plural "%d entries in backup." msgstr[0] "备份中有 %d 个条目。" -#, fuzzy -#~ msgid "Name is too long (maximum 255 chars)." -#~ msgstr "名称过长(不能超过255个字符)。" - -#, fuzzy -#~ msgid "Organization is too long (maximum 255 chars)." -#~ msgstr "组织名称过长(不能超过255个字符)。" - -#~ msgid "That's too long. Max notice size is %d chars." -#~ msgstr "太长了。最长的消息长度是%d个字符。" - -#~ msgid "Max notice size is %d chars, including attachment URL." -#~ msgstr "每条消息最长%d字符,包括附件的链接 URL。" - -#~ msgid " tagged %s" -#~ msgstr "带%s标签的" - -#~ msgid "Backup file for user %s (%s)" -#~ msgstr "用户 %s (%s) 的备份文件" +#~ msgid "" +#~ "The server was unable to handle that much POST data (%s bytes) due to its " +#~ "current configuration." +#~ msgstr "服务器当前的设置无法处理这么多的 POST 数据(%s bytes)。" diff --git a/plugins/GroupFavorited/locale/GroupFavorited.pot b/plugins/GroupFavorited/locale/GroupFavorited.pot index c6c2f11145..041126fad6 100644 --- a/plugins/GroupFavorited/locale/GroupFavorited.pot +++ b/plugins/GroupFavorited/locale/GroupFavorited.pot @@ -8,7 +8,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-10-27 23:43+0000\n" +"POT-Creation-Date: 2010-11-04 18:25+0000\n" "PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" "Last-Translator: FULL NAME \n" "Language-Team: LANGUAGE \n" @@ -17,13 +17,13 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" #. TRANS: %s is a group name. -#: groupfavoritedaction.php:53 +#: groupfavoritedaction.php:48 #, php-format msgid "Popular posts in %s group" msgstr "" #. TRANS: %1$s is a group name, %2$s is a group number. -#: groupfavoritedaction.php:56 +#: groupfavoritedaction.php:51 #, php-format msgid "Popular posts in %1$s group, page %2$d" msgstr "" diff --git a/plugins/GroupFavorited/locale/br/LC_MESSAGES/GroupFavorited.po b/plugins/GroupFavorited/locale/br/LC_MESSAGES/GroupFavorited.po index 7362f0505a..6ca70c83f9 100644 --- a/plugins/GroupFavorited/locale/br/LC_MESSAGES/GroupFavorited.po +++ b/plugins/GroupFavorited/locale/br/LC_MESSAGES/GroupFavorited.po @@ -9,26 +9,26 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet - GroupFavorited\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-10-27 23:43+0000\n" -"PO-Revision-Date: 2010-10-27 23:46:41+0000\n" +"POT-Creation-Date: 2010-11-04 18:25+0000\n" +"PO-Revision-Date: 2010-11-04 18:28:28+0000\n" "Language-Team: Breton \n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-POT-Import-Date: 2010-10-18 20:29:53+0000\n" -"X-Generator: MediaWiki 1.17alpha (r75590); Translate extension (2010-09-17)\n" +"X-POT-Import-Date: 2010-10-29 16:12:48+0000\n" +"X-Generator: MediaWiki 1.17alpha (r76004); Translate extension (2010-09-17)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: br\n" "X-Message-Group: #out-statusnet-plugin-groupfavorited\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" #. TRANS: %s is a group name. -#: groupfavoritedaction.php:53 +#: groupfavoritedaction.php:48 #, php-format msgid "Popular posts in %s group" msgstr "" #. TRANS: %1$s is a group name, %2$s is a group number. -#: groupfavoritedaction.php:56 +#: groupfavoritedaction.php:51 #, php-format msgid "Popular posts in %1$s group, page %2$d" msgstr "" diff --git a/plugins/GroupFavorited/locale/de/LC_MESSAGES/GroupFavorited.po b/plugins/GroupFavorited/locale/de/LC_MESSAGES/GroupFavorited.po index c820c89e15..cc8988658f 100644 --- a/plugins/GroupFavorited/locale/de/LC_MESSAGES/GroupFavorited.po +++ b/plugins/GroupFavorited/locale/de/LC_MESSAGES/GroupFavorited.po @@ -10,26 +10,26 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet - GroupFavorited\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-10-27 23:43+0000\n" -"PO-Revision-Date: 2010-10-27 23:46:41+0000\n" +"POT-Creation-Date: 2010-11-04 18:25+0000\n" +"PO-Revision-Date: 2010-11-04 18:28:28+0000\n" "Language-Team: German \n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-POT-Import-Date: 2010-10-18 20:29:53+0000\n" -"X-Generator: MediaWiki 1.17alpha (r75590); Translate extension (2010-09-17)\n" +"X-POT-Import-Date: 2010-10-29 16:12:48+0000\n" +"X-Generator: MediaWiki 1.17alpha (r76004); Translate extension (2010-09-17)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: de\n" "X-Message-Group: #out-statusnet-plugin-groupfavorited\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" #. TRANS: %s is a group name. -#: groupfavoritedaction.php:53 +#: groupfavoritedaction.php:48 #, php-format msgid "Popular posts in %s group" msgstr "Beliebte Beiträge in der %s-Gruppe" #. TRANS: %1$s is a group name, %2$s is a group number. -#: groupfavoritedaction.php:56 +#: groupfavoritedaction.php:51 #, php-format msgid "Popular posts in %1$s group, page %2$d" msgstr "Beliebte Beiträge in der %1$s-Gruppe, Seite %2$d" diff --git a/plugins/GroupFavorited/locale/es/LC_MESSAGES/GroupFavorited.po b/plugins/GroupFavorited/locale/es/LC_MESSAGES/GroupFavorited.po index 6af511ae6a..3b3419d5a7 100644 --- a/plugins/GroupFavorited/locale/es/LC_MESSAGES/GroupFavorited.po +++ b/plugins/GroupFavorited/locale/es/LC_MESSAGES/GroupFavorited.po @@ -9,26 +9,26 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet - GroupFavorited\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-10-27 23:43+0000\n" -"PO-Revision-Date: 2010-10-27 23:46:41+0000\n" +"POT-Creation-Date: 2010-11-04 18:25+0000\n" +"PO-Revision-Date: 2010-11-04 18:28:28+0000\n" "Language-Team: Spanish \n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-POT-Import-Date: 2010-10-18 20:29:53+0000\n" -"X-Generator: MediaWiki 1.17alpha (r75590); Translate extension (2010-09-17)\n" +"X-POT-Import-Date: 2010-10-29 16:12:48+0000\n" +"X-Generator: MediaWiki 1.17alpha (r76004); Translate extension (2010-09-17)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: es\n" "X-Message-Group: #out-statusnet-plugin-groupfavorited\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" #. TRANS: %s is a group name. -#: groupfavoritedaction.php:53 +#: groupfavoritedaction.php:48 #, php-format msgid "Popular posts in %s group" msgstr "Mensajes populares en el grupo %s" #. TRANS: %1$s is a group name, %2$s is a group number. -#: groupfavoritedaction.php:56 +#: groupfavoritedaction.php:51 #, php-format msgid "Popular posts in %1$s group, page %2$d" msgstr "Mensajes populares en el grupo %1$s, página %2$d" diff --git a/plugins/GroupFavorited/locale/fr/LC_MESSAGES/GroupFavorited.po b/plugins/GroupFavorited/locale/fr/LC_MESSAGES/GroupFavorited.po index 9cfb10efc8..3facce5732 100644 --- a/plugins/GroupFavorited/locale/fr/LC_MESSAGES/GroupFavorited.po +++ b/plugins/GroupFavorited/locale/fr/LC_MESSAGES/GroupFavorited.po @@ -9,26 +9,26 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet - GroupFavorited\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-10-27 23:43+0000\n" -"PO-Revision-Date: 2010-10-27 23:46:41+0000\n" +"POT-Creation-Date: 2010-11-04 18:25+0000\n" +"PO-Revision-Date: 2010-11-04 18:28:28+0000\n" "Language-Team: French \n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-POT-Import-Date: 2010-10-18 20:29:53+0000\n" -"X-Generator: MediaWiki 1.17alpha (r75590); Translate extension (2010-09-17)\n" +"X-POT-Import-Date: 2010-10-29 16:12:48+0000\n" +"X-Generator: MediaWiki 1.17alpha (r76004); Translate extension (2010-09-17)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: fr\n" "X-Message-Group: #out-statusnet-plugin-groupfavorited\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" #. TRANS: %s is a group name. -#: groupfavoritedaction.php:53 +#: groupfavoritedaction.php:48 #, php-format msgid "Popular posts in %s group" msgstr "Messages populaires dans le groupe %s" #. TRANS: %1$s is a group name, %2$s is a group number. -#: groupfavoritedaction.php:56 +#: groupfavoritedaction.php:51 #, php-format msgid "Popular posts in %1$s group, page %2$d" msgstr "Messages populaires dans le groupe %1$s, page %2$d" diff --git a/plugins/GroupFavorited/locale/ia/LC_MESSAGES/GroupFavorited.po b/plugins/GroupFavorited/locale/ia/LC_MESSAGES/GroupFavorited.po index 03eb3e3da4..f1e424cd16 100644 --- a/plugins/GroupFavorited/locale/ia/LC_MESSAGES/GroupFavorited.po +++ b/plugins/GroupFavorited/locale/ia/LC_MESSAGES/GroupFavorited.po @@ -9,26 +9,26 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet - GroupFavorited\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-10-27 23:43+0000\n" -"PO-Revision-Date: 2010-10-27 23:46:41+0000\n" +"POT-Creation-Date: 2010-11-04 18:25+0000\n" +"PO-Revision-Date: 2010-11-04 18:28:28+0000\n" "Language-Team: Interlingua \n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-POT-Import-Date: 2010-10-18 20:29:53+0000\n" -"X-Generator: MediaWiki 1.17alpha (r75590); Translate extension (2010-09-17)\n" +"X-POT-Import-Date: 2010-10-29 16:12:48+0000\n" +"X-Generator: MediaWiki 1.17alpha (r76004); Translate extension (2010-09-17)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: ia\n" "X-Message-Group: #out-statusnet-plugin-groupfavorited\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" #. TRANS: %s is a group name. -#: groupfavoritedaction.php:53 +#: groupfavoritedaction.php:48 #, php-format msgid "Popular posts in %s group" msgstr "Messages popular in gruppo %s" #. TRANS: %1$s is a group name, %2$s is a group number. -#: groupfavoritedaction.php:56 +#: groupfavoritedaction.php:51 #, php-format msgid "Popular posts in %1$s group, page %2$d" msgstr "Messages popular in gruppo %1$s, pagina %2$d" diff --git a/plugins/GroupFavorited/locale/mk/LC_MESSAGES/GroupFavorited.po b/plugins/GroupFavorited/locale/mk/LC_MESSAGES/GroupFavorited.po index 1d1a43a0d0..5aada9eca5 100644 --- a/plugins/GroupFavorited/locale/mk/LC_MESSAGES/GroupFavorited.po +++ b/plugins/GroupFavorited/locale/mk/LC_MESSAGES/GroupFavorited.po @@ -9,26 +9,26 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet - GroupFavorited\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-10-27 23:43+0000\n" -"PO-Revision-Date: 2010-10-27 23:46:41+0000\n" +"POT-Creation-Date: 2010-11-04 18:25+0000\n" +"PO-Revision-Date: 2010-11-04 18:28:28+0000\n" "Language-Team: Macedonian \n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-POT-Import-Date: 2010-10-18 20:29:53+0000\n" -"X-Generator: MediaWiki 1.17alpha (r75590); Translate extension (2010-09-17)\n" +"X-POT-Import-Date: 2010-10-29 16:12:48+0000\n" +"X-Generator: MediaWiki 1.17alpha (r76004); Translate extension (2010-09-17)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: mk\n" "X-Message-Group: #out-statusnet-plugin-groupfavorited\n" "Plural-Forms: nplurals=2; plural=(n == 1 || n%10 == 1) ? 0 : 1;\n" #. TRANS: %s is a group name. -#: groupfavoritedaction.php:53 +#: groupfavoritedaction.php:48 #, php-format msgid "Popular posts in %s group" msgstr "Популарни објави во групата %s" #. TRANS: %1$s is a group name, %2$s is a group number. -#: groupfavoritedaction.php:56 +#: groupfavoritedaction.php:51 #, php-format msgid "Popular posts in %1$s group, page %2$d" msgstr "Популарни објави во групата %1$s, страница %2$d" diff --git a/plugins/GroupFavorited/locale/nl/LC_MESSAGES/GroupFavorited.po b/plugins/GroupFavorited/locale/nl/LC_MESSAGES/GroupFavorited.po index 1d8a2b57ec..bf56698779 100644 --- a/plugins/GroupFavorited/locale/nl/LC_MESSAGES/GroupFavorited.po +++ b/plugins/GroupFavorited/locale/nl/LC_MESSAGES/GroupFavorited.po @@ -10,26 +10,26 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet - GroupFavorited\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-10-27 23:43+0000\n" -"PO-Revision-Date: 2010-10-27 23:46:41+0000\n" +"POT-Creation-Date: 2010-11-04 18:25+0000\n" +"PO-Revision-Date: 2010-11-04 18:28:28+0000\n" "Language-Team: Dutch \n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-POT-Import-Date: 2010-10-18 20:29:53+0000\n" -"X-Generator: MediaWiki 1.17alpha (r75590); Translate extension (2010-09-17)\n" +"X-POT-Import-Date: 2010-10-29 16:12:48+0000\n" +"X-Generator: MediaWiki 1.17alpha (r76004); Translate extension (2010-09-17)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: nl\n" "X-Message-Group: #out-statusnet-plugin-groupfavorited\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" #. TRANS: %s is a group name. -#: groupfavoritedaction.php:53 +#: groupfavoritedaction.php:48 #, php-format msgid "Popular posts in %s group" msgstr "Populaire berichten in de groep %s" #. TRANS: %1$s is a group name, %2$s is a group number. -#: groupfavoritedaction.php:56 +#: groupfavoritedaction.php:51 #, php-format msgid "Popular posts in %1$s group, page %2$d" msgstr "Populaire berichten in de groep %1$s, pagina %2$d" diff --git a/plugins/GroupFavorited/locale/ru/LC_MESSAGES/GroupFavorited.po b/plugins/GroupFavorited/locale/ru/LC_MESSAGES/GroupFavorited.po index 63e84c4532..1cb4433d81 100644 --- a/plugins/GroupFavorited/locale/ru/LC_MESSAGES/GroupFavorited.po +++ b/plugins/GroupFavorited/locale/ru/LC_MESSAGES/GroupFavorited.po @@ -9,13 +9,13 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet - GroupFavorited\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-10-27 23:43+0000\n" -"PO-Revision-Date: 2010-10-27 23:46:41+0000\n" +"POT-Creation-Date: 2010-11-04 18:25+0000\n" +"PO-Revision-Date: 2010-11-04 18:28:28+0000\n" "Language-Team: Russian \n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-POT-Import-Date: 2010-10-18 20:29:53+0000\n" -"X-Generator: MediaWiki 1.17alpha (r75590); Translate extension (2010-09-17)\n" +"X-POT-Import-Date: 2010-10-29 16:12:48+0000\n" +"X-Generator: MediaWiki 1.17alpha (r76004); Translate extension (2010-09-17)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: ru\n" "X-Message-Group: #out-statusnet-plugin-groupfavorited\n" @@ -23,13 +23,13 @@ msgstr "" "2 && n%10 <= 4 && (n%100 < 10 || n%100 >= 20)) ? 1 : 2 );\n" #. TRANS: %s is a group name. -#: groupfavoritedaction.php:53 +#: groupfavoritedaction.php:48 #, php-format msgid "Popular posts in %s group" msgstr "Популярные сообщения в группе %s" #. TRANS: %1$s is a group name, %2$s is a group number. -#: groupfavoritedaction.php:56 +#: groupfavoritedaction.php:51 #, php-format msgid "Popular posts in %1$s group, page %2$d" msgstr "" diff --git a/plugins/GroupFavorited/locale/tl/LC_MESSAGES/GroupFavorited.po b/plugins/GroupFavorited/locale/tl/LC_MESSAGES/GroupFavorited.po index 31a1077bd1..4091155de5 100644 --- a/plugins/GroupFavorited/locale/tl/LC_MESSAGES/GroupFavorited.po +++ b/plugins/GroupFavorited/locale/tl/LC_MESSAGES/GroupFavorited.po @@ -9,26 +9,26 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet - GroupFavorited\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-10-27 23:43+0000\n" -"PO-Revision-Date: 2010-10-27 23:46:41+0000\n" +"POT-Creation-Date: 2010-11-04 18:25+0000\n" +"PO-Revision-Date: 2010-11-04 18:28:28+0000\n" "Language-Team: Tagalog \n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-POT-Import-Date: 2010-10-18 20:29:53+0000\n" -"X-Generator: MediaWiki 1.17alpha (r75590); Translate extension (2010-09-17)\n" +"X-POT-Import-Date: 2010-10-29 16:12:48+0000\n" +"X-Generator: MediaWiki 1.17alpha (r76004); Translate extension (2010-09-17)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: tl\n" "X-Message-Group: #out-statusnet-plugin-groupfavorited\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" #. TRANS: %s is a group name. -#: groupfavoritedaction.php:53 +#: groupfavoritedaction.php:48 #, php-format msgid "Popular posts in %s group" msgstr "Tanyag na mga pagpapaskila sa loob ng pangkat na %s" #. TRANS: %1$s is a group name, %2$s is a group number. -#: groupfavoritedaction.php:56 +#: groupfavoritedaction.php:51 #, php-format msgid "Popular posts in %1$s group, page %2$d" msgstr "Tanyag na mga pagpapaskila sa loob ng pangkat na %1$s, pahina %2$d" diff --git a/plugins/GroupFavorited/locale/uk/LC_MESSAGES/GroupFavorited.po b/plugins/GroupFavorited/locale/uk/LC_MESSAGES/GroupFavorited.po index d0a44340a8..143c0cae84 100644 --- a/plugins/GroupFavorited/locale/uk/LC_MESSAGES/GroupFavorited.po +++ b/plugins/GroupFavorited/locale/uk/LC_MESSAGES/GroupFavorited.po @@ -9,13 +9,13 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet - GroupFavorited\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-10-27 23:43+0000\n" -"PO-Revision-Date: 2010-10-27 23:46:41+0000\n" +"POT-Creation-Date: 2010-11-04 18:25+0000\n" +"PO-Revision-Date: 2010-11-04 18:28:28+0000\n" "Language-Team: Ukrainian \n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-POT-Import-Date: 2010-10-18 20:29:53+0000\n" -"X-Generator: MediaWiki 1.17alpha (r75590); Translate extension (2010-09-17)\n" +"X-POT-Import-Date: 2010-10-29 16:12:48+0000\n" +"X-Generator: MediaWiki 1.17alpha (r76004); Translate extension (2010-09-17)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: uk\n" "X-Message-Group: #out-statusnet-plugin-groupfavorited\n" @@ -23,13 +23,13 @@ msgstr "" "2 && n%10 <= 4 && (n%100 < 10 || n%100 >= 20)) ? 1 : 2 );\n" #. TRANS: %s is a group name. -#: groupfavoritedaction.php:53 +#: groupfavoritedaction.php:48 #, php-format msgid "Popular posts in %s group" msgstr "Популярні повідомлення спільноти %s" #. TRANS: %1$s is a group name, %2$s is a group number. -#: groupfavoritedaction.php:56 +#: groupfavoritedaction.php:51 #, php-format msgid "Popular posts in %1$s group, page %2$d" msgstr "Популярні повідомлення спільноти %1$s, сторінка %2$d" diff --git a/plugins/Mapstraction/locale/br/LC_MESSAGES/Mapstraction.po b/plugins/Mapstraction/locale/br/LC_MESSAGES/Mapstraction.po index 6552915b9e..6dd726870d 100644 --- a/plugins/Mapstraction/locale/br/LC_MESSAGES/Mapstraction.po +++ b/plugins/Mapstraction/locale/br/LC_MESSAGES/Mapstraction.po @@ -9,13 +9,13 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet - Mapstraction\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-10-27 23:43+0000\n" -"PO-Revision-Date: 2010-10-27 23:46:46+0000\n" +"POT-Creation-Date: 2010-11-04 18:25+0000\n" +"PO-Revision-Date: 2010-11-04 18:28:33+0000\n" "Language-Team: Breton \n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-POT-Import-Date: 2010-10-18 20:29:55+0000\n" -"X-Generator: MediaWiki 1.17alpha (r75590); Translate extension (2010-09-17)\n" +"X-POT-Import-Date: 2010-10-29 16:12:52+0000\n" +"X-Generator: MediaWiki 1.17alpha (r76004); Translate extension (2010-09-17)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: br\n" "X-Message-Group: #out-statusnet-plugin-mapstraction\n" @@ -46,19 +46,19 @@ msgstr "An implijer-mañ n'eus profil ebet dezhañ." #. TRANS: Page title. #. TRANS: %s is a user nickname. -#: allmap.php:74 +#: allmap.php:69 #, php-format msgid "%s friends map" msgstr "Kartenn mignoned %s" #. TRANS: Page title. #. TRANS: %1$s is a user nickname, %2$d is a page number. -#: allmap.php:80 +#: allmap.php:75 #, fuzzy, php-format msgid "%1$s friends map, page %2$d" msgstr "%s gartenn, pajenn %d" -#: usermap.php:73 +#: usermap.php:68 #, php-format msgid "%s map, page %d" msgstr "%s gartenn, pajenn %d" diff --git a/plugins/Mapstraction/locale/de/LC_MESSAGES/Mapstraction.po b/plugins/Mapstraction/locale/de/LC_MESSAGES/Mapstraction.po index 0299a5d153..22c3e84eee 100644 --- a/plugins/Mapstraction/locale/de/LC_MESSAGES/Mapstraction.po +++ b/plugins/Mapstraction/locale/de/LC_MESSAGES/Mapstraction.po @@ -10,13 +10,13 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet - Mapstraction\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-10-27 23:43+0000\n" -"PO-Revision-Date: 2010-10-27 23:46:46+0000\n" +"POT-Creation-Date: 2010-11-04 18:25+0000\n" +"PO-Revision-Date: 2010-11-04 18:28:33+0000\n" "Language-Team: German \n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-POT-Import-Date: 2010-10-18 20:29:55+0000\n" -"X-Generator: MediaWiki 1.17alpha (r75590); Translate extension (2010-09-17)\n" +"X-POT-Import-Date: 2010-10-29 16:12:52+0000\n" +"X-Generator: MediaWiki 1.17alpha (r76004); Translate extension (2010-09-17)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: de\n" "X-Message-Group: #out-statusnet-plugin-mapstraction\n" @@ -49,19 +49,19 @@ msgstr "Benutzer hat kein Profil." #. TRANS: Page title. #. TRANS: %s is a user nickname. -#: allmap.php:74 +#: allmap.php:69 #, php-format msgid "%s friends map" msgstr "Karte der Freunde von %s" #. TRANS: Page title. #. TRANS: %1$s is a user nickname, %2$d is a page number. -#: allmap.php:80 +#: allmap.php:75 #, php-format msgid "%1$s friends map, page %2$d" msgstr "Karte der Freunde von %1$s, Seite %2$d" -#: usermap.php:73 +#: usermap.php:68 #, php-format msgid "%s map, page %d" msgstr "%s-Karte, Seite %d" diff --git a/plugins/Mapstraction/locale/fi/LC_MESSAGES/Mapstraction.po b/plugins/Mapstraction/locale/fi/LC_MESSAGES/Mapstraction.po index 8e6007152c..9d84ece5a3 100644 --- a/plugins/Mapstraction/locale/fi/LC_MESSAGES/Mapstraction.po +++ b/plugins/Mapstraction/locale/fi/LC_MESSAGES/Mapstraction.po @@ -9,13 +9,13 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet - Mapstraction\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-10-27 23:43+0000\n" -"PO-Revision-Date: 2010-10-27 23:46:47+0000\n" +"POT-Creation-Date: 2010-11-04 18:25+0000\n" +"PO-Revision-Date: 2010-11-04 18:28:33+0000\n" "Language-Team: Finnish \n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-POT-Import-Date: 2010-10-18 20:29:55+0000\n" -"X-Generator: MediaWiki 1.17alpha (r75590); Translate extension (2010-09-17)\n" +"X-POT-Import-Date: 2010-10-29 16:12:52+0000\n" +"X-Generator: MediaWiki 1.17alpha (r76004); Translate extension (2010-09-17)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: fi\n" "X-Message-Group: #out-statusnet-plugin-mapstraction\n" @@ -46,19 +46,19 @@ msgstr "Käyttäjällä ei ole profiilia." #. TRANS: Page title. #. TRANS: %s is a user nickname. -#: allmap.php:74 +#: allmap.php:69 #, php-format msgid "%s friends map" msgstr "Kartta käyttäjän %s ystävistä" #. TRANS: Page title. #. TRANS: %1$s is a user nickname, %2$d is a page number. -#: allmap.php:80 +#: allmap.php:75 #, fuzzy, php-format msgid "%1$s friends map, page %2$d" msgstr "Kartta käyttäjän %s ystävistä" -#: usermap.php:73 +#: usermap.php:68 #, php-format msgid "%s map, page %d" msgstr "" diff --git a/plugins/Mapstraction/locale/fr/LC_MESSAGES/Mapstraction.po b/plugins/Mapstraction/locale/fr/LC_MESSAGES/Mapstraction.po index a75da34ec6..3999170555 100644 --- a/plugins/Mapstraction/locale/fr/LC_MESSAGES/Mapstraction.po +++ b/plugins/Mapstraction/locale/fr/LC_MESSAGES/Mapstraction.po @@ -10,13 +10,13 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet - Mapstraction\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-10-27 23:43+0000\n" -"PO-Revision-Date: 2010-10-27 23:46:47+0000\n" +"POT-Creation-Date: 2010-11-04 18:25+0000\n" +"PO-Revision-Date: 2010-11-04 18:28:33+0000\n" "Language-Team: French \n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-POT-Import-Date: 2010-10-18 20:29:55+0000\n" -"X-Generator: MediaWiki 1.17alpha (r75590); Translate extension (2010-09-17)\n" +"X-POT-Import-Date: 2010-10-29 16:12:52+0000\n" +"X-Generator: MediaWiki 1.17alpha (r76004); Translate extension (2010-09-17)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: fr\n" "X-Message-Group: #out-statusnet-plugin-mapstraction\n" @@ -49,19 +49,19 @@ msgstr "Aucun profil ne correspond à cet utilisateur." #. TRANS: Page title. #. TRANS: %s is a user nickname. -#: allmap.php:74 +#: allmap.php:69 #, php-format msgid "%s friends map" msgstr "Carte des amis de %s" #. TRANS: Page title. #. TRANS: %1$s is a user nickname, %2$d is a page number. -#: allmap.php:80 +#: allmap.php:75 #, php-format msgid "%1$s friends map, page %2$d" msgstr "Carte des amis de %1$s, page %2$d" -#: usermap.php:73 +#: usermap.php:68 #, php-format msgid "%s map, page %d" msgstr "Carte %s, page %d" diff --git a/plugins/Mapstraction/locale/gl/LC_MESSAGES/Mapstraction.po b/plugins/Mapstraction/locale/gl/LC_MESSAGES/Mapstraction.po index 5df0d1404a..ec66764bc9 100644 --- a/plugins/Mapstraction/locale/gl/LC_MESSAGES/Mapstraction.po +++ b/plugins/Mapstraction/locale/gl/LC_MESSAGES/Mapstraction.po @@ -9,13 +9,13 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet - Mapstraction\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-10-27 23:43+0000\n" -"PO-Revision-Date: 2010-10-27 23:46:47+0000\n" +"POT-Creation-Date: 2010-11-04 18:25+0000\n" +"PO-Revision-Date: 2010-11-04 18:28:33+0000\n" "Language-Team: Galician \n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-POT-Import-Date: 2010-10-18 20:29:55+0000\n" -"X-Generator: MediaWiki 1.17alpha (r75590); Translate extension (2010-09-17)\n" +"X-POT-Import-Date: 2010-10-29 16:12:52+0000\n" +"X-Generator: MediaWiki 1.17alpha (r76004); Translate extension (2010-09-17)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: gl\n" "X-Message-Group: #out-statusnet-plugin-mapstraction\n" @@ -46,19 +46,19 @@ msgstr "O usuario non ten perfil." #. TRANS: Page title. #. TRANS: %s is a user nickname. -#: allmap.php:74 +#: allmap.php:69 #, php-format msgid "%s friends map" msgstr "" #. TRANS: Page title. #. TRANS: %1$s is a user nickname, %2$d is a page number. -#: allmap.php:80 +#: allmap.php:75 #, php-format msgid "%1$s friends map, page %2$d" msgstr "" -#: usermap.php:73 +#: usermap.php:68 #, php-format msgid "%s map, page %d" msgstr "" diff --git a/plugins/Mapstraction/locale/ia/LC_MESSAGES/Mapstraction.po b/plugins/Mapstraction/locale/ia/LC_MESSAGES/Mapstraction.po index 72249a6548..7deba8963b 100644 --- a/plugins/Mapstraction/locale/ia/LC_MESSAGES/Mapstraction.po +++ b/plugins/Mapstraction/locale/ia/LC_MESSAGES/Mapstraction.po @@ -9,13 +9,13 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet - Mapstraction\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-10-27 23:43+0000\n" -"PO-Revision-Date: 2010-10-27 23:46:47+0000\n" +"POT-Creation-Date: 2010-11-04 18:25+0000\n" +"PO-Revision-Date: 2010-11-04 18:28:33+0000\n" "Language-Team: Interlingua \n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-POT-Import-Date: 2010-10-18 20:29:55+0000\n" -"X-Generator: MediaWiki 1.17alpha (r75590); Translate extension (2010-09-17)\n" +"X-POT-Import-Date: 2010-10-29 16:12:52+0000\n" +"X-Generator: MediaWiki 1.17alpha (r76004); Translate extension (2010-09-17)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: ia\n" "X-Message-Group: #out-statusnet-plugin-mapstraction\n" @@ -48,19 +48,19 @@ msgstr "Le usator non ha un profilo." #. TRANS: Page title. #. TRANS: %s is a user nickname. -#: allmap.php:74 +#: allmap.php:69 #, php-format msgid "%s friends map" msgstr "Mappa del amicos de %s" #. TRANS: Page title. #. TRANS: %1$s is a user nickname, %2$d is a page number. -#: allmap.php:80 +#: allmap.php:75 #, php-format msgid "%1$s friends map, page %2$d" msgstr "Mappa de amicos de %1$s, pagina %2$d" -#: usermap.php:73 +#: usermap.php:68 #, php-format msgid "%s map, page %d" msgstr "Mappa de %s, pagina %d" diff --git a/plugins/Mapstraction/locale/mk/LC_MESSAGES/Mapstraction.po b/plugins/Mapstraction/locale/mk/LC_MESSAGES/Mapstraction.po index cf7be70ab9..33562d597a 100644 --- a/plugins/Mapstraction/locale/mk/LC_MESSAGES/Mapstraction.po +++ b/plugins/Mapstraction/locale/mk/LC_MESSAGES/Mapstraction.po @@ -9,13 +9,13 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet - Mapstraction\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-10-27 23:43+0000\n" -"PO-Revision-Date: 2010-10-27 23:46:47+0000\n" +"POT-Creation-Date: 2010-11-04 18:25+0000\n" +"PO-Revision-Date: 2010-11-04 18:28:33+0000\n" "Language-Team: Macedonian \n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-POT-Import-Date: 2010-10-18 20:29:55+0000\n" -"X-Generator: MediaWiki 1.17alpha (r75590); Translate extension (2010-09-17)\n" +"X-POT-Import-Date: 2010-10-29 16:12:52+0000\n" +"X-Generator: MediaWiki 1.17alpha (r76004); Translate extension (2010-09-17)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: mk\n" "X-Message-Group: #out-statusnet-plugin-mapstraction\n" @@ -48,19 +48,19 @@ msgstr "Корисникот нема профил." #. TRANS: Page title. #. TRANS: %s is a user nickname. -#: allmap.php:74 +#: allmap.php:69 #, php-format msgid "%s friends map" msgstr "Карта на пријатели на %s" #. TRANS: Page title. #. TRANS: %1$s is a user nickname, %2$d is a page number. -#: allmap.php:80 +#: allmap.php:75 #, php-format msgid "%1$s friends map, page %2$d" msgstr "Карта на пријатели на %1$s, страница %2$d" -#: usermap.php:73 +#: usermap.php:68 #, php-format msgid "%s map, page %d" msgstr "Карта на %s, стр. %d" diff --git a/plugins/Mapstraction/locale/nb/LC_MESSAGES/Mapstraction.po b/plugins/Mapstraction/locale/nb/LC_MESSAGES/Mapstraction.po index b478de888e..68b2d02eca 100644 --- a/plugins/Mapstraction/locale/nb/LC_MESSAGES/Mapstraction.po +++ b/plugins/Mapstraction/locale/nb/LC_MESSAGES/Mapstraction.po @@ -9,13 +9,13 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet - Mapstraction\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-10-27 23:43+0000\n" -"PO-Revision-Date: 2010-10-27 23:46:47+0000\n" +"POT-Creation-Date: 2010-11-04 18:25+0000\n" +"PO-Revision-Date: 2010-11-04 18:28:33+0000\n" "Language-Team: Norwegian (bokmål)‬ \n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-POT-Import-Date: 2010-10-18 20:29:55+0000\n" -"X-Generator: MediaWiki 1.17alpha (r75590); Translate extension (2010-09-17)\n" +"X-POT-Import-Date: 2010-10-29 16:12:52+0000\n" +"X-Generator: MediaWiki 1.17alpha (r76004); Translate extension (2010-09-17)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: no\n" "X-Message-Group: #out-statusnet-plugin-mapstraction\n" @@ -48,19 +48,19 @@ msgstr "Bruker har ingen profil." #. TRANS: Page title. #. TRANS: %s is a user nickname. -#: allmap.php:74 +#: allmap.php:69 #, php-format msgid "%s friends map" msgstr "%s vennekart" #. TRANS: Page title. #. TRANS: %1$s is a user nickname, %2$d is a page number. -#: allmap.php:80 +#: allmap.php:75 #, php-format msgid "%1$s friends map, page %2$d" msgstr "%1$s vennekart, side %2$d" -#: usermap.php:73 +#: usermap.php:68 #, php-format msgid "%s map, page %d" msgstr "%s kart, side %d" diff --git a/plugins/Mapstraction/locale/nl/LC_MESSAGES/Mapstraction.po b/plugins/Mapstraction/locale/nl/LC_MESSAGES/Mapstraction.po index fdc68490e6..f68e24ea9e 100644 --- a/plugins/Mapstraction/locale/nl/LC_MESSAGES/Mapstraction.po +++ b/plugins/Mapstraction/locale/nl/LC_MESSAGES/Mapstraction.po @@ -10,13 +10,13 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet - Mapstraction\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-10-27 23:43+0000\n" -"PO-Revision-Date: 2010-10-27 23:46:47+0000\n" +"POT-Creation-Date: 2010-11-04 18:25+0000\n" +"PO-Revision-Date: 2010-11-04 18:28:33+0000\n" "Language-Team: Dutch \n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-POT-Import-Date: 2010-10-18 20:29:55+0000\n" -"X-Generator: MediaWiki 1.17alpha (r75590); Translate extension (2010-09-17)\n" +"X-POT-Import-Date: 2010-10-29 16:12:52+0000\n" +"X-Generator: MediaWiki 1.17alpha (r76004); Translate extension (2010-09-17)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: nl\n" "X-Message-Group: #out-statusnet-plugin-mapstraction\n" @@ -49,19 +49,19 @@ msgstr "Deze gebruiker heeft geen profiel." #. TRANS: Page title. #. TRANS: %s is a user nickname. -#: allmap.php:74 +#: allmap.php:69 #, php-format msgid "%s friends map" msgstr "Kaart van %s en vrienden" #. TRANS: Page title. #. TRANS: %1$s is a user nickname, %2$d is a page number. -#: allmap.php:80 +#: allmap.php:75 #, php-format msgid "%1$s friends map, page %2$d" msgstr "Kaart van vrienden van %1$s, pagina %2$d" -#: usermap.php:73 +#: usermap.php:68 #, php-format msgid "%s map, page %d" msgstr "Kaart van %s, pagina %d" diff --git a/plugins/Mapstraction/locale/ru/LC_MESSAGES/Mapstraction.po b/plugins/Mapstraction/locale/ru/LC_MESSAGES/Mapstraction.po index 93ad72cc32..97dbedf6e1 100644 --- a/plugins/Mapstraction/locale/ru/LC_MESSAGES/Mapstraction.po +++ b/plugins/Mapstraction/locale/ru/LC_MESSAGES/Mapstraction.po @@ -9,13 +9,13 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet - Mapstraction\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-10-27 23:43+0000\n" -"PO-Revision-Date: 2010-10-27 23:46:47+0000\n" +"POT-Creation-Date: 2010-11-04 18:25+0000\n" +"PO-Revision-Date: 2010-11-04 18:28:33+0000\n" "Language-Team: Russian \n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-POT-Import-Date: 2010-10-18 20:29:55+0000\n" -"X-Generator: MediaWiki 1.17alpha (r75590); Translate extension (2010-09-17)\n" +"X-POT-Import-Date: 2010-10-29 16:12:52+0000\n" +"X-Generator: MediaWiki 1.17alpha (r76004); Translate extension (2010-09-17)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: ru\n" "X-Message-Group: #out-statusnet-plugin-mapstraction\n" @@ -47,19 +47,19 @@ msgstr "У пользователя нет профиля." #. TRANS: Page title. #. TRANS: %s is a user nickname. -#: allmap.php:74 +#: allmap.php:69 #, php-format msgid "%s friends map" msgstr "Карта друзей: %s" #. TRANS: Page title. #. TRANS: %1$s is a user nickname, %2$d is a page number. -#: allmap.php:80 +#: allmap.php:75 #, fuzzy, php-format msgid "%1$s friends map, page %2$d" msgstr "Карта друзей: %s" -#: usermap.php:73 +#: usermap.php:68 #, php-format msgid "%s map, page %d" msgstr "" diff --git a/plugins/Mapstraction/locale/ta/LC_MESSAGES/Mapstraction.po b/plugins/Mapstraction/locale/ta/LC_MESSAGES/Mapstraction.po index 3011173480..fbeb8efac4 100644 --- a/plugins/Mapstraction/locale/ta/LC_MESSAGES/Mapstraction.po +++ b/plugins/Mapstraction/locale/ta/LC_MESSAGES/Mapstraction.po @@ -9,13 +9,13 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet - Mapstraction\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-10-27 23:43+0000\n" -"PO-Revision-Date: 2010-10-27 23:46:47+0000\n" +"POT-Creation-Date: 2010-11-04 18:25+0000\n" +"PO-Revision-Date: 2010-11-04 18:28:33+0000\n" "Language-Team: Tamil \n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-POT-Import-Date: 2010-10-18 20:29:55+0000\n" -"X-Generator: MediaWiki 1.17alpha (r75590); Translate extension (2010-09-17)\n" +"X-POT-Import-Date: 2010-10-29 16:12:52+0000\n" +"X-Generator: MediaWiki 1.17alpha (r76004); Translate extension (2010-09-17)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: ta\n" "X-Message-Group: #out-statusnet-plugin-mapstraction\n" @@ -46,19 +46,19 @@ msgstr "" #. TRANS: Page title. #. TRANS: %s is a user nickname. -#: allmap.php:74 +#: allmap.php:69 #, php-format msgid "%s friends map" msgstr "" #. TRANS: Page title. #. TRANS: %1$s is a user nickname, %2$d is a page number. -#: allmap.php:80 +#: allmap.php:75 #, php-format msgid "%1$s friends map, page %2$d" msgstr "" -#: usermap.php:73 +#: usermap.php:68 #, php-format msgid "%s map, page %d" msgstr "" diff --git a/plugins/Mapstraction/locale/tl/LC_MESSAGES/Mapstraction.po b/plugins/Mapstraction/locale/tl/LC_MESSAGES/Mapstraction.po index 49d27836b6..bec287a2a2 100644 --- a/plugins/Mapstraction/locale/tl/LC_MESSAGES/Mapstraction.po +++ b/plugins/Mapstraction/locale/tl/LC_MESSAGES/Mapstraction.po @@ -9,13 +9,13 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet - Mapstraction\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-10-27 23:43+0000\n" -"PO-Revision-Date: 2010-10-27 23:46:47+0000\n" +"POT-Creation-Date: 2010-11-04 18:25+0000\n" +"PO-Revision-Date: 2010-11-04 18:28:33+0000\n" "Language-Team: Tagalog \n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-POT-Import-Date: 2010-10-18 20:29:55+0000\n" -"X-Generator: MediaWiki 1.17alpha (r75590); Translate extension (2010-09-17)\n" +"X-POT-Import-Date: 2010-10-29 16:12:52+0000\n" +"X-Generator: MediaWiki 1.17alpha (r76004); Translate extension (2010-09-17)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: tl\n" "X-Message-Group: #out-statusnet-plugin-mapstraction\n" @@ -48,19 +48,19 @@ msgstr "Walang balangkas ang tagagamit." #. TRANS: Page title. #. TRANS: %s is a user nickname. -#: allmap.php:74 +#: allmap.php:69 #, php-format msgid "%s friends map" msgstr "%s na mapa ng mga kaibigan" #. TRANS: Page title. #. TRANS: %1$s is a user nickname, %2$d is a page number. -#: allmap.php:80 +#: allmap.php:75 #, php-format msgid "%1$s friends map, page %2$d" msgstr " %1$s mapa ng mga kaibigan, pahina %2$d" -#: usermap.php:73 +#: usermap.php:68 #, php-format msgid "%s map, page %d" msgstr "%s na mapa, pahina %d" diff --git a/plugins/Mapstraction/locale/uk/LC_MESSAGES/Mapstraction.po b/plugins/Mapstraction/locale/uk/LC_MESSAGES/Mapstraction.po index 9a43d791e5..9a928759a9 100644 --- a/plugins/Mapstraction/locale/uk/LC_MESSAGES/Mapstraction.po +++ b/plugins/Mapstraction/locale/uk/LC_MESSAGES/Mapstraction.po @@ -9,13 +9,13 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet - Mapstraction\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-10-27 23:43+0000\n" -"PO-Revision-Date: 2010-10-27 23:46:47+0000\n" +"POT-Creation-Date: 2010-11-04 18:25+0000\n" +"PO-Revision-Date: 2010-11-04 18:28:33+0000\n" "Language-Team: Ukrainian \n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-POT-Import-Date: 2010-10-18 20:29:55+0000\n" -"X-Generator: MediaWiki 1.17alpha (r75590); Translate extension (2010-09-17)\n" +"X-POT-Import-Date: 2010-10-29 16:12:52+0000\n" +"X-Generator: MediaWiki 1.17alpha (r76004); Translate extension (2010-09-17)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: uk\n" "X-Message-Group: #out-statusnet-plugin-mapstraction\n" @@ -49,19 +49,19 @@ msgstr "Користувач не має профілю." #. TRANS: Page title. #. TRANS: %s is a user nickname. -#: allmap.php:74 +#: allmap.php:69 #, php-format msgid "%s friends map" msgstr "Мапа друзів %s." #. TRANS: Page title. #. TRANS: %1$s is a user nickname, %2$d is a page number. -#: allmap.php:80 +#: allmap.php:75 #, php-format msgid "%1$s friends map, page %2$d" msgstr "Мапа друзів %1$s, сторінка %2$d" -#: usermap.php:73 +#: usermap.php:68 #, php-format msgid "%s map, page %d" msgstr "Мапа друзів %s, сторінка %d" diff --git a/plugins/Mapstraction/locale/zh_CN/LC_MESSAGES/Mapstraction.po b/plugins/Mapstraction/locale/zh_CN/LC_MESSAGES/Mapstraction.po index 47f07d1597..15358a1aa3 100644 --- a/plugins/Mapstraction/locale/zh_CN/LC_MESSAGES/Mapstraction.po +++ b/plugins/Mapstraction/locale/zh_CN/LC_MESSAGES/Mapstraction.po @@ -9,14 +9,14 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet - Mapstraction\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-10-27 23:43+0000\n" -"PO-Revision-Date: 2010-10-27 23:46:47+0000\n" +"POT-Creation-Date: 2010-11-04 18:25+0000\n" +"PO-Revision-Date: 2010-11-04 18:28:33+0000\n" "Language-Team: Simplified Chinese \n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-POT-Import-Date: 2010-10-18 20:29:55+0000\n" -"X-Generator: MediaWiki 1.17alpha (r75590); Translate extension (2010-09-17)\n" +"X-POT-Import-Date: 2010-10-29 16:12:52+0000\n" +"X-Generator: MediaWiki 1.17alpha (r76004); Translate extension (2010-09-17)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: zh-hans\n" "X-Message-Group: #out-statusnet-plugin-mapstraction\n" @@ -49,19 +49,19 @@ msgstr "用户没有个人信息。" #. TRANS: Page title. #. TRANS: %s is a user nickname. -#: allmap.php:74 +#: allmap.php:69 #, php-format msgid "%s friends map" msgstr "%s 好友地图" #. TRANS: Page title. #. TRANS: %1$s is a user nickname, %2$d is a page number. -#: allmap.php:80 +#: allmap.php:75 #, php-format msgid "%1$s friends map, page %2$d" msgstr "%1$s 好友地图,第 %2$d 页。" -#: usermap.php:73 +#: usermap.php:68 #, php-format msgid "%s map, page %d" msgstr "%s 地图,第 %d 页" diff --git a/plugins/NoticeTitle/locale/pl/LC_MESSAGES/NoticeTitle.po b/plugins/NoticeTitle/locale/pl/LC_MESSAGES/NoticeTitle.po new file mode 100644 index 0000000000..64b208fa5c --- /dev/null +++ b/plugins/NoticeTitle/locale/pl/LC_MESSAGES/NoticeTitle.po @@ -0,0 +1,33 @@ +# Translation of StatusNet - NoticeTitle to Polish (Polski) +# Expored from translatewiki.net +# +# Author: Raven +# -- +# This file is distributed under the same license as the StatusNet package. +# +msgid "" +msgstr "" +"Project-Id-Version: StatusNet - NoticeTitle\n" +"Report-Msgid-Bugs-To: \n" +"POT-Creation-Date: 2010-11-04 18:25+0000\n" +"PO-Revision-Date: 2010-11-04 18:28:38+0000\n" +"Language-Team: Polish \n" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"X-POT-Import-Date: 2010-10-29 16:13:51+0000\n" +"X-Generator: MediaWiki 1.17alpha (r76004); Translate extension (2010-09-17)\n" +"X-Translation-Project: translatewiki.net at http://translatewiki.net\n" +"X-Language-Code: pl\n" +"X-Message-Group: #out-statusnet-plugin-noticetitle\n" +"Plural-Forms: nplurals=3; plural=(n == 1) ? 0 : ( (n%10 >= 2 && n%10 <= 4 && " +"(n%100 < 10 || n%100 >= 20)) ? 1 : 2 );\n" + +#: NoticeTitlePlugin.php:132 +msgid "Adds optional titles to notices." +msgstr "" + +#. TRANS: Page title. %1$s is the title, %2$s is the site name. +#: NoticeTitlePlugin.php:309 +#, php-format +msgid "%1$s - %2$s" +msgstr "%1$s - %2$s" diff --git a/plugins/Realtime/locale/uk/LC_MESSAGES/Realtime.po b/plugins/Realtime/locale/uk/LC_MESSAGES/Realtime.po new file mode 100644 index 0000000000..f15b29127e --- /dev/null +++ b/plugins/Realtime/locale/uk/LC_MESSAGES/Realtime.po @@ -0,0 +1,59 @@ +# Translation of StatusNet - Realtime to Ukrainian (Українська) +# Expored from translatewiki.net +# +# Author: Boogie +# -- +# This file is distributed under the same license as the StatusNet package. +# +msgid "" +msgstr "" +"Project-Id-Version: StatusNet - Realtime\n" +"Report-Msgid-Bugs-To: \n" +"POT-Creation-Date: 2010-11-04 18:25+0000\n" +"PO-Revision-Date: 2010-11-04 18:29:00+0000\n" +"Language-Team: Ukrainian \n" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"X-POT-Import-Date: 2010-11-02 23:07:29+0000\n" +"X-Generator: MediaWiki 1.17alpha (r76004); Translate extension (2010-09-17)\n" +"X-Translation-Project: translatewiki.net at http://translatewiki.net\n" +"X-Language-Code: uk\n" +"X-Message-Group: #out-statusnet-plugin-realtime\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" + +#. TRANS: Text label for realtime view "play" button, usually replaced by an icon. +#: RealtimePlugin.php:339 +msgctxt "BUTTON" +msgid "Play" +msgstr "Оновлювати" + +#. TRANS: Tooltip for realtime view "play" button. +#: RealtimePlugin.php:341 +msgctxt "TOOLTIP" +msgid "Play" +msgstr "Оновлювати" + +#. TRANS: Text label for realtime view "pause" button +#: RealtimePlugin.php:343 +msgctxt "BUTTON" +msgid "Pause" +msgstr "Пауза" + +#. TRANS: Tooltip for realtime view "pause" button +#: RealtimePlugin.php:345 +msgctxt "TOOLTIP" +msgid "Pause" +msgstr "Пауза" + +#. TRANS: Text label for realtime view "popup" button, usually replaced by an icon. +#: RealtimePlugin.php:347 +msgctxt "BUTTON" +msgid "Pop up" +msgstr "Окреме вікно" + +#. TRANS: Tooltip for realtime view "popup" button. +#: RealtimePlugin.php:349 +msgctxt "TOOLTIP" +msgid "Pop up in a window" +msgstr "Стрічка окремим вікном" diff --git a/plugins/TwitterBridge/locale/TwitterBridge.pot b/plugins/TwitterBridge/locale/TwitterBridge.pot index 2fc96dfe2a..61a1b6fb15 100644 --- a/plugins/TwitterBridge/locale/TwitterBridge.pot +++ b/plugins/TwitterBridge/locale/TwitterBridge.pot @@ -8,7 +8,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-10-27 23:43+0000\n" +"POT-Creation-Date: 2010-11-04 18:25+0000\n" "PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" "Last-Translator: FULL NAME \n" "Language-Team: LANGUAGE \n" @@ -16,6 +16,13 @@ msgstr "" "Content-Type: text/plain; charset=CHARSET\n" "Content-Transfer-Encoding: 8bit\n" +#. TRANS: Message used to repeat a notice. RT is the abbreviation of 'retweet'. +#. TRANS: %1$s is the repeated user's name, %2$s is the repeated notice. +#: twitterimport.php:113 +#, php-format +msgid "RT @%1$s %2$s" +msgstr "" + #: twitter.php:349 msgid "Your Twitter bridge has been disabled." msgstr "" @@ -37,7 +44,7 @@ msgid "" msgstr "" #: TwitterBridgePlugin.php:151 TwitterBridgePlugin.php:174 -#: TwitterBridgePlugin.php:291 twitteradminpanel.php:52 +#: TwitterBridgePlugin.php:302 twitteradminpanel.php:52 msgid "Twitter" msgstr "" @@ -49,11 +56,11 @@ msgstr "" msgid "Twitter integration options" msgstr "" -#: TwitterBridgePlugin.php:292 +#: TwitterBridgePlugin.php:303 msgid "Twitter bridge configuration" msgstr "" -#: TwitterBridgePlugin.php:316 +#: TwitterBridgePlugin.php:327 msgid "" "The Twitter \"bridge\" plugin allows integration of a StatusNet instance " "with Twitter." @@ -354,17 +361,10 @@ msgstr "" msgid "Twitter account disconnected." msgstr "" -#: twittersettings.php:283 twittersettings.php:293 +#: twittersettings.php:283 twittersettings.php:294 msgid "Couldn't save Twitter preferences." msgstr "" -#: twittersettings.php:297 +#: twittersettings.php:302 msgid "Twitter preferences saved." msgstr "" - -#. TRANS: Message used to repeat a notice. RT is the abbreviation of 'retweet'. -#. TRANS: %1$s is the repeated user's name, %2$s is the repeated notice. -#: daemons/twitterstatusfetcher.php:264 -#, php-format -msgid "RT @%1$s %2$s" -msgstr "" diff --git a/plugins/TwitterBridge/locale/fr/LC_MESSAGES/TwitterBridge.po b/plugins/TwitterBridge/locale/fr/LC_MESSAGES/TwitterBridge.po index 988b2577df..0192705db0 100644 --- a/plugins/TwitterBridge/locale/fr/LC_MESSAGES/TwitterBridge.po +++ b/plugins/TwitterBridge/locale/fr/LC_MESSAGES/TwitterBridge.po @@ -10,18 +10,25 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet - TwitterBridge\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-10-27 23:43+0000\n" -"PO-Revision-Date: 2010-10-27 23:47:52+0000\n" +"POT-Creation-Date: 2010-11-04 18:25+0000\n" +"PO-Revision-Date: 2010-11-04 18:29:18+0000\n" "Language-Team: French \n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-POT-Import-Date: 2010-10-23 19:01:06+0000\n" -"X-Generator: MediaWiki 1.17alpha (r75596); Translate extension (2010-09-17)\n" +"X-POT-Import-Date: 2010-10-29 16:14:11+0000\n" +"X-Generator: MediaWiki 1.17alpha (r76004); Translate extension (2010-09-17)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: fr\n" "X-Message-Group: #out-statusnet-plugin-twitterbridge\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" +#. TRANS: Message used to repeat a notice. RT is the abbreviation of 'retweet'. +#. TRANS: %1$s is the repeated user's name, %2$s is the repeated notice. +#: twitterimport.php:113 +#, php-format +msgid "RT @%1$s %2$s" +msgstr "RT @%1$s %2$s" + #: twitter.php:349 msgid "Your Twitter bridge has been disabled." msgstr "Votre passerelle Twitter a été désactivée." @@ -55,7 +62,7 @@ msgstr "" "%3$s" #: TwitterBridgePlugin.php:151 TwitterBridgePlugin.php:174 -#: TwitterBridgePlugin.php:291 twitteradminpanel.php:52 +#: TwitterBridgePlugin.php:302 twitteradminpanel.php:52 msgid "Twitter" msgstr "Twitter" @@ -67,11 +74,11 @@ msgstr "Se connecter ou s’inscrire via Twitter" msgid "Twitter integration options" msgstr "Options d’intégration de Twitter" -#: TwitterBridgePlugin.php:292 +#: TwitterBridgePlugin.php:303 msgid "Twitter bridge configuration" msgstr "Configuration de la passerelle Twitter" -#: TwitterBridgePlugin.php:316 +#: TwitterBridgePlugin.php:327 msgid "" "The Twitter \"bridge\" plugin allows integration of a StatusNet instance " "with Twitter." @@ -399,17 +406,10 @@ msgstr "Impossible de supprimer l’utilisateur Twitter." msgid "Twitter account disconnected." msgstr "Compte Twitter déconnecté." -#: twittersettings.php:283 twittersettings.php:293 +#: twittersettings.php:283 twittersettings.php:294 msgid "Couldn't save Twitter preferences." msgstr "Impossible de sauvegarder les préférences Twitter." -#: twittersettings.php:297 +#: twittersettings.php:302 msgid "Twitter preferences saved." msgstr "Préférences Twitter enregistrées." - -#. TRANS: Message used to repeat a notice. RT is the abbreviation of 'retweet'. -#. TRANS: %1$s is the repeated user's name, %2$s is the repeated notice. -#: daemons/twitterstatusfetcher.php:264 -#, php-format -msgid "RT @%1$s %2$s" -msgstr "RT @%1$s %2$s" diff --git a/plugins/TwitterBridge/locale/ia/LC_MESSAGES/TwitterBridge.po b/plugins/TwitterBridge/locale/ia/LC_MESSAGES/TwitterBridge.po index c655e8e9c8..de5b00c85c 100644 --- a/plugins/TwitterBridge/locale/ia/LC_MESSAGES/TwitterBridge.po +++ b/plugins/TwitterBridge/locale/ia/LC_MESSAGES/TwitterBridge.po @@ -9,18 +9,25 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet - TwitterBridge\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-10-27 23:43+0000\n" -"PO-Revision-Date: 2010-10-27 23:47:52+0000\n" +"POT-Creation-Date: 2010-11-04 18:25+0000\n" +"PO-Revision-Date: 2010-11-04 18:29:18+0000\n" "Language-Team: Interlingua \n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-POT-Import-Date: 2010-10-23 19:01:06+0000\n" -"X-Generator: MediaWiki 1.17alpha (r75596); Translate extension (2010-09-17)\n" +"X-POT-Import-Date: 2010-10-29 16:14:11+0000\n" +"X-Generator: MediaWiki 1.17alpha (r76004); Translate extension (2010-09-17)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: ia\n" "X-Message-Group: #out-statusnet-plugin-twitterbridge\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" +#. TRANS: Message used to repeat a notice. RT is the abbreviation of 'retweet'. +#. TRANS: %1$s is the repeated user's name, %2$s is the repeated notice. +#: twitterimport.php:113 +#, php-format +msgid "RT @%1$s %2$s" +msgstr "RT @%1$s %2$s" + #: twitter.php:349 msgid "Your Twitter bridge has been disabled." msgstr "Tu ponte a Twitter ha essite disactivate." @@ -53,7 +60,7 @@ msgstr "" "%3$s" #: TwitterBridgePlugin.php:151 TwitterBridgePlugin.php:174 -#: TwitterBridgePlugin.php:291 twitteradminpanel.php:52 +#: TwitterBridgePlugin.php:302 twitteradminpanel.php:52 msgid "Twitter" msgstr "Twitter" @@ -65,11 +72,11 @@ msgstr "Aperir session o crear conto usante Twitter" msgid "Twitter integration options" msgstr "Optiones de integration de Twitter" -#: TwitterBridgePlugin.php:292 +#: TwitterBridgePlugin.php:303 msgid "Twitter bridge configuration" msgstr "Configuration del ponte a Twitter" -#: TwitterBridgePlugin.php:316 +#: TwitterBridgePlugin.php:327 msgid "" "The Twitter \"bridge\" plugin allows integration of a StatusNet instance " "with Twitter." @@ -388,17 +395,10 @@ msgstr "Non poteva remover le usator de Twitter." msgid "Twitter account disconnected." msgstr "Conto de Twitter disconnectite." -#: twittersettings.php:283 twittersettings.php:293 +#: twittersettings.php:283 twittersettings.php:294 msgid "Couldn't save Twitter preferences." msgstr "Non poteva salveguardar le preferentias de Twitter." -#: twittersettings.php:297 +#: twittersettings.php:302 msgid "Twitter preferences saved." msgstr "Preferentias de Twitter salveguardate." - -#. TRANS: Message used to repeat a notice. RT is the abbreviation of 'retweet'. -#. TRANS: %1$s is the repeated user's name, %2$s is the repeated notice. -#: daemons/twitterstatusfetcher.php:264 -#, php-format -msgid "RT @%1$s %2$s" -msgstr "RT @%1$s %2$s" diff --git a/plugins/TwitterBridge/locale/mk/LC_MESSAGES/TwitterBridge.po b/plugins/TwitterBridge/locale/mk/LC_MESSAGES/TwitterBridge.po index 88f3a2eb2e..31f166286f 100644 --- a/plugins/TwitterBridge/locale/mk/LC_MESSAGES/TwitterBridge.po +++ b/plugins/TwitterBridge/locale/mk/LC_MESSAGES/TwitterBridge.po @@ -9,18 +9,25 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet - TwitterBridge\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-10-27 23:43+0000\n" -"PO-Revision-Date: 2010-10-27 23:47:52+0000\n" +"POT-Creation-Date: 2010-11-04 18:25+0000\n" +"PO-Revision-Date: 2010-11-04 18:29:21+0000\n" "Language-Team: Macedonian \n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-POT-Import-Date: 2010-10-23 19:01:06+0000\n" -"X-Generator: MediaWiki 1.17alpha (r75596); Translate extension (2010-09-17)\n" +"X-POT-Import-Date: 2010-10-29 16:14:11+0000\n" +"X-Generator: MediaWiki 1.17alpha (r76004); Translate extension (2010-09-17)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: mk\n" "X-Message-Group: #out-statusnet-plugin-twitterbridge\n" "Plural-Forms: nplurals=2; plural=(n == 1 || n%10 == 1) ? 0 : 1;\n" +#. TRANS: Message used to repeat a notice. RT is the abbreviation of 'retweet'. +#. TRANS: %1$s is the repeated user's name, %2$s is the repeated notice. +#: twitterimport.php:113 +#, php-format +msgid "RT @%1$s %2$s" +msgstr "RT @%1$s %2$s" + #: twitter.php:349 msgid "Your Twitter bridge has been disabled." msgstr "Вашиот мост до Twitter е оневозможен." @@ -53,7 +60,7 @@ msgstr "" "%3$s" #: TwitterBridgePlugin.php:151 TwitterBridgePlugin.php:174 -#: TwitterBridgePlugin.php:291 twitteradminpanel.php:52 +#: TwitterBridgePlugin.php:302 twitteradminpanel.php:52 msgid "Twitter" msgstr "Twitter" @@ -65,11 +72,11 @@ msgstr "Најава или регистрација со Twitter" msgid "Twitter integration options" msgstr "Нагодувања за обединување со Twitter" -#: TwitterBridgePlugin.php:292 +#: TwitterBridgePlugin.php:303 msgid "Twitter bridge configuration" msgstr "Нагодувања за мостот до Twitter" -#: TwitterBridgePlugin.php:316 +#: TwitterBridgePlugin.php:327 msgid "" "The Twitter \"bridge\" plugin allows integration of a StatusNet instance " "with Twitter." @@ -391,17 +398,10 @@ msgstr "Не можев да го отстранам корисникот на T msgid "Twitter account disconnected." msgstr "Врската со сметката на Twitter е прекината." -#: twittersettings.php:283 twittersettings.php:293 +#: twittersettings.php:283 twittersettings.php:294 msgid "Couldn't save Twitter preferences." msgstr "Не можев да ги зачувам нагодувањата за Twitter." -#: twittersettings.php:297 +#: twittersettings.php:302 msgid "Twitter preferences saved." msgstr "Нагодувањата за Twitter се зачувани." - -#. TRANS: Message used to repeat a notice. RT is the abbreviation of 'retweet'. -#. TRANS: %1$s is the repeated user's name, %2$s is the repeated notice. -#: daemons/twitterstatusfetcher.php:264 -#, php-format -msgid "RT @%1$s %2$s" -msgstr "RT @%1$s %2$s" diff --git a/plugins/TwitterBridge/locale/nl/LC_MESSAGES/TwitterBridge.po b/plugins/TwitterBridge/locale/nl/LC_MESSAGES/TwitterBridge.po index 8e152f4054..38d1e54728 100644 --- a/plugins/TwitterBridge/locale/nl/LC_MESSAGES/TwitterBridge.po +++ b/plugins/TwitterBridge/locale/nl/LC_MESSAGES/TwitterBridge.po @@ -9,18 +9,25 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet - TwitterBridge\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-10-27 23:43+0000\n" -"PO-Revision-Date: 2010-10-27 23:47:52+0000\n" +"POT-Creation-Date: 2010-11-04 18:25+0000\n" +"PO-Revision-Date: 2010-11-04 18:29:21+0000\n" "Language-Team: Dutch \n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-POT-Import-Date: 2010-10-23 19:01:06+0000\n" -"X-Generator: MediaWiki 1.17alpha (r75596); Translate extension (2010-09-17)\n" +"X-POT-Import-Date: 2010-10-29 16:14:11+0000\n" +"X-Generator: MediaWiki 1.17alpha (r76004); Translate extension (2010-09-17)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: nl\n" "X-Message-Group: #out-statusnet-plugin-twitterbridge\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" +#. TRANS: Message used to repeat a notice. RT is the abbreviation of 'retweet'. +#. TRANS: %1$s is the repeated user's name, %2$s is the repeated notice. +#: twitterimport.php:113 +#, php-format +msgid "RT @%1$s %2$s" +msgstr "RT @%1$s %2$s" + #: twitter.php:349 msgid "Your Twitter bridge has been disabled." msgstr "Uw koppeling naar Twitter is uitgeschakeld." @@ -55,7 +62,7 @@ msgstr "" "%3$s" #: TwitterBridgePlugin.php:151 TwitterBridgePlugin.php:174 -#: TwitterBridgePlugin.php:291 twitteradminpanel.php:52 +#: TwitterBridgePlugin.php:302 twitteradminpanel.php:52 msgid "Twitter" msgstr "Twitter" @@ -67,11 +74,11 @@ msgstr "Aanmelden of registreren via Twitter" msgid "Twitter integration options" msgstr "Opties voor Twitterintegratie" -#: TwitterBridgePlugin.php:292 +#: TwitterBridgePlugin.php:303 msgid "Twitter bridge configuration" msgstr "Instellingen voor Twitterkoppeling" -#: TwitterBridgePlugin.php:316 +#: TwitterBridgePlugin.php:327 msgid "" "The Twitter \"bridge\" plugin allows integration of a StatusNet instance " "with Twitter." @@ -398,17 +405,10 @@ msgstr "Het was niet mogelijk de Twittergebruiker te verwijderen." msgid "Twitter account disconnected." msgstr "De Twittergebruiker is ontkoppeld." -#: twittersettings.php:283 twittersettings.php:293 +#: twittersettings.php:283 twittersettings.php:294 msgid "Couldn't save Twitter preferences." msgstr "Het was niet mogelijk de Twittervoorkeuren op te slaan." -#: twittersettings.php:297 +#: twittersettings.php:302 msgid "Twitter preferences saved." msgstr "De Twitterinstellingen zijn opgeslagen." - -#. TRANS: Message used to repeat a notice. RT is the abbreviation of 'retweet'. -#. TRANS: %1$s is the repeated user's name, %2$s is the repeated notice. -#: daemons/twitterstatusfetcher.php:264 -#, php-format -msgid "RT @%1$s %2$s" -msgstr "RT @%1$s %2$s" diff --git a/plugins/TwitterBridge/locale/tr/LC_MESSAGES/TwitterBridge.po b/plugins/TwitterBridge/locale/tr/LC_MESSAGES/TwitterBridge.po index 76e7e8ecb3..3d25b37157 100644 --- a/plugins/TwitterBridge/locale/tr/LC_MESSAGES/TwitterBridge.po +++ b/plugins/TwitterBridge/locale/tr/LC_MESSAGES/TwitterBridge.po @@ -9,18 +9,25 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet - TwitterBridge\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-10-27 23:43+0000\n" -"PO-Revision-Date: 2010-10-27 23:47:52+0000\n" +"POT-Creation-Date: 2010-11-04 18:25+0000\n" +"PO-Revision-Date: 2010-11-04 18:29:21+0000\n" "Language-Team: Turkish \n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-POT-Import-Date: 2010-10-23 19:01:06+0000\n" -"X-Generator: MediaWiki 1.17alpha (r75596); Translate extension (2010-09-17)\n" +"X-POT-Import-Date: 2010-10-29 16:14:11+0000\n" +"X-Generator: MediaWiki 1.17alpha (r76004); Translate extension (2010-09-17)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: tr\n" "X-Message-Group: #out-statusnet-plugin-twitterbridge\n" "Plural-Forms: nplurals=1; plural=0;\n" +#. TRANS: Message used to repeat a notice. RT is the abbreviation of 'retweet'. +#. TRANS: %1$s is the repeated user's name, %2$s is the repeated notice. +#: twitterimport.php:113 +#, php-format +msgid "RT @%1$s %2$s" +msgstr "" + #: twitter.php:349 msgid "Your Twitter bridge has been disabled." msgstr "" @@ -42,7 +49,7 @@ msgid "" msgstr "" #: TwitterBridgePlugin.php:151 TwitterBridgePlugin.php:174 -#: TwitterBridgePlugin.php:291 twitteradminpanel.php:52 +#: TwitterBridgePlugin.php:302 twitteradminpanel.php:52 msgid "Twitter" msgstr "Twitter" @@ -54,11 +61,11 @@ msgstr "" msgid "Twitter integration options" msgstr "Twitter entegrasyon seçenekleri" -#: TwitterBridgePlugin.php:292 +#: TwitterBridgePlugin.php:303 msgid "Twitter bridge configuration" msgstr "Twitter köprü yapılandırması" -#: TwitterBridgePlugin.php:316 +#: TwitterBridgePlugin.php:327 msgid "" "The Twitter \"bridge\" plugin allows integration of a StatusNet instance " "with Twitter." @@ -372,17 +379,10 @@ msgstr "Twitter kullanıcısı silinemedi." msgid "Twitter account disconnected." msgstr "Twitter hesabı bağlantısı kesildi." -#: twittersettings.php:283 twittersettings.php:293 +#: twittersettings.php:283 twittersettings.php:294 msgid "Couldn't save Twitter preferences." msgstr "Twitter tercihleri kaydedilemedi." -#: twittersettings.php:297 +#: twittersettings.php:302 msgid "Twitter preferences saved." msgstr "Twitter tercihleriniz kaydedildi." - -#. TRANS: Message used to repeat a notice. RT is the abbreviation of 'retweet'. -#. TRANS: %1$s is the repeated user's name, %2$s is the repeated notice. -#: daemons/twitterstatusfetcher.php:264 -#, php-format -msgid "RT @%1$s %2$s" -msgstr "" diff --git a/plugins/TwitterBridge/locale/uk/LC_MESSAGES/TwitterBridge.po b/plugins/TwitterBridge/locale/uk/LC_MESSAGES/TwitterBridge.po index 2ee15e69bf..2eb66a5147 100644 --- a/plugins/TwitterBridge/locale/uk/LC_MESSAGES/TwitterBridge.po +++ b/plugins/TwitterBridge/locale/uk/LC_MESSAGES/TwitterBridge.po @@ -9,19 +9,26 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet - TwitterBridge\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-10-27 23:43+0000\n" -"PO-Revision-Date: 2010-10-27 23:47:52+0000\n" +"POT-Creation-Date: 2010-11-04 18:25+0000\n" +"PO-Revision-Date: 2010-11-04 18:29:21+0000\n" "Language-Team: Ukrainian \n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-POT-Import-Date: 2010-10-23 19:01:06+0000\n" -"X-Generator: MediaWiki 1.17alpha (r75596); Translate extension (2010-09-17)\n" +"X-POT-Import-Date: 2010-10-29 16:14:11+0000\n" +"X-Generator: MediaWiki 1.17alpha (r76004); Translate extension (2010-09-17)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: uk\n" "X-Message-Group: #out-statusnet-plugin-twitterbridge\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" +#. TRANS: Message used to repeat a notice. RT is the abbreviation of 'retweet'. +#. TRANS: %1$s is the repeated user's name, %2$s is the repeated notice. +#: twitterimport.php:113 +#, php-format +msgid "RT @%1$s %2$s" +msgstr "RT @%1$s %2$s" + #: twitter.php:349 msgid "Your Twitter bridge has been disabled." msgstr "Ваш місток до Twitter було відключено." @@ -55,7 +62,7 @@ msgstr "" "%3$s" #: TwitterBridgePlugin.php:151 TwitterBridgePlugin.php:174 -#: TwitterBridgePlugin.php:291 twitteradminpanel.php:52 +#: TwitterBridgePlugin.php:302 twitteradminpanel.php:52 msgid "Twitter" msgstr "Twitter" @@ -67,11 +74,11 @@ msgstr "Увійти або зареєструватись з Twitter" msgid "Twitter integration options" msgstr "Параметри інтеграції з Twitter" -#: TwitterBridgePlugin.php:292 +#: TwitterBridgePlugin.php:303 msgid "Twitter bridge configuration" msgstr "Налаштування містка з Twitter" -#: TwitterBridgePlugin.php:316 +#: TwitterBridgePlugin.php:327 msgid "" "The Twitter \"bridge\" plugin allows integration of a StatusNet instance " "with Twitter." @@ -394,17 +401,10 @@ msgstr "Не вдається видалити користувача Twitter." msgid "Twitter account disconnected." msgstr "Акаунт Twitter від’єднано." -#: twittersettings.php:283 twittersettings.php:293 +#: twittersettings.php:283 twittersettings.php:294 msgid "Couldn't save Twitter preferences." msgstr "Не можу зберегти налаштування Twitter." -#: twittersettings.php:297 +#: twittersettings.php:302 msgid "Twitter preferences saved." msgstr "Налаштування Twitter збережено." - -#. TRANS: Message used to repeat a notice. RT is the abbreviation of 'retweet'. -#. TRANS: %1$s is the repeated user's name, %2$s is the repeated notice. -#: daemons/twitterstatusfetcher.php:264 -#, php-format -msgid "RT @%1$s %2$s" -msgstr "RT @%1$s %2$s" diff --git a/plugins/TwitterBridge/locale/zh_CN/LC_MESSAGES/TwitterBridge.po b/plugins/TwitterBridge/locale/zh_CN/LC_MESSAGES/TwitterBridge.po index 54804a7284..9208a4954a 100644 --- a/plugins/TwitterBridge/locale/zh_CN/LC_MESSAGES/TwitterBridge.po +++ b/plugins/TwitterBridge/locale/zh_CN/LC_MESSAGES/TwitterBridge.po @@ -9,19 +9,26 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet - TwitterBridge\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-10-27 23:43+0000\n" -"PO-Revision-Date: 2010-10-27 23:47:53+0000\n" +"POT-Creation-Date: 2010-11-04 18:25+0000\n" +"PO-Revision-Date: 2010-11-04 18:29:22+0000\n" "Language-Team: Simplified Chinese \n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-POT-Import-Date: 2010-10-23 19:01:06+0000\n" -"X-Generator: MediaWiki 1.17alpha (r75596); Translate extension (2010-09-17)\n" +"X-POT-Import-Date: 2010-10-29 16:14:11+0000\n" +"X-Generator: MediaWiki 1.17alpha (r76004); Translate extension (2010-09-17)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: zh-hans\n" "X-Message-Group: #out-statusnet-plugin-twitterbridge\n" "Plural-Forms: nplurals=1; plural=0;\n" +#. TRANS: Message used to repeat a notice. RT is the abbreviation of 'retweet'. +#. TRANS: %1$s is the repeated user's name, %2$s is the repeated notice. +#: twitterimport.php:113 +#, php-format +msgid "RT @%1$s %2$s" +msgstr "RT @%1$s %2$s" + #: twitter.php:349 msgid "Your Twitter bridge has been disabled." msgstr "你的 Twitter bridge 已被禁用。" @@ -52,7 +59,7 @@ msgstr "" "%3$s" #: TwitterBridgePlugin.php:151 TwitterBridgePlugin.php:174 -#: TwitterBridgePlugin.php:291 twitteradminpanel.php:52 +#: TwitterBridgePlugin.php:302 twitteradminpanel.php:52 msgid "Twitter" msgstr "Twitter" @@ -64,11 +71,11 @@ msgstr "使用 Twitter 登录或注册" msgid "Twitter integration options" msgstr "Twitter 整合选项" -#: TwitterBridgePlugin.php:292 +#: TwitterBridgePlugin.php:303 msgid "Twitter bridge configuration" msgstr "Twitter bridge 设置" -#: TwitterBridgePlugin.php:316 +#: TwitterBridgePlugin.php:327 msgid "" "The Twitter \"bridge\" plugin allows integration of a StatusNet instance " "with Twitter." @@ -376,17 +383,10 @@ msgstr "无法删除 Twitter 用户。" msgid "Twitter account disconnected." msgstr "已取消 Twitter 帐号关联。" -#: twittersettings.php:283 twittersettings.php:293 +#: twittersettings.php:283 twittersettings.php:294 msgid "Couldn't save Twitter preferences." msgstr "无法保存 Twitter 参数设置。" -#: twittersettings.php:297 +#: twittersettings.php:302 msgid "Twitter preferences saved." msgstr "已保存 Twitter 参数设置。" - -#. TRANS: Message used to repeat a notice. RT is the abbreviation of 'retweet'. -#. TRANS: %1$s is the repeated user's name, %2$s is the repeated notice. -#: daemons/twitterstatusfetcher.php:264 -#, php-format -msgid "RT @%1$s %2$s" -msgstr "RT @%1$s %2$s" diff --git a/plugins/UserFlag/locale/UserFlag.pot b/plugins/UserFlag/locale/UserFlag.pot index decb06d047..c70c7988ee 100644 --- a/plugins/UserFlag/locale/UserFlag.pot +++ b/plugins/UserFlag/locale/UserFlag.pot @@ -8,7 +8,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-10-27 23:43+0000\n" +"POT-Creation-Date: 2010-11-04 18:25+0000\n" "PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" "Last-Translator: FULL NAME \n" "Language-Team: LANGUAGE \n" @@ -44,23 +44,19 @@ msgstr[1] "" msgid "Flagged by %s" msgstr "" -#. TRANS: Client error when setting flag that has already been set for a profile. -#: flagprofile.php:66 -msgid "Flag already exists." -msgstr "" - #. TRANS: AJAX form title for a flagged profile. -#: flagprofile.php:126 +#: flagprofile.php:125 msgid "Flagged for review" msgstr "" #. TRANS: Body text for AJAX form when a profile has been flagged for review. -#: flagprofile.php:130 +#. TRANS: Message added to a profile if it has been flagged for review. +#: flagprofile.php:129 UserFlagPlugin.php:173 msgid "Flagged" msgstr "" #. TRANS: Plugin description. -#: UserFlagPlugin.php:292 +#: UserFlagPlugin.php:294 msgid "" "This plugin allows flagging of profiles for review and reviewing flagged " "profiles." @@ -93,7 +89,7 @@ msgid "Flag profile for review." msgstr "" #. TRANS: Server exception. -#: User_flag_profile.php:145 +#: User_flag_profile.php:160 #, php-format msgid "Couldn't flag profile \"%d\" for review." msgstr "" diff --git a/plugins/UserFlag/locale/fr/LC_MESSAGES/UserFlag.po b/plugins/UserFlag/locale/fr/LC_MESSAGES/UserFlag.po index 277ce5650e..c92e4e4660 100644 --- a/plugins/UserFlag/locale/fr/LC_MESSAGES/UserFlag.po +++ b/plugins/UserFlag/locale/fr/LC_MESSAGES/UserFlag.po @@ -9,13 +9,13 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet - UserFlag\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-10-27 23:43+0000\n" -"PO-Revision-Date: 2010-10-27 23:47:54+0000\n" +"POT-Creation-Date: 2010-11-04 18:25+0000\n" +"PO-Revision-Date: 2010-11-04 18:29:23+0000\n" "Language-Team: French \n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-POT-Import-Date: 2010-10-23 19:01:50+0000\n" -"X-Generator: MediaWiki 1.17alpha (r75596); Translate extension (2010-09-17)\n" +"X-POT-Import-Date: 2010-10-29 16:14:14+0000\n" +"X-Generator: MediaWiki 1.17alpha (r76004); Translate extension (2010-09-17)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: fr\n" "X-Message-Group: #out-statusnet-plugin-userflag\n" @@ -48,23 +48,19 @@ msgstr[1] "Marqué par %1$s et %2$d autres" msgid "Flagged by %s" msgstr "Marqué par %s" -#. TRANS: Client error when setting flag that has already been set for a profile. -#: flagprofile.php:66 -msgid "Flag already exists." -msgstr "Déjà marqué." - #. TRANS: AJAX form title for a flagged profile. -#: flagprofile.php:126 +#: flagprofile.php:125 msgid "Flagged for review" msgstr "Marqué pour vérification" #. TRANS: Body text for AJAX form when a profile has been flagged for review. -#: flagprofile.php:130 +#. TRANS: Message added to a profile if it has been flagged for review. +#: flagprofile.php:129 UserFlagPlugin.php:173 msgid "Flagged" msgstr "Marqué" #. TRANS: Plugin description. -#: UserFlagPlugin.php:292 +#: UserFlagPlugin.php:294 msgid "" "This plugin allows flagging of profiles for review and reviewing flagged " "profiles." @@ -99,7 +95,7 @@ msgid "Flag profile for review." msgstr "Marquer le profil pour vérification." #. TRANS: Server exception. -#: User_flag_profile.php:145 +#: User_flag_profile.php:160 #, php-format msgid "Couldn't flag profile \"%d\" for review." msgstr "Impossible de marquer le profil « %d » pour vérification." @@ -112,3 +108,6 @@ msgstr "Effacer" #: clearflagform.php:88 msgid "Clear all flags" msgstr "Effacer tous les marquages" + +#~ msgid "Flag already exists." +#~ msgstr "Déjà marqué." diff --git a/plugins/UserFlag/locale/ia/LC_MESSAGES/UserFlag.po b/plugins/UserFlag/locale/ia/LC_MESSAGES/UserFlag.po index d58458b052..2d422bf377 100644 --- a/plugins/UserFlag/locale/ia/LC_MESSAGES/UserFlag.po +++ b/plugins/UserFlag/locale/ia/LC_MESSAGES/UserFlag.po @@ -9,13 +9,13 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet - UserFlag\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-10-27 23:43+0000\n" -"PO-Revision-Date: 2010-10-27 23:47:54+0000\n" +"POT-Creation-Date: 2010-11-04 18:25+0000\n" +"PO-Revision-Date: 2010-11-04 18:29:23+0000\n" "Language-Team: Interlingua \n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-POT-Import-Date: 2010-10-23 19:01:50+0000\n" -"X-Generator: MediaWiki 1.17alpha (r75596); Translate extension (2010-09-17)\n" +"X-POT-Import-Date: 2010-10-29 16:14:14+0000\n" +"X-Generator: MediaWiki 1.17alpha (r76004); Translate extension (2010-09-17)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: ia\n" "X-Message-Group: #out-statusnet-plugin-userflag\n" @@ -48,23 +48,19 @@ msgstr[1] "Marcate per %1$s e %2$d alteres" msgid "Flagged by %s" msgstr "Marcate per %s" -#. TRANS: Client error when setting flag that has already been set for a profile. -#: flagprofile.php:66 -msgid "Flag already exists." -msgstr "Le marca ja existe." - #. TRANS: AJAX form title for a flagged profile. -#: flagprofile.php:126 +#: flagprofile.php:125 msgid "Flagged for review" msgstr "Marcate pro revision" #. TRANS: Body text for AJAX form when a profile has been flagged for review. -#: flagprofile.php:130 +#. TRANS: Message added to a profile if it has been flagged for review. +#: flagprofile.php:129 UserFlagPlugin.php:173 msgid "Flagged" msgstr "Marcate" #. TRANS: Plugin description. -#: UserFlagPlugin.php:292 +#: UserFlagPlugin.php:294 msgid "" "This plugin allows flagging of profiles for review and reviewing flagged " "profiles." @@ -98,7 +94,7 @@ msgid "Flag profile for review." msgstr "Marcar profilo pro revision." #. TRANS: Server exception. -#: User_flag_profile.php:145 +#: User_flag_profile.php:160 #, php-format msgid "Couldn't flag profile \"%d\" for review." msgstr "Non poteva marcar profilo \"%d\" pro revision." @@ -111,3 +107,6 @@ msgstr "Rader" #: clearflagform.php:88 msgid "Clear all flags" msgstr "Rader tote le marcas" + +#~ msgid "Flag already exists." +#~ msgstr "Le marca ja existe." diff --git a/plugins/UserFlag/locale/mk/LC_MESSAGES/UserFlag.po b/plugins/UserFlag/locale/mk/LC_MESSAGES/UserFlag.po index ab9c1b2e4f..8faa4d58e7 100644 --- a/plugins/UserFlag/locale/mk/LC_MESSAGES/UserFlag.po +++ b/plugins/UserFlag/locale/mk/LC_MESSAGES/UserFlag.po @@ -9,13 +9,13 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet - UserFlag\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-10-27 23:43+0000\n" -"PO-Revision-Date: 2010-10-27 23:47:54+0000\n" +"POT-Creation-Date: 2010-11-04 18:25+0000\n" +"PO-Revision-Date: 2010-11-04 18:29:23+0000\n" "Language-Team: Macedonian \n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-POT-Import-Date: 2010-10-23 19:01:50+0000\n" -"X-Generator: MediaWiki 1.17alpha (r75596); Translate extension (2010-09-17)\n" +"X-POT-Import-Date: 2010-10-29 16:14:14+0000\n" +"X-Generator: MediaWiki 1.17alpha (r76004); Translate extension (2010-09-17)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: mk\n" "X-Message-Group: #out-statusnet-plugin-userflag\n" @@ -48,23 +48,19 @@ msgstr[1] "Означено од %1$s и уште %2$d други" msgid "Flagged by %s" msgstr "Означено од %s" -#. TRANS: Client error when setting flag that has already been set for a profile. -#: flagprofile.php:66 -msgid "Flag already exists." -msgstr "Ознаката веќе постои." - #. TRANS: AJAX form title for a flagged profile. -#: flagprofile.php:126 +#: flagprofile.php:125 msgid "Flagged for review" msgstr "Означено за преглед" #. TRANS: Body text for AJAX form when a profile has been flagged for review. -#: flagprofile.php:130 +#. TRANS: Message added to a profile if it has been flagged for review. +#: flagprofile.php:129 UserFlagPlugin.php:173 msgid "Flagged" msgstr "Означено" #. TRANS: Plugin description. -#: UserFlagPlugin.php:292 +#: UserFlagPlugin.php:294 msgid "" "This plugin allows flagging of profiles for review and reviewing flagged " "profiles." @@ -99,7 +95,7 @@ msgid "Flag profile for review." msgstr "Означи профил за преглед." #. TRANS: Server exception. -#: User_flag_profile.php:145 +#: User_flag_profile.php:160 #, php-format msgid "Couldn't flag profile \"%d\" for review." msgstr "Не можев да го означам профилот „%d“ за преглед." @@ -112,3 +108,6 @@ msgstr "Отстрани" #: clearflagform.php:88 msgid "Clear all flags" msgstr "Отстрани ги сите ознаки" + +#~ msgid "Flag already exists." +#~ msgstr "Ознаката веќе постои." diff --git a/plugins/UserFlag/locale/nl/LC_MESSAGES/UserFlag.po b/plugins/UserFlag/locale/nl/LC_MESSAGES/UserFlag.po index 115b63433a..7cb9016a24 100644 --- a/plugins/UserFlag/locale/nl/LC_MESSAGES/UserFlag.po +++ b/plugins/UserFlag/locale/nl/LC_MESSAGES/UserFlag.po @@ -9,13 +9,13 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet - UserFlag\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-10-27 23:43+0000\n" -"PO-Revision-Date: 2010-10-27 23:47:54+0000\n" +"POT-Creation-Date: 2010-11-04 18:25+0000\n" +"PO-Revision-Date: 2010-11-04 18:29:23+0000\n" "Language-Team: Dutch \n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-POT-Import-Date: 2010-10-23 19:01:50+0000\n" -"X-Generator: MediaWiki 1.17alpha (r75596); Translate extension (2010-09-17)\n" +"X-POT-Import-Date: 2010-10-29 16:14:14+0000\n" +"X-Generator: MediaWiki 1.17alpha (r76004); Translate extension (2010-09-17)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: nl\n" "X-Message-Group: #out-statusnet-plugin-userflag\n" @@ -48,23 +48,19 @@ msgstr[1] "Gemarkeerd door %1$s en %2$d anderen" msgid "Flagged by %s" msgstr "Gemarkeerd door %s" -#. TRANS: Client error when setting flag that has already been set for a profile. -#: flagprofile.php:66 -msgid "Flag already exists." -msgstr "De markering bestaat al." - #. TRANS: AJAX form title for a flagged profile. -#: flagprofile.php:126 +#: flagprofile.php:125 msgid "Flagged for review" msgstr "Gemarkeerd voor controle" #. TRANS: Body text for AJAX form when a profile has been flagged for review. -#: flagprofile.php:130 +#. TRANS: Message added to a profile if it has been flagged for review. +#: flagprofile.php:129 UserFlagPlugin.php:173 msgid "Flagged" msgstr "Gemarkeerd" #. TRANS: Plugin description. -#: UserFlagPlugin.php:292 +#: UserFlagPlugin.php:294 msgid "" "This plugin allows flagging of profiles for review and reviewing flagged " "profiles." @@ -100,7 +96,7 @@ msgid "Flag profile for review." msgstr "Profiel voor controle markeren" #. TRANS: Server exception. -#: User_flag_profile.php:145 +#: User_flag_profile.php:160 #, php-format msgid "Couldn't flag profile \"%d\" for review." msgstr "Het was niet mogelijk het profiel \"%d\" voor controle te markeren." @@ -113,3 +109,6 @@ msgstr "Wissen" #: clearflagform.php:88 msgid "Clear all flags" msgstr "Alle markeringen wissen" + +#~ msgid "Flag already exists." +#~ msgstr "De markering bestaat al." diff --git a/plugins/UserFlag/locale/pt/LC_MESSAGES/UserFlag.po b/plugins/UserFlag/locale/pt/LC_MESSAGES/UserFlag.po index c476cf2f7c..2e1802c65d 100644 --- a/plugins/UserFlag/locale/pt/LC_MESSAGES/UserFlag.po +++ b/plugins/UserFlag/locale/pt/LC_MESSAGES/UserFlag.po @@ -9,13 +9,13 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet - UserFlag\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-10-27 23:43+0000\n" -"PO-Revision-Date: 2010-10-27 23:47:54+0000\n" +"POT-Creation-Date: 2010-11-04 18:25+0000\n" +"PO-Revision-Date: 2010-11-04 18:29:23+0000\n" "Language-Team: Portuguese \n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-POT-Import-Date: 2010-10-23 19:01:50+0000\n" -"X-Generator: MediaWiki 1.17alpha (r75596); Translate extension (2010-09-17)\n" +"X-POT-Import-Date: 2010-10-29 16:14:14+0000\n" +"X-Generator: MediaWiki 1.17alpha (r76004); Translate extension (2010-09-17)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: pt\n" "X-Message-Group: #out-statusnet-plugin-userflag\n" @@ -48,23 +48,19 @@ msgstr[1] "Sinalizado por %1$s e mais %2$d pessoas" msgid "Flagged by %s" msgstr "Sinalizado por %s" -#. TRANS: Client error when setting flag that has already been set for a profile. -#: flagprofile.php:66 -msgid "Flag already exists." -msgstr "Já existe uma sinalização." - #. TRANS: AJAX form title for a flagged profile. -#: flagprofile.php:126 +#: flagprofile.php:125 msgid "Flagged for review" msgstr "Sinalizado para análise" #. TRANS: Body text for AJAX form when a profile has been flagged for review. -#: flagprofile.php:130 +#. TRANS: Message added to a profile if it has been flagged for review. +#: flagprofile.php:129 UserFlagPlugin.php:173 msgid "Flagged" msgstr "Sinalizado" #. TRANS: Plugin description. -#: UserFlagPlugin.php:292 +#: UserFlagPlugin.php:294 msgid "" "This plugin allows flagging of profiles for review and reviewing flagged " "profiles." @@ -99,7 +95,7 @@ msgid "Flag profile for review." msgstr "Sinalizar perfil para análise." #. TRANS: Server exception. -#: User_flag_profile.php:145 +#: User_flag_profile.php:160 #, php-format msgid "Couldn't flag profile \"%d\" for review." msgstr "Não foi possível sinalizar o perfil \"%d\" para análise." @@ -112,3 +108,6 @@ msgstr "Limpar" #: clearflagform.php:88 msgid "Clear all flags" msgstr "Limpar todas as sinalizações" + +#~ msgid "Flag already exists." +#~ msgstr "Já existe uma sinalização." diff --git a/plugins/UserFlag/locale/uk/LC_MESSAGES/UserFlag.po b/plugins/UserFlag/locale/uk/LC_MESSAGES/UserFlag.po index c6dd6e40d7..c2a57b66ac 100644 --- a/plugins/UserFlag/locale/uk/LC_MESSAGES/UserFlag.po +++ b/plugins/UserFlag/locale/uk/LC_MESSAGES/UserFlag.po @@ -9,13 +9,13 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet - UserFlag\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-10-27 23:43+0000\n" -"PO-Revision-Date: 2010-10-27 23:47:54+0000\n" +"POT-Creation-Date: 2010-11-04 18:25+0000\n" +"PO-Revision-Date: 2010-11-04 18:29:23+0000\n" "Language-Team: Ukrainian \n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-POT-Import-Date: 2010-10-23 19:01:50+0000\n" -"X-Generator: MediaWiki 1.17alpha (r75596); Translate extension (2010-09-17)\n" +"X-POT-Import-Date: 2010-10-29 16:14:14+0000\n" +"X-Generator: MediaWiki 1.17alpha (r76004); Translate extension (2010-09-17)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: uk\n" "X-Message-Group: #out-statusnet-plugin-userflag\n" @@ -50,23 +50,19 @@ msgstr[2] "Відмічено %1$s та ще %2$d користувачами" msgid "Flagged by %s" msgstr "Відмічено %s" -#. TRANS: Client error when setting flag that has already been set for a profile. -#: flagprofile.php:66 -msgid "Flag already exists." -msgstr "Відмітка вже стоїть." - #. TRANS: AJAX form title for a flagged profile. -#: flagprofile.php:126 +#: flagprofile.php:125 msgid "Flagged for review" msgstr "Відмічені для розгляду" #. TRANS: Body text for AJAX form when a profile has been flagged for review. -#: flagprofile.php:130 +#. TRANS: Message added to a profile if it has been flagged for review. +#: flagprofile.php:129 UserFlagPlugin.php:173 msgid "Flagged" msgstr "Відмічені" #. TRANS: Plugin description. -#: UserFlagPlugin.php:292 +#: UserFlagPlugin.php:294 msgid "" "This plugin allows flagging of profiles for review and reviewing flagged " "profiles." @@ -101,7 +97,7 @@ msgid "Flag profile for review." msgstr "Відмітити профіль для розгляду." #. TRANS: Server exception. -#: User_flag_profile.php:145 +#: User_flag_profile.php:160 #, php-format msgid "Couldn't flag profile \"%d\" for review." msgstr "Не вдалося відмітити профіль «%d» для розгляду." @@ -114,3 +110,6 @@ msgstr "Зняти" #: clearflagform.php:88 msgid "Clear all flags" msgstr "Зняти всі позначки" + +#~ msgid "Flag already exists." +#~ msgstr "Відмітка вже стоїть." From 035081a803b005b8a2410c6936eac4027fda493c Mon Sep 17 00:00:00 2001 From: Zach Copley Date: Fri, 5 Nov 2010 06:34:06 +0000 Subject: [PATCH 072/628] Much more reliable Facebook SSO --- plugins/FacebookSSO/FacebookSSOPlugin.php | 62 +- ...okregister.php => facebookfinishlogin.php} | 50 +- plugins/FacebookSSO/actions/facebooklogin.php | 125 ++-- plugins/FacebookSSO/images/login-button.png | Bin 0 -> 1661 bytes plugins/FacebookSSO/lib/facebookclient.php | 640 ++++++++++++++++++ .../FacebookSSO/lib/facebookqueuehandler.php | 63 ++ 6 files changed, 806 insertions(+), 134 deletions(-) rename plugins/FacebookSSO/actions/{facebookregister.php => facebookfinishlogin.php} (93%) create mode 100644 plugins/FacebookSSO/images/login-button.png create mode 100644 plugins/FacebookSSO/lib/facebookclient.php create mode 100644 plugins/FacebookSSO/lib/facebookqueuehandler.php diff --git a/plugins/FacebookSSO/FacebookSSOPlugin.php b/plugins/FacebookSSO/FacebookSSOPlugin.php index b14ef0bade..a726b2facc 100644 --- a/plugins/FacebookSSO/FacebookSSOPlugin.php +++ b/plugins/FacebookSSO/FacebookSSOPlugin.php @@ -125,7 +125,7 @@ class FacebookSSOPlugin extends Plugin include_once $dir . '/extlib/facebookapi_php5_restlib.php'; return false; case 'FacebookloginAction': - case 'FacebookregisterAction': + case 'FacebookfinishloginAction': case 'FacebookadminpanelAction': case 'FacebooksettingsAction': include_once $dir . '/actions/' . strtolower(mb_substr($cls, 0, -6)) . '.php'; @@ -146,15 +146,17 @@ class FacebookSSOPlugin extends Plugin function needsScripts($action) { static $needy = array( - 'FacebookloginAction', - 'FacebookregisterAction', + //'FacebookloginAction', + 'FacebookfinishloginAction', 'FacebookadminpanelAction', 'FacebooksettingsAction' ); if (in_array(get_class($action), $needy)) { + common_debug("needs scripts!"); return true; } else { + common_debug("doesn't need scripts!"); return false; } } @@ -185,8 +187,8 @@ class FacebookSSOPlugin extends Plugin array('action' => 'facebooklogin') ); $m->connect( - 'main/facebookregister', - array('action' => 'facebookregister') + 'main/facebookfinishlogin', + array('action' => 'facebookfinishlogin') ); $m->connect( @@ -297,51 +299,43 @@ class FacebookSSOPlugin extends Plugin } function onStartShowHeader($action) + { + // output
    as close to as possible + $action->element('div', array('id' => 'fb-root')); + return true; + } + + function onEndShowScripts($action) { if ($this->needsScripts($action)) { - // output
    as close to as possible - $action->element('div', array('id' => 'fb-root')); - - $dir = dirname(__FILE__); + $action->script('https://connect.facebook.net/en_US/all.js'); $script = <<inlineScript( sprintf($script, json_encode($this->facebook->getAppId()), - json_encode($this->facebook->getSession()) + json_encode($this->facebook->getSession()), + common_local_url('facebookfinishlogin') ) ); } - - return true; } /* diff --git a/plugins/FacebookSSO/actions/facebookregister.php b/plugins/FacebookSSO/actions/facebookfinishlogin.php similarity index 93% rename from plugins/FacebookSSO/actions/facebookregister.php rename to plugins/FacebookSSO/actions/facebookfinishlogin.php index e21deff880..16f7cff500 100644 --- a/plugins/FacebookSSO/actions/facebookregister.php +++ b/plugins/FacebookSSO/actions/facebookfinishlogin.php @@ -2,7 +2,7 @@ /** * StatusNet, the distributed open-source microblogging tool * - * Register a local user and connect it to a Facebook account + * Login or register a local user based on a Facebook user * * PHP version 5 * @@ -31,7 +31,7 @@ if (!defined('STATUSNET')) { exit(1); } -class FacebookregisterAction extends Action +class FacebookfinishloginAction extends Action { private $facebook = null; // Facebook client @@ -220,7 +220,7 @@ class FacebookregisterAction extends Action $this->elementStart('form', array('method' => 'post', 'id' => 'form_settings_facebook_connect', 'class' => 'form_settings', - 'action' => common_local_url('facebookregister'))); + 'action' => common_local_url('facebookfinishlogin'))); $this->elementStart('fieldset', array('id' => 'settings_facebook_connect_options')); // TRANS: Legend. $this->element('legend', null, _m('Connection options')); @@ -428,27 +428,46 @@ class FacebookregisterAction extends Action return; } - common_debug('Facebook Connect Plugin - ' . - "Connected Facebook user $this->fbuid to local user $user->id"); + common_debug( + sprintf( + 'Connected Facebook user %s to local user %d', + $this->fbuid, + $user->id + ), + __FILE__ + ); // Return to Facebook connection settings tab - common_redirect(common_local_url('FBConnectSettings'), 303); + common_redirect(common_local_url('facebookfinishlogin'), 303); } function tryLogin() { - common_debug('Facebook Connect Plugin - ' . - "Trying login for Facebook user $this->fbuid."); + common_debug( + sprintf( + 'Trying login for Facebook user %s', + $this->fbuid + ), + __FILE__ + ); - $flink = Foreign_link::getByForeignID($this->fbuid, FACEBOOK_CONNECT_SERVICE); + $flink = Foreign_link::getByForeignID($this->fbuid, FACEBOOK_SERVICE); if (!empty($flink)) { $user = $flink->getUser(); if (!empty($user)) { - common_debug('Facebook Connect Plugin - ' . - "Logged in Facebook user $flink->foreign_id as user $user->id ($user->nickname)"); + common_log( + LOG_INFO, + sprintf( + 'Logged in Facebook user %s as user %d (%s)', + $this->fbuid, + $user->nickname, + $user->id + ), + __FILE__ + ); common_set_user($user); common_real_login(true); @@ -457,8 +476,13 @@ class FacebookregisterAction extends Action } else { - common_debug('Facebook Connect Plugin - ' . - "No flink found for fbuid: $this->fbuid - new user"); + common_debug( + sprintf( + 'No flink found for fbuid: %s - new user', + $this->fbuid + ), + __FILE__ + ); $this->showForm(null, $this->bestNewNickname()); } diff --git a/plugins/FacebookSSO/actions/facebooklogin.php b/plugins/FacebookSSO/actions/facebooklogin.php index bb30be1af7..08c237fe6e 100644 --- a/plugins/FacebookSSO/actions/facebooklogin.php +++ b/plugins/FacebookSSO/actions/facebooklogin.php @@ -40,90 +40,10 @@ class FacebookloginAction extends Action parent::handle($args); if (common_is_real_login()) { - $this->clientError(_m('Already logged in.')); - } else { - - $facebook = new Facebook( - array( - 'appId' => common_config('facebook', 'appid'), - 'secret' => common_config('facebook', 'secret'), - 'cookie' => true, - ) - ); - - $session = $facebook->getSession(); - $fbuser = null; - - if ($session) { - try { - $fbuid = $facebook->getUser(); - $fbuser = $facebook->api('/me'); - } catch (FacebookApiException $e) { - common_log(LOG_ERROR, $e); - } - } - - if (!empty($fbuser)) { - common_debug("Found a valid Facebook user", __FILE__); - - // Check to see if we have a foreign link already - $flink = Foreign_link::getByForeignId($fbuid, FACEBOOK_SERVICE); - - if (empty($flink)) { - - // See if the user would like to register a new local - // account - common_redirect( - common_local_url('facebookregister'), - 303 - ); - - } else { - - // Log our user in! - $user = $flink->getUser(); - - if (!empty($user)) { - - common_log( - LOG_INFO, - sprintf( - 'Logged in Facebook user %s as user %s (%s)', - $fbuid, - $user->id, - $user->nickname - ), - __FILE__ - ); - - common_set_user($user); - common_real_login(true); - $this->goHome($user->nickname); - } - } - - } + $this->showPage(); } - - $this->showPage(); - } - - 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 getInstructions() @@ -151,14 +71,45 @@ class FacebookloginAction extends Action $this->elementStart('fieldset'); - $attrs = array( - //'show-faces' => 'true', - //'max-rows' => '4', - //'width' => '600', - 'perms' => 'user_location,user_website,offline_access,publish_stream' + $facebook = Facebookclient::getFacebook(); + + // Degrade to plain link if JavaScript is not available + $this->elementStart( + 'a', + array( + 'href' => $facebook->getLoginUrl( + array( + 'next' => common_local_url('facebookfinishlogin'), + 'cancel' => common_local_url('facebooklogin') + ) + ), + 'id' => 'facebook_button' + ) ); - $this->element('fb:login-button', $attrs); + $attrs = array( + 'src' => common_path( + 'plugins/FacebookSSO/images/login-button.png', + true + ), + 'alt' => 'Login with Facebook', + 'title' => 'Login with Facebook' + ); + + $this->element('img', $attrs); + + $this->elementEnd('a'); + + /* + $this->element('div', array('id' => 'fb-root')); + $this->script( + sprintf( + 'http://connect.facebook.net/en_US/all.js#appId=%s&xfbml=1', + common_config('facebook', 'appid') + ) + ); + $this->element('fb:facepile', array('max-rows' => '2', 'width' =>'300')); + */ $this->elementEnd('fieldset'); } diff --git a/plugins/FacebookSSO/images/login-button.png b/plugins/FacebookSSO/images/login-button.png new file mode 100644 index 0000000000000000000000000000000000000000..4e7766bcad5c627ba0969f9df4a4adffb0eaf2c7 GIT binary patch literal 1661 zcmV-@27>vCP)~SM{{Fzm+-P{L-{bAc&f#u-uXKa6 zae%RMfwJ%M_RG-Xw7b=GgR;-n%u(;Eyvd`-6^KyZ)%FyD}+2^RS&Ze);=IQZkd#%{q>34>-<>>Hhdabp* z*8Tnd`1$*pq{oYwzqr5G^!54B*5$0U(fRuP=j!rpe6H;7^qQo|#LC{w(c zaDT9mn!#sxtV>*!YI?2c>+-I)(xtA=>+bY|kGrO?&bq+SSzeXyyr(2||Q z(%0sChqlbpV{@s&#@u9dse+HXNm`O(bE#x?s!3UrVRET}jk;lRsYzLpVR5J=G;fb7(31cF z17b-;K~#9!)sFXf3}F<8vFzQfNJtP2`8J4z*bu#Jh>&csL=T@Hy)Ds8L|@S&x``5X zjoy2k=)ITKTlD@PxRd$jOfbq%HlB0lyYIPk&wHL+IhouVMh2-hw<7@mQK7}=wMT#0#P|Z&T&E(*z zEQq+Ado!BAdp ztPm0sLNtJi8cWVhRQ^gWv{L1;Dpg6f>R~l%)*`j*)FqbidgUs~iuEHJkjNm?uu+sH zoJ3n=^r+U@Y;KahplO7ySwlja*NJV>vTl%}Rcrjwrfs{p_N-bNsMbMWUR9$EP{7<# z*#+R!DSzkCF3^>7-MYs^584xYQLcBNzR-_K^oIchVUWG+V9J?kS;LS7Jm7{78_o($ z@$sQ_#K=*x(R4J789CN(T;jm-20MkMA`@UDt7ZcmCQTke85(L+epH(Z)2Q7sJX% zyK+4y^~TLorxH(yaO*aN8%0*l1~%M*yP^!Lxl~Y14jHcRxpyC*2lj{kps?%rJbJ9P zed2OG#c}_c3wi!RUOr~k%J>0P%Tz%%Ib>vN@X~6q`M=8iSD@N!6@XQ8c=J{Z@6dN| z{~f5dPX*QF@cx7QLA8%6s3wQ^pWM$c)INW4KdAOKhmz|XdC@~$IWWJf00000NkvXX Hu0mjfITyzy literal 0 HcmV?d00001 diff --git a/plugins/FacebookSSO/lib/facebookclient.php b/plugins/FacebookSSO/lib/facebookclient.php new file mode 100644 index 0000000000..a0549a1d01 --- /dev/null +++ b/plugins/FacebookSSO/lib/facebookclient.php @@ -0,0 +1,640 @@ +. + * + * @category Plugin + * @package StatusNet + * @author Craig Andrews + * @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/ + */ + +if (!defined('STATUSNET')) { + exit(1); +} + +/** + * Class for communication with Facebook + * + * @category Plugin + * @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 Facebookclient +{ + protected $facebook = null; // Facebook Graph client obj + protected $flink = null; // Foreign_link StatusNet -> Facebook + protected $notice = null; // The user's notice + protected $user = null; // Sender of the notice + protected $oldRestClient = null; // Old REST API client + + function __constructor($notice) + { + $this->facebook = self::getFacebook(); + $this->notice = $notice; + + $this->flink = Foreign_link::getByUserID( + $notice->profile_id, + FACEBOOK_SERVICE + ); + + $this->user = $this->flink->getUser(); + + $this->oldRestClient = self::getOldRestClient(); + } + + /* + * Get and instance of the old REST API client for sending notices from + * users with Facebook links that pre-exist the Graph API + */ + static function getOldRestClient() + { + $apikey = common_config('facebook', 'apikey'); + $secret = common_config('facebook', 'secret'); + + // If there's no app key and secret set in the local config, look + // for a global one + if (empty($apikey) || empty($secret)) { + $apikey = common_config('facebook', 'global_apikey'); + $secret = common_config('facebook', 'global_secret'); + } + + return new FacebookRestClient($apikey, $secret, null); + } + + /* + * Get an instance of the Facebook Graph SDK object + * + * @param string $appId Application + * @param string $secret Facebook API secret + * + * @return Facebook A Facebook SDK obj + */ + static function getFacebook($appId = null, $secret = null) + { + // Check defaults and configuration for application ID and secret + if (empty($appId)) { + $appId = common_config('facebook', 'appid'); + } + + if (empty($secret)) { + $secret = common_config('facebook', 'secret'); + } + + // If there's no app ID and secret set in the local config, look + // for a global one + if (empty($appId) || empty($secret)) { + $appId = common_config('facebook', 'global_appid'); + $secret = common_config('facebook', 'global_secret'); + } + + return new Facebook( + array( + 'appId' => $appId, + 'secret' => $secret, + 'cookie' => true + ) + ); + } + + /* + * Broadcast a notice to Facebook + * + * @param Notice $notice the notice to send + */ + static function facebookBroadcastNotice($notice) + { + $client = new Facebookclient($notice); + $client->sendNotice(); + } + + /* + * Should the notice go to Facebook? + */ + function isFacebookBound() { + + if (empty($this->flink)) { + common_log( + LOG_WARN, + sprintf( + "No Foreign_link to Facebook for the author of notice %d.", + $this->notice->id + ), + __FILE__ + ); + return false; + } + + // Avoid a loop + if ($this->notice->source == 'Facebook') { + common_log( + LOG_INFO, + sprintf( + 'Skipping notice %d because its source is Facebook.', + $this->notice->id + ), + __FILE__ + ); + return false; + } + + // If the user does not want to broadcast to Facebook, move along + if (!($this->flink->noticesync & FOREIGN_NOTICE_SEND == FOREIGN_NOTICE_SEND)) { + common_log( + LOG_INFO, + sprintf( + 'Skipping notice %d because user has FOREIGN_NOTICE_SEND bit off.', + $this->notice->id + ), + __FILE__ + ); + return false; + } + + // If it's not a reply, or if the user WANTS to send @-replies, + // then, yeah, it can go to Facebook. + if (!preg_match('/@[a-zA-Z0-9_]{1,15}\b/u', $this->notice->content) || + ($this->flink->noticesync & FOREIGN_NOTICE_SEND_REPLY)) { + return true; + } + + return false; + } + + /* + * Determine whether we should send this notice using the Graph API or the + * old REST API and then dispatch + */ + function sendNotice() + { + // If there's nothing in the credentials field try to send via + // the Old Rest API + + if (empty($this->flink->credentials)) { + $this->sendOldRest(); + } else { + + // Otherwise we most likely have an access token + $this->sendGraph(); + } + } + + /* + * Send a notice to Facebook using the Graph API + */ + function sendGraph() + { + common_debug("Send notice via Graph API", __FILE__); + } + + /* + * Send a notice to Facebook using the deprecated Old REST API. We need this + * for backwards compatibility. Users who signed up for Facebook bridging + * using the old Facebook Canvas application do not have an OAuth 2.0 + * access token. + */ + function sendOldRest() + { + if (isFacebookBound()) { + + try { + + $canPublish = $this->checkPermission('publish_stream'); + $canUpdate = $this->checkPermission('status_update'); + + // Post to Facebook + if ($notice->hasAttachments() && $canPublish == 1) { + $this->restPublishStream(); + } elseif ($canUpdate == 1 || $canPublish == 1) { + $this->restStatusUpdate(); + } else { + + $msg = 'Not sending notice %d to Facebook because user %s ' + . '(%d), fbuid %s, does not have \'status_update\' ' + . 'or \'publish_stream\' permission.'; + + common_log( + LOG_WARNING, + sprintf( + $msg, + $this->notice->id, + $this->user->nickname, + $this->user->id, + $this->flink->foreign_id + ), + __FILE__ + ); + } + + } catch (FacebookRestClientException $e) { + return $this->handleFacebookError($e); + } + } + + return true; + } + + /* + * Query Facebook to to see if a user has permission + * + * + * + * @param $permission the permission to check for - must be either + * public_stream or status_update + * + * @return boolean result + */ + function checkPermission($permission) + { + + if (!in_array($permission, array('publish_stream', 'status_update'))) { + throw new ServerExpception("No such permission!"); + } + + $fbuid = $this->flink->foreign_link; + + common_debug( + sprintf( + 'Checking for %s permission for user %s (%d), fbuid %s', + $permission, + $this->user->nickname, + $this->user->id, + $fbuid + ), + __FILE__ + ); + + // NOTE: $this->oldRestClient->users_hasAppPermission() has been + // returning bogus results, so we're using FQL to check for + // permissions + + $fql = sprintf( + "SELECT %s FROM permissions WHERE uid = %s", + $permission, + $fbuid + ); + + $result = $this->oldRestClient->fql_query($fql); + + $hasPermission = 0; + + if (isset($result[0][$permission])) { + $canPublish = $result[0][$permission]; + } + + if ($hasPermission == 1) { + + common_debug( + sprintf( + '%s (%d), fbuid %s has %s permission', + $permission, + $this->user->nickname, + $this->user->id, + $fbuid + ), + __FILE__ + ); + + return true; + + } else { + + $logMsg = '%s (%d), fbuid $fbuid does NOT have %s permission.' + . 'Facebook returned: %s'; + + common_debug( + sprintf( + $logMsg, + $this->user->nickname, + $this->user->id, + $permission, + $fbuid, + var_export($result, true) + ), + __FILE__ + ); + + return false; + + } + + } + + function handleFacebookError($e) + { + $fbuid = $this->flink->foreign_id; + $code = $e->getCode(); + $errmsg = $e->getMessage(); + + // XXX: Check for any others? + switch($code) { + case 100: // Invalid parameter + $msg = 'Facebook claims notice %d was posted with an invalid ' + . 'parameter (error code 100 - %s) Notice details: ' + . '[nickname=%s, user id=%d, fbuid=%d, content="%s"]. ' + . 'Dequeing.'; + common_log( + LOG_ERR, sprintf( + $msg, + $this->notice->id, + $errmsg, + $this->user->nickname, + $this->user->id, + $fbuid, + $this->notice->content + ), + __FILE__ + ); + return true; + break; + case 200: // Permissions error + case 250: // Updating status requires the extended permission status_update + $this->disconnect(); + return true; // dequeue + break; + case 341: // Feed action request limit reached + $msg = '%s (userid=%d, fbuid=%d) has exceeded his/her limit ' + . 'for posting notices to Facebook today. Dequeuing ' + . 'notice %d'; + common_log( + LOG_INFO, sprintf( + $msg, + $user->nickname, + $user->id, + $fbuid, + $this->notice->id + ), + __FILE__ + ); + // @fixme: We want to rety at a later time when the throttling has expired + // instead of just giving up. + return true; + break; + default: + $msg = 'Facebook returned an error we don\'t know how to deal with ' + . 'when posting notice %d. Error code: %d, error message: "%s"' + . ' Notice details: [nickname=%s, user id=%d, fbuid=%d, ' + . 'notice content="%s"]. Dequeing.'; + common_log( + LOG_ERR, sprintf( + $msg, + $this->notice->id, + $code, + $errmsg, + $this->user->nickname, + $this->user->id, + $fbuid, + $this->notice->content + ), + __FILE__ + ); + return true; // dequeue + break; + } + } + + function restStatusUpdate() + { + $fbuid = $this->flink->foreign_id; + + common_debug( + sprintf( + "Attempting to post notice %d as a status update for %s (%d), fbuid %s", + $this->notice->id, + $this->user->nickname, + $this->user->id, + $fbuid + ), + __FILE__ + ); + + $result = $this->oldRestClient->users_setStatus( + $this->notice->content, + $fbuid, + false, + true + ); + + common_log( + LOG_INFO, + sprintf( + "Posted notice %s as a status update for %s (%d), fbuid %s", + $this->notice->id, + $this->user->nickname, + $this->user->id, + $fbuid + ), + __FILE__ + ); + } + + function restPublishStream() + { + $fbuid = $this->flink->foreign_id; + + common_debug( + sprintf( + 'Attempting to post notice %d as stream item with attachment for ' + . '%s (%d) fbuid %s', + $this->notice->id, + $this->user->nickname, + $this->user->id, + $fbuid + ), + __FILE__ + ); + + $fbattachment = format_attachments($notice->attachments()); + + $this->oldRestClient->stream_publish( + $this->notice->content, + $fbattachment, + null, + null, + $fbuid + ); + + common_log( + LOG_INFO, + sprintf( + 'Posted notice %d as a stream item with attachment for %s ' + . '(%d), fbuid %s', + $this->notice->id, + $this->user->nickname, + $this->user->id, + $fbuid + ), + __FILE__ + ); + + } + + function format_attachments($attachments) + { + $fbattachment = array(); + $fbattachment['media'] = array(); + + foreach($attachments as $attachment) + { + if($enclosure = $attachment->getEnclosure()){ + $fbmedia = get_fbmedia_for_attachment($enclosure); + }else{ + $fbmedia = get_fbmedia_for_attachment($attachment); + } + if($fbmedia){ + $fbattachment['media'][]=$fbmedia; + }else{ + $fbattachment['name'] = ($attachment->title ? + $attachment->title : $attachment->url); + $fbattachment['href'] = $attachment->url; + } + } + if(count($fbattachment['media'])>0){ + unset($fbattachment['name']); + unset($fbattachment['href']); + } + return $fbattachment; + } + + /** + * given an File objects, returns an associative array suitable for Facebook media + */ + function get_fbmedia_for_attachment($attachment) + { + $fbmedia = array(); + + if (strncmp($attachment->mimetype, 'image/', strlen('image/')) == 0) { + $fbmedia['type'] = 'image'; + $fbmedia['src'] = $attachment->url; + $fbmedia['href'] = $attachment->url; + } else if ($attachment->mimetype == 'audio/mpeg') { + $fbmedia['type'] = 'mp3'; + $fbmedia['src'] = $attachment->url; + }else if ($attachment->mimetype == 'application/x-shockwave-flash') { + $fbmedia['type'] = 'flash'; + + // http://wiki.developers.facebook.com/index.php/Attachment_%28Streams%29 + // says that imgsrc is required... but we have no value to put in it + // $fbmedia['imgsrc']=''; + + $fbmedia['swfsrc'] = $attachment->url; + }else{ + return false; + } + return $fbmedia; + } + + function disconnect() + { + $fbuid = $this->flink->foreign_link; + + common_log( + LOG_INFO, + sprintf( + 'Removing Facebook link for %s (%d), fbuid %s', + $this->user->nickname, + $this->user->id, + $fbuid + ), + __FILE__ + ); + + $result = $flink->delete(); + + if (empty($result)) { + common_log( + LOG_ERR, + sprintf( + 'Could not remove Facebook link for %s (%d), fbuid %s', + $this->user->nickname, + $this->user->id, + $fbuid + ), + __FILE__ + ); + common_log_db_error($flink, 'DELETE', __FILE__); + } + + // Notify the user that we are removing their Facebook link + + $result = $this->mailFacebookDisconnect(); + + if (!$result) { + + $msg = 'Unable to send email to notify %s (%d), fbuid %s ' + . 'about his/her Facebook link being removed.'; + + common_log( + LOG_WARNING, + sprintf( + $msg, + $this->user->nickname, + $this->user->id, + $fbuid + ), + __FILE__ + ); + } + } + + /** + * Send a mail message to notify a user that her Facebook link + * has been terminated. + * + * @return boolean success flag + */ + function mailFacebookDisconnect() + { + $profile = $user->getProfile(); + + $siteName = common_config('site', 'name'); + + common_switch_locale($user->language); + + $subject = sprintf( + _m('Your Facebook connection has been removed'), + $siteName + ); + + $msg = <<user->nickname, + $siteName + ); + + common_switch_locale(); + + return mail_to_user($this->user, $subject, $body); + } + +} diff --git a/plugins/FacebookSSO/lib/facebookqueuehandler.php b/plugins/FacebookSSO/lib/facebookqueuehandler.php new file mode 100644 index 0000000000..af96d35c49 --- /dev/null +++ b/plugins/FacebookSSO/lib/facebookqueuehandler.php @@ -0,0 +1,63 @@ +. + * + * @category Plugin + * @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 . '/plugins/Facebook/facebookutil.php'; + +class FacebookQueueHandler extends QueueHandler +{ + function transport() + { + return 'facebook'; + } + + function handle($notice) + { + if ($this->_isLocal($notice)) { + return facebookBroadcastNotice($notice); + } + return true; + } + + /** + * Determine whether the notice was locally created + * + * @param Notice $notice the notice + * + * @return boolean locality + */ + function _isLocal($notice) + { + return ($notice->is_local == Notice::LOCAL_PUBLIC || + $notice->is_local == Notice::LOCAL_NONPUBLIC); + } +} From 91e8e6f3858b2a69de041f9915c18bfb11d756fb Mon Sep 17 00:00:00 2001 From: Siebrand Mazeland Date: Sat, 6 Nov 2010 00:54:34 +0100 Subject: [PATCH 073/628] Fix typo. Spotted by EugeneZelenko. --- plugins/Adsense/AdsensePlugin.php | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/plugins/Adsense/AdsensePlugin.php b/plugins/Adsense/AdsensePlugin.php index 3d733e1509..1965f95eab 100644 --- a/plugins/Adsense/AdsensePlugin.php +++ b/plugins/Adsense/AdsensePlugin.php @@ -206,7 +206,7 @@ class AdsensePlugin extends UAPPlugin 'author' => 'Evan Prodromou', 'homepage' => 'http://status.net/wiki/Plugin:Adsense', 'rawdescription' => - _m('Plugin to add Google Adsense to StatusNet sites.')); + _m('Plugin to add Google AdSense to StatusNet sites.')); return true; } } From 7aa24cbc67a859ed1e2abd84306883088ff5f116 Mon Sep 17 00:00:00 2001 From: Siebrand Mazeland Date: Sun, 7 Nov 2010 22:04:44 +0100 Subject: [PATCH 074/628] Localisation updates from http://translatewiki.net --- locale/br/LC_MESSAGES/statusnet.po | 55 ++-- locale/ca/LC_MESSAGES/statusnet.po | 15 +- locale/cs/LC_MESSAGES/statusnet.po | 15 +- locale/de/LC_MESSAGES/statusnet.po | 284 ++++++++---------- locale/en_GB/LC_MESSAGES/statusnet.po | 15 +- locale/eo/LC_MESSAGES/statusnet.po | 15 +- locale/es/LC_MESSAGES/statusnet.po | 15 +- locale/fa/LC_MESSAGES/statusnet.po | 14 +- locale/fr/LC_MESSAGES/statusnet.po | 15 +- locale/gl/LC_MESSAGES/statusnet.po | 17 +- locale/hu/LC_MESSAGES/statusnet.po | 15 +- locale/ia/LC_MESSAGES/statusnet.po | 38 +-- locale/it/LC_MESSAGES/statusnet.po | 15 +- locale/ja/LC_MESSAGES/statusnet.po | 15 +- locale/ka/LC_MESSAGES/statusnet.po | 15 +- locale/ko/LC_MESSAGES/statusnet.po | 15 +- locale/mk/LC_MESSAGES/statusnet.po | 47 ++- locale/nb/LC_MESSAGES/statusnet.po | 119 +++----- locale/nl/LC_MESSAGES/statusnet.po | 41 +-- locale/pl/LC_MESSAGES/statusnet.po | 44 +-- locale/pt/LC_MESSAGES/statusnet.po | 15 +- locale/pt_BR/LC_MESSAGES/statusnet.po | 45 ++- locale/ru/LC_MESSAGES/statusnet.po | 15 +- locale/sv/LC_MESSAGES/statusnet.po | 15 +- locale/te/LC_MESSAGES/statusnet.po | 59 ++-- locale/tr/LC_MESSAGES/statusnet.po | 21 +- locale/uk/LC_MESSAGES/statusnet.po | 50 ++- locale/zh_CN/LC_MESSAGES/statusnet.po | 13 +- plugins/Adsense/locale/Adsense.pot | 4 +- .../Adsense/locale/br/LC_MESSAGES/Adsense.po | 11 +- .../Adsense/locale/de/LC_MESSAGES/Adsense.po | 11 +- .../Adsense/locale/es/LC_MESSAGES/Adsense.po | 11 +- .../Adsense/locale/fr/LC_MESSAGES/Adsense.po | 11 +- .../Adsense/locale/gl/LC_MESSAGES/Adsense.po | 10 +- .../Adsense/locale/ia/LC_MESSAGES/Adsense.po | 11 +- .../Adsense/locale/it/LC_MESSAGES/Adsense.po | 11 +- .../Adsense/locale/ka/LC_MESSAGES/Adsense.po | 10 +- .../Adsense/locale/mk/LC_MESSAGES/Adsense.po | 11 +- .../Adsense/locale/nl/LC_MESSAGES/Adsense.po | 11 +- .../locale/pt_BR/LC_MESSAGES/Adsense.po | 11 +- .../Adsense/locale/ru/LC_MESSAGES/Adsense.po | 11 +- .../Adsense/locale/sv/LC_MESSAGES/Adsense.po | 10 +- .../Adsense/locale/tl/LC_MESSAGES/Adsense.po | 11 +- .../Adsense/locale/uk/LC_MESSAGES/Adsense.po | 11 +- .../locale/zh_CN/LC_MESSAGES/Adsense.po | 11 +- .../locale/nb/LC_MESSAGES/BitlyUrl.po | 10 +- .../Disqus/locale/br/LC_MESSAGES/Disqus.po | 12 +- .../Sample/locale/br/LC_MESSAGES/Sample.po | 20 +- .../Sitemap/locale/br/LC_MESSAGES/Sitemap.po | 11 +- .../locale/fr/LC_MESSAGES/UserFlag.po | 11 +- .../locale/ia/LC_MESSAGES/UserFlag.po | 11 +- .../locale/mk/LC_MESSAGES/UserFlag.po | 11 +- .../locale/nl/LC_MESSAGES/UserFlag.po | 11 +- .../locale/pt/LC_MESSAGES/UserFlag.po | 11 +- .../locale/uk/LC_MESSAGES/UserFlag.po | 11 +- 55 files changed, 549 insertions(+), 804 deletions(-) diff --git a/locale/br/LC_MESSAGES/statusnet.po b/locale/br/LC_MESSAGES/statusnet.po index 17d5db60b0..d89f3ae7d0 100644 --- a/locale/br/LC_MESSAGES/statusnet.po +++ b/locale/br/LC_MESSAGES/statusnet.po @@ -11,17 +11,17 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet - Core\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-11-04 18:25+0000\n" -"PO-Revision-Date: 2010-11-04 18:27:07+0000\n" +"POT-Creation-Date: 2010-11-07 20:24+0000\n" +"PO-Revision-Date: 2010-11-07 20:27:04+0000\n" "Language-Team: Breton \n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r76004); Translate extension (2010-09-17)\n" +"X-Generator: MediaWiki 1.17alpha (r76266); Translate extension (2010-09-17)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: br\n" "X-Message-Group: #out-statusnet-core\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" -"X-POT-Import-Date: 2010-11-02 23:22:49+0000\n" +"X-POT-Import-Date: 2010-11-05 00:36:07+0000\n" #. TRANS: Page title for Access admin panel that allows configuring site access. #. TRANS: Menu item for site administration @@ -42,7 +42,8 @@ msgstr "Enskrivadur" #. TRANS: Checkbox instructions for admin setting "Private". #: actions/accessadminpanel.php:155 msgid "Prohibit anonymous users (not logged in) from viewing site?" -msgstr "Nac'h ouzh an implijerien dizanv (nann-luget) da welet al lec'hienn ?" +msgstr "" +"Nac'h ouzh an implijerien dizanv (nann-kevreet) da welet al lec'hienn ?" #. TRANS: Checkbox label for prohibiting anonymous users from viewing site. #: actions/accessadminpanel.php:157 @@ -814,7 +815,6 @@ msgstr "" #. TRANS: Fieldset legend. #: actions/apioauthauthorize.php:455 -#, fuzzy msgctxt "LEGEND" msgid "Account" msgstr "Kont" @@ -852,22 +852,19 @@ msgstr "Nullañ" #. TRANS: Button text that when clicked will allow access to an account by an external application. #: actions/apioauthauthorize.php:485 -#, fuzzy msgctxt "BUTTON" msgid "Allow" msgstr "Aotreañ" #. TRANS: Form instructions. #: actions/apioauthauthorize.php:502 -#, fuzzy msgid "Authorize access to your account information." -msgstr "Aotreañ pe nac'hañ ar moned da ditouroù ho kont." +msgstr "Aotreañ ar moned da ditouroù ho kont." #. TRANS: Header for user notification after revoking OAuth access to an application. #: actions/apioauthauthorize.php:594 -#, fuzzy msgid "Authorization canceled." -msgstr "Nullet eo bet kadarnadenn ar bostelerezh prim." +msgstr "Nullet eo bet aotre." #. TRANS: User notification after revoking OAuth access to an application. #. TRANS: %s is an OAuth token. @@ -878,9 +875,8 @@ msgstr "" #. TRANS: Title of the page notifying the user that an anonymous client application was successfully authorized to access the user's account with OAuth. #: actions/apioauthauthorize.php:621 -#, fuzzy msgid "You have successfully authorized the application" -msgstr "N'oc'h ket aotreet." +msgstr "Aotreet ho peus ar poellad." #. TRANS: Message notifying the user that an anonymous client application was successfully authorized to access the user's account with OAuth. #: actions/apioauthauthorize.php:625 @@ -892,9 +888,9 @@ msgstr "" #. TRANS: Title of the page notifying the user that the client application was successfully authorized to access the user's account with OAuth. #. TRANS: %s is the authorised application name. #: actions/apioauthauthorize.php:632 -#, fuzzy, php-format +#, php-format msgid "You have successfully authorized %s" -msgstr "N'oc'h ket aotreet." +msgstr "Aotreet ho peus %s" #. TRANS: Message notifying the user that the client application was successfully authorized to access the user's account with OAuth. #. TRANS: %s is the authorised application name. @@ -1146,21 +1142,18 @@ msgstr "Rakwelet" #. TRANS: Button on avatar upload page to delete current avatar. #: actions/avatarsettings.php:155 -#, fuzzy msgctxt "BUTTON" msgid "Delete" -msgstr "Diverkañ" +msgstr "Dilemel" #. TRANS: Button on avatar upload page to upload an avatar. #: actions/avatarsettings.php:173 -#, fuzzy msgctxt "BUTTON" msgid "Upload" msgstr "Enporzhiañ" #. TRANS: Button on avatar upload crop form to confirm a selected crop as avatar. #: actions/avatarsettings.php:243 -#, fuzzy msgctxt "BUTTON" msgid "Crop" msgstr "Adframmañ" @@ -1309,7 +1302,6 @@ msgstr "Distankañ implijer ar strollad" #. TRANS: Button text for unblocking a user from a group. #: actions/blockedfromgroup.php:323 -#, fuzzy msgctxt "BUTTON" msgid "Unblock" msgstr "Distankañ" @@ -1483,9 +1475,8 @@ msgstr "%1$s en deus kuitaet ar strollad %2$s" #. TRANS: Title of delete group page. #. TRANS: Form legend for deleting a group. #: actions/deletegroup.php:176 actions/deletegroup.php:202 -#, fuzzy msgid "Delete group" -msgstr "Diverkañ an implijer" +msgstr "Dilemel ar strollad" #. TRANS: Warning in form for deleleting a group. #: actions/deletegroup.php:206 @@ -1519,7 +1510,7 @@ msgstr "Diverkañ an implijer-mañ" #: lib/adminpanelaction.php:71 lib/profileformaction.php:64 #: lib/settingsaction.php:72 msgid "Not logged in." -msgstr "Nann-luget." +msgstr "Nann-kevreet." #. TRANS: Error message displayed trying to delete a notice that was not made by the current user. #: actions/deletenotice.php:78 @@ -1610,9 +1601,8 @@ msgid "Site logo" msgstr "Logo al lec'hienn" #: actions/designadminpanel.php:457 -#, fuzzy msgid "SSL logo" -msgstr "Logo al lec'hienn" +msgstr "Logo SSL" #: actions/designadminpanel.php:469 msgid "Change theme" @@ -2684,15 +2674,14 @@ msgstr "Rankout a reoc'h bezañ luget evit pediñ implijerien all e %s." #. TRANS: Form validation message when providing an e-mail address that does not validate. #. TRANS: %s is an invalid e-mail address. #: actions/invite.php:77 -#, fuzzy, php-format +#, php-format msgid "Invalid email address: %s." -msgstr "Fall eo ar postel : %s" +msgstr "Fall eo ar postel : %s." #. TRANS: Page title when invitations have been sent. #: actions/invite.php:116 -#, fuzzy msgid "Invitations sent" -msgstr "Pedadenn(où) kaset" +msgstr "Pedadennoù kaset" #. TRANS: Page title when inviting potential users. #: actions/invite.php:119 @@ -4698,14 +4687,12 @@ msgstr "An holl izili" #. TRANS: Label for creation date in statistics on group page. #: actions/showgroup.php:453 -#, fuzzy msgctxt "LABEL" msgid "Created" msgstr "Krouet" #. TRANS: Label for member count in statistics on group page. #: actions/showgroup.php:461 -#, fuzzy msgctxt "LABEL" msgid "Members" msgstr "Izili" @@ -6678,7 +6665,7 @@ msgstr "Nullañ" #: lib/applicationlist.php:247 msgid " by " -msgstr "" +msgstr "gant " #. TRANS: Application access type #: lib/applicationlist.php:260 @@ -6943,7 +6930,7 @@ msgstr[1] "" #: lib/command.php:604 #, php-format msgid "Reply to %s sent." -msgstr "" +msgstr "Respont kaset da %s." #. TRANS: Error text shown when a reply to a notice fails with an unknown reason. #: lib/command.php:607 @@ -7248,7 +7235,7 @@ msgstr "Mignon ur mignon (FOAF)" #. TRANS: Header for feed links (h2). #: lib/feedlist.php:66 msgid "Feeds" -msgstr "" +msgstr "Lanvioù" #: lib/galleryaction.php:121 msgid "Filter tags" diff --git a/locale/ca/LC_MESSAGES/statusnet.po b/locale/ca/LC_MESSAGES/statusnet.po index 3ea16fe4ee..649450559c 100644 --- a/locale/ca/LC_MESSAGES/statusnet.po +++ b/locale/ca/LC_MESSAGES/statusnet.po @@ -14,17 +14,17 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet - Core\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-11-04 18:25+0000\n" -"PO-Revision-Date: 2010-11-04 18:27:08+0000\n" +"POT-Creation-Date: 2010-11-07 20:24+0000\n" +"PO-Revision-Date: 2010-11-07 20:27:06+0000\n" "Language-Team: Catalan \n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r76004); Translate extension (2010-09-17)\n" +"X-Generator: MediaWiki 1.17alpha (r76266); Translate extension (2010-09-17)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: ca\n" "X-Message-Group: #out-statusnet-core\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-POT-Import-Date: 2010-11-02 23:22:49+0000\n" +"X-POT-Import-Date: 2010-11-05 00:36:07+0000\n" #. TRANS: Page title for Access admin panel that allows configuring site access. #. TRANS: Menu item for site administration @@ -8786,10 +8786,3 @@ msgid "%d entry in backup." msgid_plural "%d entries in backup." msgstr[0] "%d entrades a la còpia de seguretat." msgstr[1] "%d entrades a la còpia de seguretat." - -#~ msgid "" -#~ "The server was unable to handle that much POST data (%s bytes) due to its " -#~ "current configuration." -#~ msgstr "" -#~ "El servidor no ha pogut gestionar tantes dades POST (%s bytes) a causa de " -#~ "la configuració actual." diff --git a/locale/cs/LC_MESSAGES/statusnet.po b/locale/cs/LC_MESSAGES/statusnet.po index 93561c0884..a0d6ba507a 100644 --- a/locale/cs/LC_MESSAGES/statusnet.po +++ b/locale/cs/LC_MESSAGES/statusnet.po @@ -11,18 +11,18 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet - Core\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-11-04 18:25+0000\n" -"PO-Revision-Date: 2010-11-04 18:27:09+0000\n" +"POT-Creation-Date: 2010-11-07 20:24+0000\n" +"PO-Revision-Date: 2010-11-07 20:27:08+0000\n" "Language-Team: Czech \n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r76004); Translate extension (2010-09-17)\n" +"X-Generator: MediaWiki 1.17alpha (r76266); Translate extension (2010-09-17)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: cs\n" "X-Message-Group: #out-statusnet-core\n" "Plural-Forms: nplurals=3; plural=(n == 1) ? 0 : ( (n >= 2 && n <= 4) ? 1 : " "2 );\n" -"X-POT-Import-Date: 2010-11-02 23:22:49+0000\n" +"X-POT-Import-Date: 2010-11-05 00:36:07+0000\n" #. TRANS: Page title for Access admin panel that allows configuring site access. #. TRANS: Menu item for site administration @@ -8743,10 +8743,3 @@ msgid_plural "%d entries in backup." msgstr[0] "" msgstr[1] "" msgstr[2] "" - -#~ msgid "" -#~ "The server was unable to handle that much POST data (%s bytes) due to its " -#~ "current configuration." -#~ msgstr "" -#~ "Server nebyl schopen zpracovat tolik POST dat (%s bytů) vzhledem k jeho " -#~ "aktuální konfiguraci." diff --git a/locale/de/LC_MESSAGES/statusnet.po b/locale/de/LC_MESSAGES/statusnet.po index 63416a8ba4..154820a883 100644 --- a/locale/de/LC_MESSAGES/statusnet.po +++ b/locale/de/LC_MESSAGES/statusnet.po @@ -19,17 +19,17 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet - Core\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-11-04 18:25+0000\n" -"PO-Revision-Date: 2010-11-04 18:27:10+0000\n" +"POT-Creation-Date: 2010-11-07 20:24+0000\n" +"PO-Revision-Date: 2010-11-07 20:27: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 (r76004); Translate extension (2010-09-17)\n" +"X-Generator: MediaWiki 1.17alpha (r76266); Translate extension (2010-09-17)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: de\n" "X-Message-Group: #out-statusnet-core\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-POT-Import-Date: 2010-11-02 23:22:49+0000\n" +"X-POT-Import-Date: 2010-11-05 00:36:07+0000\n" #. TRANS: Page title for Access admin panel that allows configuring site access. #. TRANS: Menu item for site administration @@ -746,9 +746,8 @@ msgstr "Ungültiges Token." #. TRANS: Client error given when an invalid request token was passed to the OAuth API. #: actions/apioauthauthorize.php:121 -#, fuzzy msgid "Request token already authorized." -msgstr "Du bist nicht autorisiert." +msgstr "Anfrage-Token bereits autorisiert." #. TRANS: Form validation error in API OAuth authorisation because of an invalid session token. #: actions/apioauthauthorize.php:147 actions/avatarsettings.php:280 @@ -896,26 +895,24 @@ msgstr "Die Anfrage %s wurde gesperrt und widerrufen." #. TRANS: Title of the page notifying the user that an anonymous client application was successfully authorized to access the user's account with OAuth. #: actions/apioauthauthorize.php:621 -#, fuzzy msgid "You have successfully authorized the application" -msgstr "Du hast %s erfolgreich authorisiert." +msgstr "Du hast das Programm erfolgreich autorisiert." #. TRANS: Message notifying the user that an anonymous client application was successfully authorized to access the user's account with OAuth. #: actions/apioauthauthorize.php:625 -#, fuzzy msgid "" "Please return to the application and enter the following security code to " "complete the process." msgstr "" -"Bitte kehre nach %s zurück und geben den folgenden Sicherheitscode ein, um " -"den Vorgang abzuschließen." +"Bitte kehre zum Programm zurück und gebe den folgenden Sicherheitscode ein, " +"um den Vorgang abzuschließen." #. TRANS: Title of the page notifying the user that the client application was successfully authorized to access the user's account with OAuth. #. TRANS: %s is the authorised application name. #: actions/apioauthauthorize.php:632 -#, fuzzy, php-format +#, php-format msgid "You have successfully authorized %s" -msgstr "Du hast %s erfolgreich authorisiert." +msgstr "Du hast %s erfolgreich autorisiert." #. TRANS: Message notifying the user that the client application was successfully authorized to access the user's account with OAuth. #. TRANS: %s is the authorised application name. @@ -1030,9 +1027,9 @@ msgstr "%1$s Aktualisierung in den Favoriten von %2$s / %2$s." #. TRANS: Server error displayed when generating an Atom feed fails. #. TRANS: %s is the error. #: actions/apitimelinegroup.php:138 -#, fuzzy, php-format +#, php-format msgid "Could not generate feed for group - %s" -msgstr "Konnte %s-Gruppe nicht löschen." +msgstr "Konnte keinen Gruppen-Feed erstellen - %s" #. TRANS: Title for timeline of most recent mentions of a user. #. TRANS: %1$s is the StatusNet sitename, %2$s is a user nickname. @@ -1063,7 +1060,6 @@ msgstr "%s Nachrichten von allen!" #. TRANS: Server error displayed calling unimplemented API method for 'retweeted by me'. #: actions/apitimelineretweetedbyme.php:71 -#, fuzzy msgid "Unimplemented." msgstr "Nicht unterstützte Methode." @@ -1085,14 +1081,14 @@ msgstr "Antworten von %s" #: actions/apitimelinetag.php:101 actions/tag.php:67 #, php-format msgid "Notices tagged with %s" -msgstr "Nachrichten, die mit %s getagt sind" +msgstr "Mit „%s“ getaggte Nachrichten" #. TRANS: Subtitle for timeline with lastest notices with a given tag. #. TRANS: %1$s is the tag, $2$s is the StatusNet sitename. #: actions/apitimelinetag.php:105 actions/tagrss.php:65 #, php-format msgid "Updates tagged with %1$s on %2$s!" -msgstr "Aktualisierungen mit %1$s getagt auf %2$s!" +msgstr "Mit „%1$s“ getaggte Nachrichten auf „%2$s“!" #. TRANS: Server error for unfinished API method showTrends. #: actions/apitrends.php:85 @@ -3794,12 +3790,12 @@ msgstr "Suche nach anderen Benutzern" #: actions/peopletag.php:68 #, php-format msgid "Not a valid people tag: %s." -msgstr "Ungültiger Personen-Tag: %s." +msgstr "Ungültiger Personen-Tag: „%s“." #: actions/peopletag.php:142 #, php-format msgid "Users self-tagged with %1$s - page %2$d" -msgstr "Benutzer die sich selbst mit %1$s getagged haben - Seite %2$d" +msgstr "Benutzer, die sich selbst mit „%1$s“ getaggt haben - Seite %2$d" #: actions/postnotice.php:95 msgid "Invalid notice content." @@ -3902,15 +3898,15 @@ msgstr "Teile meine aktuelle Position, wenn ich Nachrichten sende" #: actions/tagother.php:209 lib/subscriptionlist.php:106 #: lib/subscriptionlist.php:108 lib/userprofile.php:210 msgid "Tags" -msgstr "Stichwörter" +msgstr "Tags" #. TRANS: Tooltip for field label in form for profile settings. #: actions/profilesettings.php:168 msgid "" "Tags for yourself (letters, numbers, -, ., and _), comma- or space- separated" msgstr "" -"Stichwörter über dich selbst (Buchstaben, Zahlen, -, ., und _) durch Kommas " -"oder Leerzeichen getrennt" +"Tags über dich selbst (Buchstaben, Zahlen, -, ., und _) durch Kommas oder " +"Leerzeichen getrennt" #. TRANS: Dropdownlist label in form for profile settings. #: actions/profilesettings.php:173 @@ -4073,14 +4069,14 @@ msgstr "" #. TRANS: Title for public tag cloud. #: actions/publictagcloud.php:57 msgid "Public tag cloud" -msgstr "Öffentliche Stichwort-Wolke" +msgstr "Öffentliche Tag-Wolke" #. TRANS: Instructions (more used like an explanation/header). #. TRANS: %s is the StatusNet sitename. #: actions/publictagcloud.php:65 #, php-format msgid "These are most popular recent tags on %s" -msgstr "Das sind die beliebtesten Stichwörter auf %s" +msgstr "Das sind die beliebtesten Tags auf „%s“" #. TRANS: This message contains a Markdown URL. The link description is between #. TRANS: square brackets, and the link between parentheses. Do not separate "](" @@ -4089,8 +4085,8 @@ msgstr "Das sind die beliebtesten Stichwörter 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 Stichwort [hashtag](%%doc." -"tags%%) gepostet." +"Bis jetzt hat noch niemand eine Nachricht mit dem Tag „[hashtag](%%doc.tags%" +"%)“ gepostet." #. TRANS: Message shown to a logged in user for the public tag cloud #. TRANS: while no tags exist yet. "One" refers to the non-existing hashtag. @@ -4114,7 +4110,7 @@ msgstr "" #: actions/publictagcloud.php:146 msgid "Tag cloud" -msgstr "Stichwort-Wolke" +msgstr "Tag-Wolke" #: actions/recoverpassword.php:36 msgid "You are already logged in!" @@ -4889,16 +4885,16 @@ msgstr "Nachricht gelöscht." #. TRANS: Page title showing tagged notices in one user's stream. %1$s is the username, %2$s is the hash tag. #: actions/showstream.php:70 -#, fuzzy, php-format +#, php-format msgid "%1$s tagged %2$s" -msgstr "%1$s, Seite %2$d" +msgstr "Von „%1$s“ mit „%2$s“ getaggte Nachrichten" #. TRANS: Page title showing tagged notices in one user's stream. #. TRANS: %1$s is the username, %2$s is the hash tag, %1$d is the page number. #: actions/showstream.php:74 -#, fuzzy, php-format +#, php-format msgid "%1$s tagged %2$s, page %3$d" -msgstr "Mit %1$s gekennzeichnete Nachrichten, Seite %2$d" +msgstr "Von „%1$s“ mit „%2$s“ getaggte Nachrichten, Seite %3$d" #. TRANS: Extended page title showing tagged notices in one user's stream. #. TRANS: %1$s is the username, %2$d is the page number. @@ -4912,7 +4908,7 @@ msgstr "%1$s, Seite %2$d" #: actions/showstream.php:127 #, php-format msgid "Notice feed for %1$s tagged %2$s (RSS 1.0)" -msgstr "Nachrichtenfeed für %1$s tagged %2$s (RSS 1.0)" +msgstr "Feed aller von „%1$s“ mit „%2$s“ getaggten Nachrichten (RSS 1.0)" #. TRANS: Title for link to notice feed. #. TRANS: %s is a user nickname. @@ -5130,7 +5126,6 @@ msgstr "Konnte Seitenbenachrichtigung nicht speichern" #. TRANS: Client error displayed when a site-wide notice was longer than allowed. #: actions/sitenoticeadminpanel.php:112 -#, fuzzy msgid "Maximum length for the site-wide notice is 255 characters." msgstr "Maximale Länge von Systembenachrichtigungen ist 255 Zeichen." @@ -5141,7 +5136,6 @@ msgstr "Seitenbenachrichtigung" #. TRANS: Tooltip for site-wide notice text field in admin panel. #: actions/sitenoticeadminpanel.php:179 -#, fuzzy msgid "Site-wide notice text (255 characters maximum; HTML allowed)" msgstr "Systembenachrichtigung (maximal 255 Zeichen; HTML erlaubt)" @@ -5515,22 +5509,22 @@ msgstr "SMS" #: actions/tag.php:69 #, php-format msgid "Notices tagged with %1$s, page %2$d" -msgstr "Mit %1$s gekennzeichnete Nachrichten, Seite %2$d" +msgstr "Mit „%1$s“ getaggte Nachrichten, Seite %2$d" #: 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)" +msgstr "Nachrichten-Feed des Tags „%s“ (RSS 1.0)" #: 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)" +msgstr "Nachrichten-Feed des Tag „%s“ (RSS 2.0)" #: actions/tag.php:99 #, php-format msgid "Notice feed for tag %s (Atom)" -msgstr "Nachrichten Feed für Tag %s (Atom)" +msgstr "Nachrichten-Feed des Tags „%s“ (Atom)" #: actions/tagother.php:39 msgid "No ID argument." @@ -5539,7 +5533,7 @@ msgstr "Kein ID-Argument." #: actions/tagother.php:65 #, php-format msgid "Tag %s" -msgstr "Tag %s" +msgstr "Tag „%s“" #: actions/tagother.php:77 lib/userprofile.php:76 msgid "User profile" @@ -5559,8 +5553,8 @@ msgid "" "Tags for this user (letters, numbers, -, ., and _), comma- or space- " "separated" msgstr "" -"Stichwörter für diesen Benutzer (Buchstaben, Nummer, -, ., und _), durch " -"Komma oder Leerzeichen getrennt" +"Tags dieses Benutzers (Buchstaben, Nummer, -, ., und _), durch Komma oder " +"Leerzeichen getrennt" #: actions/tagother.php:193 msgid "" @@ -5571,17 +5565,17 @@ msgstr "" #: actions/tagother.php:200 msgid "Could not save tags." -msgstr "Konnte Stichwörter nicht speichern." +msgstr "Konnte Tags nicht speichern." #: actions/tagother.php:236 msgid "Use this form to add tags to your subscribers or subscriptions." msgstr "" -"Benutze dieses Formular, um Tags zu deinen Abonnenten oder Abonnements " +"Benutze dieses Formular, um Tags deinen Abonnenten oder Abonnements " "hinzuzufügen." #: actions/tagrss.php:35 msgid "No such tag." -msgstr "Stichwort nicht vorhanden." +msgstr "Tag nicht vorhanden." #: actions/unblock.php:59 msgid "You haven't blocked that user." @@ -5635,9 +5629,9 @@ msgstr "Willkommens-Nachricht ungültig. Maximale Länge sind 255 Zeichen." #. TRANS: Client error displayed when trying to set a non-existing user as default subscription for new #. TRANS: users in user admin panel. %1$s is the invalid nickname. #: actions/useradminpanel.php:166 -#, fuzzy, php-format +#, php-format msgid "Invalid default subscripton: '%1$s' is not a user." -msgstr "Ungültiges Abonnement: „%1$s“ ist kein Benutzer" +msgstr "Ungültiges Standard-Abonnement: „%1$s“ ist kein Benutzer." #. TRANS: Link description in user account settings menu. #: actions/useradminpanel.php:215 lib/accountsettingsaction.php:106 @@ -5945,7 +5939,7 @@ msgstr "Robin denkt, dass etwas unmöglich ist." #. TRANS: %1$d is the byte limit for uploads, %2$d is the byte count for the uploaded file. #. TRANS: %1$s is used for plural. #: classes/File.php:190 -#, fuzzy, php-format +#, php-format msgid "" "No file may be larger than %1$d byte and the file you sent was %2$d bytes. " "Try to upload a smaller version." @@ -5953,32 +5947,34 @@ msgid_plural "" "No file may be larger than %1$d bytes and the file you sent was %2$d bytes. " "Try to upload a smaller version." msgstr[0] "" -"Keine Datei darf größer als %d Bytes sein und die Datei die du verschicken " -"wolltest war %d Bytes groß. Bitte eine kleinere Version hochladen." +"Keine Datei darf größer als ein Byte sein und die Datei die du verschicken " +"wolltest war %2$d Bytes groß. Bitte eine kleinere Version hochladen." msgstr[1] "" -"Keine Datei darf größer als %d Bytes sein und die Datei die du verschicken " -"wolltest war %d Bytes groß. Bitte eine kleinere Version hochladen." +"Keine Datei darf größer als %1$d Bytes sein und die Datei die du verschicken " +"wolltest war %2$d Bytes groß. Bitte eine kleinere Version hochladen." #. TRANS: Message given if an upload would exceed user quota. #. TRANS: %d (number) is the user quota in bytes and is used for plural. #: classes/File.php:203 -#, fuzzy, php-format +#, php-format msgid "A file this large would exceed your user quota of %d byte." msgid_plural "A file this large would exceed your user quota of %d bytes." -msgstr[0] "Eine Datei dieser Größe überschreitet deine User Quota von %d Byte." -msgstr[1] "Eine Datei dieser Größe überschreitet deine User Quota von %d Byte." +msgstr[0] "" +"Eine Datei dieser Größe überschreitet deine User Quota von einem Byte." +msgstr[1] "" +"Eine Datei dieser Größe überschreitet deine User Quota von %d Bytes." #. TRANS: Message given id an upload would exceed a user's monthly quota. #. TRANS: $d (number) is the monthly user quota in bytes and is used for plural. #: classes/File.php:215 -#, fuzzy, php-format +#, php-format msgid "A file this large would exceed your monthly quota of %d byte." msgid_plural "A file this large would exceed your monthly quota of %d bytes." msgstr[0] "" -"Eine Datei dieser Größe würde deine monatliche Quota von %d Byte " +"Eine Datei dieser Größe würde deine monatliche Quota von einem Byte " "überschreiten." msgstr[1] "" -"Eine Datei dieser Größe würde deine monatliche Quota von %d Byte " +"Eine Datei dieser Größe würde deine monatliche Quota von %d Bytes " "überschreiten." #. TRANS: Client exception thrown if a file upload does not have a valid name. @@ -6011,9 +6007,9 @@ msgstr "Profil-ID %s ist ungültig." #. TRANS: Exception thrown providing an invalid group ID. #. TRANS: %s is the invalid group ID. #: classes/Group_member.php:89 -#, fuzzy, php-format +#, php-format msgid "Group ID %s is invalid." -msgstr "Fehler beim Speichern des Benutzers, ungültig." +msgstr "Gruppen-ID %s ist ungültig." #. TRANS: Activity title. #: classes/Group_member.php:113 lib/joinform.php:114 @@ -6113,10 +6109,10 @@ msgstr "Problem bei Speichern der Nachricht." #. TRANS: Server exception thrown when no array is provided to the method saveKnownGroups(). #: classes/Notice.php:905 -#, fuzzy msgid "Bad type provided to saveKnownGroups." msgstr "" -"Der Methode saveKnownGroups wurde ein schlechter Wert zur Verfügung gestellt" +"Der Methode „saveKnownGroups“ wurde ein schlechter Typ zur Verfügung " +"gestellt." #. TRANS: Server exception thrown when an update for a group inbox fails. #: classes/Notice.php:1004 @@ -6170,7 +6166,7 @@ msgstr "Benutzer hat kein Profil." #. TRANS: Exception thrown when a tag cannot be saved. #: classes/Status_network.php:338 msgid "Unable to save tag." -msgstr "Konnte Seitenbenachrichtigung nicht speichern." +msgstr "Konnte Tag nicht speichern." #. TRANS: Exception thrown when trying to subscribe while being banned from subscribing. #: classes/Subscription.php:75 lib/oauthstore.php:482 @@ -6189,7 +6185,6 @@ msgstr "Dieser Benutzer hat dich blockiert." #. TRANS: Exception thrown when trying to unsibscribe without a subscription. #: classes/Subscription.php:171 -#, fuzzy msgid "Not subscribed!" msgstr "Nicht abonniert!" @@ -6307,7 +6302,7 @@ msgstr "Seite ohne Titel" #: lib/action.php:310 msgctxt "TOOLTIP" msgid "Show more" -msgstr "" +msgstr "Mehr anzeigen" #. TRANS: DT element for primary navigation menu. String is hidden in default CSS. #: lib/action.php:526 @@ -6730,7 +6725,7 @@ msgstr "Anonymer Zugang konnte nicht erstellt werden" #. TRANS: Server error displayed when trying to create an anynymous OAuth application. #: lib/apioauthstore.php:69 msgid "Could not create anonymous OAuth application." -msgstr "Anonyme OAuth Anwendung konnte nicht erstellt werden." +msgstr "Anonyme OAuth-Anwendung konnte nicht erstellt werden." #. TRANS: Exception thrown when no token association could be found. #: lib/apioauthstore.php:151 @@ -6767,11 +6762,11 @@ msgstr "Programmsymbol" #. TRANS: Form input field instructions. #. TRANS: %d is the number of available characters for the description. #: lib/applicationeditform.php:201 -#, fuzzy, php-format +#, php-format msgid "Describe your application in %d character" msgid_plural "Describe your application in %d characters" -msgstr[0] "Beschreibe dein Programm in %d Zeichen" -msgstr[1] "Beschreibe dein Programm in %d Zeichen" +msgstr[0] "Beschreibe dein Programm in einem Zeichen." +msgstr[1] "Beschreibe dein Programm in %d Zeichen." #. TRANS: Form input field instructions. #: lib/applicationeditform.php:205 @@ -6865,7 +6860,7 @@ msgstr "Genehmigte %1$s - „%2$s“ Zugriff." #: lib/applicationlist.php:282 #, php-format msgid "Access token starting with: %s" -msgstr "Zugriffstoken beginnend mit %s" +msgstr "Zugriffstoken beginnend mit „%s“" #. TRANS: Button label #: lib/applicationlist.php:298 @@ -6890,24 +6885,22 @@ msgstr "Anbieter" #. TRANS: Title. #: lib/attachmentnoticesection.php:67 msgid "Notices where this attachment appears" -msgstr "Nachrichten in denen dieser Anhang erscheint" +msgstr "Nachrichten, in denen dieser Anhang erscheint" #. TRANS: Title. #: lib/attachmenttagcloudsection.php:48 msgid "Tags for this attachment" -msgstr "Stichworte für diesen Anhang" +msgstr "Tags dieses Anhangs" #. TRANS: Exception thrown when a password change fails. #: lib/authenticationplugin.php:221 lib/authenticationplugin.php:227 -#, fuzzy msgid "Password changing failed." -msgstr "Passwort konnte nicht geändert werden" +msgstr "Passwort konnte nicht geändert werden." #. TRANS: Exception thrown when a password change attempt fails because it is not allowed. #: lib/authenticationplugin.php:238 -#, fuzzy msgid "Password changing is not allowed." -msgstr "Passwort kann nicht geändert werden" +msgstr "Passwort kann nicht geändert werden." #. TRANS: Title for the form to block a user. #: lib/blockform.php:68 @@ -6921,7 +6914,6 @@ msgstr "Befehl-Ergebnisse" #. TRANS: Title for command results. #: lib/channel.php:194 -#, fuzzy msgid "AJAX error" msgstr "Ajax-Fehler" @@ -6938,27 +6930,27 @@ msgstr "Befehl fehlgeschlagen" #. TRANS: Command exception text shown when a notice ID is requested that does not exist. #: lib/command.php:82 lib/command.php:106 msgid "Notice with that id does not exist." -msgstr "Nachricht mit dieser ID existiert nicht" +msgstr "Nachricht mit dieser ID existiert nicht." #. TRANS: Command exception text shown when a last user notice is requested and it does not exist. #. TRANS: Error text shown when a last user notice is requested and it does not exist. #: lib/command.php:99 lib/command.php:630 msgid "User has no last notice." -msgstr "Benutzer hat keine letzte Nachricht" +msgstr "Benutzer hat keine letzte Nachricht." #. TRANS: Message given requesting a profile for a non-existing user. #. TRANS: %s is the nickname of the user for which the profile could not be found. #: lib/command.php:128 #, php-format msgid "Could not find a user with nickname %s." -msgstr "Konnte keinen Benutzer mit dem Namen %s finden" +msgstr "Konnte keinen Benutzer mit dem Namen „%s“ finden." #. TRANS: Message given getting a non-existing user. #. TRANS: %s is the nickname of the user that could not be found. #: lib/command.php:148 #, php-format msgid "Could not find a local user with nickname %s." -msgstr "Konnte keinen lokalen Benutzer mit dem Nick %s finden" +msgstr "Konnte keinen lokalen Benutzer mit dem Namen „%s“ finden." #. TRANS: Error text shown when an unimplemented command is given. #: lib/command.php:183 @@ -6968,14 +6960,14 @@ msgstr "Leider ist dieser Befehl noch nicht implementiert." #. TRANS: Command exception text shown when a user tries to nudge themselves. #: lib/command.php:229 msgid "It does not make a lot of sense to nudge yourself!" -msgstr "Es macht keinen Sinn dich selbst anzustupsen!" +msgstr "Es macht keinen Sinn, dich selbst anzustupsen!" #. TRANS: Message given having nudged another user. #. TRANS: %s is the nickname of the user that was nudged. #: lib/command.php:238 #, php-format msgid "Nudge sent to %s." -msgstr "Stups an %s abgeschickt" +msgstr "Stups an „%s“ abgeschickt." #. TRANS: User statistics text. #. TRANS: %1$s is the number of other user the user is subscribed to. @@ -7002,14 +6994,14 @@ msgstr "Nachricht als Favorit markiert." #: lib/command.php:357 #, php-format msgid "%1$s joined group %2$s." -msgstr "%1$s ist der Gruppe %2$s beigetreten." +msgstr "%1$s ist der Gruppe „%2$s“ beigetreten." #. TRANS: Message given having removed a user from a group. #. TRANS: %1$s is the nickname of the user, %2$s is the nickname of the group. #: lib/command.php:405 #, php-format msgid "%1$s left group %2$s." -msgstr "%1$s hat die Gruppe %2$s verlassen." +msgstr "%1$s hat die Gruppe „%2$s“ verlassen." #. TRANS: Whois output. #. TRANS: %1$s nickname of the queried user, %2$s is their profile URL. @@ -7072,19 +7064,19 @@ msgstr[1] "" #. TRANS: Error text shown sending a direct message fails with an unknown reason. #: lib/command.php:516 msgid "Error sending direct message." -msgstr "Fehler beim Senden der Nachricht" +msgstr "Fehler beim Senden der Nachricht." #. TRANS: Message given having repeated a notice from another user. #. TRANS: %s is the name of the user for which the notice was repeated. #: lib/command.php:553 #, php-format msgid "Notice from %s repeated." -msgstr "Nachricht von %s wiederholt." +msgstr "Nachricht von „%s“ wiederholt." #. TRANS: Error text shown when repeating a notice fails with an unknown reason. #: lib/command.php:556 msgid "Error repeating notice." -msgstr "Fehler beim Wiederholen der Nachricht" +msgstr "Fehler beim Wiederholen der Nachricht." #. TRANS: Message given if content of a notice for a reply is too long. %1$d is used for plural. #. TRANS: %1$d is the maximum number of characters, %2$d is the number of submitted characters. @@ -7102,7 +7094,7 @@ msgstr[1] "" #: lib/command.php:604 #, php-format msgid "Reply to %s sent." -msgstr "Antwort an %s gesendet" +msgstr "Antwort an „%s“ gesendet" #. TRANS: Error text shown when a reply to a notice fails with an unknown reason. #: lib/command.php:607 @@ -7112,7 +7104,7 @@ msgstr "Problem beim Speichern der Nachricht." #. TRANS: Error text shown when no username was provided when issuing a subscribe command. #: lib/command.php:654 msgid "Specify the name of the user to subscribe to." -msgstr "Gib den Namen des Benutzers an, den du abonnieren möchtest" +msgstr "Gib den Namen des Benutzers an, den du abonnieren möchtest." #. TRANS: Command exception text shown when trying to subscribe to an OMB profile using the subscribe command. #: lib/command.php:663 @@ -7124,7 +7116,7 @@ msgstr "OMB-Profile können nicht mit einem Kommando abonniert werden." #: lib/command.php:671 #, php-format msgid "Subscribed to %s." -msgstr "%s abboniert" +msgstr "%s abboniert." #. TRANS: Error text shown when no username was provided when issuing an unsubscribe command. #. TRANS: Error text shown when no username was provided when issuing the command. @@ -7137,7 +7129,7 @@ msgstr "Gib den Namen des Benutzers ein, den du nicht mehr abonnieren möchtest" #: lib/command.php:703 #, php-format msgid "Unsubscribed from %s." -msgstr "Abgemeldet von %s." +msgstr "%s abbestellt." #. TRANS: Error text shown when issuing the command "off" with a setting which has not yet been implemented. #. TRANS: Error text shown when issuing the command "on" with a setting which has not yet been implemented. @@ -7168,7 +7160,7 @@ msgstr "Konnte Benachrichtigung nicht aktivieren." #. TRANS: Error text shown when issuing the login command while login is disabled. #: lib/command.php:770 msgid "Login command is disabled." -msgstr "Die Anmeldung ist deaktiviert" +msgstr "Die Anmeldung ist deaktiviert." #. TRANS: Text shown after issuing the login command successfully. #. TRANS: %s is a logon link.. @@ -7210,8 +7202,8 @@ msgstr "Niemand hat dich abonniert." #: lib/command.php:862 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." +msgstr[0] "Diese Person abonniert dich:" +msgstr[1] "Diese Personen abonnieren dich:" #. TRANS: Text shown after requesting groups a user is subscribed to without having #. TRANS: any group subscriptions. @@ -7323,7 +7315,7 @@ msgstr "Ich habe an folgenden Stellen nach Konfigurationsdateien gesucht:" #. TRANS: Error message displayed when no configuration file was found for a StatusNet installation. #: lib/common.php:142 msgid "You may wish to run the installer to fix this." -msgstr "Bitte die Installation erneut starten um das Problem zu beheben." +msgstr "Bitte die Installation erneut starten, um das Problem zu beheben." #. TRANS: Error message displayed when no configuration file was found for a StatusNet installation. #. TRANS: The text is link text that leads to the installer page. @@ -7333,7 +7325,6 @@ msgstr "Zur Installation gehen." #. TRANS: Menu item for Instant Messaging settings. #: lib/connectsettingsaction.php:106 -#, fuzzy msgctxt "MENU" msgid "IM" msgstr "IM" @@ -7345,7 +7336,6 @@ msgstr "Aktualisierungen via Instant Messenger (IM)" #. TRANS: Menu item for Short Message Service settings. #: lib/connectsettingsaction.php:113 -#, fuzzy msgctxt "MENU" msgid "SMS" msgstr "SMS" @@ -7357,7 +7347,6 @@ msgstr "Aktualisierungen via SMS" #. TRANS: Menu item for OuAth connection settings. #: lib/connectsettingsaction.php:120 -#, fuzzy msgctxt "MENU" msgid "Connections" msgstr "Verbindungen" @@ -7383,25 +7372,22 @@ msgid "" "You can upload your personal background image. The maximum file size is 2MB." msgstr "" "Du kannst dein persönliches Hintergrundbild hochladen. Die maximale " -"Dateigröße ist 2MB." +"Dateigröße ist 2 MB." #. TRANS: Radio button on profile design page that will enable use of the uploaded profile image. #: lib/designsettings.php:139 -#, fuzzy msgctxt "RADIO" msgid "On" msgstr "An" #. TRANS: Radio button on profile design page that will disable use of the uploaded profile image. #: lib/designsettings.php:156 -#, fuzzy msgctxt "RADIO" msgid "Off" msgstr "Aus" #. TRANS: Button text on profile design page to reset all colour settings to default without saving. #: lib/designsettings.php:264 -#, fuzzy msgctxt "BUTTON" msgid "Reset" msgstr "Zurücksetzen" @@ -7442,7 +7428,7 @@ msgstr "Feeds" #: lib/galleryaction.php:121 msgid "Filter tags" -msgstr "Stichworte filtern" +msgstr "Tags filtern" #: lib/galleryaction.php:131 msgid "All" @@ -7450,15 +7436,15 @@ msgstr "Alle" #: lib/galleryaction.php:139 msgid "Select tag to filter" -msgstr "Wähle ein Stichwort, um die Liste einzuschränken" +msgstr "Wähle ein Tag, um die Liste einzuschränken" #: lib/galleryaction.php:140 msgid "Tag" -msgstr "Stichwort" +msgstr "Tag" #: lib/galleryaction.php:141 msgid "Choose a tag to narrow list" -msgstr "Wähle ein Stichwort, um die Liste einzuschränken" +msgstr "Wähle ein Tag, um die Liste einzuschränken" #: lib/galleryaction.php:143 msgid "Go" @@ -7595,7 +7581,7 @@ msgstr "Gruppen mit den meisten Beiträgen" #: lib/grouptagcloudsection.php:57 #, php-format msgid "Tags in %s group's notices" -msgstr "Stichworte in den Nachrichten der Gruppe %s" +msgstr "Tags in den Nachrichten der Gruppe „%s“" #. TRANS: Client exception 406 #: lib/htmloutputter.php:104 @@ -7611,7 +7597,7 @@ msgstr "Bildformat wird nicht unterstützt." #: lib/imagefile.php:90 #, php-format msgid "That file is too big. The maximum file size is %s." -msgstr "Du kannst ein Logo für deine Gruppe hochladen." +msgstr "Diese Datei ist zu groß. Die maximale Dateigröße ist %s." #: lib/imagefile.php:95 msgid "Partial upload." @@ -7639,16 +7625,16 @@ msgstr "Unbekannter Dateityp" #, php-format msgid "%dMB" msgid_plural "%dMB" -msgstr[0] "" -msgstr[1] "" +msgstr[0] "%d MB" +msgstr[1] "%d MB" #. TRANS: Number of kilobytes. %d is the number. #: lib/imagefile.php:252 #, php-format msgid "%dkB" msgid_plural "%dkB" -msgstr[0] "" -msgstr[1] "" +msgstr[0] "%d KB" +msgstr[1] "%d KB" #. TRANS: Number of bytes. %d is the number. #: lib/imagefile.php:255 @@ -7706,7 +7692,7 @@ msgid "" msgstr "" "Hallo %1$s,\n" "\n" -"jemand hat diese E-Mail-Adresse gerade auf %2$s eingegeben.\n" +"jemand hat diese E-Mail-Adresse gerade auf „%2$s“ eingegeben.\n" "\n" "Falls du es warst und du deinen Eintrag bestätigen möchtest, benutze\n" "bitte diese URL:\n" @@ -7723,7 +7709,7 @@ msgstr "" #: lib/mail.php:246 #, php-format msgid "%1$s is now listening to your notices on %2$s." -msgstr "%1$s hat deine Nachrichten auf %2$s abonniert." +msgstr "%1$s hat deine Nachrichten auf „%2$s“ abonniert." #. TRANS: This is a paragraph in a new-subscriber e-mail. #. TRANS: %s is a URL where the subscriber can be reported as abusive. @@ -7733,7 +7719,7 @@ msgid "" "If you believe this account is being used abusively, you can block them from " "your subscribers list and report as spam to site administrators at %s" msgstr "" -"Wenn du dir sicher bist, das dieses Benutzerkonto missbräuchlich benutzt " +"Wenn du dir sicher bist, dass dieses Benutzerkonto missbräuchlich benutzt " "wurde, kannst du das Benutzerkonto von deiner Liste der Abonnenten sperren " "und es den Seitenadministratoren unter %s als Spam melden." @@ -7780,7 +7766,7 @@ msgstr "Biografie: %s" #: lib/mail.php:315 #, php-format msgid "New email address for posting to %s" -msgstr "Neue E-Mail-Adresse um auf %s zu schreiben" +msgstr "Neue E-Mail-Adresse, um auf „%s“ zu schreiben" #. TRANS: Body of notification mail for new posting email address. #. TRANS: %1$s is the StatusNet sitename, %2$s is the e-mail address to send @@ -7797,7 +7783,7 @@ msgid "" "Faithfully yours,\n" "%1$s" msgstr "" -"Du hast eine neue Adresse zum Hinzufügen von Nachrichten auf %1$s.\n" +"Du hast eine neue Adresse zum Hinzufügen von Nachrichten auf „%1$s“.\n" "\n" "Schicke eine E-Mail an %2$s, um eine neue Nachricht hinzuzufügen.\n" "\n" @@ -7832,7 +7818,7 @@ msgstr "" #: lib/mail.php:493 #, php-format msgid "You've been nudged by %s" -msgstr "Du wurdest von %s angestupst" +msgstr "Du wurdest von „%s“ angestupst" #. TRANS: Body for 'nudge' notification email. #. TRANS: %1$s is the nuding user's long name, $2$s is the nudging user's nickname, @@ -7852,7 +7838,7 @@ msgid "" "With kind regards,\n" "%4$s\n" msgstr "" -"%1$s (%2$s) fragt sicht, was du zur Zeit wohl so machst und lädt dich ein, " +"%1$s (%2$s) fragt sich, was du zur Zeit wohl so machst und lädt dich ein, " "etwas Neues zu posten.\n" "\n" "Lass von dir hören :)\n" @@ -7869,7 +7855,7 @@ msgstr "" #: lib/mail.php:547 #, php-format msgid "New private message from %s" -msgstr "Neue private Nachricht von %s" +msgstr "Neue private Nachricht von „%s“" #. TRANS: Body for direct-message notification email. #. TRANS: %1$s is the sending user's long name, %2$s is the sending user's nickname, @@ -8004,7 +7990,7 @@ msgid "" "\n" "P.S. You can turn off these email notifications here: %8$s\n" msgstr "" -"%1$s (@%9$s) hat dir gerade eine Nachricht (eine '@-Antwort') auf %2$s " +"%1$s (@%9$s) hat dir gerade eine Nachricht (eine „@-Antwort“) auf „%2$s“ " "gesendet.\n" "\n" "Die Nachricht findest du hier:\n" @@ -8038,7 +8024,7 @@ msgid "" "users in conversation. People can send you messages for your eyes only." msgstr "" "Du hast keine privaten Nachrichten. Du kannst anderen private Nachrichten " -"schicken, um sie in eine Konversation zu verwickeln. Andere Leute können Dir " +"schicken, um sie in eine Konversation zu verwickeln. Andere Leute können dir " "Nachrichten schicken, die nur du sehen kannst." #: lib/mailbox.php:228 lib/noticelist.php:516 @@ -8059,12 +8045,12 @@ msgstr "Sorry, das ist nicht deine Adresse für eingehende E-Mails." #: lib/mailhandler.php:50 msgid "Sorry, no incoming email allowed." -msgstr "Sorry, keinen eingehenden E-Mails gestattet." +msgstr "Sorry, keine eingehenden E-Mails gestattet." #: lib/mailhandler.php:229 #, php-format msgid "Unsupported message type: %s" -msgstr "Nachrichten-Typ %s wird nicht unterstützt." +msgstr "Nachrichten-Typ „%s“ wird nicht unterstützt." #. TRANS: Client exception thrown when a database error was thrown during a file upload operation. #: lib/mediafile.php:99 lib/mediafile.php:125 @@ -8312,12 +8298,12 @@ msgstr "Deine gesendeten Nachrichten" #: lib/personaltagcloudsection.php:56 #, php-format msgid "Tags in %s's notices" -msgstr "Stichworte in den Nachrichten von %s" +msgstr "Tags in den Nachrichten von „%s“" #. TRANS: Displayed as version information for a plugin if no version information was found. #: lib/plugin.php:121 msgid "Unknown" -msgstr "Unbekannter Befehl" +msgstr "Unbekannt" #: lib/profileaction.php:109 lib/profileaction.php:205 lib/subgroupnav.php:82 msgid "Subscriptions" @@ -8366,7 +8352,7 @@ msgstr "Benutzer-Gruppen" #: lib/publicgroupnav.php:84 lib/publicgroupnav.php:85 msgid "Recent tags" -msgstr "Aktuelle Stichworte" +msgstr "Aktuelle Tags" #: lib/publicgroupnav.php:88 msgid "Featured" @@ -8378,7 +8364,7 @@ msgstr "Beliebte Beiträge" #: lib/redirectingaction.php:95 msgid "No return-to arguments." -msgstr "Kein Rückkehr Argument." +msgstr "Kein Rückkehr-Argument." #: lib/repeatform.php:107 msgid "Repeat this notice?" @@ -8419,7 +8405,7 @@ msgstr "Website durchsuchen" #. TRANS: for searching can be entered. #: lib/searchaction.php:128 msgid "Keyword(s)" -msgstr "Suchbegriff" +msgstr "Suchbegriffe" #. TRANS: Button text for searching site. #: lib/searchaction.php:130 @@ -8442,7 +8428,7 @@ msgstr "Finde Leute auf dieser Seite" #: lib/searchgroupnav.php:83 msgid "Find content of notices" -msgstr "Durchsuche den Inhalt der Notices" +msgstr "Durchsuche den Inhalt der Nachrichten" #: lib/searchgroupnav.php:85 msgid "Find groups on this site" @@ -8467,17 +8453,17 @@ msgstr "Benutzer verstummen lassen" #: lib/subgroupnav.php:83 #, php-format msgid "People %s subscribes to" -msgstr "Leute, die %s abonniert hat" +msgstr "Leute, die „%s“ abonniert hat" #: lib/subgroupnav.php:91 #, php-format msgid "People subscribed to %s" -msgstr "Leute, die %s abonniert haben" +msgstr "Leute, die „%s“ abonniert haben" #: lib/subgroupnav.php:99 #, php-format msgid "Groups %s is a member of" -msgstr "Gruppen in denen %s Mitglied ist" +msgstr "Gruppen, in denen „%s“ Mitglied ist" #: lib/subgroupnav.php:105 msgid "Invite" @@ -8486,7 +8472,7 @@ 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" +msgstr "Lade Freunde und Kollegen ein, dir auf „%s“ zu folgen" #: lib/subscriberspeopleselftagcloudsection.php:48 #: lib/subscriptionspeopleselftagcloudsection.php:48 @@ -8510,7 +8496,8 @@ msgstr "Ungültiger Dateiname." #: lib/themeuploader.php:50 msgid "This server cannot handle theme uploads without ZIP support." -msgstr "Dieser Server kann nicht mit Theme-Uploads ohne ZIP-Support umgehen." +msgstr "" +"Dieser Server kann nicht mit Theme-Uploads ohne ZIP-Unterstützung umgehen." #: lib/themeuploader.php:58 lib/themeuploader.php:61 msgid "The theme file is missing or the upload failed." @@ -8591,7 +8578,7 @@ msgstr "Benutzer freigeben" #: lib/unsubscribeform.php:113 lib/unsubscribeform.php:137 msgid "Unsubscribe from this user" -msgstr "Lösche dein Abonnement von diesem Benutzer" +msgstr "Abonnement von diesem Benutzer abbestellen" #: lib/unsubscribeform.php:137 msgid "Unsubscribe" @@ -8602,7 +8589,7 @@ msgstr "Abbestellen" #: lib/usernoprofileexception.php:60 #, php-format msgid "User %1$s (%2$d) has no profile record." -msgstr "Benutzer %1$s (%2$d) hat kein Profil." +msgstr "Benutzer „%1$s“ (%2$d) hat kein Profil." #: lib/userprofile.php:117 msgid "Edit Avatar" @@ -8626,7 +8613,7 @@ msgstr "Bearbeiten" #: lib/userprofile.php:287 msgid "Send a direct message to this user" -msgstr "Direkte Nachricht an Benutzer verschickt" +msgstr "Direkte Nachricht an Benutzer versenden" #: lib/userprofile.php:288 msgid "Message" @@ -8710,25 +8697,27 @@ msgstr[1] "vor ca. %d Monaten" #. TRANS: Used in notices to indicate when the notice was made compared to now. #: lib/util.php:1206 msgid "about a year ago" -msgstr "vor einem Jahr" +msgstr "vor ca. einem Jahr" #: lib/webcolor.php:80 #, php-format msgid "%s is not a valid color!" -msgstr "%s ist keine gültige Farbe!" +msgstr "„%s“ ist keine gültige Farbe!" #. TRANS: Validation error for a web colour. #. TRANS: %s is the provided (invalid) text for colour. #: lib/webcolor.php:120 #, php-format msgid "%s is not a valid color! Use 3 or 6 hex characters." -msgstr "%s ist keine gültige Farbe! Verwende 3 oder 6 Hex-Zeichen." +msgstr "„%s“ ist keine gültige Farbe! Verwende 3 oder 6 Hex-Zeichen." #. TRANS: %s is the URL to the StatusNet site's Instant Messaging settings. #: lib/xmppmanager.php:285 #, php-format msgid "Unknown user. Go to %s to add your address to your account" msgstr "" +"Unbekannter Benutzer. Gehe zu %s, um deine Adresse deinem Benutzerkonto " +"hinzuzufügen." #. TRANS: Response to XMPP source when it sent too long a message. #. TRANS: %1$d the maximum number of allowed characters (used for plural), %2$d is the sent number. @@ -8745,12 +8734,12 @@ msgstr[1] "" #: scripts/restoreuser.php:61 #, php-format msgid "Getting backup from file '%s'." -msgstr "" +msgstr "Hole Backup von der Datei „%s“." #. TRANS: Commandline script output. #: scripts/restoreuser.php:91 msgid "No user specified; using backup user." -msgstr "Keine Benutzer-ID angegeben" +msgstr "Kein Benutzer angegeben; hole Backup-Benutzer." #. TRANS: Commandline script output. %d is the number of entries in the activity stream in backup; used for plural. #: scripts/restoreuser.php:98 @@ -8759,10 +8748,3 @@ msgid "%d entry in backup." msgid_plural "%d entries in backup." msgstr[0] "Ein Eintrag im Backup." msgstr[1] "%d Einträge im Backup." - -#~ 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." diff --git a/locale/en_GB/LC_MESSAGES/statusnet.po b/locale/en_GB/LC_MESSAGES/statusnet.po index 740a9de724..032eff49fb 100644 --- a/locale/en_GB/LC_MESSAGES/statusnet.po +++ b/locale/en_GB/LC_MESSAGES/statusnet.po @@ -13,17 +13,17 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet - Core\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-11-04 18:25+0000\n" -"PO-Revision-Date: 2010-11-04 18:27:11+0000\n" +"POT-Creation-Date: 2010-11-07 20:24+0000\n" +"PO-Revision-Date: 2010-11-07 20:27:10+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 (r76004); Translate extension (2010-09-17)\n" +"X-Generator: MediaWiki 1.17alpha (r76266); Translate extension (2010-09-17)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: en-gb\n" "X-Message-Group: #out-statusnet-core\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-POT-Import-Date: 2010-11-02 23:22:49+0000\n" +"X-POT-Import-Date: 2010-11-05 00:36:07+0000\n" #. TRANS: Page title for Access admin panel that allows configuring site access. #. TRANS: Menu item for site administration @@ -8542,10 +8542,3 @@ msgid "%d entry in backup." msgid_plural "%d entries in backup." msgstr[0] "" msgstr[1] "" - -#~ msgid "" -#~ "The server was unable to handle that much POST data (%s bytes) due to its " -#~ "current configuration." -#~ msgstr "" -#~ "The server was unable to handle that much POST data (%s bytes) due to its " -#~ "current configuration." diff --git a/locale/eo/LC_MESSAGES/statusnet.po b/locale/eo/LC_MESSAGES/statusnet.po index a324ca412b..5804eab035 100644 --- a/locale/eo/LC_MESSAGES/statusnet.po +++ b/locale/eo/LC_MESSAGES/statusnet.po @@ -15,17 +15,17 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet - Core\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-11-04 18:25+0000\n" -"PO-Revision-Date: 2010-11-04 18:27:12+0000\n" +"POT-Creation-Date: 2010-11-07 20:24+0000\n" +"PO-Revision-Date: 2010-11-07 20:27:11+0000\n" "Language-Team: Esperanto \n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r76004); Translate extension (2010-09-17)\n" +"X-Generator: MediaWiki 1.17alpha (r76266); Translate extension (2010-09-17)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: eo\n" "X-Message-Group: #out-statusnet-core\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-POT-Import-Date: 2010-11-02 23:22:49+0000\n" +"X-POT-Import-Date: 2010-11-05 00:36:07+0000\n" #. TRANS: Page title for Access admin panel that allows configuring site access. #. TRANS: Menu item for site administration @@ -8661,10 +8661,3 @@ msgid "%d entry in backup." msgid_plural "%d entries in backup." msgstr[0] "" msgstr[1] "" - -#~ msgid "" -#~ "The server was unable to handle that much POST data (%s bytes) due to its " -#~ "current configuration." -#~ msgstr "" -#~ "La servilo ne povis trakti tiom da POST-datumo (% bajtoj) pro ĝia nuna " -#~ "agordo." diff --git a/locale/es/LC_MESSAGES/statusnet.po b/locale/es/LC_MESSAGES/statusnet.po index 37d9a68120..43affca45f 100644 --- a/locale/es/LC_MESSAGES/statusnet.po +++ b/locale/es/LC_MESSAGES/statusnet.po @@ -16,17 +16,17 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet - Core\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-11-04 18:25+0000\n" -"PO-Revision-Date: 2010-11-04 18:27:13+0000\n" +"POT-Creation-Date: 2010-11-07 20:24+0000\n" +"PO-Revision-Date: 2010-11-07 20:27:13+0000\n" "Language-Team: Spanish \n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r76004); Translate extension (2010-09-17)\n" +"X-Generator: MediaWiki 1.17alpha (r76266); Translate extension (2010-09-17)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: es\n" "X-Message-Group: #out-statusnet-core\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-POT-Import-Date: 2010-11-02 23:22:49+0000\n" +"X-POT-Import-Date: 2010-11-05 00:36:07+0000\n" #. TRANS: Page title for Access admin panel that allows configuring site access. #. TRANS: Menu item for site administration @@ -8795,10 +8795,3 @@ msgid "%d entry in backup." msgid_plural "%d entries in backup." msgstr[0] "" msgstr[1] "" - -#~ msgid "" -#~ "The server was unable to handle that much POST data (%s bytes) due to its " -#~ "current configuration." -#~ msgstr "" -#~ "El servidor no ha podido manejar tanta información del tipo POST (% de " -#~ "bytes) a causa de su configuración actual." diff --git a/locale/fa/LC_MESSAGES/statusnet.po b/locale/fa/LC_MESSAGES/statusnet.po index 4471ed91a2..22d8cd6f48 100644 --- a/locale/fa/LC_MESSAGES/statusnet.po +++ b/locale/fa/LC_MESSAGES/statusnet.po @@ -13,8 +13,8 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet - Core\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-11-04 18:25+0000\n" -"PO-Revision-Date: 2010-11-04 18:27:14+0000\n" +"POT-Creation-Date: 2010-11-07 20:24+0000\n" +"PO-Revision-Date: 2010-11-07 20:27:14+0000\n" "Last-Translator: Ahmad Sufi Mahmudi\n" "Language-Team: Persian \n" "MIME-Version: 1.0\n" @@ -23,9 +23,9 @@ msgstr "" "X-Language-Code: fa\n" "X-Message-Group: #out-statusnet-core\n" "Plural-Forms: nplurals=1; plural=0;\n" -"X-Generator: MediaWiki 1.17alpha (r76004); Translate extension (2010-09-17)\n" +"X-Generator: MediaWiki 1.17alpha (r76266); Translate extension (2010-09-17)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" -"X-POT-Import-Date: 2010-11-02 23:22:49+0000\n" +"X-POT-Import-Date: 2010-11-05 00:36:07+0000\n" #. TRANS: Page title for Access admin panel that allows configuring site access. #. TRANS: Menu item for site administration @@ -8693,9 +8693,3 @@ msgstr "هیچ شناسهٔ کاربری مشخص نشده است." msgid "%d entry in backup." msgid_plural "%d entries in backup." msgstr[0] "" - -#~ msgid "" -#~ "The server was unable to handle that much POST data (%s bytes) due to its " -#~ "current configuration." -#~ msgstr "" -#~ "به دلیل تنظبمات، سرور نمی‌تواند این مقدار اطلاعات (%s بایت( را دریافت کند." diff --git a/locale/fr/LC_MESSAGES/statusnet.po b/locale/fr/LC_MESSAGES/statusnet.po index 6c5f783137..7e283b69b6 100644 --- a/locale/fr/LC_MESSAGES/statusnet.po +++ b/locale/fr/LC_MESSAGES/statusnet.po @@ -20,17 +20,17 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet - Core\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-11-04 18:25+0000\n" -"PO-Revision-Date: 2010-11-04 18:27:23+0000\n" +"POT-Creation-Date: 2010-11-07 20:24+0000\n" +"PO-Revision-Date: 2010-11-07 20:27:17+0000\n" "Language-Team: French \n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r76004); Translate extension (2010-09-17)\n" +"X-Generator: MediaWiki 1.17alpha (r76266); Translate extension (2010-09-17)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: fr\n" "X-Message-Group: #out-statusnet-core\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" -"X-POT-Import-Date: 2010-11-02 23:22:49+0000\n" +"X-POT-Import-Date: 2010-11-05 00:36:07+0000\n" #. TRANS: Page title for Access admin panel that allows configuring site access. #. TRANS: Menu item for site administration @@ -8822,10 +8822,3 @@ msgid "%d entry in backup." msgid_plural "%d entries in backup." msgstr[0] "%d entrées dans la sauvegarde." msgstr[1] "%d entrées dans la sauvegarde." - -#~ msgid "" -#~ "The server was unable to handle that much POST data (%s bytes) due to its " -#~ "current configuration." -#~ msgstr "" -#~ "Le serveur n’a pas pu gérer autant de données de POST (%s octets) en " -#~ "raison de sa configuration actuelle." diff --git a/locale/gl/LC_MESSAGES/statusnet.po b/locale/gl/LC_MESSAGES/statusnet.po index f293534848..dcaaae0ac2 100644 --- a/locale/gl/LC_MESSAGES/statusnet.po +++ b/locale/gl/LC_MESSAGES/statusnet.po @@ -11,17 +11,17 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet - Core\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-11-04 18:25+0000\n" -"PO-Revision-Date: 2010-11-04 18:27:26+0000\n" +"POT-Creation-Date: 2010-11-07 20:24+0000\n" +"PO-Revision-Date: 2010-11-07 20:27:19+0000\n" "Language-Team: Galician \n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r76004); Translate extension (2010-09-17)\n" +"X-Generator: MediaWiki 1.17alpha (r76266); Translate extension (2010-09-17)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: gl\n" "X-Message-Group: #out-statusnet-core\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-POT-Import-Date: 2010-11-02 23:22:49+0000\n" +"X-POT-Import-Date: 2010-11-05 00:36:07+0000\n" #. TRANS: Page title for Access admin panel that allows configuring site access. #. TRANS: Menu item for site administration @@ -1650,7 +1650,7 @@ msgstr "Logo do sitio" #: actions/designadminpanel.php:469 msgid "Change theme" -msgstr "Cambar o tema visual" +msgstr "Cambiar o tema visual" #: actions/designadminpanel.php:486 msgid "Site theme" @@ -8807,10 +8807,3 @@ msgid "%d entry in backup." msgid_plural "%d entries in backup." msgstr[0] "%d entradas na reserva." msgstr[1] "%d entradas na reserva." - -#~ msgid "" -#~ "The server was unable to handle that much POST data (%s bytes) due to its " -#~ "current configuration." -#~ msgstr "" -#~ "O servidor non puido manexar tantos datos POST (%s bytes) por mor da súa " -#~ "configuración actual." diff --git a/locale/hu/LC_MESSAGES/statusnet.po b/locale/hu/LC_MESSAGES/statusnet.po index 8fb750d69b..dd208a3cf1 100644 --- a/locale/hu/LC_MESSAGES/statusnet.po +++ b/locale/hu/LC_MESSAGES/statusnet.po @@ -12,13 +12,13 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet - Core\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-11-04 18:25+0000\n" -"PO-Revision-Date: 2010-11-04 18:27:30+0000\n" +"POT-Creation-Date: 2010-11-07 20:24+0000\n" +"PO-Revision-Date: 2010-11-07 20:27:22+0000\n" "Language-Team: Hungarian \n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-POT-Import-Date: 2010-11-02 23:22:49+0000\n" -"X-Generator: MediaWiki 1.17alpha (r76004); Translate extension (2010-09-17)\n" +"X-POT-Import-Date: 2010-11-05 00:36:07+0000\n" +"X-Generator: MediaWiki 1.17alpha (r76266); Translate extension (2010-09-17)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: hu\n" "X-Message-Group: #out-statusnet-core\n" @@ -8434,10 +8434,3 @@ msgid "%d entry in backup." msgid_plural "%d entries in backup." msgstr[0] "" msgstr[1] "" - -#~ msgid "" -#~ "The server was unable to handle that much POST data (%s bytes) due to its " -#~ "current configuration." -#~ msgstr "" -#~ "A szerver nem tudott feldolgozni ennyi POST-adatot (%s bájtot) a " -#~ "jelenlegi konfigurációja miatt." diff --git a/locale/ia/LC_MESSAGES/statusnet.po b/locale/ia/LC_MESSAGES/statusnet.po index 6a3156b96d..57146163c1 100644 --- a/locale/ia/LC_MESSAGES/statusnet.po +++ b/locale/ia/LC_MESSAGES/statusnet.po @@ -9,17 +9,17 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet - Core\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-11-04 18:25+0000\n" -"PO-Revision-Date: 2010-11-04 18:27:31+0000\n" +"POT-Creation-Date: 2010-11-07 20:24+0000\n" +"PO-Revision-Date: 2010-11-07 20:27:23+0000\n" "Language-Team: Interlingua \n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r76004); Translate extension (2010-09-17)\n" +"X-Generator: MediaWiki 1.17alpha (r76266); Translate extension (2010-09-17)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: ia\n" "X-Message-Group: #out-statusnet-core\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-POT-Import-Date: 2010-11-02 23:22:49+0000\n" +"X-POT-Import-Date: 2010-11-05 00:36:07+0000\n" #. TRANS: Page title for Access admin panel that allows configuring site access. #. TRANS: Menu item for site administration @@ -5893,7 +5893,7 @@ msgstr "Robin pensa que alique es impossibile." #. TRANS: %1$d is the byte limit for uploads, %2$d is the byte count for the uploaded file. #. TRANS: %1$s is used for plural. #: classes/File.php:190 -#, fuzzy, php-format +#, php-format msgid "" "No file may be larger than %1$d byte and the file you sent was %2$d bytes. " "Try to upload a smaller version." @@ -5901,8 +5901,8 @@ msgid_plural "" "No file may be larger than %1$d bytes and the file you sent was %2$d bytes. " "Try to upload a smaller version." msgstr[0] "" -"Nulle file pote esser plus grande que %1$d bytes e le file que tu inviava ha " -"%2$d bytes. Tenta incargar un version minus grande." +"Nulle file pote esser plus grande que %1$d byte e le file que tu inviava ha %" +"2$d bytes. Tenta incargar un version minus grande." msgstr[1] "" "Nulle file pote esser plus grande que %1$d bytes e le file que tu inviava ha " "%2$d bytes. Tenta incargar un version minus grande." @@ -5910,19 +5910,19 @@ msgstr[1] "" #. TRANS: Message given if an upload would exceed user quota. #. TRANS: %d (number) is the user quota in bytes and is used for plural. #: classes/File.php:203 -#, fuzzy, php-format +#, php-format msgid "A file this large would exceed your user quota of %d byte." msgid_plural "A file this large would exceed your user quota of %d bytes." -msgstr[0] "Un file de iste dimension excederea tu quota de usator de %d bytes." +msgstr[0] "Un file de iste dimension excederea tu quota de usator de %d byte." msgstr[1] "Un file de iste dimension excederea tu quota de usator de %d bytes." #. TRANS: Message given id an upload would exceed a user's monthly quota. #. TRANS: $d (number) is the monthly user quota in bytes and is used for plural. #: classes/File.php:215 -#, fuzzy, php-format +#, php-format msgid "A file this large would exceed your monthly quota of %d byte." msgid_plural "A file this large would exceed your monthly quota of %d bytes." -msgstr[0] "Un file de iste dimension excederea tu quota mensual de %d bytes." +msgstr[0] "Un file de iste dimension excederea tu quota mensual de %d byte." msgstr[1] "Un file de iste dimension excederea tu quota mensual de %d bytes." #. TRANS: Client exception thrown if a file upload does not have a valid name. @@ -6056,9 +6056,8 @@ msgstr "Problema salveguardar nota." #. TRANS: Server exception thrown when no array is provided to the method saveKnownGroups(). #: classes/Notice.php:905 -#, fuzzy msgid "Bad type provided to saveKnownGroups." -msgstr "Mal typo fornite a saveKnownGroups" +msgstr "Mal typo fornite a saveKnownGroups." #. TRANS: Server exception thrown when an update for a group inbox fails. #: classes/Notice.php:1004 @@ -7328,21 +7327,18 @@ msgstr "" #. TRANS: Radio button on profile design page that will enable use of the uploaded profile image. #: lib/designsettings.php:139 -#, fuzzy msgctxt "RADIO" msgid "On" msgstr "Active" #. TRANS: Radio button on profile design page that will disable use of the uploaded profile image. #: lib/designsettings.php:156 -#, fuzzy msgctxt "RADIO" msgid "Off" msgstr "Non active" #. TRANS: Button text on profile design page to reset all colour settings to default without saving. #: lib/designsettings.php:264 -#, fuzzy msgctxt "BUTTON" msgid "Reset" msgstr "Reinitialisar" @@ -8443,9 +8439,8 @@ msgstr "Nulle" #. TRANS: Server exception displayed if a theme name was invalid. #: lib/theme.php:74 -#, fuzzy msgid "Invalid theme name." -msgstr "Nomine de file invalide." +msgstr "Nomine de apparentia invalide." #: lib/themeuploader.php:50 msgid "This server cannot handle theme uploads without ZIP support." @@ -8700,10 +8695,3 @@ msgid "%d entry in backup." msgid_plural "%d entries in backup." msgstr[0] "%d entrata in copia de reserva." msgstr[1] "%d entratas in copia de reserva." - -#~ msgid "" -#~ "The server was unable to handle that much POST data (%s bytes) due to its " -#~ "current configuration." -#~ msgstr "" -#~ "Le servitor non ha potite tractar tante datos POST (%s bytes) a causa de " -#~ "su configuration actual." diff --git a/locale/it/LC_MESSAGES/statusnet.po b/locale/it/LC_MESSAGES/statusnet.po index fee72eafb1..9f0d435c23 100644 --- a/locale/it/LC_MESSAGES/statusnet.po +++ b/locale/it/LC_MESSAGES/statusnet.po @@ -11,17 +11,17 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet - Core\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-11-04 18:25+0000\n" -"PO-Revision-Date: 2010-11-04 18:27:34+0000\n" +"POT-Creation-Date: 2010-11-07 20:24+0000\n" +"PO-Revision-Date: 2010-11-07 20:27:25+0000\n" "Language-Team: Italian \n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r76004); Translate extension (2010-09-17)\n" +"X-Generator: MediaWiki 1.17alpha (r76266); Translate extension (2010-09-17)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: it\n" "X-Message-Group: #out-statusnet-core\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-POT-Import-Date: 2010-11-02 23:22:49+0000\n" +"X-POT-Import-Date: 2010-11-05 00:36:07+0000\n" #. TRANS: Page title for Access admin panel that allows configuring site access. #. TRANS: Menu item for site administration @@ -8765,10 +8765,3 @@ msgid "%d entry in backup." msgid_plural "%d entries in backup." msgstr[0] "%d voci nel backup." msgstr[1] "%d voci nel backup." - -#~ msgid "" -#~ "The server was unable to handle that much POST data (%s bytes) due to its " -#~ "current configuration." -#~ msgstr "" -#~ "Il server non è in grado di gestire tutti quei dati POST (%s byte) con la " -#~ "configurazione attuale." diff --git a/locale/ja/LC_MESSAGES/statusnet.po b/locale/ja/LC_MESSAGES/statusnet.po index 79aa10f161..c2cdd77822 100644 --- a/locale/ja/LC_MESSAGES/statusnet.po +++ b/locale/ja/LC_MESSAGES/statusnet.po @@ -12,17 +12,17 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet - Core\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-11-04 18:25+0000\n" -"PO-Revision-Date: 2010-11-04 18:27:36+0000\n" +"POT-Creation-Date: 2010-11-07 20:24+0000\n" +"PO-Revision-Date: 2010-11-07 20:27:26+0000\n" "Language-Team: Japanese \n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r76004); Translate extension (2010-09-17)\n" +"X-Generator: MediaWiki 1.17alpha (r76266); Translate extension (2010-09-17)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: ja\n" "X-Message-Group: #out-statusnet-core\n" "Plural-Forms: nplurals=1; plural=0;\n" -"X-POT-Import-Date: 2010-11-02 23:22:49+0000\n" +"X-POT-Import-Date: 2010-11-05 00:36:07+0000\n" #. TRANS: Page title for Access admin panel that allows configuring site access. #. TRANS: Menu item for site administration @@ -8681,10 +8681,3 @@ msgstr "ユーザIDの記述がありません。" msgid "%d entry in backup." msgid_plural "%d entries in backup." msgstr[0] "" - -#~ msgid "" -#~ "The server was unable to handle that much POST data (%s bytes) due to its " -#~ "current configuration." -#~ msgstr "" -#~ "サーバーの現在の構成が理由で、大量の POST データ (%sバイト) を処理すること" -#~ "ができませんでした。" diff --git a/locale/ka/LC_MESSAGES/statusnet.po b/locale/ka/LC_MESSAGES/statusnet.po index 88b3651b53..f0ee6af879 100644 --- a/locale/ka/LC_MESSAGES/statusnet.po +++ b/locale/ka/LC_MESSAGES/statusnet.po @@ -9,17 +9,17 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet - Core\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-11-04 18:25+0000\n" -"PO-Revision-Date: 2010-11-04 18:27:37+0000\n" +"POT-Creation-Date: 2010-11-07 20:24+0000\n" +"PO-Revision-Date: 2010-11-07 20:27:27+0000\n" "Language-Team: Georgian \n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r76004); Translate extension (2010-09-17)\n" +"X-Generator: MediaWiki 1.17alpha (r76266); Translate extension (2010-09-17)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: ka\n" "X-Message-Group: #out-statusnet-core\n" "Plural-Forms: nplurals=1; plural=0;\n" -"X-POT-Import-Date: 2010-11-02 23:22:49+0000\n" +"X-POT-Import-Date: 2010-11-05 00:36:07+0000\n" #. TRANS: Page title for Access admin panel that allows configuring site access. #. TRANS: Menu item for site administration @@ -8604,10 +8604,3 @@ msgstr "მომხმარებლის ID მითითებული msgid "%d entry in backup." msgid_plural "%d entries in backup." msgstr[0] "" - -#~ msgid "" -#~ "The server was unable to handle that much POST data (%s bytes) due to its " -#~ "current configuration." -#~ msgstr "" -#~ "სამწუხაროდ სერვერმა ვერ გაუძლო ამდენ POST მონაცემებს (%s ბაიტი) მიმდინარე " -#~ "კონფიგურაციის გამო." diff --git a/locale/ko/LC_MESSAGES/statusnet.po b/locale/ko/LC_MESSAGES/statusnet.po index 700532c6ad..3595f51613 100644 --- a/locale/ko/LC_MESSAGES/statusnet.po +++ b/locale/ko/LC_MESSAGES/statusnet.po @@ -11,17 +11,17 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet - Core\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-11-04 18:25+0000\n" -"PO-Revision-Date: 2010-11-04 18:27:38+0000\n" +"POT-Creation-Date: 2010-11-07 20:24+0000\n" +"PO-Revision-Date: 2010-11-07 20:27:30+0000\n" "Language-Team: Korean \n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r76004); Translate extension (2010-09-17)\n" +"X-Generator: MediaWiki 1.17alpha (r76266); Translate extension (2010-09-17)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: ko\n" "X-Message-Group: #out-statusnet-core\n" "Plural-Forms: nplurals=1; plural=0;\n" -"X-POT-Import-Date: 2010-11-02 23:22:49+0000\n" +"X-POT-Import-Date: 2010-11-05 00:36:07+0000\n" #. TRANS: Page title for Access admin panel that allows configuring site access. #. TRANS: Menu item for site administration @@ -8482,10 +8482,3 @@ msgstr "프로필을 지정하지 않았습니다." msgid "%d entry in backup." msgid_plural "%d entries in backup." msgstr[0] "" - -#~ msgid "" -#~ "The server was unable to handle that much POST data (%s bytes) due to its " -#~ "current configuration." -#~ msgstr "" -#~ "현재 설정으로 인해 너무 많은 POST 데이터(%s 바이트)는 서버에서 처리할 수 " -#~ "없습니다." diff --git a/locale/mk/LC_MESSAGES/statusnet.po b/locale/mk/LC_MESSAGES/statusnet.po index 5990b5d371..6182db1ecb 100644 --- a/locale/mk/LC_MESSAGES/statusnet.po +++ b/locale/mk/LC_MESSAGES/statusnet.po @@ -10,17 +10,17 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet - Core\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-11-04 18:25+0000\n" -"PO-Revision-Date: 2010-11-04 18:27:39+0000\n" +"POT-Creation-Date: 2010-11-07 20:24+0000\n" +"PO-Revision-Date: 2010-11-07 20:27:32+0000\n" "Language-Team: Macedonian \n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r76004); Translate extension (2010-09-17)\n" +"X-Generator: MediaWiki 1.17alpha (r76266); Translate extension (2010-09-17)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: mk\n" "X-Message-Group: #out-statusnet-core\n" "Plural-Forms: nplurals=2; plural=(n == 1 || n%10 == 1) ? 0 : 1;\n" -"X-POT-Import-Date: 2010-11-02 23:22:49+0000\n" +"X-POT-Import-Date: 2010-11-05 00:36:07+0000\n" #. TRANS: Page title for Access admin panel that allows configuring site access. #. TRANS: Menu item for site administration @@ -5918,7 +5918,7 @@ msgstr "Робин мисли дека нешто е невозможно." #. TRANS: %1$d is the byte limit for uploads, %2$d is the byte count for the uploaded file. #. TRANS: %1$s is used for plural. #: classes/File.php:190 -#, fuzzy, php-format +#, php-format msgid "" "No file may be larger than %1$d byte and the file you sent was %2$d bytes. " "Try to upload a smaller version." @@ -5926,33 +5926,34 @@ msgid_plural "" "No file may be larger than %1$d bytes and the file you sent was %2$d bytes. " "Try to upload a smaller version." msgstr[0] "" -"Податотеките не смеат да бидат поголеми од %d бајти, а податотеката што ја " -"испративте содржи %d бајти. Подигнете помала верзија." +"Податотеките не смеат да бидат поголеми од %1$d бајт, а вие испративте " +"податотека од %2$d бајти. Подигнете помала верзија." msgstr[1] "" -"Податотеките не смеат да бидат поголеми од %d бајти, а податотеката што ја " -"испративте содржи %d бајти. Подигнете помала верзија." +"Податотеките не смеат да бидат поголеми од %1$d бајти, а вие испративте " +"податотека од %2$d бајти. Подигнете помала верзија." #. TRANS: Message given if an upload would exceed user quota. #. TRANS: %d (number) is the user quota in bytes and is used for plural. #: classes/File.php:203 -#, fuzzy, php-format +#, php-format msgid "A file this large would exceed your user quota of %d byte." msgid_plural "A file this large would exceed your user quota of %d bytes." msgstr[0] "" -"Волку голема податотека ќе ја надмине Вашата корисничка квота од %d бајти." +"Волку голема податотека ќе го надмине Вашето корисничко следување од %d бајт." msgstr[1] "" -"Волку голема податотека ќе ја надмине Вашата корисничка квота од %d бајти." +"Волку голема податотека ќе го надмине Вашето корисничко следување од %d " +"бајти." #. TRANS: Message given id an upload would exceed a user's monthly quota. #. TRANS: $d (number) is the monthly user quota in bytes and is used for plural. #: classes/File.php:215 -#, fuzzy, php-format +#, php-format msgid "A file this large would exceed your monthly quota of %d byte." msgid_plural "A file this large would exceed your monthly quota of %d bytes." msgstr[0] "" -"ВОлку голема податотека ќе ја надмине Вашата месечна квота од %d бајти" +"Волку голема податотека ќе го надмине Вашето месечно следување од %d бајт" msgstr[1] "" -"ВОлку голема податотека ќе ја надмине Вашата месечна квота од %d бајти" +"Волку голема податотека ќе го надмине Вашето месечно следување од %d бајти" #. TRANS: Client exception thrown if a file upload does not have a valid name. #: classes/File.php:262 classes/File.php:277 @@ -6085,9 +6086,8 @@ msgstr "Проблем во зачувувањето на белешката." #. TRANS: Server exception thrown when no array is provided to the method saveKnownGroups(). #: classes/Notice.php:905 -#, fuzzy msgid "Bad type provided to saveKnownGroups." -msgstr "На saveKnownGroups му е уакажан грешен тип" +msgstr "На saveKnownGroups му е укажан погрешен тип." #. TRANS: Server exception thrown when an update for a group inbox fails. #: classes/Notice.php:1004 @@ -7361,21 +7361,18 @@ msgstr "" #. TRANS: Radio button on profile design page that will enable use of the uploaded profile image. #: lib/designsettings.php:139 -#, fuzzy msgctxt "RADIO" msgid "On" msgstr "Вкл." #. TRANS: Radio button on profile design page that will disable use of the uploaded profile image. #: lib/designsettings.php:156 -#, fuzzy msgctxt "RADIO" msgid "Off" msgstr "Искл." #. TRANS: Button text on profile design page to reset all colour settings to default without saving. #: lib/designsettings.php:264 -#, fuzzy msgctxt "BUTTON" msgid "Reset" msgstr "Врати одново" @@ -8481,9 +8478,8 @@ msgstr "Без ознаки" #. TRANS: Server exception displayed if a theme name was invalid. #: lib/theme.php:74 -#, fuzzy msgid "Invalid theme name." -msgstr "Погрешно податотечно име." +msgstr "Неважечко име за изгледот." #: lib/themeuploader.php:50 msgid "This server cannot handle theme uploads without ZIP support." @@ -8736,10 +8732,3 @@ msgid "%d entry in backup." msgid_plural "%d entries in backup." msgstr[0] "%d резервна ставка." msgstr[1] "%d резервни ставки." - -#~ msgid "" -#~ "The server was unable to handle that much POST data (%s bytes) due to its " -#~ "current configuration." -#~ msgstr "" -#~ "Опслужувачот не можеше да обработи толку многу POST-податоци (%s бајти) " -#~ "заради неговата тековна поставеност." diff --git a/locale/nb/LC_MESSAGES/statusnet.po b/locale/nb/LC_MESSAGES/statusnet.po index 03dfd48f38..75c0754871 100644 --- a/locale/nb/LC_MESSAGES/statusnet.po +++ b/locale/nb/LC_MESSAGES/statusnet.po @@ -10,17 +10,17 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet - Core\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-11-04 18:25+0000\n" -"PO-Revision-Date: 2010-11-04 18:27:42+0000\n" +"POT-Creation-Date: 2010-11-07 20:24+0000\n" +"PO-Revision-Date: 2010-11-07 20:27:37+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 (r76004); Translate extension (2010-09-17)\n" +"X-Generator: MediaWiki 1.17alpha (r76266); Translate extension (2010-09-17)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: no\n" "X-Message-Group: #out-statusnet-core\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-POT-Import-Date: 2010-11-02 23:22:49+0000\n" +"X-POT-Import-Date: 2010-11-05 00:36:07+0000\n" #. TRANS: Page title for Access admin panel that allows configuring site access. #. TRANS: Menu item for site administration @@ -342,7 +342,7 @@ msgstr "Klarte ikke å lagre profil." #: actions/designadminpanel.php:125 actions/editapplication.php:121 #: actions/newapplication.php:104 actions/newnotice.php:95 #: lib/designsettings.php:298 -#, fuzzy, php-format +#, php-format msgid "" "The server was unable to handle that much POST data (%s byte) due to its " "current configuration." @@ -350,11 +350,11 @@ msgid_plural "" "The server was unable to handle that much POST data (%s bytes) due to its " "current configuration." msgstr[0] "" -"Tjeneren kunne ikke håndtere så mye POST-data (%s bytes) på grunn av sitt " -"nåværende oppsett." +"Tjeneren kunne ikke håndtere så mye POST-data (%s byte) på grunn av sin " +"gjeldende konfigurasjon." msgstr[1] "" -"Tjeneren kunne ikke håndtere så mye POST-data (%s bytes) på grunn av sitt " -"nåværende oppsett." +"Tjeneren kunne ikke håndtere så mye POST-data (%s bytes) på grunn av sin " +"gjeldende konfigurasjon." #. TRANS: Client error displayed when saving design settings fails because of an empty id. #. TRANS: Client error displayed when saving design settings fails because of an empty result. @@ -427,7 +427,7 @@ msgstr "Ingen meldingstekst!" #. TRANS: Form validation error displayed when message content is too long. #. TRANS: %d is the maximum number of characters for a message. #: actions/apidirectmessagenew.php:127 actions/newmessage.php:152 -#, fuzzy, php-format +#, php-format msgid "That's too long. Maximum message size is %d character." msgid_plural "That's too long. Maximum message size is %d characters." msgstr[0] "Dette er for langt. Meldingen kan bare være %d tegn lang." @@ -445,7 +445,6 @@ msgstr "Kan ikke sende direktemeldinger til brukere du ikke er venn med." #. TRANS: Client error displayed trying to direct message self (403). #: actions/apidirectmessagenew.php:154 -#, fuzzy msgid "" "Do not send a message to yourself; just say it to yourself quietly instead." msgstr "" @@ -565,9 +564,8 @@ msgstr "Hjemmesiden er ikke en gyldig URL." #: actions/apigroupcreate.php:210 actions/editgroup.php:211 #: actions/newgroup.php:147 actions/profilesettings.php:256 #: actions/register.php:227 -#, fuzzy msgid "Full name is too long (maximum 255 characters)." -msgstr "Beklager, navnet er for langt (max 250 tegn)." +msgstr "Fullt navn er for langt (maks 255 tegn)." #. TRANS: Client error shown when providing too long a description during group creation. #. TRANS: %d is the maximum number of allowed characters. @@ -580,7 +578,7 @@ msgstr "Beklager, navnet er for langt (max 250 tegn)." #: actions/apigroupcreate.php:220 actions/editapplication.php:201 #: actions/editgroup.php:216 actions/newapplication.php:178 #: actions/newgroup.php:152 -#, fuzzy, php-format +#, php-format msgid "Description is too long (maximum %d character)." msgid_plural "Description is too long (maximum %d characters)." msgstr[0] "Beskrivelsen er for lang (maks %d tegn)." @@ -593,9 +591,8 @@ msgstr[1] "Beskrivelsen er for lang (maks %d tegn)." #: actions/apigroupcreate.php:234 actions/editgroup.php:223 #: actions/newgroup.php:159 actions/profilesettings.php:269 #: actions/register.php:236 -#, fuzzy msgid "Location is too long (maximum 255 characters)." -msgstr "Plassering er for lang (maks 255 tegn)." +msgstr "Plasseringen er for lang (maks 255 tegn)." #. TRANS: Client error shown when providing too many aliases during group creation. #. TRANS: %d is the maximum number of allowed aliases. @@ -605,11 +602,11 @@ msgstr "Plassering er for lang (maks 255 tegn)." #. TRANS: %d is the maximum number of allowed aliases. #: actions/apigroupcreate.php:255 actions/editgroup.php:236 #: actions/newgroup.php:172 -#, fuzzy, php-format +#, php-format msgid "Too many aliases! Maximum %d allowed." msgid_plural "Too many aliases! Maximum %d allowed." -msgstr[0] "For mange alias! Maksimum %d." -msgstr[1] "For mange alias! Maksimum %d." +msgstr[0] "For mange alias. Maks %d er tillatt." +msgstr[1] "For mange alias. Maks %d er tillatt." #. TRANS: Client error shown when providing an invalid alias during group creation. #. TRANS: %s is the invalid alias. @@ -763,9 +760,8 @@ msgstr "Ugyldig kallenavn / passord!" #. TRANS: Server error displayed when a database action fails. #: actions/apioauthauthorize.php:217 -#, fuzzy msgid "Database error inserting oauth_token_association." -msgstr "Databasefeil ved innsetting av bruker i programmet OAuth." +msgstr "Databasefeil ved innsetting av oauth_token_association." #. TRANS: Client error given on when invalid data was passed through a form in the OAuth API. #. TRANS: Unexpected validation error on avatar upload form. @@ -797,15 +793,15 @@ msgstr "Tillat eller nekt tilgang" #. TRANS: User notification of external application requesting account access. #. TRANS: %3$s is the access type requested, %4$s is the StatusNet sitename. #: actions/apioauthauthorize.php:425 -#, fuzzy, php-format +#, php-format msgid "" "An application 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 "" -"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å." +"Et program ønsker muligheten til å %3$s dine %4$s-" +"kontodata. Du bør kun gi tilgang til din %4$s-konto til tredjeparter du " +"stoler på." #. TRANS: User notification of external application requesting account access. #. TRANS: %1$s is the application name requesting access, %2$s is the organisation behind the application, @@ -823,7 +819,6 @@ msgstr "" #. TRANS: Fieldset legend. #: actions/apioauthauthorize.php:455 -#, fuzzy msgctxt "LEGEND" msgid "Account" msgstr "Konto" @@ -861,22 +856,19 @@ msgstr "Avbryt" #. TRANS: Button text that when clicked will allow access to an account by an external application. #: actions/apioauthauthorize.php:485 -#, fuzzy msgctxt "BUTTON" msgid "Allow" msgstr "Tillat" #. TRANS: Form instructions. #: actions/apioauthauthorize.php:502 -#, fuzzy msgid "Authorize access to your account information." -msgstr "Tillat eller nekt tilgang til din kontoinformasjon." +msgstr "Autoriser tilgang til din kontoinformasjon." #. TRANS: Header for user notification after revoking OAuth access to an application. #: actions/apioauthauthorize.php:594 -#, fuzzy msgid "Authorization canceled." -msgstr "Direktemeldingsbekreftelse avbrutt." +msgstr "Autorisasjon kansellert." #. TRANS: User notification after revoking OAuth access to an application. #. TRANS: %s is an OAuth token. @@ -887,9 +879,8 @@ msgstr "" #. TRANS: Title of the page notifying the user that an anonymous client application was successfully authorized to access the user's account with OAuth. #: actions/apioauthauthorize.php:621 -#, fuzzy msgid "You have successfully authorized the application" -msgstr "Du er ikke autorisert." +msgstr "Du har autorisert programmet" #. TRANS: Message notifying the user that an anonymous client application was successfully authorized to access the user's account with OAuth. #: actions/apioauthauthorize.php:625 @@ -897,13 +888,15 @@ msgid "" "Please return to the application and enter the following security code to " "complete the process." msgstr "" +"Gå tilbake til programmet og skriv inn følgende sikkerhetskode for å " +"fullføre prosessen." #. TRANS: Title of the page notifying the user that the client application was successfully authorized to access the user's account with OAuth. #. TRANS: %s is the authorised application name. #: actions/apioauthauthorize.php:632 -#, fuzzy, php-format +#, php-format msgid "You have successfully authorized %s" -msgstr "Du er ikke autorisert." +msgstr "Du har autorisert %s" #. TRANS: Message notifying the user that the client application was successfully authorized to access the user's account with OAuth. #. TRANS: %s is the authorised application name. @@ -913,6 +906,8 @@ msgid "" "Please return to %s and enter the following security code to complete the " "process." msgstr "" +"Gå tilbake til %s og skriv inn følgende sikkerhetskode for å fullføre " +"prosessen." #. TRANS: Client error displayed trying to delete a status not using POST or DELETE. #. TRANS: POST and DELETE should not be translated. @@ -958,13 +953,13 @@ msgstr "Ingen status med den ID-en funnet." #. TRANS: Client error displayed when the parameter "status" is missing. #: actions/apistatusesupdate.php:221 msgid "Client must provide a 'status' parameter with a value." -msgstr "" +msgstr "Klienten må angi en 'status'-parameter med en verdi." #. TRANS: Client error displayed when the parameter "status" is missing. #. TRANS: %d is the maximum number of character for a notice. #: actions/apistatusesupdate.php:244 actions/newnotice.php:161 #: lib/mailhandler.php:60 -#, fuzzy, php-format +#, php-format msgid "That's too long. Maximum notice size is %d character." msgid_plural "That's too long. Maximum notice size is %d characters." msgstr[0] "Det er for langt. Maks notisstørrelse er %d tegn." @@ -972,14 +967,13 @@ msgstr[1] "Det er for langt. Maks notisstørrelse er %d tegn." #. TRANS: Client error displayed when replying to a non-existing notice. #: actions/apistatusesupdate.php:284 -#, fuzzy msgid "Parent notice not found." -msgstr "API-metode ikke funnet!" +msgstr "Foreldrenotis ikke funnet." #. TRANS: Client error displayed exceeding the maximum notice length. #. TRANS: %d is the maximum lenth for a notice. #: actions/apistatusesupdate.php:308 actions/newnotice.php:184 -#, fuzzy, php-format +#, php-format msgid "Maximum notice size is %d character, including attachment URL." msgid_plural "Maximum notice size is %d characters, including attachment URL." msgstr[0] "Maks notisstørrelse er %d tegn, inklusive vedleggs-URL." @@ -1002,16 +996,16 @@ msgstr "%1$s / Favoritter fra %2$s" #. TRANS: %1$s is the StatusNet sitename, %2$s is a user's full name, #. TRANS: %3$s is a user nickname. #: actions/apitimelinefavorites.php:120 -#, fuzzy, php-format +#, php-format msgid "%1$s updates favorited by %2$s / %3$s." -msgstr "%1$s oppdateringer markert som favoritt av %2$s / %2$s." +msgstr "%1$s-oppdateringer markert som favoritt av %2$s / %3$s." #. TRANS: Server error displayed when generating an Atom feed fails. #. TRANS: %s is the error. #: actions/apitimelinegroup.php:138 -#, fuzzy, php-format +#, php-format msgid "Could not generate feed for group - %s" -msgstr "Kunne ikke oppdatere gruppe." +msgstr "Kunne ikke generere mating for gruppe - %s" #. TRANS: Title for timeline of most recent mentions of a user. #. TRANS: %1$s is the StatusNet sitename, %2$s is a user nickname. @@ -1042,9 +1036,8 @@ msgstr "%s oppdateringer fra alle sammen!" #. TRANS: Server error displayed calling unimplemented API method for 'retweeted by me'. #: actions/apitimelineretweetedbyme.php:71 -#, fuzzy msgid "Unimplemented." -msgstr "Ikke-implementert metode." +msgstr "Ikke-implementert." #. TRANS: Title for Atom feed "repeated to me". %s is the user nickname. #: actions/apitimelineretweetedtome.php:108 @@ -1080,9 +1073,8 @@ msgstr "API-metode under utvikling." #. TRANS: Client error displayed when requesting user information for a non-existing user. #: actions/apiusershow.php:94 -#, fuzzy msgid "User not found." -msgstr "API-metode ikke funnet!" +msgstr "Bruker ikke funnet." #. TRANS: Client error displayed trying to get a non-existing attachment. #: actions/attachment.php:73 @@ -1155,21 +1147,18 @@ msgstr "Forhåndsvis" #. TRANS: Button on avatar upload page to delete current avatar. #: actions/avatarsettings.php:155 -#, fuzzy msgctxt "BUTTON" msgid "Delete" msgstr "Slett" #. TRANS: Button on avatar upload page to upload an avatar. #: actions/avatarsettings.php:173 -#, fuzzy msgctxt "BUTTON" msgid "Upload" msgstr "Last opp" #. TRANS: Button on avatar upload crop form to confirm a selected crop as avatar. #: actions/avatarsettings.php:243 -#, fuzzy msgctxt "BUTTON" msgid "Crop" msgstr "Beskjær" @@ -1320,7 +1309,6 @@ msgstr "Opphev blokkering av bruker fra gruppe" #. TRANS: Button text for unblocking a user from a group. #: actions/blockedfromgroup.php:323 -#, fuzzy msgctxt "BUTTON" msgid "Unblock" msgstr "Opphev blokkering" @@ -1384,9 +1372,8 @@ msgstr "Klarte ikke å oppdatere bruker." #. TRANS: Server error displayed when an address confirmation code deletion from the #. TRANS: database fails in the contact address confirmation action. #: actions/confirmaddress.php:132 -#, fuzzy msgid "Could not delete address confirmation." -msgstr "Kunne ikke slette direktemeldingsbekreftelse." +msgstr "Kunne ikke slette adressebekreftelse." #. TRANS: Title for the contact address confirmation action. #: actions/confirmaddress.php:150 @@ -1465,9 +1452,8 @@ msgstr "Slett dette programmet" #. TRANS: Client error when trying to delete group while not logged in. #: actions/deletegroup.php:64 -#, fuzzy msgid "You must be logged in to delete a group." -msgstr "Du må være innlogget for å forlate en gruppe." +msgstr "Du må være innlogget for å slette en gruppe." #. TRANS: Client error when trying to delete a group without providing a nickname or ID for the group. #: actions/deletegroup.php:94 actions/joingroup.php:88 @@ -1477,30 +1463,28 @@ msgstr "ngen kallenavn eller ID." #. TRANS: Client error when trying to delete a group without having the rights to delete it. #: actions/deletegroup.php:107 -#, fuzzy msgid "You are not allowed to delete this group." -msgstr "Du er ikke et medlem av denne gruppen." +msgstr "Du har ikke tillatelse til å slette denne gruppen." #. TRANS: Server error displayed if a group could not be deleted. #. TRANS: %s is the name of the group that could not be deleted. #: actions/deletegroup.php:150 -#, fuzzy, php-format +#, php-format msgid "Could not delete group %s." -msgstr "Kunne ikke oppdatere gruppe." +msgstr "Kunne ikke slette gruppen %s." #. TRANS: Message given after deleting a group. #. TRANS: %s is the deleted group's name. #: actions/deletegroup.php:159 -#, fuzzy, php-format +#, php-format msgid "Deleted group %s" -msgstr "%1$s forlot gruppe %2$s" +msgstr "Slettet gruppen %s" #. TRANS: Title of delete group page. #. TRANS: Form legend for deleting a group. #: actions/deletegroup.php:176 actions/deletegroup.php:202 -#, fuzzy msgid "Delete group" -msgstr "Slett bruker" +msgstr "Slett gruppe" #. TRANS: Warning in form for deleleting a group. #: actions/deletegroup.php:206 @@ -8679,10 +8663,3 @@ msgid "%d entry in backup." msgid_plural "%d entries in backup." msgstr[0] "" msgstr[1] "" - -#~ msgid "" -#~ "The server was unable to handle that much POST data (%s bytes) due to its " -#~ "current configuration." -#~ msgstr "" -#~ "Tjeneren kunne ikke håndtere så mye POST-data (%s bytes) på grunn av sitt " -#~ "nåværende oppsett." diff --git a/locale/nl/LC_MESSAGES/statusnet.po b/locale/nl/LC_MESSAGES/statusnet.po index 28a589da5a..80636ebd88 100644 --- a/locale/nl/LC_MESSAGES/statusnet.po +++ b/locale/nl/LC_MESSAGES/statusnet.po @@ -12,17 +12,17 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet - Core\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-11-04 18:25+0000\n" -"PO-Revision-Date: 2010-11-04 18:27:40+0000\n" +"POT-Creation-Date: 2010-11-07 20:24+0000\n" +"PO-Revision-Date: 2010-11-07 20:27: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 (r76004); Translate extension (2010-09-17)\n" +"X-Generator: MediaWiki 1.17alpha (r76266); Translate extension (2010-09-17)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: nl\n" "X-Message-Group: #out-statusnet-core\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-POT-Import-Date: 2010-11-02 23:22:49+0000\n" +"X-POT-Import-Date: 2010-11-05 00:36:07+0000\n" #. TRANS: Page title for Access admin panel that allows configuring site access. #. TRANS: Menu item for site administration @@ -3452,7 +3452,7 @@ msgstr "Wachtwoord wijzigen" #: actions/passwordsettings.php:104 msgid "Old password" -msgstr "Oud wachtwoord" +msgstr "Huidige wachtwoord" #: actions/passwordsettings.php:108 actions/recoverpassword.php:235 msgid "New password" @@ -5946,7 +5946,7 @@ msgstr "Robin denkt dat iets onmogelijk is." #. TRANS: %1$d is the byte limit for uploads, %2$d is the byte count for the uploaded file. #. TRANS: %1$s is used for plural. #: classes/File.php:190 -#, fuzzy, php-format +#, php-format msgid "" "No file may be larger than %1$d byte and the file you sent was %2$d bytes. " "Try to upload a smaller version." @@ -5954,7 +5954,7 @@ msgid_plural "" "No file may be larger than %1$d bytes and the file you sent was %2$d bytes. " "Try to upload a smaller version." msgstr[0] "" -"Bestanden mogen niet groter zijn dan %1$d bytes, en uw bestand was %2$d " +"Bestanden mogen niet groter zijn dan %1$d byte, en uw bestand was %2$d " "bytes. Probeer een kleinere versie te uploaden." msgstr[1] "" "Bestanden mogen niet groter zijn dan %1$d bytes, en uw bestand was %2$d " @@ -5963,24 +5963,23 @@ msgstr[1] "" #. TRANS: Message given if an upload would exceed user quota. #. TRANS: %d (number) is the user quota in bytes and is used for plural. #: classes/File.php:203 -#, fuzzy, php-format +#, php-format msgid "A file this large would exceed your user quota of %d byte." msgid_plural "A file this large would exceed your user quota of %d bytes." msgstr[0] "" -"Een bestand van deze grootte overschijdt uw gebruikersquota van %d bytes." msgstr[1] "" -"Een bestand van deze grootte overschijdt uw gebruikersquota van %d bytes." #. TRANS: Message given id an upload would exceed a user's monthly quota. #. TRANS: $d (number) is the monthly user quota in bytes and is used for plural. #: classes/File.php:215 -#, fuzzy, php-format +#, php-format msgid "A file this large would exceed your monthly quota of %d byte." msgid_plural "A file this large would exceed your monthly quota of %d bytes." msgstr[0] "" -"Een bestand van deze grootte overschijdt uw maandelijkse quota van %d bytes." +"Een bestand van deze grootte overschrijdt uw maandelijkse quotum van %d byte." msgstr[1] "" -"Een bestand van deze grootte overschijdt uw maandelijkse quota van %d bytes." +"Een bestand van deze grootte overschrijdt uw maandelijkse quotum van %d " +"bytes." #. TRANS: Client exception thrown if a file upload does not have a valid name. #: classes/File.php:262 classes/File.php:277 @@ -6118,7 +6117,6 @@ msgstr "Er is een probleem opgetreden bij het opslaan van de mededeling." #. TRANS: Server exception thrown when no array is provided to the method saveKnownGroups(). #: classes/Notice.php:905 -#, fuzzy msgid "Bad type provided to saveKnownGroups." msgstr "Het gegevenstype dat is opgegeven aan saveKnownGroups is onjuist" @@ -7403,24 +7401,21 @@ msgstr "" #. TRANS: Radio button on profile design page that will enable use of the uploaded profile image. #: lib/designsettings.php:139 -#, fuzzy msgctxt "RADIO" msgid "On" msgstr "Aan" #. TRANS: Radio button on profile design page that will disable use of the uploaded profile image. #: lib/designsettings.php:156 -#, fuzzy msgctxt "RADIO" msgid "Off" msgstr "Uit" #. TRANS: Button text on profile design page to reset all colour settings to default without saving. #: lib/designsettings.php:264 -#, fuzzy msgctxt "BUTTON" msgid "Reset" -msgstr "Herstellen" +msgstr "Opnieuw instellen" #. TRANS: Success message displayed if design settings were saved after clicking "Use defaults". #: lib/designsettings.php:433 @@ -8521,9 +8516,8 @@ msgstr "Geen" #. TRANS: Server exception displayed if a theme name was invalid. #: lib/theme.php:74 -#, fuzzy msgid "Invalid theme name." -msgstr "Ongeldige bestandsnaam." +msgstr "Ongeldige naam voor vormgeving." #: lib/themeuploader.php:50 msgid "This server cannot handle theme uploads without ZIP support." @@ -8785,10 +8779,3 @@ msgid "%d entry in backup." msgid_plural "%d entries in backup." msgstr[0] "%d element in de back-up." msgstr[1] "%d elementen in de back-up." - -#~ msgid "" -#~ "The server was unable to handle that much POST data (%s bytes) due to its " -#~ "current configuration." -#~ msgstr "" -#~ "De server was niet in staat zoveel POST-gegevens te verwerken (%s bytes) " -#~ "vanwege de huidige instellingen." diff --git a/locale/pl/LC_MESSAGES/statusnet.po b/locale/pl/LC_MESSAGES/statusnet.po index 388e04527a..d5fcfd8a69 100644 --- a/locale/pl/LC_MESSAGES/statusnet.po +++ b/locale/pl/LC_MESSAGES/statusnet.po @@ -11,8 +11,8 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet - Core\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-11-04 18:25+0000\n" -"PO-Revision-Date: 2010-11-04 18:27:43+0000\n" +"POT-Creation-Date: 2010-11-07 20:24+0000\n" +"PO-Revision-Date: 2010-11-07 20:27:39+0000\n" "Last-Translator: Piotr Drąg \n" "Language-Team: Polish \n" "MIME-Version: 1.0\n" @@ -20,11 +20,11 @@ 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 (r76004); Translate extension (2010-09-17)\n" +"X-Generator: MediaWiki 1.17alpha (r76266); Translate extension (2010-09-17)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: pl\n" "X-Message-Group: #out-statusnet-core\n" -"X-POT-Import-Date: 2010-11-02 23:22:49+0000\n" +"X-POT-Import-Date: 2010-11-05 00:36:07+0000\n" #. TRANS: Page title for Access admin panel that allows configuring site access. #. TRANS: Menu item for site administration @@ -5901,7 +5901,7 @@ msgstr "Robin sądzi, że coś jest niemożliwe." #. TRANS: %1$d is the byte limit for uploads, %2$d is the byte count for the uploaded file. #. TRANS: %1$s is used for plural. #: classes/File.php:190 -#, fuzzy, php-format +#, php-format msgid "" "No file may be larger than %1$d byte and the file you sent was %2$d bytes. " "Try to upload a smaller version." @@ -5909,43 +5909,43 @@ msgid_plural "" "No file may be larger than %1$d bytes and the file you sent was %2$d bytes. " "Try to upload a smaller version." msgstr[0] "" -"Żaden plik nie może być większy niż %1$d bajty, a wysłany plik miał %2$d " +"Żaden plik nie może być większy niż %1$d bajt, a wysłany plik miał %2$d " "bajty. Proszę spróbować wysłać mniejszą wersję." msgstr[1] "" "Żaden plik nie może być większy niż %1$d bajty, a wysłany plik miał %2$d " "bajty. Proszę spróbować wysłać mniejszą wersję." msgstr[2] "" -"Żaden plik nie może być większy niż %1$d bajty, a wysłany plik miał %2$d " -"bajty. Proszę spróbować wysłać mniejszą wersję." +"Żaden plik nie może być większy niż %1$d bajtów, a wysłany plik miał %2$d " +"bajtów. Proszę spróbować wysłać mniejszą wersję." #. TRANS: Message given if an upload would exceed user quota. #. TRANS: %d (number) is the user quota in bytes and is used for plural. #: classes/File.php:203 -#, fuzzy, php-format +#, php-format msgid "A file this large would exceed your user quota of %d byte." msgid_plural "A file this large would exceed your user quota of %d bytes." msgstr[0] "" -"Plik tej wielkości przekroczyłby przydział użytkownika wynoszący %d bajty." +"Plik tej wielkości przekroczyłby przydział użytkownika wynoszący %d bajt." msgstr[1] "" "Plik tej wielkości przekroczyłby przydział użytkownika wynoszący %d bajty." msgstr[2] "" -"Plik tej wielkości przekroczyłby przydział użytkownika wynoszący %d bajty." +"Plik tej wielkości przekroczyłby przydział użytkownika wynoszący %d bajtów." #. TRANS: Message given id an upload would exceed a user's monthly quota. #. TRANS: $d (number) is the monthly user quota in bytes and is used for plural. #: classes/File.php:215 -#, fuzzy, php-format +#, php-format msgid "A file this large would exceed your monthly quota of %d byte." msgid_plural "A file this large would exceed your monthly quota of %d bytes." msgstr[0] "" "Plik tej wielkości przekroczyłby miesięczny przydział użytkownika wynoszący %" -"d bajty." +"d bajt." msgstr[1] "" "Plik tej wielkości przekroczyłby miesięczny przydział użytkownika wynoszący %" "d bajty." msgstr[2] "" "Plik tej wielkości przekroczyłby miesięczny przydział użytkownika wynoszący %" -"d bajty." +"d bajtów." #. TRANS: Client exception thrown if a file upload does not have a valid name. #: classes/File.php:262 classes/File.php:277 @@ -6078,9 +6078,8 @@ msgstr "Problem podczas zapisywania wpisu." #. TRANS: Server exception thrown when no array is provided to the method saveKnownGroups(). #: classes/Notice.php:905 -#, fuzzy msgid "Bad type provided to saveKnownGroups." -msgstr "Podano błędne dane do saveKnownGroups" +msgstr "Podano błędne dane do saveKnownGroups." #. TRANS: Server exception thrown when an update for a group inbox fails. #: classes/Notice.php:1004 @@ -7353,21 +7352,18 @@ msgstr "Można wysłać osobisty obraz tła. Maksymalny rozmiar pliku to 2 MB." #. TRANS: Radio button on profile design page that will enable use of the uploaded profile image. #: lib/designsettings.php:139 -#, fuzzy msgctxt "RADIO" msgid "On" msgstr "Włączone" #. TRANS: Radio button on profile design page that will disable use of the uploaded profile image. #: lib/designsettings.php:156 -#, fuzzy msgctxt "RADIO" msgid "Off" msgstr "Wyłączone" #. TRANS: Button text on profile design page to reset all colour settings to default without saving. #: lib/designsettings.php:264 -#, fuzzy msgctxt "BUTTON" msgid "Reset" msgstr "Przywróć" @@ -8476,9 +8472,8 @@ msgstr "Brak" #. TRANS: Server exception displayed if a theme name was invalid. #: lib/theme.php:74 -#, fuzzy msgid "Invalid theme name." -msgstr "Nieprawidłowa nazwa pliku." +msgstr "Nieprawidłowa nazwa motywu." #: lib/themeuploader.php:50 msgid "This server cannot handle theme uploads without ZIP support." @@ -8744,10 +8739,3 @@ msgid_plural "%d entries in backup." msgstr[0] "%d wpis w kopii zapasowej." msgstr[1] "%d wpisy w kopii zapasowej." msgstr[2] "%d wpisów w kopii zapasowej." - -#~ msgid "" -#~ "The server was unable to handle that much POST data (%s bytes) due to its " -#~ "current configuration." -#~ msgstr "" -#~ "Serwer nie może obsłużyć aż tyle danych POST (%s bajty) z powodu bieżącej " -#~ "konfiguracji." diff --git a/locale/pt/LC_MESSAGES/statusnet.po b/locale/pt/LC_MESSAGES/statusnet.po index 2a7347ba2f..be733fbc98 100644 --- a/locale/pt/LC_MESSAGES/statusnet.po +++ b/locale/pt/LC_MESSAGES/statusnet.po @@ -14,17 +14,17 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet - Core\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-11-04 18:25+0000\n" -"PO-Revision-Date: 2010-11-04 18:27:45+0000\n" +"POT-Creation-Date: 2010-11-07 20:24+0000\n" +"PO-Revision-Date: 2010-11-07 20:27:41+0000\n" "Language-Team: Portuguese \n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r76004); Translate extension (2010-09-17)\n" +"X-Generator: MediaWiki 1.17alpha (r76266); Translate extension (2010-09-17)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: pt\n" "X-Message-Group: #out-statusnet-core\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-POT-Import-Date: 2010-11-02 23:22:49+0000\n" +"X-POT-Import-Date: 2010-11-05 00:36:07+0000\n" #. TRANS: Page title for Access admin panel that allows configuring site access. #. TRANS: Menu item for site administration @@ -8761,10 +8761,3 @@ msgid "%d entry in backup." msgid_plural "%d entries in backup." msgstr[0] "" msgstr[1] "" - -#~ msgid "" -#~ "The server was unable to handle that much POST data (%s bytes) due to its " -#~ "current configuration." -#~ msgstr "" -#~ "O servidor não conseguiu processar tantos dados POST (%s bytes) devido à " -#~ "sua configuração actual." diff --git a/locale/pt_BR/LC_MESSAGES/statusnet.po b/locale/pt_BR/LC_MESSAGES/statusnet.po index bb8b030dc5..1c9ebc43d9 100644 --- a/locale/pt_BR/LC_MESSAGES/statusnet.po +++ b/locale/pt_BR/LC_MESSAGES/statusnet.po @@ -15,18 +15,18 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet - Core\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-11-04 18:25+0000\n" -"PO-Revision-Date: 2010-11-04 18:27:46+0000\n" +"POT-Creation-Date: 2010-11-07 20:24+0000\n" +"PO-Revision-Date: 2010-11-07 20:27:42+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 (r76004); Translate extension (2010-09-17)\n" +"X-Generator: MediaWiki 1.17alpha (r76266); Translate extension (2010-09-17)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: pt-br\n" "X-Message-Group: #out-statusnet-core\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" -"X-POT-Import-Date: 2010-11-02 23:22:49+0000\n" +"X-POT-Import-Date: 2010-11-05 00:36:07+0000\n" #. TRANS: Page title for Access admin panel that allows configuring site access. #. TRANS: Menu item for site administration @@ -891,9 +891,8 @@ msgstr "O token %s solicitado foi revogado." #. TRANS: Title of the page notifying the user that an anonymous client application was successfully authorized to access the user's account with OAuth. #: actions/apioauthauthorize.php:621 -#, fuzzy msgid "You have successfully authorized the application" -msgstr "Você não está autorizado." +msgstr "A aplicação foi autorizada com sucesso" #. TRANS: Message notifying the user that an anonymous client application was successfully authorized to access the user's account with OAuth. #: actions/apioauthauthorize.php:625 @@ -901,13 +900,15 @@ msgid "" "Please return to the application and enter the following security code to " "complete the process." msgstr "" +"Por favor, retorne à aplicação e digite o seguinte código de segurança para " +"completar o processo." #. TRANS: Title of the page notifying the user that the client application was successfully authorized to access the user's account with OAuth. #. TRANS: %s is the authorised application name. #: actions/apioauthauthorize.php:632 -#, fuzzy, php-format +#, php-format msgid "You have successfully authorized %s" -msgstr "Você não está autorizado." +msgstr "A aplicação %s foi autorizada com sucesso" #. TRANS: Message notifying the user that the client application was successfully authorized to access the user's account with OAuth. #. TRANS: %s is the authorised application name. @@ -917,6 +918,8 @@ msgid "" "Please return to %s and enter the following security code to complete the " "process." msgstr "" +"Por favor, retorne a %s e digite o seguinte código de segurança para " +"completar o processo." #. TRANS: Client error displayed trying to delete a status not using POST or DELETE. #. TRANS: POST and DELETE should not be translated. @@ -968,25 +971,24 @@ msgstr "O cliente tem de fornecer um parâmetro 'status' com um valor." #. TRANS: %d is the maximum number of character for a notice. #: actions/apistatusesupdate.php:244 actions/newnotice.php:161 #: lib/mailhandler.php:60 -#, fuzzy, php-format +#, php-format msgid "That's too long. Maximum notice size is %d character." msgid_plural "That's too long. Maximum notice size is %d characters." -msgstr[0] "Está muito extenso. O tamanho máximo é de %d caracteres." +msgstr[0] "Está muito extenso. O tamanho máximo é de %d caractere." msgstr[1] "Está muito extenso. O tamanho máximo é de %d caracteres." #. TRANS: Client error displayed when replying to a non-existing notice. #: actions/apistatusesupdate.php:284 -#, fuzzy msgid "Parent notice not found." -msgstr "O método da API não foi encontrado!" +msgstr "A mensagem pai não foi encontrada." #. TRANS: Client error displayed exceeding the maximum notice length. #. TRANS: %d is the maximum lenth for a notice. #: actions/apistatusesupdate.php:308 actions/newnotice.php:184 -#, fuzzy, php-format +#, php-format msgid "Maximum notice size is %d character, including attachment URL." msgid_plural "Maximum notice size is %d characters, including attachment URL." -msgstr[0] "O tamanho máximo da mensagem é de %d caracteres" +msgstr[0] "O tamanho máximo da mensagem é de %d caractere" msgstr[1] "O tamanho máximo da mensagem é de %d caracteres" #. TRANS: Client error displayed when requesting profiles of followers in an unsupported format. @@ -1006,16 +1008,16 @@ msgstr "%1$s / Favoritas de %2$s" #. TRANS: %1$s is the StatusNet sitename, %2$s is a user's full name, #. TRANS: %3$s is a user nickname. #: actions/apitimelinefavorites.php:120 -#, fuzzy, php-format +#, php-format msgid "%1$s updates favorited by %2$s / %3$s." -msgstr "%1$s marcadas como favoritas por %2$s / %2$s." +msgstr "Mensagens de %1$s marcadas como favoritas por %2$s / %3$s." #. TRANS: Server error displayed when generating an Atom feed fails. #. TRANS: %s is the error. #: actions/apitimelinegroup.php:138 -#, fuzzy, php-format +#, php-format msgid "Could not generate feed for group - %s" -msgstr "Não foi possível atualizar o grupo." +msgstr "Não foi possível gerar a fonte de notícias para o grupo - %s" #. TRANS: Title for timeline of most recent mentions of a user. #. TRANS: %1$s is the StatusNet sitename, %2$s is a user nickname. @@ -8783,10 +8785,3 @@ msgid "%d entry in backup." msgid_plural "%d entries in backup." msgstr[0] "" msgstr[1] "" - -#~ msgid "" -#~ "The server was unable to handle that much POST data (%s bytes) due to its " -#~ "current configuration." -#~ msgstr "" -#~ "O servidor não conseguiu manipular a quantidade de dados do POST (%s " -#~ "bytes) devido à sua configuração atual." diff --git a/locale/ru/LC_MESSAGES/statusnet.po b/locale/ru/LC_MESSAGES/statusnet.po index 57cc4c46ac..41389a7b3e 100644 --- a/locale/ru/LC_MESSAGES/statusnet.po +++ b/locale/ru/LC_MESSAGES/statusnet.po @@ -14,18 +14,18 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet - Core\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-11-04 18:25+0000\n" -"PO-Revision-Date: 2010-11-04 18:27:47+0000\n" +"POT-Creation-Date: 2010-11-07 20:24+0000\n" +"PO-Revision-Date: 2010-11-07 20:27:43+0000\n" "Language-Team: Russian \n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r76004); Translate extension (2010-09-17)\n" +"X-Generator: MediaWiki 1.17alpha (r76266); Translate extension (2010-09-17)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: ru\n" "X-Message-Group: #out-statusnet-core\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" -"X-POT-Import-Date: 2010-11-02 23:22:49+0000\n" +"X-POT-Import-Date: 2010-11-05 00:36:07+0000\n" #. TRANS: Page title for Access admin panel that allows configuring site access. #. TRANS: Menu item for site administration @@ -8813,10 +8813,3 @@ msgid_plural "%d entries in backup." msgstr[0] "" msgstr[1] "" msgstr[2] "" - -#~ msgid "" -#~ "The server was unable to handle that much POST data (%s bytes) due to its " -#~ "current configuration." -#~ msgstr "" -#~ "Сервер не смог обработать столько POST-данных (%s байт) из-за текущей " -#~ "конфигурации." diff --git a/locale/sv/LC_MESSAGES/statusnet.po b/locale/sv/LC_MESSAGES/statusnet.po index 88ff10436c..6143b31d97 100644 --- a/locale/sv/LC_MESSAGES/statusnet.po +++ b/locale/sv/LC_MESSAGES/statusnet.po @@ -11,17 +11,17 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet - Core\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-11-04 18:25+0000\n" -"PO-Revision-Date: 2010-11-04 18:27:48+0000\n" +"POT-Creation-Date: 2010-11-07 20:24+0000\n" +"PO-Revision-Date: 2010-11-07 20:27:44+0000\n" "Language-Team: Swedish \n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r76004); Translate extension (2010-09-17)\n" +"X-Generator: MediaWiki 1.17alpha (r76266); Translate extension (2010-09-17)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: sv\n" "X-Message-Group: #out-statusnet-core\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-POT-Import-Date: 2010-11-02 23:22:49+0000\n" +"X-POT-Import-Date: 2010-11-05 00:36:07+0000\n" #. TRANS: Page title for Access admin panel that allows configuring site access. #. TRANS: Menu item for site administration @@ -8736,10 +8736,3 @@ msgid "%d entry in backup." msgid_plural "%d entries in backup." msgstr[0] "" msgstr[1] "" - -#~ msgid "" -#~ "The server was unable to handle that much POST data (%s bytes) due to its " -#~ "current configuration." -#~ msgstr "" -#~ "Servern kunde inte hantera så mycket POST-data (%s byte) på grund av sin " -#~ "nuvarande konfiguration." diff --git a/locale/te/LC_MESSAGES/statusnet.po b/locale/te/LC_MESSAGES/statusnet.po index 320dbdec0a..7329fcf2de 100644 --- a/locale/te/LC_MESSAGES/statusnet.po +++ b/locale/te/LC_MESSAGES/statusnet.po @@ -10,17 +10,17 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet - Core\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-11-04 18:25+0000\n" -"PO-Revision-Date: 2010-11-04 18:27:49+0000\n" +"POT-Creation-Date: 2010-11-07 20:24+0000\n" +"PO-Revision-Date: 2010-11-07 20:27:45+0000\n" "Language-Team: Telugu \n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r76004); Translate extension (2010-09-17)\n" +"X-Generator: MediaWiki 1.17alpha (r76266); Translate extension (2010-09-17)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: te\n" "X-Message-Group: #out-statusnet-core\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-POT-Import-Date: 2010-11-02 23:22:49+0000\n" +"X-POT-Import-Date: 2010-11-05 00:36:07+0000\n" #. TRANS: Page title for Access admin panel that allows configuring site access. #. TRANS: Menu item for site administration @@ -1138,21 +1138,18 @@ msgstr "మునుజూపు" #. TRANS: Button on avatar upload page to delete current avatar. #: actions/avatarsettings.php:155 -#, fuzzy msgctxt "BUTTON" msgid "Delete" msgstr "తొలగించు" #. TRANS: Button on avatar upload page to upload an avatar. #: actions/avatarsettings.php:173 -#, fuzzy msgctxt "BUTTON" msgid "Upload" -msgstr "ఎగుమతించు" +msgstr "ఎక్కించు" #. TRANS: Button on avatar upload crop form to confirm a selected crop as avatar. #: actions/avatarsettings.php:243 -#, fuzzy msgctxt "BUTTON" msgid "Crop" msgstr "కత్తిరించు" @@ -1445,9 +1442,8 @@ msgstr "ఈ ఉపకరణాన్ని తొలగించు" #. TRANS: Client error when trying to delete group while not logged in. #: actions/deletegroup.php:64 -#, fuzzy msgid "You must be logged in to delete a group." -msgstr "గుంపుని వదిలివెళ్ళడానికి మీరు ప్రవేశించి ఉండాలి." +msgstr "గుంపుని తొలగించడానికి మీరు ప్రవేశించి ఉండాలి." #. TRANS: Client error when trying to delete a group without providing a nickname or ID for the group. #: actions/deletegroup.php:94 actions/joingroup.php:88 @@ -1457,23 +1453,22 @@ msgstr "Jabber ID లేదు." #. TRANS: Client error when trying to delete a group without having the rights to delete it. #: actions/deletegroup.php:107 -#, fuzzy msgid "You are not allowed to delete this group." -msgstr "మీరు ఈ గుంపులో సభ్యులు కాదు." +msgstr "ఈ గుంపును తొలగించడానికి మీకు అనుమతి లేదు." #. TRANS: Server error displayed if a group could not be deleted. #. TRANS: %s is the name of the group that could not be deleted. #: actions/deletegroup.php:150 -#, fuzzy, php-format +#, php-format msgid "Could not delete group %s." -msgstr "గుంపుని తాజాకరించలేకున్నాం." +msgstr "%s గుంపుని తొలగించలేకున్నాం." #. TRANS: Message given after deleting a group. #. TRANS: %s is the deleted group's name. #: actions/deletegroup.php:159 -#, fuzzy, php-format +#, php-format msgid "Deleted group %s" -msgstr "%2$s గుంపు నుండి %1$s వైదొలిగారు" +msgstr "%s గుంపుని తొలగించాం" #. TRANS: Title of delete group page. #. TRANS: Form legend for deleting a group. @@ -1589,9 +1584,8 @@ msgid "Invalid logo URL." msgstr "చిహ్నపు URL చెల్లదు." #: actions/designadminpanel.php:340 -#, fuzzy msgid "Invalid SSL logo URL." -msgstr "చిహ్నపు URL చెల్లదు." +msgstr "SSL చిహ్నపు URL చెల్లదు." #: actions/designadminpanel.php:344 #, php-format @@ -1607,9 +1601,8 @@ msgid "Site logo" msgstr "సైటు చిహ్నం" #: actions/designadminpanel.php:457 -#, fuzzy msgid "SSL logo" -msgstr "సైటు చిహ్నం" +msgstr "SSL చిహ్నం" #: actions/designadminpanel.php:469 msgid "Change theme" @@ -1986,7 +1979,7 @@ msgstr "%s (@%s) మీ నోటీసుని ఇష్టపడ్డార #. TRANS: Checkbox label in e-mail preferences form. #: actions/emailsettings.php:197 msgid "Send me email when someone sends me a private message." -msgstr "" +msgstr "ఎవరైనా నాకు అంతరంగిక సందేశాన్ని పంపించినప్పుడు నాకు ఈమెయిలుని పంపించు" #. TRANS: Checkbox label in e-mail preferences form. #: actions/emailsettings.php:203 @@ -2727,7 +2720,7 @@ msgstr[1] "మీరు ఇప్పటికే ఈ వాడుకరులక #. TRANS: Used as list item for already subscribed users (%1$s is nickname, %2$s is e-mail address). #. TRANS: Used as list item for already registered people (%1$s is nickname, %2$s is e-mail address). #: actions/invite.php:145 actions/invite.php:159 -#, fuzzy, php-format +#, php-format msgctxt "INVITE" msgid "%1$s (%2$s)" msgstr "%1$s (%2$s)" @@ -2927,7 +2920,7 @@ msgstr "" #: actions/licenseadminpanel.php:239 msgid "License selection" -msgstr "" +msgstr "లైసెన్సు ఎంపిక" #: actions/licenseadminpanel.php:245 msgid "Private" @@ -4749,7 +4742,6 @@ msgstr "సృష్టితం" #. TRANS: Label for member count in statistics on group page. #: actions/showgroup.php:461 -#, fuzzy msgctxt "LABEL" msgid "Members" msgstr "సభ్యులు" @@ -5548,7 +5540,7 @@ msgstr "వాడుకరి" #. TRANS: Instruction for user admin panel. #: actions/useradminpanel.php:69 msgid "User settings for this StatusNet site" -msgstr "" +msgstr "ఈ స్టేటస్‌నెట్ సైటుకి వాడుకరి అమరికలు" #. TRANS: Form validation error in user admin panel when a non-numeric character limit was set. #: actions/useradminpanel.php:147 @@ -5835,9 +5827,9 @@ msgstr "ఇష్టపడు" #. TRANS: Ntofication given when a user marks a notice as favorite. #. TRANS: %1$s is a user nickname or full name, %2$s is a notice URI. #: classes/Fave.php:151 -#, fuzzy, php-format +#, php-format msgid "%1$s marked notice %2$s as a favorite." -msgstr "%s (@%s) మీ నోటీసుని ఇష్టపడ్డారు" +msgstr "%2$s నోటీసుని %1$s ఇష్టాంశంగా గుర్తించారు." #. TRANS: Server exception thrown when a URL cannot be processed. #: classes/File.php:142 @@ -6037,7 +6029,7 @@ msgstr "RT @%1$s %2$s" #. TRANS: Full name of a profile or group followed by nickname in parens #: classes/Profile.php:164 classes/User_group.php:247 -#, fuzzy, php-format +#, php-format msgctxt "FANCYNAME" msgid "%1$s (%2$s)" msgstr "%1$s (%2$s)" @@ -6203,7 +6195,7 @@ msgstr "శీర్షికలేని పేజీ" #: lib/action.php:310 msgctxt "TOOLTIP" msgid "Show more" -msgstr "" +msgstr "మరింత చూపించు" #. TRANS: DT element for primary navigation menu. String is hidden in default CSS. #: lib/action.php:526 @@ -7083,7 +7075,7 @@ msgstr "ఈ లంకెని ఒకేసారి ఉపయోగించగ #: lib/command.php:812 #, php-format msgid "Unsubscribed %s." -msgstr "" +msgstr "%sని చందా విరమింపజేసారు." #. TRANS: Text shown after requesting other users a user is subscribed to without having any subscriptions. #: lib/command.php:830 @@ -7285,11 +7277,11 @@ msgstr "ఈ నోటీసుని పునరావృతించు" #: lib/feed.php:84 msgid "RSS 1.0" -msgstr "" +msgstr "RSS 1.0" #: lib/feed.php:86 msgid "RSS 2.0" -msgstr "" +msgstr "RSS 2.0" #: lib/feed.php:88 msgid "Atom" @@ -8415,10 +8407,9 @@ msgstr "" #. TRANS: Title for the form to unblock a user. #: lib/unblockform.php:67 -#, fuzzy msgctxt "TITLE" msgid "Unblock" -msgstr "నిరోధాన్ని ఎత్తివేయి" +msgstr "నిరోధపు ఎత్తివేత" #: lib/unsandboxform.php:69 msgid "Unsandbox" diff --git a/locale/tr/LC_MESSAGES/statusnet.po b/locale/tr/LC_MESSAGES/statusnet.po index 50ec083e64..5e83b9863d 100644 --- a/locale/tr/LC_MESSAGES/statusnet.po +++ b/locale/tr/LC_MESSAGES/statusnet.po @@ -11,17 +11,17 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet - Core\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-11-04 18:25+0000\n" -"PO-Revision-Date: 2010-11-04 18:27:50+0000\n" +"POT-Creation-Date: 2010-11-07 20:24+0000\n" +"PO-Revision-Date: 2010-11-07 20:27:46+0000\n" "Language-Team: Turkish \n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r76004); Translate extension (2010-09-17)\n" +"X-Generator: MediaWiki 1.17alpha (r76266); Translate extension (2010-09-17)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: tr\n" "X-Message-Group: #out-statusnet-core\n" "Plural-Forms: nplurals=1; plural=0;\n" -"X-POT-Import-Date: 2010-11-02 23:22:49+0000\n" +"X-POT-Import-Date: 2010-11-05 00:36:07+0000\n" #. TRANS: Page title for Access admin panel that allows configuring site access. #. TRANS: Menu item for site administration @@ -826,7 +826,6 @@ msgstr "" #. TRANS: Fieldset legend. #: actions/apioauthauthorize.php:455 -#, fuzzy msgctxt "LEGEND" msgid "Account" msgstr "Hesap" @@ -1159,7 +1158,6 @@ msgstr "Önizleme" #. TRANS: Button on avatar upload page to delete current avatar. #: actions/avatarsettings.php:155 -#, fuzzy msgctxt "BUTTON" msgid "Delete" msgstr "Sil" @@ -1173,7 +1171,6 @@ msgstr "Yükle" #. TRANS: Button on avatar upload crop form to confirm a selected crop as avatar. #: actions/avatarsettings.php:243 -#, fuzzy msgctxt "BUTTON" msgid "Crop" msgstr "Kırp" @@ -1637,9 +1634,8 @@ msgid "Site logo" msgstr "Site logosu" #: actions/designadminpanel.php:457 -#, fuzzy msgid "SSL logo" -msgstr "Site logosu" +msgstr "SSL logosu" #: actions/designadminpanel.php:469 msgid "Change theme" @@ -8535,10 +8531,3 @@ msgstr "Yeni durum mesajı" msgid "%d entry in backup." msgid_plural "%d entries in backup." msgstr[0] "" - -#~ msgid "" -#~ "The server was unable to handle that much POST data (%s bytes) due to its " -#~ "current configuration." -#~ msgstr "" -#~ "Sunucu, şu anki yapılandırması dolayısıyla bu kadar çok POST verisiyle (%" -#~ "s bytes) başa çıkamıyor." diff --git a/locale/uk/LC_MESSAGES/statusnet.po b/locale/uk/LC_MESSAGES/statusnet.po index f32b088655..8021630273 100644 --- a/locale/uk/LC_MESSAGES/statusnet.po +++ b/locale/uk/LC_MESSAGES/statusnet.po @@ -12,18 +12,18 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet - Core\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-11-04 18:25+0000\n" -"PO-Revision-Date: 2010-11-04 18:27:51+0000\n" +"POT-Creation-Date: 2010-11-07 20:24+0000\n" +"PO-Revision-Date: 2010-11-07 20:27:47+0000\n" "Language-Team: Ukrainian \n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r76004); Translate extension (2010-09-17)\n" +"X-Generator: MediaWiki 1.17alpha (r76266); Translate extension (2010-09-17)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: uk\n" "X-Message-Group: #out-statusnet-core\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" -"X-POT-Import-Date: 2010-11-02 23:22:49+0000\n" +"X-POT-Import-Date: 2010-11-05 00:36:07+0000\n" #. TRANS: Page title for Access admin panel that allows configuring site access. #. TRANS: Menu item for site administration @@ -5916,7 +5916,7 @@ msgstr "Робін вважає, що це неможливо." #. TRANS: %1$d is the byte limit for uploads, %2$d is the byte count for the uploaded file. #. TRANS: %1$s is used for plural. #: classes/File.php:190 -#, fuzzy, php-format +#, php-format msgid "" "No file may be larger than %1$d byte and the file you sent was %2$d bytes. " "Try to upload a smaller version." @@ -5924,34 +5924,34 @@ msgid_plural "" "No file may be larger than %1$d bytes and the file you sent was %2$d bytes. " "Try to upload a smaller version." msgstr[0] "" -"Ні, файл не може бути більшим за %1$d байтів, а те, що ви хочете надіслати, " -"важить %2$d байтів. Спробуйте завантажити меншу версію." +"Файл не може бути більшим за %1$d байт, а те, що ви хочете надіслати, важить " +"%2$d байтів. Спробуйте завантажити меншу версію." msgstr[1] "" -"Ні, файл не може бути більшим за %1$d байтів, а те, що ви хочете надіслати, " +"Файл не може бути більшим за %1$d байтів, а те, що ви хочете надіслати, " "важить %2$d байтів. Спробуйте завантажити меншу версію." msgstr[2] "" -"Ні, файл не може бути більшим за %1$d байтів, а те, що ви хочете надіслати, " +"Файл не може бути більшим за %1$d байтів, а те, що ви хочете надіслати, " "важить %2$d байтів. Спробуйте завантажити меншу версію." #. TRANS: Message given if an upload would exceed user quota. #. TRANS: %d (number) is the user quota in bytes and is used for plural. #: classes/File.php:203 -#, fuzzy, php-format +#, php-format msgid "A file this large would exceed your user quota of %d byte." msgid_plural "A file this large would exceed your user quota of %d bytes." -msgstr[0] "Розміри цього файлу перевищують вашу квоту на %d байтів." -msgstr[1] "Розміри цього файлу перевищують вашу квоту на %d байтів." -msgstr[2] "Розміри цього файлу перевищують вашу квоту на %d байтів." +msgstr[0] "Розміри цього файлу перевищують вашу квоту у %d байт." +msgstr[1] "Розміри цього файлу перевищують вашу квоту у %d байтів." +msgstr[2] "Розміри цього файлу перевищують вашу квоту у %d байтів." #. TRANS: Message given id an upload would exceed a user's monthly quota. #. TRANS: $d (number) is the monthly user quota in bytes and is used for plural. #: classes/File.php:215 -#, fuzzy, php-format +#, php-format msgid "A file this large would exceed your monthly quota of %d byte." msgid_plural "A file this large would exceed your monthly quota of %d bytes." -msgstr[0] "Розміри цього файлу перевищують вашу місячну квоту на %d байтів." -msgstr[1] "Розміри цього файлу перевищують вашу місячну квоту на %d байтів." -msgstr[2] "Розміри цього файлу перевищують вашу місячну квоту на %d байтів." +msgstr[0] "Розміри цього файлу перевищують вашу місячну квоту у %d байт." +msgstr[1] "Розміри цього файлу перевищують вашу місячну квоту у %d байтів." +msgstr[2] "Розміри цього файлу перевищують вашу місячну квоту у %d байтів." #. TRANS: Client exception thrown if a file upload does not have a valid name. #: classes/File.php:262 classes/File.php:277 @@ -6084,9 +6084,8 @@ msgstr "Проблема при збереженні допису." #. TRANS: Server exception thrown when no array is provided to the method saveKnownGroups(). #: classes/Notice.php:905 -#, fuzzy msgid "Bad type provided to saveKnownGroups." -msgstr "Задається невірний тип для saveKnownGroups" +msgstr "Вказано невірний тип для saveKnownGroups." #. TRANS: Server exception thrown when an update for a group inbox fails. #: classes/Notice.php:1004 @@ -7360,21 +7359,18 @@ msgstr "" #. TRANS: Radio button on profile design page that will enable use of the uploaded profile image. #: lib/designsettings.php:139 -#, fuzzy msgctxt "RADIO" msgid "On" msgstr "Увімк." #. TRANS: Radio button on profile design page that will disable use of the uploaded profile image. #: lib/designsettings.php:156 -#, fuzzy msgctxt "RADIO" msgid "Off" msgstr "Вимк." #. TRANS: Button text on profile design page to reset all colour settings to default without saving. #: lib/designsettings.php:264 -#, fuzzy msgctxt "BUTTON" msgid "Reset" msgstr "Скинути" @@ -8485,9 +8481,8 @@ msgstr "Пусто" #. TRANS: Server exception displayed if a theme name was invalid. #: lib/theme.php:74 -#, fuzzy msgid "Invalid theme name." -msgstr "Невірне ім’я файлу." +msgstr "Невірне назва теми." #: lib/themeuploader.php:50 msgid "This server cannot handle theme uploads without ZIP support." @@ -8758,10 +8753,3 @@ msgid_plural "%d entries in backup." msgstr[0] "У резервному файлі збережено %d допис." msgstr[1] "У резервному файлі збережено %d дописів." msgstr[2] "У резервному файлі збережено %d дописів." - -#~ msgid "" -#~ "The server was unable to handle that much POST data (%s bytes) due to its " -#~ "current configuration." -#~ msgstr "" -#~ "Сервер нездатен обробити таку кількість даних (%s байтів) за поточної " -#~ "конфігурації." diff --git a/locale/zh_CN/LC_MESSAGES/statusnet.po b/locale/zh_CN/LC_MESSAGES/statusnet.po index 2ea284a880..8a027120df 100644 --- a/locale/zh_CN/LC_MESSAGES/statusnet.po +++ b/locale/zh_CN/LC_MESSAGES/statusnet.po @@ -14,18 +14,18 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet - Core\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-11-04 18:25+0000\n" -"PO-Revision-Date: 2010-11-04 18:27:52+0000\n" +"POT-Creation-Date: 2010-11-07 20:24+0000\n" +"PO-Revision-Date: 2010-11-07 20:27:48+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 (r76004); Translate extension (2010-09-17)\n" +"X-Generator: MediaWiki 1.17alpha (r76266); Translate extension (2010-09-17)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: zh-hans\n" "X-Message-Group: #out-statusnet-core\n" "Plural-Forms: nplurals=1; plural=0;\n" -"X-POT-Import-Date: 2010-11-02 23:22:49+0000\n" +"X-POT-Import-Date: 2010-11-05 00:36:07+0000\n" #. TRANS: Page title for Access admin panel that allows configuring site access. #. TRANS: Menu item for site administration @@ -8534,8 +8534,3 @@ msgstr "没有用户被指定;使用备份用户。" msgid "%d entry in backup." msgid_plural "%d entries in backup." msgstr[0] "备份中有 %d 个条目。" - -#~ msgid "" -#~ "The server was unable to handle that much POST data (%s bytes) due to its " -#~ "current configuration." -#~ msgstr "服务器当前的设置无法处理这么多的 POST 数据(%s bytes)。" diff --git a/plugins/Adsense/locale/Adsense.pot b/plugins/Adsense/locale/Adsense.pot index 2f5e4af2f8..77db7e7d8c 100644 --- a/plugins/Adsense/locale/Adsense.pot +++ b/plugins/Adsense/locale/Adsense.pot @@ -8,7 +8,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-10-27 23:43+0000\n" +"POT-Creation-Date: 2010-11-07 20:25+0000\n" "PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" "Last-Translator: FULL NAME \n" "Language-Team: LANGUAGE \n" @@ -27,7 +27,7 @@ msgid "AdSense" msgstr "" #: AdsensePlugin.php:209 -msgid "Plugin to add Google Adsense to StatusNet sites." +msgid "Plugin to add Google AdSense to StatusNet sites." msgstr "" #: adsenseadminpanel.php:52 diff --git a/plugins/Adsense/locale/br/LC_MESSAGES/Adsense.po b/plugins/Adsense/locale/br/LC_MESSAGES/Adsense.po index c572f9b271..87c864a69d 100644 --- a/plugins/Adsense/locale/br/LC_MESSAGES/Adsense.po +++ b/plugins/Adsense/locale/br/LC_MESSAGES/Adsense.po @@ -9,13 +9,13 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet - Adsense\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-10-27 23:43+0000\n" -"PO-Revision-Date: 2010-10-27 23:46:09+0000\n" +"POT-Creation-Date: 2010-11-07 20:25+0000\n" +"PO-Revision-Date: 2010-11-07 20:27:50+0000\n" "Language-Team: Breton \n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-POT-Import-Date: 2010-10-20 17:58:21+0000\n" -"X-Generator: MediaWiki 1.17alpha (r75590); Translate extension (2010-09-17)\n" +"X-POT-Import-Date: 2010-10-30 23:43:40+0000\n" +"X-Generator: MediaWiki 1.17alpha (r76266); Translate extension (2010-09-17)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: br\n" "X-Message-Group: #out-statusnet-plugin-adsense\n" @@ -32,7 +32,8 @@ msgid "AdSense" msgstr "AdSense" #: AdsensePlugin.php:209 -msgid "Plugin to add Google Adsense to StatusNet sites." +#, fuzzy +msgid "Plugin to add Google AdSense to StatusNet sites." msgstr "Plugin evit ouzhpennañ Google Adsense da lec'hiennoù StatusNet." #: adsenseadminpanel.php:52 diff --git a/plugins/Adsense/locale/de/LC_MESSAGES/Adsense.po b/plugins/Adsense/locale/de/LC_MESSAGES/Adsense.po index e7ddaa32e9..e6c880a6e3 100644 --- a/plugins/Adsense/locale/de/LC_MESSAGES/Adsense.po +++ b/plugins/Adsense/locale/de/LC_MESSAGES/Adsense.po @@ -9,13 +9,13 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet - Adsense\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-10-27 23:43+0000\n" -"PO-Revision-Date: 2010-10-27 23:46:09+0000\n" +"POT-Creation-Date: 2010-11-07 20:25+0000\n" +"PO-Revision-Date: 2010-11-07 20:27:50+0000\n" "Language-Team: German \n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-POT-Import-Date: 2010-10-20 17:58:21+0000\n" -"X-Generator: MediaWiki 1.17alpha (r75590); Translate extension (2010-09-17)\n" +"X-POT-Import-Date: 2010-10-30 23:43:40+0000\n" +"X-Generator: MediaWiki 1.17alpha (r76266); Translate extension (2010-09-17)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: de\n" "X-Message-Group: #out-statusnet-plugin-adsense\n" @@ -32,7 +32,8 @@ msgid "AdSense" msgstr "AdSense" #: AdsensePlugin.php:209 -msgid "Plugin to add Google Adsense to StatusNet sites." +#, fuzzy +msgid "Plugin to add Google AdSense to StatusNet sites." msgstr "Plugin, das Google Adsense auf StatusNet-Websites hinzufügt." #: adsenseadminpanel.php:52 diff --git a/plugins/Adsense/locale/es/LC_MESSAGES/Adsense.po b/plugins/Adsense/locale/es/LC_MESSAGES/Adsense.po index 5a2fcfb255..1232b8293e 100644 --- a/plugins/Adsense/locale/es/LC_MESSAGES/Adsense.po +++ b/plugins/Adsense/locale/es/LC_MESSAGES/Adsense.po @@ -9,13 +9,13 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet - Adsense\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-10-27 23:43+0000\n" -"PO-Revision-Date: 2010-10-27 23:46:09+0000\n" +"POT-Creation-Date: 2010-11-07 20:25+0000\n" +"PO-Revision-Date: 2010-11-07 20:27:50+0000\n" "Language-Team: Spanish \n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-POT-Import-Date: 2010-10-20 17:58:21+0000\n" -"X-Generator: MediaWiki 1.17alpha (r75590); Translate extension (2010-09-17)\n" +"X-POT-Import-Date: 2010-10-30 23:43:40+0000\n" +"X-Generator: MediaWiki 1.17alpha (r76266); Translate extension (2010-09-17)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: es\n" "X-Message-Group: #out-statusnet-plugin-adsense\n" @@ -32,7 +32,8 @@ msgid "AdSense" msgstr "AdSense" #: AdsensePlugin.php:209 -msgid "Plugin to add Google Adsense to StatusNet sites." +#, fuzzy +msgid "Plugin to add Google AdSense to StatusNet sites." msgstr "Extensión para añadir Google Adsense a sitios StatusNet." #: adsenseadminpanel.php:52 diff --git a/plugins/Adsense/locale/fr/LC_MESSAGES/Adsense.po b/plugins/Adsense/locale/fr/LC_MESSAGES/Adsense.po index 17b56a00aa..e73c99a46a 100644 --- a/plugins/Adsense/locale/fr/LC_MESSAGES/Adsense.po +++ b/plugins/Adsense/locale/fr/LC_MESSAGES/Adsense.po @@ -10,13 +10,13 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet - Adsense\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-10-27 23:43+0000\n" -"PO-Revision-Date: 2010-10-27 23:46:09+0000\n" +"POT-Creation-Date: 2010-11-07 20:25+0000\n" +"PO-Revision-Date: 2010-11-07 20:27:50+0000\n" "Language-Team: French \n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-POT-Import-Date: 2010-10-20 17:58:21+0000\n" -"X-Generator: MediaWiki 1.17alpha (r75590); Translate extension (2010-09-17)\n" +"X-POT-Import-Date: 2010-10-30 23:43:40+0000\n" +"X-Generator: MediaWiki 1.17alpha (r76266); Translate extension (2010-09-17)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: fr\n" "X-Message-Group: #out-statusnet-plugin-adsense\n" @@ -33,7 +33,8 @@ msgid "AdSense" msgstr "AdSense" #: AdsensePlugin.php:209 -msgid "Plugin to add Google Adsense to StatusNet sites." +#, fuzzy +msgid "Plugin to add Google AdSense to StatusNet sites." msgstr "Greffon pour ajouter Google Adsense aux sites StatusNet." #: adsenseadminpanel.php:52 diff --git a/plugins/Adsense/locale/gl/LC_MESSAGES/Adsense.po b/plugins/Adsense/locale/gl/LC_MESSAGES/Adsense.po index e906670ea2..2efd29f966 100644 --- a/plugins/Adsense/locale/gl/LC_MESSAGES/Adsense.po +++ b/plugins/Adsense/locale/gl/LC_MESSAGES/Adsense.po @@ -9,13 +9,13 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet - Adsense\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-10-27 23:43+0000\n" -"PO-Revision-Date: 2010-10-27 23:46:09+0000\n" +"POT-Creation-Date: 2010-11-07 20:25+0000\n" +"PO-Revision-Date: 2010-11-07 20:27:50+0000\n" "Language-Team: Galician \n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-POT-Import-Date: 2010-10-20 17:58:21+0000\n" -"X-Generator: MediaWiki 1.17alpha (r75590); Translate extension (2010-09-17)\n" +"X-POT-Import-Date: 2010-10-30 23:43:40+0000\n" +"X-Generator: MediaWiki 1.17alpha (r76266); Translate extension (2010-09-17)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: gl\n" "X-Message-Group: #out-statusnet-plugin-adsense\n" @@ -32,7 +32,7 @@ msgid "AdSense" msgstr "AdSense" #: AdsensePlugin.php:209 -msgid "Plugin to add Google Adsense to StatusNet sites." +msgid "Plugin to add Google AdSense to StatusNet sites." msgstr "" #: adsenseadminpanel.php:52 diff --git a/plugins/Adsense/locale/ia/LC_MESSAGES/Adsense.po b/plugins/Adsense/locale/ia/LC_MESSAGES/Adsense.po index 1f8a73ea20..ef9250d000 100644 --- a/plugins/Adsense/locale/ia/LC_MESSAGES/Adsense.po +++ b/plugins/Adsense/locale/ia/LC_MESSAGES/Adsense.po @@ -9,13 +9,13 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet - Adsense\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-10-27 23:43+0000\n" -"PO-Revision-Date: 2010-10-27 23:46:09+0000\n" +"POT-Creation-Date: 2010-11-07 20:25+0000\n" +"PO-Revision-Date: 2010-11-07 20:27:50+0000\n" "Language-Team: Interlingua \n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-POT-Import-Date: 2010-10-20 17:58:21+0000\n" -"X-Generator: MediaWiki 1.17alpha (r75590); Translate extension (2010-09-17)\n" +"X-POT-Import-Date: 2010-10-30 23:43:40+0000\n" +"X-Generator: MediaWiki 1.17alpha (r76266); Translate extension (2010-09-17)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: ia\n" "X-Message-Group: #out-statusnet-plugin-adsense\n" @@ -32,7 +32,8 @@ msgid "AdSense" msgstr "AdSense" #: AdsensePlugin.php:209 -msgid "Plugin to add Google Adsense to StatusNet sites." +#, fuzzy +msgid "Plugin to add Google AdSense to StatusNet sites." msgstr "Plug-in pro adder Google Adsense a sitos StatusNet." #: adsenseadminpanel.php:52 diff --git a/plugins/Adsense/locale/it/LC_MESSAGES/Adsense.po b/plugins/Adsense/locale/it/LC_MESSAGES/Adsense.po index e8addce834..004fe05594 100644 --- a/plugins/Adsense/locale/it/LC_MESSAGES/Adsense.po +++ b/plugins/Adsense/locale/it/LC_MESSAGES/Adsense.po @@ -9,13 +9,13 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet - Adsense\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-10-27 23:43+0000\n" -"PO-Revision-Date: 2010-10-27 23:46:09+0000\n" +"POT-Creation-Date: 2010-11-07 20:25+0000\n" +"PO-Revision-Date: 2010-11-07 20:27:50+0000\n" "Language-Team: Italian \n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-POT-Import-Date: 2010-10-20 17:58:21+0000\n" -"X-Generator: MediaWiki 1.17alpha (r75590); Translate extension (2010-09-17)\n" +"X-POT-Import-Date: 2010-10-30 23:43:40+0000\n" +"X-Generator: MediaWiki 1.17alpha (r76266); Translate extension (2010-09-17)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: it\n" "X-Message-Group: #out-statusnet-plugin-adsense\n" @@ -32,7 +32,8 @@ msgid "AdSense" msgstr "AdSense" #: AdsensePlugin.php:209 -msgid "Plugin to add Google Adsense to StatusNet sites." +#, fuzzy +msgid "Plugin to add Google AdSense to StatusNet sites." msgstr "Plugin per aggiungere Google Adsense ai siti StatusNet" #: adsenseadminpanel.php:52 diff --git a/plugins/Adsense/locale/ka/LC_MESSAGES/Adsense.po b/plugins/Adsense/locale/ka/LC_MESSAGES/Adsense.po index d3ccee66ef..ee971e6d12 100644 --- a/plugins/Adsense/locale/ka/LC_MESSAGES/Adsense.po +++ b/plugins/Adsense/locale/ka/LC_MESSAGES/Adsense.po @@ -9,13 +9,13 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet - Adsense\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-10-27 23:43+0000\n" -"PO-Revision-Date: 2010-10-27 23:46:09+0000\n" +"POT-Creation-Date: 2010-11-07 20:25+0000\n" +"PO-Revision-Date: 2010-11-07 20:27:50+0000\n" "Language-Team: Georgian \n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-POT-Import-Date: 2010-10-20 17:58:21+0000\n" -"X-Generator: MediaWiki 1.17alpha (r75590); Translate extension (2010-09-17)\n" +"X-POT-Import-Date: 2010-10-30 23:43:40+0000\n" +"X-Generator: MediaWiki 1.17alpha (r76266); Translate extension (2010-09-17)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: ka\n" "X-Message-Group: #out-statusnet-plugin-adsense\n" @@ -32,7 +32,7 @@ msgid "AdSense" msgstr "AdSense" #: AdsensePlugin.php:209 -msgid "Plugin to add Google Adsense to StatusNet sites." +msgid "Plugin to add Google AdSense to StatusNet sites." msgstr "" #: adsenseadminpanel.php:52 diff --git a/plugins/Adsense/locale/mk/LC_MESSAGES/Adsense.po b/plugins/Adsense/locale/mk/LC_MESSAGES/Adsense.po index 44fe432aaf..ef9b949e4d 100644 --- a/plugins/Adsense/locale/mk/LC_MESSAGES/Adsense.po +++ b/plugins/Adsense/locale/mk/LC_MESSAGES/Adsense.po @@ -9,13 +9,13 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet - Adsense\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-10-27 23:43+0000\n" -"PO-Revision-Date: 2010-10-27 23:46:09+0000\n" +"POT-Creation-Date: 2010-11-07 20:25+0000\n" +"PO-Revision-Date: 2010-11-07 20:27:50+0000\n" "Language-Team: Macedonian \n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-POT-Import-Date: 2010-10-20 17:58:21+0000\n" -"X-Generator: MediaWiki 1.17alpha (r75590); Translate extension (2010-09-17)\n" +"X-POT-Import-Date: 2010-10-30 23:43:40+0000\n" +"X-Generator: MediaWiki 1.17alpha (r76266); Translate extension (2010-09-17)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: mk\n" "X-Message-Group: #out-statusnet-plugin-adsense\n" @@ -32,7 +32,8 @@ msgid "AdSense" msgstr "AdSense" #: AdsensePlugin.php:209 -msgid "Plugin to add Google Adsense to StatusNet sites." +#, fuzzy +msgid "Plugin to add Google AdSense to StatusNet sites." msgstr "Приклучок за додавање на Google AdSense во мреж. места со StatusNet." #: adsenseadminpanel.php:52 diff --git a/plugins/Adsense/locale/nl/LC_MESSAGES/Adsense.po b/plugins/Adsense/locale/nl/LC_MESSAGES/Adsense.po index c4854ad3f8..9c722cc956 100644 --- a/plugins/Adsense/locale/nl/LC_MESSAGES/Adsense.po +++ b/plugins/Adsense/locale/nl/LC_MESSAGES/Adsense.po @@ -9,13 +9,13 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet - Adsense\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-10-27 23:43+0000\n" -"PO-Revision-Date: 2010-10-27 23:46:09+0000\n" +"POT-Creation-Date: 2010-11-07 20:25+0000\n" +"PO-Revision-Date: 2010-11-07 20:27:50+0000\n" "Language-Team: Dutch \n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-POT-Import-Date: 2010-10-20 17:58:21+0000\n" -"X-Generator: MediaWiki 1.17alpha (r75590); Translate extension (2010-09-17)\n" +"X-POT-Import-Date: 2010-10-30 23:43:40+0000\n" +"X-Generator: MediaWiki 1.17alpha (r76266); Translate extension (2010-09-17)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: nl\n" "X-Message-Group: #out-statusnet-plugin-adsense\n" @@ -32,7 +32,8 @@ msgid "AdSense" msgstr "AdSense" #: AdsensePlugin.php:209 -msgid "Plugin to add Google Adsense to StatusNet sites." +#, fuzzy +msgid "Plugin to add Google AdSense to StatusNet sites." msgstr "Plug-in om Google AdSense toe te voegen aan Statusnetsites." #: adsenseadminpanel.php:52 diff --git a/plugins/Adsense/locale/pt_BR/LC_MESSAGES/Adsense.po b/plugins/Adsense/locale/pt_BR/LC_MESSAGES/Adsense.po index 66ffa6b7ac..649287cebd 100644 --- a/plugins/Adsense/locale/pt_BR/LC_MESSAGES/Adsense.po +++ b/plugins/Adsense/locale/pt_BR/LC_MESSAGES/Adsense.po @@ -10,14 +10,14 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet - Adsense\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-10-30 23:18+0000\n" -"PO-Revision-Date: 2010-10-30 23:20:58+0000\n" +"POT-Creation-Date: 2010-11-07 20:25+0000\n" +"PO-Revision-Date: 2010-11-07 20:27:50+0000\n" "Language-Team: Brazilian Portuguese \n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-POT-Import-Date: 2010-10-29 16:11:50+0000\n" -"X-Generator: MediaWiki 1.17alpha (r75708); Translate extension (2010-09-17)\n" +"X-POT-Import-Date: 2010-10-30 23:43:40+0000\n" +"X-Generator: MediaWiki 1.17alpha (r76266); Translate extension (2010-09-17)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: pt-br\n" "X-Message-Group: #out-statusnet-plugin-adsense\n" @@ -34,7 +34,8 @@ msgid "AdSense" msgstr "AdSense" #: AdsensePlugin.php:209 -msgid "Plugin to add Google Adsense to StatusNet sites." +#, fuzzy +msgid "Plugin to add Google AdSense to StatusNet sites." msgstr "Plugin para adicionar Google Adsense aos sites StatusNet." #: adsenseadminpanel.php:52 diff --git a/plugins/Adsense/locale/ru/LC_MESSAGES/Adsense.po b/plugins/Adsense/locale/ru/LC_MESSAGES/Adsense.po index 85bb316a61..3a359a3a96 100644 --- a/plugins/Adsense/locale/ru/LC_MESSAGES/Adsense.po +++ b/plugins/Adsense/locale/ru/LC_MESSAGES/Adsense.po @@ -10,13 +10,13 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet - Adsense\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-10-27 23:43+0000\n" -"PO-Revision-Date: 2010-10-27 23:46:09+0000\n" +"POT-Creation-Date: 2010-11-07 20:25+0000\n" +"PO-Revision-Date: 2010-11-07 20:27:50+0000\n" "Language-Team: Russian \n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-POT-Import-Date: 2010-10-20 17:58:21+0000\n" -"X-Generator: MediaWiki 1.17alpha (r75590); Translate extension (2010-09-17)\n" +"X-POT-Import-Date: 2010-10-30 23:43:40+0000\n" +"X-Generator: MediaWiki 1.17alpha (r76266); Translate extension (2010-09-17)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: ru\n" "X-Message-Group: #out-statusnet-plugin-adsense\n" @@ -34,7 +34,8 @@ msgid "AdSense" msgstr "AdSense" #: AdsensePlugin.php:209 -msgid "Plugin to add Google Adsense to StatusNet sites." +#, fuzzy +msgid "Plugin to add Google AdSense to StatusNet sites." msgstr "Плагин для добавления Google Adsense на сайты StatusNet." #: adsenseadminpanel.php:52 diff --git a/plugins/Adsense/locale/sv/LC_MESSAGES/Adsense.po b/plugins/Adsense/locale/sv/LC_MESSAGES/Adsense.po index 031b795032..f8e3d83bc6 100644 --- a/plugins/Adsense/locale/sv/LC_MESSAGES/Adsense.po +++ b/plugins/Adsense/locale/sv/LC_MESSAGES/Adsense.po @@ -9,13 +9,13 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet - Adsense\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-10-27 23:43+0000\n" -"PO-Revision-Date: 2010-10-27 23:46:09+0000\n" +"POT-Creation-Date: 2010-11-07 20:25+0000\n" +"PO-Revision-Date: 2010-11-07 20:27:50+0000\n" "Language-Team: Swedish \n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-POT-Import-Date: 2010-10-20 17:58:21+0000\n" -"X-Generator: MediaWiki 1.17alpha (r75590); Translate extension (2010-09-17)\n" +"X-POT-Import-Date: 2010-10-30 23:43:40+0000\n" +"X-Generator: MediaWiki 1.17alpha (r76266); Translate extension (2010-09-17)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: sv\n" "X-Message-Group: #out-statusnet-plugin-adsense\n" @@ -32,7 +32,7 @@ msgid "AdSense" msgstr "AdSense" #: AdsensePlugin.php:209 -msgid "Plugin to add Google Adsense to StatusNet sites." +msgid "Plugin to add Google AdSense to StatusNet sites." msgstr "" #: adsenseadminpanel.php:52 diff --git a/plugins/Adsense/locale/tl/LC_MESSAGES/Adsense.po b/plugins/Adsense/locale/tl/LC_MESSAGES/Adsense.po index ad5ed1ad26..db5d3445b0 100644 --- a/plugins/Adsense/locale/tl/LC_MESSAGES/Adsense.po +++ b/plugins/Adsense/locale/tl/LC_MESSAGES/Adsense.po @@ -9,13 +9,13 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet - Adsense\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-10-27 23:43+0000\n" -"PO-Revision-Date: 2010-10-27 23:46:09+0000\n" +"POT-Creation-Date: 2010-11-07 20:25+0000\n" +"PO-Revision-Date: 2010-11-07 20:27:50+0000\n" "Language-Team: Tagalog \n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-POT-Import-Date: 2010-10-20 17:58:21+0000\n" -"X-Generator: MediaWiki 1.17alpha (r75590); Translate extension (2010-09-17)\n" +"X-POT-Import-Date: 2010-10-30 23:43:40+0000\n" +"X-Generator: MediaWiki 1.17alpha (r76266); Translate extension (2010-09-17)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: tl\n" "X-Message-Group: #out-statusnet-plugin-adsense\n" @@ -32,7 +32,8 @@ msgid "AdSense" msgstr "AdSense" #: AdsensePlugin.php:209 -msgid "Plugin to add Google Adsense to StatusNet sites." +#, fuzzy +msgid "Plugin to add Google AdSense to StatusNet sites." msgstr "" "Pampasak upang maidagdag ang Adsense ng Google sa mga sityo ng StatusNet." diff --git a/plugins/Adsense/locale/uk/LC_MESSAGES/Adsense.po b/plugins/Adsense/locale/uk/LC_MESSAGES/Adsense.po index f15de57c98..fe9ee49848 100644 --- a/plugins/Adsense/locale/uk/LC_MESSAGES/Adsense.po +++ b/plugins/Adsense/locale/uk/LC_MESSAGES/Adsense.po @@ -9,13 +9,13 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet - Adsense\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-10-27 23:43+0000\n" -"PO-Revision-Date: 2010-10-27 23:46:09+0000\n" +"POT-Creation-Date: 2010-11-07 20:25+0000\n" +"PO-Revision-Date: 2010-11-07 20:27:51+0000\n" "Language-Team: Ukrainian \n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-POT-Import-Date: 2010-10-20 17:58:21+0000\n" -"X-Generator: MediaWiki 1.17alpha (r75590); Translate extension (2010-09-17)\n" +"X-POT-Import-Date: 2010-10-30 23:43:40+0000\n" +"X-Generator: MediaWiki 1.17alpha (r76266); Translate extension (2010-09-17)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: uk\n" "X-Message-Group: #out-statusnet-plugin-adsense\n" @@ -33,7 +33,8 @@ msgid "AdSense" msgstr "AdSense" #: AdsensePlugin.php:209 -msgid "Plugin to add Google Adsense to StatusNet sites." +#, fuzzy +msgid "Plugin to add Google AdSense to StatusNet sites." msgstr "Додаток для відображення Google Adsense на сторінці сайту StatusNet." #: adsenseadminpanel.php:52 diff --git a/plugins/Adsense/locale/zh_CN/LC_MESSAGES/Adsense.po b/plugins/Adsense/locale/zh_CN/LC_MESSAGES/Adsense.po index 9bc76e4160..0bdb9880d4 100644 --- a/plugins/Adsense/locale/zh_CN/LC_MESSAGES/Adsense.po +++ b/plugins/Adsense/locale/zh_CN/LC_MESSAGES/Adsense.po @@ -10,14 +10,14 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet - Adsense\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-10-27 23:43+0000\n" -"PO-Revision-Date: 2010-10-27 23:46:09+0000\n" +"POT-Creation-Date: 2010-11-07 20:25+0000\n" +"PO-Revision-Date: 2010-11-07 20:27:51+0000\n" "Language-Team: Simplified Chinese \n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-POT-Import-Date: 2010-10-20 17:58:21+0000\n" -"X-Generator: MediaWiki 1.17alpha (r75590); Translate extension (2010-09-17)\n" +"X-POT-Import-Date: 2010-10-30 23:43:40+0000\n" +"X-Generator: MediaWiki 1.17alpha (r76266); Translate extension (2010-09-17)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: zh-hans\n" "X-Message-Group: #out-statusnet-plugin-adsense\n" @@ -34,7 +34,8 @@ msgid "AdSense" msgstr "AdSense" #: AdsensePlugin.php:209 -msgid "Plugin to add Google Adsense to StatusNet sites." +#, fuzzy +msgid "Plugin to add Google AdSense to StatusNet sites." msgstr "添加 Google Adsense 到 StatusNet 网站的插件。" #: adsenseadminpanel.php:52 diff --git a/plugins/BitlyUrl/locale/nb/LC_MESSAGES/BitlyUrl.po b/plugins/BitlyUrl/locale/nb/LC_MESSAGES/BitlyUrl.po index de00fc1cab..4298ae85e3 100644 --- a/plugins/BitlyUrl/locale/nb/LC_MESSAGES/BitlyUrl.po +++ b/plugins/BitlyUrl/locale/nb/LC_MESSAGES/BitlyUrl.po @@ -9,13 +9,13 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet - BitlyUrl\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-10-27 23:43+0000\n" -"PO-Revision-Date: 2010-10-27 23:46:16+0000\n" +"POT-Creation-Date: 2010-11-07 20:25+0000\n" +"PO-Revision-Date: 2010-11-07 20:27:56+0000\n" "Language-Team: Norwegian (bokmål)‬ \n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-POT-Import-Date: 2010-10-20 17:58:21+0000\n" -"X-Generator: MediaWiki 1.17alpha (r75590); Translate extension (2010-09-17)\n" +"X-POT-Import-Date: 2010-10-29 16:11:53+0000\n" +"X-Generator: MediaWiki 1.17alpha (r76266); Translate extension (2010-09-17)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: no\n" "X-Message-Group: #out-statusnet-plugin-bitlyurl\n" @@ -23,7 +23,7 @@ msgstr "" #: BitlyUrlPlugin.php:48 msgid "You must specify a serviceUrl for bit.ly shortening." -msgstr "" +msgstr "Du må angi en serviceUrl for bit.ly-forkortelse." #: BitlyUrlPlugin.php:171 #, php-format diff --git a/plugins/Disqus/locale/br/LC_MESSAGES/Disqus.po b/plugins/Disqus/locale/br/LC_MESSAGES/Disqus.po index caafa7ba82..d647fe3f6f 100644 --- a/plugins/Disqus/locale/br/LC_MESSAGES/Disqus.po +++ b/plugins/Disqus/locale/br/LC_MESSAGES/Disqus.po @@ -9,13 +9,13 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet - Disqus\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-10-27 23:43+0000\n" -"PO-Revision-Date: 2010-10-27 23:46:26+0000\n" +"POT-Creation-Date: 2010-11-07 20:25+0000\n" +"PO-Revision-Date: 2010-11-07 20:28:06+0000\n" "Language-Team: Breton \n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-POT-Import-Date: 2010-10-18 20:29:07+0000\n" -"X-Generator: MediaWiki 1.17alpha (r75590); Translate extension (2010-09-17)\n" +"X-POT-Import-Date: 2010-10-29 16:12:43+0000\n" +"X-Generator: MediaWiki 1.17alpha (r76266); Translate extension (2010-09-17)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: br\n" "X-Message-Group: #out-statusnet-plugin-disqus\n" @@ -27,10 +27,12 @@ msgid "" "Please enable JavaScript to view the [comments powered by Disqus](http://" "disqus.com/?ref_noscript=%s)." msgstr "" +"Mar plij gweredekait JavaScript evit gwelet an [evezhiadennoù enlusket gant " +"Disqus] (http://disqus.com/?ref_noscript=%s)." #: DisqusPlugin.php:149 msgid "Comments powered by " -msgstr "" +msgstr "Evezhiadennoù enlusket gant " #: DisqusPlugin.php:201 msgid "Comments" diff --git a/plugins/Sample/locale/br/LC_MESSAGES/Sample.po b/plugins/Sample/locale/br/LC_MESSAGES/Sample.po index 2ac1405de0..0702b07c3f 100644 --- a/plugins/Sample/locale/br/LC_MESSAGES/Sample.po +++ b/plugins/Sample/locale/br/LC_MESSAGES/Sample.po @@ -9,13 +9,13 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet - Sample\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-10-27 23:43+0000\n" -"PO-Revision-Date: 2010-10-27 23:47:31+0000\n" +"POT-Creation-Date: 2010-11-07 20:25+0000\n" +"PO-Revision-Date: 2010-11-07 20:29:05+0000\n" "Language-Team: Breton \n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-POT-Import-Date: 2010-10-20 17:58:22+0000\n" -"X-Generator: MediaWiki 1.17alpha (r75596); Translate extension (2010-09-17)\n" +"X-POT-Import-Date: 2010-10-29 16:14:01+0000\n" +"X-Generator: MediaWiki 1.17alpha (r76266); Translate extension (2010-09-17)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: br\n" "X-Message-Group: #out-statusnet-plugin-sample\n" @@ -26,14 +26,14 @@ msgstr "" #: User_greeting_count.php:164 #, php-format msgid "Could not save new greeting count for %d." -msgstr "" +msgstr "Dibosupl eo enrollañ ar gont degemer nevez evit an implijer %d." #. TRANS: Exception thrown when the user greeting count could not be saved in the database. #. TRANS: %d is a user ID (number). #: User_greeting_count.php:177 #, php-format msgid "Could not increment greeting count for %d." -msgstr "" +msgstr "Dibosupl eo inkremantañ ar gont degemer nevez evit an implijer %d." #: SamplePlugin.php:259 hello.php:111 msgid "Hello" @@ -41,11 +41,13 @@ msgstr "Demat" #: SamplePlugin.php:259 msgid "A warm greeting" -msgstr "" +msgstr "Un degemer tomm" #: SamplePlugin.php:270 msgid "A sample plugin to show basics of development for new hackers." msgstr "" +"Ur skouer a lugant evit diskouez an diazezoù diorren evit ar c'hoderien " +"nevez." #: hello.php:113 #, php-format @@ -65,5 +67,5 @@ msgstr "Demat, %s" #, php-format msgid "I have greeted you %d time." msgid_plural "I have greeted you %d times." -msgstr[0] "" -msgstr[1] "" +msgstr[0] "ur" +msgstr[1] "%d" diff --git a/plugins/Sitemap/locale/br/LC_MESSAGES/Sitemap.po b/plugins/Sitemap/locale/br/LC_MESSAGES/Sitemap.po index 02dea72ee5..73ebd322f9 100644 --- a/plugins/Sitemap/locale/br/LC_MESSAGES/Sitemap.po +++ b/plugins/Sitemap/locale/br/LC_MESSAGES/Sitemap.po @@ -2,6 +2,7 @@ # Expored from translatewiki.net # # Author: Fulup +# Author: Y-M D # -- # This file is distributed under the same license as the StatusNet package. # @@ -9,13 +10,13 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet - Sitemap\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-10-27 23:43+0000\n" -"PO-Revision-Date: 2010-10-27 23:47:40+0000\n" +"POT-Creation-Date: 2010-11-07 20:25+0000\n" +"PO-Revision-Date: 2010-11-07 20:29:07+0000\n" "Language-Team: Breton \n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-POT-Import-Date: 2010-10-18 20:34:11+0000\n" -"X-Generator: MediaWiki 1.17alpha (r75596); Translate extension (2010-09-17)\n" +"X-POT-Import-Date: 2010-10-29 16:14:04+0000\n" +"X-Generator: MediaWiki 1.17alpha (r76266); Translate extension (2010-09-17)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: br\n" "X-Message-Group: #out-statusnet-plugin-sitemap\n" @@ -54,7 +55,7 @@ msgstr "" #. TRANS: Field label. #: sitemapadminpanel.php:183 msgid "Bing key" -msgstr "" +msgstr "Alc'hwez Bing" #. TRANS: Title for field label. #: sitemapadminpanel.php:185 diff --git a/plugins/UserFlag/locale/fr/LC_MESSAGES/UserFlag.po b/plugins/UserFlag/locale/fr/LC_MESSAGES/UserFlag.po index c92e4e4660..f2c84969af 100644 --- a/plugins/UserFlag/locale/fr/LC_MESSAGES/UserFlag.po +++ b/plugins/UserFlag/locale/fr/LC_MESSAGES/UserFlag.po @@ -9,13 +9,13 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet - UserFlag\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-11-04 18:25+0000\n" -"PO-Revision-Date: 2010-11-04 18:29:23+0000\n" +"POT-Creation-Date: 2010-11-07 20:25+0000\n" +"PO-Revision-Date: 2010-11-07 20:29:20+0000\n" "Language-Team: French \n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-POT-Import-Date: 2010-10-29 16:14:14+0000\n" -"X-Generator: MediaWiki 1.17alpha (r76004); Translate extension (2010-09-17)\n" +"X-POT-Import-Date: 2010-11-05 00:29:34+0000\n" +"X-Generator: MediaWiki 1.17alpha (r76266); Translate extension (2010-09-17)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: fr\n" "X-Message-Group: #out-statusnet-plugin-userflag\n" @@ -108,6 +108,3 @@ msgstr "Effacer" #: clearflagform.php:88 msgid "Clear all flags" msgstr "Effacer tous les marquages" - -#~ msgid "Flag already exists." -#~ msgstr "Déjà marqué." diff --git a/plugins/UserFlag/locale/ia/LC_MESSAGES/UserFlag.po b/plugins/UserFlag/locale/ia/LC_MESSAGES/UserFlag.po index 2d422bf377..2917da7320 100644 --- a/plugins/UserFlag/locale/ia/LC_MESSAGES/UserFlag.po +++ b/plugins/UserFlag/locale/ia/LC_MESSAGES/UserFlag.po @@ -9,13 +9,13 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet - UserFlag\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-11-04 18:25+0000\n" -"PO-Revision-Date: 2010-11-04 18:29:23+0000\n" +"POT-Creation-Date: 2010-11-07 20:25+0000\n" +"PO-Revision-Date: 2010-11-07 20:29:20+0000\n" "Language-Team: Interlingua \n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-POT-Import-Date: 2010-10-29 16:14:14+0000\n" -"X-Generator: MediaWiki 1.17alpha (r76004); Translate extension (2010-09-17)\n" +"X-POT-Import-Date: 2010-11-05 00:29:34+0000\n" +"X-Generator: MediaWiki 1.17alpha (r76266); Translate extension (2010-09-17)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: ia\n" "X-Message-Group: #out-statusnet-plugin-userflag\n" @@ -107,6 +107,3 @@ msgstr "Rader" #: clearflagform.php:88 msgid "Clear all flags" msgstr "Rader tote le marcas" - -#~ msgid "Flag already exists." -#~ msgstr "Le marca ja existe." diff --git a/plugins/UserFlag/locale/mk/LC_MESSAGES/UserFlag.po b/plugins/UserFlag/locale/mk/LC_MESSAGES/UserFlag.po index 8faa4d58e7..8d934141e9 100644 --- a/plugins/UserFlag/locale/mk/LC_MESSAGES/UserFlag.po +++ b/plugins/UserFlag/locale/mk/LC_MESSAGES/UserFlag.po @@ -9,13 +9,13 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet - UserFlag\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-11-04 18:25+0000\n" -"PO-Revision-Date: 2010-11-04 18:29:23+0000\n" +"POT-Creation-Date: 2010-11-07 20:25+0000\n" +"PO-Revision-Date: 2010-11-07 20:29:20+0000\n" "Language-Team: Macedonian \n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-POT-Import-Date: 2010-10-29 16:14:14+0000\n" -"X-Generator: MediaWiki 1.17alpha (r76004); Translate extension (2010-09-17)\n" +"X-POT-Import-Date: 2010-11-05 00:29:34+0000\n" +"X-Generator: MediaWiki 1.17alpha (r76266); Translate extension (2010-09-17)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: mk\n" "X-Message-Group: #out-statusnet-plugin-userflag\n" @@ -108,6 +108,3 @@ msgstr "Отстрани" #: clearflagform.php:88 msgid "Clear all flags" msgstr "Отстрани ги сите ознаки" - -#~ msgid "Flag already exists." -#~ msgstr "Ознаката веќе постои." diff --git a/plugins/UserFlag/locale/nl/LC_MESSAGES/UserFlag.po b/plugins/UserFlag/locale/nl/LC_MESSAGES/UserFlag.po index 7cb9016a24..766776a9e1 100644 --- a/plugins/UserFlag/locale/nl/LC_MESSAGES/UserFlag.po +++ b/plugins/UserFlag/locale/nl/LC_MESSAGES/UserFlag.po @@ -9,13 +9,13 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet - UserFlag\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-11-04 18:25+0000\n" -"PO-Revision-Date: 2010-11-04 18:29:23+0000\n" +"POT-Creation-Date: 2010-11-07 20:25+0000\n" +"PO-Revision-Date: 2010-11-07 20:29:20+0000\n" "Language-Team: Dutch \n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-POT-Import-Date: 2010-10-29 16:14:14+0000\n" -"X-Generator: MediaWiki 1.17alpha (r76004); Translate extension (2010-09-17)\n" +"X-POT-Import-Date: 2010-11-05 00:29:34+0000\n" +"X-Generator: MediaWiki 1.17alpha (r76266); Translate extension (2010-09-17)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: nl\n" "X-Message-Group: #out-statusnet-plugin-userflag\n" @@ -109,6 +109,3 @@ msgstr "Wissen" #: clearflagform.php:88 msgid "Clear all flags" msgstr "Alle markeringen wissen" - -#~ msgid "Flag already exists." -#~ msgstr "De markering bestaat al." diff --git a/plugins/UserFlag/locale/pt/LC_MESSAGES/UserFlag.po b/plugins/UserFlag/locale/pt/LC_MESSAGES/UserFlag.po index 2e1802c65d..ea71be24e2 100644 --- a/plugins/UserFlag/locale/pt/LC_MESSAGES/UserFlag.po +++ b/plugins/UserFlag/locale/pt/LC_MESSAGES/UserFlag.po @@ -9,13 +9,13 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet - UserFlag\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-11-04 18:25+0000\n" -"PO-Revision-Date: 2010-11-04 18:29:23+0000\n" +"POT-Creation-Date: 2010-11-07 20:25+0000\n" +"PO-Revision-Date: 2010-11-07 20:29:20+0000\n" "Language-Team: Portuguese \n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-POT-Import-Date: 2010-10-29 16:14:14+0000\n" -"X-Generator: MediaWiki 1.17alpha (r76004); Translate extension (2010-09-17)\n" +"X-POT-Import-Date: 2010-11-05 00:29:34+0000\n" +"X-Generator: MediaWiki 1.17alpha (r76266); Translate extension (2010-09-17)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: pt\n" "X-Message-Group: #out-statusnet-plugin-userflag\n" @@ -108,6 +108,3 @@ msgstr "Limpar" #: clearflagform.php:88 msgid "Clear all flags" msgstr "Limpar todas as sinalizações" - -#~ msgid "Flag already exists." -#~ msgstr "Já existe uma sinalização." diff --git a/plugins/UserFlag/locale/uk/LC_MESSAGES/UserFlag.po b/plugins/UserFlag/locale/uk/LC_MESSAGES/UserFlag.po index c2a57b66ac..ae0e9b03fe 100644 --- a/plugins/UserFlag/locale/uk/LC_MESSAGES/UserFlag.po +++ b/plugins/UserFlag/locale/uk/LC_MESSAGES/UserFlag.po @@ -9,13 +9,13 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet - UserFlag\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-11-04 18:25+0000\n" -"PO-Revision-Date: 2010-11-04 18:29:23+0000\n" +"POT-Creation-Date: 2010-11-07 20:25+0000\n" +"PO-Revision-Date: 2010-11-07 20:29:20+0000\n" "Language-Team: Ukrainian \n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-POT-Import-Date: 2010-10-29 16:14:14+0000\n" -"X-Generator: MediaWiki 1.17alpha (r76004); Translate extension (2010-09-17)\n" +"X-POT-Import-Date: 2010-11-05 00:29:34+0000\n" +"X-Generator: MediaWiki 1.17alpha (r76266); Translate extension (2010-09-17)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: uk\n" "X-Message-Group: #out-statusnet-plugin-userflag\n" @@ -110,6 +110,3 @@ msgstr "Зняти" #: clearflagform.php:88 msgid "Clear all flags" msgstr "Зняти всі позначки" - -#~ msgid "Flag already exists." -#~ msgstr "Відмітка вже стоїть." From 66e34a28f734f4356e850ec9856431c37d307b7b Mon Sep 17 00:00:00 2001 From: Siebrand Mazeland Date: Sun, 7 Nov 2010 22:31:02 +0100 Subject: [PATCH 075/628] screen_name -> nick names. Spotted by The Evil IP address. --- actions/apifriendshipsexists.php | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/actions/apifriendshipsexists.php b/actions/apifriendshipsexists.php index c8766633b6..43b1daf4fc 100644 --- a/actions/apifriendshipsexists.php +++ b/actions/apifriendshipsexists.php @@ -85,7 +85,7 @@ class ApiFriendshipsExistsAction extends ApiPrivateAuthAction if (empty($this->profile_a) || empty($this->profile_b)) { $this->clientError( // TRANS: Client error displayed when supplying invalid parameters to an API call checking if a friendship exists. - _('Two valid IDs or screen_names must be supplied.'), + _('Two valid IDs or nick names must be supplied.'), 400, $this->format ); From f5b037c169b9564e66270951020df4d96a1711b8 Mon Sep 17 00:00:00 2001 From: Siebrand Mazeland Date: Sun, 7 Nov 2010 22:32:52 +0100 Subject: [PATCH 076/628] Update translator documentation. --- actions/apioauthauthorize.php | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/actions/apioauthauthorize.php b/actions/apioauthauthorize.php index b2c0de719a..d76ae060f2 100644 --- a/actions/apioauthauthorize.php +++ b/actions/apioauthauthorize.php @@ -421,7 +421,7 @@ class ApiOauthAuthorizeAction extends Action if ($this->app->name == 'anonymous') { // Special message for the anonymous app and consumer. // TRANS: User notification of external application requesting account access. - // TRANS: %3$s is the access type requested, %4$s is the StatusNet sitename. + // TRANS: %3$s is the access type requested (read-write or read-only), %4$s is the StatusNet sitename. $msg = _('An application would like the ability ' . 'to %3$s your %4$s account data. ' . 'You should only give access to your %4$s account ' . From f8b2ec4b5338e8a50dcc89d552e839c42a5d7640 Mon Sep 17 00:00:00 2001 From: Siebrand Mazeland Date: Sun, 7 Nov 2010 22:33:23 +0100 Subject: [PATCH 077/628] Localisation updates from http://translatewiki.net. --- plugins/Comet/locale/br/LC_MESSAGES/Comet.po | 28 +++++ .../locale/ja/LC_MESSAGES/Memcached.po | 29 +++++ plugins/OpenX/locale/br/LC_MESSAGES/OpenX.po | 109 ++++++++++++++++++ .../locale/af/LC_MESSAGES/Realtime.po | 58 ++++++++++ .../locale/br/LC_MESSAGES/Realtime.po | 58 ++++++++++ .../locale/tr/LC_MESSAGES/Realtime.po | 58 ++++++++++ .../locale/br/LC_MESSAGES/TabFocus.po | 32 +++++ 7 files changed, 372 insertions(+) create mode 100644 plugins/Comet/locale/br/LC_MESSAGES/Comet.po create mode 100644 plugins/Memcached/locale/ja/LC_MESSAGES/Memcached.po create mode 100644 plugins/OpenX/locale/br/LC_MESSAGES/OpenX.po create mode 100644 plugins/Realtime/locale/af/LC_MESSAGES/Realtime.po create mode 100644 plugins/Realtime/locale/br/LC_MESSAGES/Realtime.po create mode 100644 plugins/Realtime/locale/tr/LC_MESSAGES/Realtime.po create mode 100644 plugins/TabFocus/locale/br/LC_MESSAGES/TabFocus.po diff --git a/plugins/Comet/locale/br/LC_MESSAGES/Comet.po b/plugins/Comet/locale/br/LC_MESSAGES/Comet.po new file mode 100644 index 0000000000..70093d6137 --- /dev/null +++ b/plugins/Comet/locale/br/LC_MESSAGES/Comet.po @@ -0,0 +1,28 @@ +# Translation of StatusNet - Comet to Breton (Brezhoneg) +# Expored from translatewiki.net +# +# Author: Y-M D +# -- +# This file is distributed under the same license as the StatusNet package. +# +msgid "" +msgstr "" +"Project-Id-Version: StatusNet - Comet\n" +"Report-Msgid-Bugs-To: \n" +"POT-Creation-Date: 2010-11-07 20:25+0000\n" +"PO-Revision-Date: 2010-11-07 20:28:04+0000\n" +"Language-Team: Breton \n" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"X-POT-Import-Date: 2010-10-29 16:12:39+0000\n" +"X-Generator: MediaWiki 1.17alpha (r76266); Translate extension (2010-09-17)\n" +"X-Translation-Project: translatewiki.net at http://translatewiki.net\n" +"X-Language-Code: br\n" +"X-Message-Group: #out-statusnet-plugin-comet\n" +"Plural-Forms: nplurals=2; plural=(n > 1);\n" + +#: CometPlugin.php:114 +msgid "Plugin to do \"real time\" updates using Comet/Bayeux." +msgstr "" +"Un astenn evit ober hizivadennoù \"war ar prim\" en ur implijout Comet/" +"Bayeux." diff --git a/plugins/Memcached/locale/ja/LC_MESSAGES/Memcached.po b/plugins/Memcached/locale/ja/LC_MESSAGES/Memcached.po new file mode 100644 index 0000000000..fea6080bc1 --- /dev/null +++ b/plugins/Memcached/locale/ja/LC_MESSAGES/Memcached.po @@ -0,0 +1,29 @@ +# Translation of StatusNet - Memcached to Japanese (日本語) +# Expored from translatewiki.net +# +# Author: Iwai.masaharu +# -- +# This file is distributed under the same license as the StatusNet package. +# +msgid "" +msgstr "" +"Project-Id-Version: StatusNet - Memcached\n" +"Report-Msgid-Bugs-To: \n" +"POT-Creation-Date: 2010-11-07 20:25+0000\n" +"PO-Revision-Date: 2010-11-07 20:28:31+0000\n" +"Language-Team: Japanese \n" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"X-POT-Import-Date: 2010-10-29 16:12:53+0000\n" +"X-Generator: MediaWiki 1.17alpha (r76266); Translate extension (2010-09-17)\n" +"X-Translation-Project: translatewiki.net at http://translatewiki.net\n" +"X-Language-Code: ja\n" +"X-Message-Group: #out-statusnet-plugin-memcached\n" +"Plural-Forms: nplurals=1; plural=0;\n" + +#: MemcachedPlugin.php:218 +msgid "" +"Use Memcached to cache query results." +msgstr "" +"クエリー結果のキャッシュに Memcached を" +"使う" diff --git a/plugins/OpenX/locale/br/LC_MESSAGES/OpenX.po b/plugins/OpenX/locale/br/LC_MESSAGES/OpenX.po new file mode 100644 index 0000000000..c0f138fa02 --- /dev/null +++ b/plugins/OpenX/locale/br/LC_MESSAGES/OpenX.po @@ -0,0 +1,109 @@ +# Translation of StatusNet - OpenX to Breton (Brezhoneg) +# Expored from translatewiki.net +# +# Author: Y-M D +# -- +# This file is distributed under the same license as the StatusNet package. +# +msgid "" +msgstr "" +"Project-Id-Version: StatusNet - OpenX\n" +"Report-Msgid-Bugs-To: \n" +"POT-Creation-Date: 2010-11-07 20:25+0000\n" +"PO-Revision-Date: 2010-11-07 20:28:45+0000\n" +"Language-Team: Breton \n" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"X-POT-Import-Date: 2010-10-29 16:13:54+0000\n" +"X-Generator: MediaWiki 1.17alpha (r76266); Translate extension (2010-09-17)\n" +"X-Translation-Project: translatewiki.net at http://translatewiki.net\n" +"X-Language-Code: br\n" +"X-Message-Group: #out-statusnet-plugin-openx\n" +"Plural-Forms: nplurals=2; plural=(n > 1);\n" + +#. TRANS: Menu item title/tooltip +#: OpenXPlugin.php:201 +msgid "OpenX configuration" +msgstr "Kefluniadur OpenX" + +#. TRANS: Menu item for site administration +#: OpenXPlugin.php:203 +msgid "OpenX" +msgstr "OpenX" + +#. TRANS: Plugin description. +#: OpenXPlugin.php:224 +msgid "Plugin for OpenX Ad Server." +msgstr "" + +#. TRANS: Page title for OpenX admin panel. +#: openxadminpanel.php:53 +msgctxt "TITLE" +msgid "OpenX" +msgstr "OpenX" + +#. TRANS: Instructions for OpenX admin panel. +#: openxadminpanel.php:64 +msgid "OpenX settings for this StatusNet site" +msgstr "Arventennoù OpenX evit al lec'hienn StatusNet-mañ." + +#. TRANS: Form label in OpenX admin panel. +#: openxadminpanel.php:167 +msgid "Ad script URL" +msgstr "" + +#. TRANS: Tooltip for form label in OpenX admin panel. +#: openxadminpanel.php:169 +msgid "Script URL" +msgstr "" + +#. TRANS: Form label in OpenX admin panel. Refers to advertisement format. +#: openxadminpanel.php:175 +msgid "Medium rectangle" +msgstr "" + +#. TRANS: Tooltip for form label in OpenX admin panel. Refers to advertisement format. +#: openxadminpanel.php:177 +msgid "Medium rectangle zone" +msgstr "" + +#. TRANS: Form label in OpenX admin panel. Refers to advertisement format. +#: openxadminpanel.php:183 +msgid "Rectangle" +msgstr "Skouergornek" + +#. TRANS: Tooltip for form label in OpenX admin panel. Refers to advertisement format. +#: openxadminpanel.php:185 +msgid "Rectangle zone" +msgstr "" + +#. TRANS: Form label in OpenX admin panel. Refers to advertisement format. +#: openxadminpanel.php:191 +msgid "Leaderboard" +msgstr "" + +#. TRANS: Tooltip for form label in OpenX admin panel. Refers to advertisement format. +#: openxadminpanel.php:193 +msgid "Leaderboard zone" +msgstr "" + +#. TRANS: Form label in OpenX admin panel. Refers to advertisement format. +#: openxadminpanel.php:199 +msgid "Skyscraper" +msgstr "Giton a-serzh" + +#. TRANS: Tooltip for form label in OpenX admin panel. Refers to advertisement format. +#: openxadminpanel.php:201 +msgid "Wide skyscraper zone" +msgstr "" + +#. TRANS: Submit button text in OpenX admin panel. +#: openxadminpanel.php:216 +msgctxt "BUTTON" +msgid "Save" +msgstr "Enrollañ" + +#. TRANS: Submit button title in OpenX admin panel. +#: openxadminpanel.php:220 +msgid "Save OpenX settings" +msgstr "" diff --git a/plugins/Realtime/locale/af/LC_MESSAGES/Realtime.po b/plugins/Realtime/locale/af/LC_MESSAGES/Realtime.po new file mode 100644 index 0000000000..81614a28e7 --- /dev/null +++ b/plugins/Realtime/locale/af/LC_MESSAGES/Realtime.po @@ -0,0 +1,58 @@ +# Translation of StatusNet - Realtime to Afrikaans (Afrikaans) +# Expored from translatewiki.net +# +# Author: Naudefj +# -- +# This file is distributed under the same license as the StatusNet package. +# +msgid "" +msgstr "" +"Project-Id-Version: StatusNet - Realtime\n" +"Report-Msgid-Bugs-To: \n" +"POT-Creation-Date: 2010-11-07 20:25+0000\n" +"PO-Revision-Date: 2010-11-07 20:28:59+0000\n" +"Language-Team: Afrikaans \n" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"X-POT-Import-Date: 2010-11-05 00:29:27+0000\n" +"X-Generator: MediaWiki 1.17alpha (r76266); Translate extension (2010-09-17)\n" +"X-Translation-Project: translatewiki.net at http://translatewiki.net\n" +"X-Language-Code: af\n" +"X-Message-Group: #out-statusnet-plugin-realtime\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" + +#. TRANS: Text label for realtime view "play" button, usually replaced by an icon. +#: RealtimePlugin.php:339 +msgctxt "BUTTON" +msgid "Play" +msgstr "Speel" + +#. TRANS: Tooltip for realtime view "play" button. +#: RealtimePlugin.php:341 +msgctxt "TOOLTIP" +msgid "Play" +msgstr "Speel" + +#. TRANS: Text label for realtime view "pause" button +#: RealtimePlugin.php:343 +msgctxt "BUTTON" +msgid "Pause" +msgstr "Wag" + +#. TRANS: Tooltip for realtime view "pause" button +#: RealtimePlugin.php:345 +msgctxt "TOOLTIP" +msgid "Pause" +msgstr "Wag" + +#. TRANS: Text label for realtime view "popup" button, usually replaced by an icon. +#: RealtimePlugin.php:347 +msgctxt "BUTTON" +msgid "Pop up" +msgstr "Pop-up" + +#. TRANS: Tooltip for realtime view "popup" button. +#: RealtimePlugin.php:349 +msgctxt "TOOLTIP" +msgid "Pop up in a window" +msgstr "Wys in 'n venstertjie" diff --git a/plugins/Realtime/locale/br/LC_MESSAGES/Realtime.po b/plugins/Realtime/locale/br/LC_MESSAGES/Realtime.po new file mode 100644 index 0000000000..d30b98ec51 --- /dev/null +++ b/plugins/Realtime/locale/br/LC_MESSAGES/Realtime.po @@ -0,0 +1,58 @@ +# Translation of StatusNet - Realtime to Breton (Brezhoneg) +# Expored from translatewiki.net +# +# Author: Y-M D +# -- +# This file is distributed under the same license as the StatusNet package. +# +msgid "" +msgstr "" +"Project-Id-Version: StatusNet - Realtime\n" +"Report-Msgid-Bugs-To: \n" +"POT-Creation-Date: 2010-11-07 20:25+0000\n" +"PO-Revision-Date: 2010-11-07 20:28:59+0000\n" +"Language-Team: Breton \n" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"X-POT-Import-Date: 2010-11-05 00:29:27+0000\n" +"X-Generator: MediaWiki 1.17alpha (r76266); Translate extension (2010-09-17)\n" +"X-Translation-Project: translatewiki.net at http://translatewiki.net\n" +"X-Language-Code: br\n" +"X-Message-Group: #out-statusnet-plugin-realtime\n" +"Plural-Forms: nplurals=2; plural=(n > 1);\n" + +#. TRANS: Text label for realtime view "play" button, usually replaced by an icon. +#: RealtimePlugin.php:339 +msgctxt "BUTTON" +msgid "Play" +msgstr "Lenn" + +#. TRANS: Tooltip for realtime view "play" button. +#: RealtimePlugin.php:341 +msgctxt "TOOLTIP" +msgid "Play" +msgstr "Lenn" + +#. TRANS: Text label for realtime view "pause" button +#: RealtimePlugin.php:343 +msgctxt "BUTTON" +msgid "Pause" +msgstr "Ehan" + +#. TRANS: Tooltip for realtime view "pause" button +#: RealtimePlugin.php:345 +msgctxt "TOOLTIP" +msgid "Pause" +msgstr "Ehan" + +#. TRANS: Text label for realtime view "popup" button, usually replaced by an icon. +#: RealtimePlugin.php:347 +msgctxt "BUTTON" +msgid "Pop up" +msgstr "" + +#. TRANS: Tooltip for realtime view "popup" button. +#: RealtimePlugin.php:349 +msgctxt "TOOLTIP" +msgid "Pop up in a window" +msgstr "" diff --git a/plugins/Realtime/locale/tr/LC_MESSAGES/Realtime.po b/plugins/Realtime/locale/tr/LC_MESSAGES/Realtime.po new file mode 100644 index 0000000000..fb235468a5 --- /dev/null +++ b/plugins/Realtime/locale/tr/LC_MESSAGES/Realtime.po @@ -0,0 +1,58 @@ +# Translation of StatusNet - Realtime to Turkish (Türkçe) +# Expored from translatewiki.net +# +# Author: Maidis +# -- +# This file is distributed under the same license as the StatusNet package. +# +msgid "" +msgstr "" +"Project-Id-Version: StatusNet - Realtime\n" +"Report-Msgid-Bugs-To: \n" +"POT-Creation-Date: 2010-11-07 20:25+0000\n" +"PO-Revision-Date: 2010-11-07 20:28:59+0000\n" +"Language-Team: Turkish \n" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"X-POT-Import-Date: 2010-11-05 00:29:27+0000\n" +"X-Generator: MediaWiki 1.17alpha (r76266); Translate extension (2010-09-17)\n" +"X-Translation-Project: translatewiki.net at http://translatewiki.net\n" +"X-Language-Code: tr\n" +"X-Message-Group: #out-statusnet-plugin-realtime\n" +"Plural-Forms: nplurals=1; plural=0;\n" + +#. TRANS: Text label for realtime view "play" button, usually replaced by an icon. +#: RealtimePlugin.php:339 +msgctxt "BUTTON" +msgid "Play" +msgstr "Oynat" + +#. TRANS: Tooltip for realtime view "play" button. +#: RealtimePlugin.php:341 +msgctxt "TOOLTIP" +msgid "Play" +msgstr "Oynat" + +#. TRANS: Text label for realtime view "pause" button +#: RealtimePlugin.php:343 +msgctxt "BUTTON" +msgid "Pause" +msgstr "Duraklat" + +#. TRANS: Tooltip for realtime view "pause" button +#: RealtimePlugin.php:345 +msgctxt "TOOLTIP" +msgid "Pause" +msgstr "Duraklat" + +#. TRANS: Text label for realtime view "popup" button, usually replaced by an icon. +#: RealtimePlugin.php:347 +msgctxt "BUTTON" +msgid "Pop up" +msgstr "" + +#. TRANS: Tooltip for realtime view "popup" button. +#: RealtimePlugin.php:349 +msgctxt "TOOLTIP" +msgid "Pop up in a window" +msgstr "" diff --git a/plugins/TabFocus/locale/br/LC_MESSAGES/TabFocus.po b/plugins/TabFocus/locale/br/LC_MESSAGES/TabFocus.po new file mode 100644 index 0000000000..b9b454898d --- /dev/null +++ b/plugins/TabFocus/locale/br/LC_MESSAGES/TabFocus.po @@ -0,0 +1,32 @@ +# Translation of StatusNet - TabFocus to Breton (Brezhoneg) +# Expored from translatewiki.net +# +# Author: Y-M D +# -- +# This file is distributed under the same license as the StatusNet package. +# +msgid "" +msgstr "" +"Project-Id-Version: StatusNet - TabFocus\n" +"Report-Msgid-Bugs-To: \n" +"POT-Creation-Date: 2010-11-07 20:25+0000\n" +"PO-Revision-Date: 2010-11-07 20:29:11+0000\n" +"Language-Team: Breton \n" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"X-POT-Import-Date: 2010-10-29 16:14:08+0000\n" +"X-Generator: MediaWiki 1.17alpha (r76266); Translate extension (2010-09-17)\n" +"X-Translation-Project: translatewiki.net at http://translatewiki.net\n" +"X-Language-Code: br\n" +"X-Message-Group: #out-statusnet-plugin-tabfocus\n" +"Plural-Forms: nplurals=2; plural=(n > 1);\n" + +#: TabFocusPlugin.php:54 +msgid "" +"TabFocus changes the notice form behavior so that, while in the text area, " +"pressing the tab key focuses the \"Send\" button, matching the behavior of " +"Twitter." +msgstr "" +"TabFocus a gemm emzalc'h ar furmskrid kemennoù evit ma vefe kaset ar fokus " +"war ar bouton \"Kas\" pa bouezer war a stokell taolennata adalek ar zonenn " +"testenn, ar pezh a glot gant emzalc'h Twitter." From e4076648d12a0246623d74c1bfc932e7ac09b8b8 Mon Sep 17 00:00:00 2001 From: Evan Prodromou Date: Mon, 8 Nov 2010 10:26:33 -0500 Subject: [PATCH 078/628] fix documentation for parameters to menu events --- EVENTS.txt | 8 ++++---- 1 file changed, 4 insertions(+), 4 deletions(-) diff --git a/EVENTS.txt b/EVENTS.txt index 8e730945a4..675ac5437e 100644 --- a/EVENTS.txt +++ b/EVENTS.txt @@ -118,16 +118,16 @@ EndShowHTML: Showing after the html element - $action: the current action StartPublicGroupNav: Showing the public group nav menu -- $action: the current action +- $menu: the menu widget; use $menu->action for output EndPublicGroupNav: At the end of the public group nav menu -- $action: the current action +- $menu: the menu widget; use $menu->action for output StartSubGroupNav: Showing the subscriptions group nav menu -- $action: the current action +- $menu: the menu widget; use $menu->action for output EndSubGroupNav: At the end of the subscriptions group nav menu -- $action: the current action +- $menu: the menu widget; use $menu->action for output StartInitializeRouter: Before the router instance has been initialized; good place to add routes - $m: the Net_URL_Mapper that has just been set up From 35931e3a0e3b78f222e8aa6eb02e71ca7a3b8410 Mon Sep 17 00:00:00 2001 From: Evan Prodromou Date: Mon, 8 Nov 2010 10:36:19 -0500 Subject: [PATCH 079/628] first steps for email summary --- plugins/EmailSummary/EmailSummaryPlugin.php | 119 +++++++++++++ plugins/EmailSummary/Email_summary_status.php | 167 ++++++++++++++++++ 2 files changed, 286 insertions(+) create mode 100644 plugins/EmailSummary/EmailSummaryPlugin.php create mode 100644 plugins/EmailSummary/Email_summary_status.php diff --git a/plugins/EmailSummary/EmailSummaryPlugin.php b/plugins/EmailSummary/EmailSummaryPlugin.php new file mode 100644 index 0000000000..dd72329f88 --- /dev/null +++ b/plugins/EmailSummary/EmailSummaryPlugin.php @@ -0,0 +1,119 @@ +. + * + * @category Sample + * @package StatusNet + * @author Evan Prodromou + * @copyright 2010 StatusNet, Inc. + * @license http://www.fsf.org/licensing/licenses/agpl-3.0.html AGPL 3.0 + * @link http://status.net/ + */ + +if (!defined('STATUSNET')) { + exit(1); +} + +/** + * Plugin for sending email summaries to users + * + * @category Email + * @package StatusNet + * @author Brion Vibber + * @author Evan Prodromou + * @copyright 2010 StatusNet, Inc. + * @license http://www.fsf.org/licensing/licenses/agpl-3.0.html AGPL 3.0 + * @link http://status.net/ + */ + +class EmailSummaryPlugin extends Plugin +{ + /** + * Database schema setup + * + * @return boolean hook value + */ + + function onCheckSchema() + { + $schema = Schema::get(); + + // For storing user-submitted flags on profiles + + $schema->ensureTable('email_summary_status', + array(new ColumnDef('user_id', 'integer', null, + false, 'PRI'), + new ColumnDef('send_summary', 'tinyint', null, + false, null, 1), + new ColumnDef('last_summary', 'datetime', null, + true), + new ColumnDef('created', 'datetime', null, + false), + new ColumnDef('modified', 'datetime', null, + false), + ) + ); + return true; + } + + /** + * Load related modules when needed + * + * @param string $cls Name of the class to be loaded + * + * @return boolean hook value; true means continue processing, false means stop. + * + */ + + function onAutoload($cls) + { + $dir = dirname(__FILE__); + + switch ($cls) + { + case 'Email_summary_status': + include_once $dir . '/'.$cls.'.php'; + return false; + default: + return true; + } + } + + /** + * Version info for this plugin + * + * @param array &$versions array of version data + * + * @return boolean hook value; true means continue processing, false means stop. + * + */ + + function onPluginVersion(&$versions) + { + $versions[] = array('name' => 'EmailSummary', + 'version' => STATUSNET_VERSION, + 'author' => 'Evan Prodromou', + 'homepage' => 'http://status.net/wiki/Plugin:EmailSummary', + 'rawdescription' => + _m('Send an email summary of the inbox to users.')); + return true; + } +} diff --git a/plugins/EmailSummary/Email_summary_status.php b/plugins/EmailSummary/Email_summary_status.php new file mode 100644 index 0000000000..a0462fd04c --- /dev/null +++ b/plugins/EmailSummary/Email_summary_status.php @@ -0,0 +1,167 @@ + + * @license http://www.fsf.org/licensing/licenses/agpl.html AGPLv3 + * @link http://status.net/ + * + * StatusNet - the distributed open-source microblogging tool + * Copyright (C) 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 + * 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 . + */ + +if (!defined('STATUSNET')) { + exit(1); +} + +require_once INSTALLDIR . '/classes/Memcached_DataObject.php'; + +/** + * Data class for email summaries + * + * Email summary information for users + * + * @category Action + * @package StatusNet + * @author Evan Prodromou + * @license http://www.fsf.org/licensing/licenses/agpl.html AGPLv3 + * @link http://status.net/ + * + * @see DB_DataObject + */ + +class Email_summary_status extends Memcached_DataObject +{ + public $__table = 'email_summary_status'; // table name + public $user_id; // int(4) primary_key not_null + public $send_summary; // tinyint not_null + public $last_summary; // int(4) primary_key not_null + public $created; // int(4) primary_key not_null + public $modified; // int(4) primary_key not_null + + /** + * Get an instance by key + * + * @param string $k Key to use to lookup (usually 'user_id' for this class) + * @param mixed $v Value to lookup + * + * @return Email_summary_status object found, or null for no hits + * + */ + function staticGet($k, $v=null) + { + return Memcached_DataObject::staticGet('email_summary_status', $k, $v); + } + + /** + * return table definition for DB_DataObject + * + * DB_DataObject needs to know something about the table to manipulate + * instances. This method provides all the DB_DataObject needs to know. + * + * @return array array of column definitions + */ + + function table() + { + return array('user_id' => DB_DATAOBJECT_INT + DB_DATAOBJECT_NOTNULL, + 'send_summary' => DB_DATAOBJECT_INT + DB_DATAOBJECT_NOTNULL, + 'last_summary' => DB_DATAOBJECT_DATE + DB_DATAOBJECT_TIME, + 'created' => DB_DATAOBJECT_DATE + DB_DATAOBJECT_TIME, + 'modified' => DB_DATAOBJECT_DATE + DB_DATAOBJECT_TIME); + } + + /** + * return key definitions for DB_DataObject + * + * @return array list of key field names + */ + + function keys() + { + return array_keys($this->keyTypes()); + } + + /** + * return key definitions for Memcached_DataObject + * + * Our caching system uses the same key definitions, but uses a different + * method to get them. This key information is used to store and clear + * cached data, so be sure to list any key that will be used for static + * lookups. + * + * @return array associative array of key definitions, field name to type: + * 'K' for primary key: for compound keys, add an entry for each component; + * 'U' for unique keys: compound keys are not well supported here. + */ + function keyTypes() + { + return array('user_id' => 'K'); + } + + /** + * Magic formula for non-autoincrementing integer primary keys + * + * @return array magic three-false array that stops auto-incrementing. + */ + + function sequenceKey() + { + return array(false, false, false); + } + + /** + * Helper function + * + * @param integer $user_id ID of the user to get a count for + * + * @return int flag for whether to send this user a summary email + */ + + static function getSendSummary($user_id) + { + $ess = Email_summary_status::staticGet('user_id', $user_id); + + if (!empty($ess)) { + return $ess->send_summary; + } else { + return 1; + } + } + + /** + * Get email summary status for a user + * + * @param integer $user_id ID of the user to get a count for + * + * @return Email_summary_status instance for this user, with count already incremented. + */ + + static function getLastSummary($user_id) + { + $ess = Email_summary_status::staticGet('user_id', $user_id); + + if (!empty($ess)) { + return $ess->last_summary; + } else { + return 1; + } + } +} From 719b480eaaa3459497c008839606a96cc8f368e1 Mon Sep 17 00:00:00 2001 From: Evan Prodromou Date: Mon, 8 Nov 2010 13:08:59 -0500 Subject: [PATCH 080/628] use subclassing to change notice list output for single notice --- actions/shownotice.php | 26 ++++++++++++++++++++++++++ lib/noticelist.php | 7 ++----- 2 files changed, 28 insertions(+), 5 deletions(-) diff --git a/actions/shownotice.php b/actions/shownotice.php index 7cc6c54243..b7e61a1375 100644 --- a/actions/shownotice.php +++ b/actions/shownotice.php @@ -331,6 +331,32 @@ class SingleNoticeItem extends DoFollowListItem $this->showEnd(); } + /** + * show the avatar of the notice's author + * + * We use the larger size for single notice page. + * + * @return void + */ + + function showAvatar() + { + $avatar_size = AVATAR_PROFILE_SIZE; + + $avatar = $this->profile->getAvatar($avatar_size); + + $this->out->element('img', array('src' => ($avatar) ? + $avatar->displayUrl() : + Avatar::defaultImage($avatar_size), + 'class' => 'avatar photo', + 'width' => $avatar_size, + 'height' => $avatar_size, + 'alt' => + ($this->profile->fullname) ? + $this->profile->fullname : + $this->profile->nickname)); + } + function showNoticeAttachments() { $al = new AttachmentList($this->notice, $this->out); $al->show(); diff --git a/lib/noticelist.php b/lib/noticelist.php index bdf2530b34..6f82c9269b 100644 --- a/lib/noticelist.php +++ b/lib/noticelist.php @@ -327,11 +327,8 @@ class NoticeListItem extends Widget function showAvatar() { - if ('shownotice' === $this->out->trimmed('action')) { - $avatar_size = AVATAR_PROFILE_SIZE; - } else { - $avatar_size = AVATAR_STREAM_SIZE; - } + $avatar_size = AVATAR_STREAM_SIZE; + $avatar = $this->profile->getAvatar($avatar_size); $this->out->element('img', array('src' => ($avatar) ? From 797059340e304a707dda5596f30651ffc727f3c3 Mon Sep 17 00:00:00 2001 From: Evan Prodromou Date: Mon, 8 Nov 2010 13:10:09 -0500 Subject: [PATCH 081/628] Complete email summary sending system Added the necessary classes to send email summaries. First, added a script to run on a daily basis. Second, added a queue handler for sending email summaries for users, and another to queue summaries for all users on the site. Fixed up the email_summary_status table to store the last-sent notice id, rather than a datetime (since we don't support 'since' parameters anymore). Finally, made the plugin class load the right modules when needed. --- plugins/EmailSummary/EmailSummaryPlugin.php | 21 ++- plugins/EmailSummary/Email_summary_status.php | 18 +- plugins/EmailSummary/sendemailsummary.php | 47 +++++ .../EmailSummary/siteemailsummaryhandler.php | 96 ++++++++++ .../EmailSummary/useremailsummaryhandler.php | 172 ++++++++++++++++++ 5 files changed, 344 insertions(+), 10 deletions(-) create mode 100644 plugins/EmailSummary/sendemailsummary.php create mode 100644 plugins/EmailSummary/siteemailsummaryhandler.php create mode 100644 plugins/EmailSummary/useremailsummaryhandler.php diff --git a/plugins/EmailSummary/EmailSummaryPlugin.php b/plugins/EmailSummary/EmailSummaryPlugin.php index dd72329f88..03577bb4a7 100644 --- a/plugins/EmailSummary/EmailSummaryPlugin.php +++ b/plugins/EmailSummary/EmailSummaryPlugin.php @@ -63,7 +63,7 @@ class EmailSummaryPlugin extends Plugin false, 'PRI'), new ColumnDef('send_summary', 'tinyint', null, false, null, 1), - new ColumnDef('last_summary', 'datetime', null, + new ColumnDef('last_summary_id', 'integer', null, true), new ColumnDef('created', 'datetime', null, false), @@ -89,6 +89,10 @@ class EmailSummaryPlugin extends Plugin switch ($cls) { + case 'SiteEmailSummaryHandler': + case 'UserEmailSummaryHandler': + include_once $dir . '/'.strtolower($cls).'.php'; + return false; case 'Email_summary_status': include_once $dir . '/'.$cls.'.php'; return false; @@ -116,4 +120,19 @@ class EmailSummaryPlugin extends Plugin _m('Send an email summary of the inbox to users.')); return true; } + + /** + * Register our queue handlers + * + * @param QueueManager $qm Current queue manager + * + * @return boolean hook value + */ + + function onEndInitializeQueueManager($qm) + { + $qm->connect('sitesum', 'SiteEmailSummaryHandler'); + $qm->connect('usersum', 'UserEmailSummaryHandler'); + return true; + } } diff --git a/plugins/EmailSummary/Email_summary_status.php b/plugins/EmailSummary/Email_summary_status.php index a0462fd04c..5b5b231e34 100644 --- a/plugins/EmailSummary/Email_summary_status.php +++ b/plugins/EmailSummary/Email_summary_status.php @@ -52,9 +52,9 @@ class Email_summary_status extends Memcached_DataObject public $__table = 'email_summary_status'; // table name public $user_id; // int(4) primary_key not_null public $send_summary; // tinyint not_null - public $last_summary; // int(4) primary_key not_null - public $created; // int(4) primary_key not_null - public $modified; // int(4) primary_key not_null + public $last_summary_id; // int(4) null + public $created; // datetime not_null + public $modified; // datetime not_null /** * Get an instance by key @@ -83,9 +83,9 @@ class Email_summary_status extends Memcached_DataObject { return array('user_id' => DB_DATAOBJECT_INT + DB_DATAOBJECT_NOTNULL, 'send_summary' => DB_DATAOBJECT_INT + DB_DATAOBJECT_NOTNULL, - 'last_summary' => DB_DATAOBJECT_DATE + DB_DATAOBJECT_TIME, - 'created' => DB_DATAOBJECT_DATE + DB_DATAOBJECT_TIME, - 'modified' => DB_DATAOBJECT_DATE + DB_DATAOBJECT_TIME); + 'last_summary_id' => DB_DATAOBJECT_INT, + 'created' => DB_DATAOBJECT_DATE + DB_DATAOBJECT_TIME + DB_DATAOBJECT_NOTNULL, + 'modified' => DB_DATAOBJECT_DATE + DB_DATAOBJECT_TIME + DB_DATAOBJECT_NOTNULL); } /** @@ -154,14 +154,14 @@ class Email_summary_status extends Memcached_DataObject * @return Email_summary_status instance for this user, with count already incremented. */ - static function getLastSummary($user_id) + static function getLastSummaryID($user_id) { $ess = Email_summary_status::staticGet('user_id', $user_id); if (!empty($ess)) { - return $ess->last_summary; + return $ess->last_summary_id; } else { - return 1; + return null; } } } diff --git a/plugins/EmailSummary/sendemailsummary.php b/plugins/EmailSummary/sendemailsummary.php new file mode 100644 index 0000000000..37bfdcfbd1 --- /dev/null +++ b/plugins/EmailSummary/sendemailsummary.php @@ -0,0 +1,47 @@ +#!/usr/bin/env php +. + */ + +define('INSTALLDIR', realpath(dirname(__FILE__) . '/../..')); + +$shortoptions = 'i:n:a'; +$longoptions = array('id=', 'nickname=', 'all'); + +$helptext = <<enqueue($user->id, 'usersum'); +} catch (NoUserArgumentException $nuae) { + $qm->enqueue(null, 'sitesum'); +} diff --git a/plugins/EmailSummary/siteemailsummaryhandler.php b/plugins/EmailSummary/siteemailsummaryhandler.php new file mode 100644 index 0000000000..595c3267a1 --- /dev/null +++ b/plugins/EmailSummary/siteemailsummaryhandler.php @@ -0,0 +1,96 @@ +. + * + * @category Sample + * @package StatusNet + * @author Evan Prodromou + * @copyright 2010 StatusNet, Inc. + * @license http://www.fsf.org/licensing/licenses/agpl-3.0.html AGPL 3.0 + * @link http://status.net/ + */ + +if (!defined('STATUSNET')) { + exit(1); +} + +/** + * + * Handler for queue items of type 'sitesum', sends email summaries + * to all users on the site. + * + * @category Email + * @package StatusNet + * @author Evan Prodromou + * @copyright 2010 StatusNet, Inc. + * @license http://www.fsf.org/licensing/licenses/agpl-3.0.html AGPL 3.0 + * @link http://status.net/ + */ + +class SiteEmailSummaryHandler extends QueueHandler +{ + + /** + * Return transport keyword which identifies items this queue handler + * services; must be defined for all subclasses. + * + * Must be 8 characters or less to fit in the queue_item database. + * ex "email", "jabber", "sms", "irc", ... + * + * @return string + */ + + function transport() + { + return 'sitesum'; + } + + /** + * Handle the site + * + * @param mixed $object + * @return boolean true on success, false on failure + */ + + function handle($object) + { + $qm = QueueManager::get(); + + try { + // Enqueue a summary for all users + + $user = new User(); + $user->find(); + + while ($user->fetch()) { + try { + $qm->enqueue($user->id, 'usersum'); + } catch (Exception $e) { + common_log(LOG_WARNING, $e->getMessage()); + continue; + } + } + } catch (Exception $e) { + common_log(LOG_WARNING, $e->getMessage()); + } + + return true; + } +} + diff --git a/plugins/EmailSummary/useremailsummaryhandler.php b/plugins/EmailSummary/useremailsummaryhandler.php new file mode 100644 index 0000000000..f3151bd476 --- /dev/null +++ b/plugins/EmailSummary/useremailsummaryhandler.php @@ -0,0 +1,172 @@ +. + * + * @category Sample + * @package StatusNet + * @author Evan Prodromou + * @copyright 2010 StatusNet, Inc. + * @license http://www.fsf.org/licensing/licenses/agpl-3.0.html AGPL 3.0 + * @link http://status.net/ + */ + +if (!defined('STATUSNET')) { + exit(1); +} + +/** + * Handler for queue items of type 'usersum', sends an email summaries + * to a particular user. + * + * @category Email + * @package StatusNet + * @author Evan Prodromou + * @copyright 2010 StatusNet, Inc. + * @license http://www.fsf.org/licensing/licenses/agpl-3.0.html AGPL 3.0 + * @link http://status.net/ + */ + +class UserEmailSummaryHandler extends QueueHandler +{ + // Maximum number of notices to include by default. This is probably too much. + + const MAX_NOTICES = 200; + + /** + * Return transport keyword which identifies items this queue handler + * services; must be defined for all subclasses. + * + * Must be 8 characters or less to fit in the queue_item database. + * ex "email", "jabber", "sms", "irc", ... + * + * @return string + */ + + function transport() + { + return 'sitesum'; + } + + /** + * Send a summary email to the user + * + * @param mixed $object + * @return boolean true on success, false on failure + */ + + function handle($user_id) + { + // Skip if they've asked not to get summaries + + $ess = Email_summary_status::staticGet('user_id', $user_id); + + if (!empty($ess) && !$ess->send_summary) { + common_log(LOG_INFO, sprintf('Not sending email summary for user %s by request.', $user_id)); + return true; + } + + $since_id = null; + + if (!empty($ess)) { + $since_id = $ess->last_summary_id; + } + + $user = User::staticGet('id', $user_id); + + if (empty($user)) { + common_log(LOG_INFO, sprintf('Not sending email summary for user %s; no such user.', $user_id)); + return true; + } + + if (empty($user->email)) { + common_log(LOG_INFO, sprintf('Not sending email summary for user %s; no email address.', $user_id)); + return true; + } + + $profile = $user->getProfile(); + + if (empty($profile)) { + common_log(LOG_WARNING, sprintf('Not sending email summary for user %s; no profile.', $user_id)); + return true; + } + + $notice = $user->ownFriendsTimeline(0, self::MAX_NOTICES, $since_id); + + if (empty($notice) || $notice->N == 0) { + common_log(LOG_WARNING, sprintf('Not sending email summary for user %s; no notices.', $user_id)); + return true; + } + + // XXX: This is risky fingerpoken in der objektvars, but I didn't feel like + // figuring out a better way. -ESP + + $new_top = null; + + if ($notice instanceof ArrayWrapper) { + $new_top = $notice->_items[0]->id; + } + + $out = new XMLStringer(); + + $out->raw(sprintf(_('

    Recent updates from %1s for %2s:

    '), + common_config('site', 'name'), + $profile->getBestName())); + + $nl = new NoticeList($notice, $out); + + // Outputs to the string + + $nl->show(); + + $out->raw(sprintf(_('

    change your email settings for %2s

    '), + common_local_url('emailsettings'), + common_config('site', 'name'))); + + $body = $out->getString(); + + // FIXME: do something for people who don't like HTML email + + mail_to_user($user, _('Updates from your network'), $body, + array('Content-Type', 'text/html; charset=UTF-8')); + + if (empty($ess)) { + + $ess = new Email_summary_status(); + + $ess->user_id = $user_id; + $ess->created = common_sql_now(); + $ess->last_summary_id = $new_top; + $ess->modified = common_sql_now(); + + $ess->insert(); + + } else { + + $orig = clone($ess); + + $ess->last_summary_id = $new_top; + $ess->modified = common_sql_now(); + + $ess->update(); + } + + return true; + } +} + From 883f7a6c0b1464f6723e51bf99d06641a612f968 Mon Sep 17 00:00:00 2001 From: Brion Vibber Date: Mon, 8 Nov 2010 13:27:54 -0800 Subject: [PATCH 082/628] Avoid marking files as attachments that are not locally uploaded, unless they're really oembedable. HTML-y things now excluded properly. --- classes/File.php | 3 +++ lib/util.php | 2 +- 2 files changed, 4 insertions(+), 1 deletion(-) diff --git a/classes/File.php b/classes/File.php index 16e00024a5..d71403e649 100644 --- a/classes/File.php +++ b/classes/File.php @@ -352,6 +352,9 @@ class File extends Memcached_DataObject $mimetype = substr($mimetype,0,$semicolon); } if(in_array($mimetype,$notEnclosureMimeTypes)){ + // Never treat HTML as an enclosure type! + return false; + } else { $oembed = File_oembed::staticGet('file_id',$this->id); if($oembed){ $mimetype = strtolower($oembed->mimetype); diff --git a/lib/util.php b/lib/util.php index 8f2a9f1738..e6b62f750f 100644 --- a/lib/util.php +++ b/lib/util.php @@ -877,7 +877,7 @@ function common_linkify($url) { } if (!empty($f)) { - if ($f->getEnclosure() || File_oembed::staticGet('file_id',$f->id)) { + if ($f->getEnclosure()) { $is_attachment = true; $attachment_id = $f->id; From 32321de5e048ee50417a6d91b651180c28a801b1 Mon Sep 17 00:00:00 2001 From: Brion Vibber Date: Mon, 8 Nov 2010 14:20:23 -0800 Subject: [PATCH 083/628] Some initial testing w/ thumb gen --- js/util.js | 27 ++++++--------------------- 1 file changed, 6 insertions(+), 21 deletions(-) diff --git a/js/util.js b/js/util.js index 1be3f30535..a4eb0fc284 100644 --- a/js/util.js +++ b/js/util.js @@ -428,30 +428,15 @@ var SN = { // StatusNet }).attr('title', SN.msg('showmore_tooltip')); } else { - $.fn.jOverlay.options = { - method : 'GET', - data : '', - url : '', - color : '#000', - opacity : '0.6', - zIndex : 9999, - center : false, - imgLoading : $('address .url')[0].href+'theme/base/images/illustrations/illu_progress_loading-01.gif', - bgClickToClose : true, - success : function() { - $('#jOverlayContent').append(''); - $('#jOverlayContent button').click($.closeOverlay); - }, - timeout : 0, - autoHide : true, - css : {'max-width':'542px', 'top':'5%', 'left':'32.5%'} - }; + //imgLoading : $('address .url')[0].href+'theme/base/images/illustrations/illu_progress_loading-01.gif', - notice.find('a.attachment').click(function() { + notice.find('a.attachment').each(function() { var attachId = ($(this).attr('id').substring('attachment'.length + 1)); if (attachId) { - $().jOverlay({url: $('address .url')[0].href+'attachment/' + attachId + '/ajax'}); - return false; + var thumbUrl = $('address .url')[0].href+'attachment/' + attachId + '/thumb'; + var thumb = $('
    Thumb:
    '); + thumb.find('img').attr('src', thumbUrl).last(); + notice.append(thumb); } }); From 0a56523461ec2b7abce652d18129c043eddb6394 Mon Sep 17 00:00:00 2001 From: Evan Prodromou Date: Mon, 8 Nov 2010 17:22:16 -0500 Subject: [PATCH 084/628] Fixup headers for HTML email --- plugins/EmailSummary/useremailsummaryhandler.php | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/plugins/EmailSummary/useremailsummaryhandler.php b/plugins/EmailSummary/useremailsummaryhandler.php index f3151bd476..4bbbb861c0 100644 --- a/plugins/EmailSummary/useremailsummaryhandler.php +++ b/plugins/EmailSummary/useremailsummaryhandler.php @@ -143,7 +143,7 @@ class UserEmailSummaryHandler extends QueueHandler // FIXME: do something for people who don't like HTML email mail_to_user($user, _('Updates from your network'), $body, - array('Content-Type', 'text/html; charset=UTF-8')); + array('Content-Type' => 'text/html; charset=UTF-8')); if (empty($ess)) { From 37407d8c7751b1966f41484678e7695157a460c3 Mon Sep 17 00:00:00 2001 From: Evan Prodromou Date: Mon, 8 Nov 2010 17:31:21 -0500 Subject: [PATCH 085/628] stylesheet for outgoing email --- .../EmailSummary/useremailsummaryhandler.php | 292 ++++++++++++++++++ 1 file changed, 292 insertions(+) diff --git a/plugins/EmailSummary/useremailsummaryhandler.php b/plugins/EmailSummary/useremailsummaryhandler.php index 4bbbb861c0..9ef56a20d4 100644 --- a/plugins/EmailSummary/useremailsummaryhandler.php +++ b/plugins/EmailSummary/useremailsummaryhandler.php @@ -124,6 +124,8 @@ class UserEmailSummaryHandler extends QueueHandler $out = new XMLStringer(); + $out->raw(''); + $out->raw(sprintf(_('

    Recent updates from %1s for %2s:

    '), common_config('site', 'name'), $profile->getBestName())); @@ -168,5 +170,295 @@ class UserEmailSummaryHandler extends QueueHandler return true; } + + function stylesheet() + { + $ss = << Date: Mon, 8 Nov 2010 18:14:13 -0500 Subject: [PATCH 086/628] change to a table for HTML output --- .../EmailSummary/useremailsummaryhandler.php | 350 +++--------------- 1 file changed, 54 insertions(+), 296 deletions(-) diff --git a/plugins/EmailSummary/useremailsummaryhandler.php b/plugins/EmailSummary/useremailsummaryhandler.php index 9ef56a20d4..1ac1eaedbe 100644 --- a/plugins/EmailSummary/useremailsummaryhandler.php +++ b/plugins/EmailSummary/useremailsummaryhandler.php @@ -124,17 +124,66 @@ class UserEmailSummaryHandler extends QueueHandler $out = new XMLStringer(); - $out->raw(''); - $out->raw(sprintf(_('

    Recent updates from %1s for %2s:

    '), common_config('site', 'name'), $profile->getBestName())); - $nl = new NoticeList($notice, $out); - // Outputs to the string + $out->elementStart('table', array('width' => '100%', 'style' => 'border: none')); - $nl->show(); + while ($notice->fetch()) { + + $profile = Profile::staticGet('id', $notice->profile_id); + + if (empty($profile)) { + continue; + } + + $avatar = $profile->getAvatar(AVATAR_STREAM_SIZE); + + $out->elementStart('tr'); + $out->elementStart('td'); + $out->element('img', array('src' => ($avatar) ? + $avatar->displayUrl() : + Avatar::defaultImage($avatar_size), + 'class' => 'avatar photo', + 'width' => $avatar_size, + 'height' => $avatar_size, + 'alt' => $profile->getBestName())); + $out->elementEnd('td'); + $out->elementStart('td'); + $out->element('a', array('href' => $profile->profileurl), + $profile->nickname); + $out->text(' '); + $out->raw($notice->rendered); + $out->element('br'); // yeah, you know it. I just wrote a
    in the middle of my table layout. + $noticeurl = $notice->bestUrl(); + // above should always return an URL + assert(!empty($noticeurl)); + $out->elementStart('a', array('rel' => 'bookmark', + 'class' => 'timestamp', + 'href' => $noticeurl)); + $dt = common_date_iso8601($notice->created); + $out->element('abbr', array('class' => 'published', + 'title' => $dt), + common_date_string($notice->created)); + $out->elementEnd('a'); + if ($notice->hasConversation()) { + $conv = Conversation::staticGet('id', $notice->conversation); + $convurl = $conv->uri; + if (!empty($convurl)) { + $out->text(' '); + $out->element('a', + array('href' => $convurl.'#notice-'.$notice->id, + 'class' => 'response'), + _('in context')); + } + } + $out->elementEnd('td'); + $out->elementEnd('tr'); + } + + $out->elementEnd('table'); $out->raw(sprintf(_('

    change your email settings for %2s

    '), common_local_url('emailsettings'), @@ -170,295 +219,4 @@ class UserEmailSummaryHandler extends QueueHandler return true; } - - function stylesheet() - { - $ss = << Date: Mon, 8 Nov 2010 15:32:41 -0800 Subject: [PATCH 087/628] doomy doom doom --- actions/shownotice.php | 5 --- js/util.js | 8 +++-- lib/attachmentlist.php | 64 +++++++++++++++++++++++++++----------- lib/noticelist.php | 6 ++++ theme/base/css/display.css | 20 +++++++++--- 5 files changed, 73 insertions(+), 30 deletions(-) diff --git a/actions/shownotice.php b/actions/shownotice.php index b7e61a1375..7a11787b66 100644 --- a/actions/shownotice.php +++ b/actions/shownotice.php @@ -356,9 +356,4 @@ class SingleNoticeItem extends DoFollowListItem $this->profile->fullname : $this->profile->nickname)); } - - function showNoticeAttachments() { - $al = new AttachmentList($this->notice, $this->out); - $al->show(); - } } diff --git a/js/util.js b/js/util.js index a4eb0fc284..15fb163103 100644 --- a/js/util.js +++ b/js/util.js @@ -431,16 +431,19 @@ var SN = { // StatusNet //imgLoading : $('address .url')[0].href+'theme/base/images/illustrations/illu_progress_loading-01.gif', notice.find('a.attachment').each(function() { + /* var attachId = ($(this).attr('id').substring('attachment'.length + 1)); if (attachId) { var thumbUrl = $('address .url')[0].href+'attachment/' + attachId + '/thumb'; - var thumb = $('
    Thumb:
    '); + var thumb = $('
    Thumb:
    '); thumb.find('img').attr('src', thumbUrl).last(); - notice.append(thumb); + notice.find('.entry-title .entry-content').append(thumb); } + */ }); if ($('#shownotice').length == 0) { + /* var t; notice.find('a.thumbnail').hover( function() { @@ -465,6 +468,7 @@ var SN = { // StatusNet $(this).closest('.entry-title').removeClass('ov'); } ); + */ } } }, diff --git a/lib/attachmentlist.php b/lib/attachmentlist.php index f6b09fb491..f29d32ada3 100644 --- a/lib/attachmentlist.php +++ b/lib/attachmentlist.php @@ -181,9 +181,11 @@ class AttachmentListItem extends Widget */ function show() { - $this->showStart(); - $this->showNoticeAttachment(); - $this->showEnd(); + if ($this->attachment->isEnclosure()) { + $this->showStart(); + $this->showNoticeAttachment(); + $this->showEnd(); + } } function linkAttr() { @@ -203,9 +205,44 @@ class AttachmentListItem extends Widget } function showRepresentation() { + $thumb = $this->getThumbInfo(); + if ($thumb) { + $thumb = $this->sizeThumb($thumb); + $this->out->element('img', array('alt' => '', 'src' => $thumb->url, 'width' => $thumb->width, 'height' => $thumb->height)); + } + } + + function getThumbInfo() + { $thumbnail = File_thumbnail::staticGet('file_id', $this->attachment->id); - if (!empty($thumbnail)) { - $this->out->element('img', array('alt' => '', 'src' => $thumbnail->url, 'width' => $thumbnail->width, 'height' => $thumbnail->height)); + if ($thumbnail) { + return $thumbnail; + } else { + switch ($this->attachment->mimetype) { + case 'image/gif': + case 'image/png': + case 'image/jpg': + case 'image/jpeg': + $thumb = (object)array(); + $thumb->url = $this->attachment->url; + $thumb->width = 100; + $thumb->height = 75; // @fixme + return $thumb; + } + } + return false; + } + + function sizeThumb($thumbnail) { + $maxWidth = 100; + $maxHeight = 75; + if ($thumbnail->width > $maxWidth) { + $thumb = clone($thumbnail); + $thumb->width = $maxWidth; + $thumb->height = intval($thumbnail->height * $maxWidth / $thumbnail->width); + return $thumb; + } else { + return $thumbnail; } } @@ -234,6 +271,9 @@ class AttachmentListItem extends Widget } } +/** + * used for one-off attachment action + */ class Attachment extends AttachmentListItem { function showLink() { @@ -414,18 +454,4 @@ class Attachment extends AttachmentListItem return $scrubbed; } - - function showFallback() - { - // If we don't know how to display an attachment inline, we probably - // shouldn't have gotten to this point. - // - // But, here we are... displaying details on a file or remote URL - // either on the main view or in an ajax-loaded lightbox. As a lesser - // of several evils, we'll try redirecting to the actual target via - // client-side JS. - - common_log(LOG_ERR, "Empty or unknown type for file id {$this->attachment->id}; falling back to client-side redirect."); - $this->out->raw(''); - } } diff --git a/lib/noticelist.php b/lib/noticelist.php index 6f82c9269b..fb5db2374c 100644 --- a/lib/noticelist.php +++ b/lib/noticelist.php @@ -208,6 +208,7 @@ class NoticeListItem extends Widget $this->showStart(); if (Event::handle('StartShowNoticeItem', array($this))) { $this->showNotice(); + $this->showNoticeAttachments(); $this->showNoticeInfo(); $this->showNoticeOptions(); Event::handle('EndShowNoticeItem', array($this)); @@ -383,6 +384,11 @@ class NoticeListItem extends Widget $this->out->elementEnd('p'); } + function showNoticeAttachments() { + $al = new AttachmentList($this->notice, $this->out); + $al->show(); + } + /** * show the link to the main page for the notice * diff --git a/theme/base/css/display.css b/theme/base/css/display.css index 7ac66095a8..29f7d0ae0d 100644 --- a/theme/base/css/display.css +++ b/theme/base/css/display.css @@ -1150,7 +1150,8 @@ border-radius:4px; -webkit-border-radius:4px; } -.notice div.entry-content { +.notice div.entry-content, +.notice dl.entry-content { clear:left; float:left; font-size:0.95em; @@ -1325,6 +1326,7 @@ margin-left:4px; .notice .attachment.more { padding-left:0; } +/* .notice .attachment img { position:absolute; top:18px; @@ -1334,20 +1336,30 @@ z-index:99; #shownotice .notice .attachment img { position:static; } +*/ -#attachments { + +/* Small inline attachment list */ +#attachments ol li { + list-style-type: none; +} +#attachments dt { + display: none; +} + +#shownotice #attachments { clear:both; float:left; width:100%; margin-top:18px; } -#attachments dt { +#shownotice #attachments dt { font-weight:bold; font-size:1.3em; margin-bottom:4px; } -#attachments ol li { +#shownotice #attachments ol li { margin-bottom:18px; list-style-type:decimal; float:left; From a2994e3aa232106f39a6c36c9176608467b8822e Mon Sep 17 00:00:00 2001 From: Brion Vibber Date: Mon, 8 Nov 2010 15:50:06 -0800 Subject: [PATCH 088/628] Testing... using photo info for temp thumbnails --- classes/File.php | 7 +++---- lib/attachmentlist.php | 17 ++++++++++++++--- 2 files changed, 17 insertions(+), 7 deletions(-) diff --git a/classes/File.php b/classes/File.php index d71403e649..e3b922d13b 100644 --- a/classes/File.php +++ b/classes/File.php @@ -352,11 +352,10 @@ class File extends Memcached_DataObject $mimetype = substr($mimetype,0,$semicolon); } if(in_array($mimetype,$notEnclosureMimeTypes)){ - // Never treat HTML as an enclosure type! - return false; - } else { + // Never treat generic HTML links as an enclosure type! + // But if we have oEmbed info, we'll consider it golden. $oembed = File_oembed::staticGet('file_id',$this->id); - if($oembed){ + if($oembed && in_array($oembed->type, array('photo', 'video'))){ $mimetype = strtolower($oembed->mimetype); $semicolon = strpos($mimetype,';'); if($semicolon){ diff --git a/lib/attachmentlist.php b/lib/attachmentlist.php index f29d32ada3..8e6ad038a3 100644 --- a/lib/attachmentlist.php +++ b/lib/attachmentlist.php @@ -212,19 +212,30 @@ class AttachmentListItem extends Widget } } + /** + * Pull a thumbnail image reference for the given file. + * In order we check: + * 1) file_thumbnail table (thumbnails found via oEmbed) + * 2) image URL from direct dereference or oEmbed 'photo' type URL + * 3) ??? + * + * @return mixed object with (url, width, height) properties, or false + */ function getThumbInfo() { $thumbnail = File_thumbnail::staticGet('file_id', $this->attachment->id); if ($thumbnail) { return $thumbnail; - } else { - switch ($this->attachment->mimetype) { + } + $enc = $this->attachment->getEnclosure(); + if ($enc) { + switch ($enc->mimetype) { case 'image/gif': case 'image/png': case 'image/jpg': case 'image/jpeg': $thumb = (object)array(); - $thumb->url = $this->attachment->url; + $thumb->url = $enc->url; $thumb->width = 100; $thumb->height = 75; // @fixme return $thumb; From dc497ed090d94561db195983a4346a2f66503422 Mon Sep 17 00:00:00 2001 From: Brion Vibber Date: Mon, 8 Nov 2010 16:51:31 -0800 Subject: [PATCH 089/628] Break out ImageFile->resizeTo() from ImageFile->resize(); allows resizing images to non-square sizes and to arbitrary destinations. Will be used for creating thumbnails as well as the originala use of cropping/sizing avatars. --- lib/imagefile.php | 103 +++++++++++++++++++++++++++++++--------------- 1 file changed, 69 insertions(+), 34 deletions(-) diff --git a/lib/imagefile.php b/lib/imagefile.php index b70fd248e1..159deead61 100644 --- a/lib/imagefile.php +++ b/lib/imagefile.php @@ -115,10 +115,46 @@ class ImageFile return new ImageFile(null, $_FILES[$param]['tmp_name']); } + /** + * Compat interface for old code generating avatar thumbnails... + * Saves the scaled file directly into the avatar area. + * + * @param int $size target width & height -- must be square + * @param int $x (default 0) upper-left corner to crop from + * @param int $y (default 0) upper-left corner to crop from + * @param int $w (default full) width of image area to crop + * @param int $h (default full) height of image area to crop + * @return string filename + */ function resize($size, $x = 0, $y = 0, $w = null, $h = null) + { + $targetType = $this->preferredType($this->type); + $outname = Avatar::filename($this->id, + image_type_to_extension($targetType), + $size, + common_timestamp()); + $outpath = Avatar::path($outname); + $this->resizeTo($outpath, $size, $size, $x, $y, $w, $h); + return $outname; + } + + /** + * Create and save a thumbnail image. + * + * @param string $outpath + * @param int $width target width + * @param int $height target height + * @param int $x (default 0) upper-left corner to crop from + * @param int $y (default 0) upper-left corner to crop from + * @param int $w (default full) width of image area to crop + * @param int $h (default full) height of image area to crop + * @return string full local filesystem filename + */ + function resizeTo($outpath, $width, $height, $x=0, $y=0, $w=null, $h=null) { $w = ($w === null) ? $this->width:$w; $h = ($h === null) ? $this->height:$h; + $targetType = $this->preferredType($this->type); if (!file_exists($this->filepath)) { throw new Exception(_('Lost our file.')); @@ -126,20 +162,16 @@ class ImageFile } // Don't crop/scale if it isn't necessary - if ($size === $this->width - && $size === $this->height + if ($width === $this->width + && $height === $this->height && $x === 0 && $y === 0 && $w === $this->width - && $h === $this->height) { + && $h === $this->height + && $this->type == $targetType) { - $outname = Avatar::filename($this->id, - image_type_to_extension($this->type), - $size, - common_timestamp()); - $outpath = Avatar::path($outname); @copy($this->filepath, $outpath); - return $outname; + return $outpath; } switch ($this->type) { @@ -166,7 +198,7 @@ class ImageFile return; } - $image_dest = imagecreatetruecolor($size, $size); + $image_dest = imagecreatetruecolor($width, $height); if ($this->type == IMAGETYPE_GIF || $this->type == IMAGETYPE_PNG || $this->type == IMAGETYPE_BMP) { @@ -189,30 +221,9 @@ class ImageFile } } - imagecopyresampled($image_dest, $image_src, 0, 0, $x, $y, $size, $size, $w, $h); + imagecopyresampled($image_dest, $image_src, 0, 0, $x, $y, $width, $height, $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; - } - - $outname = Avatar::filename($this->id, - image_type_to_extension($this->type), - $size, - common_timestamp()); - - $outpath = Avatar::path($outname); - - switch ($this->type) { + switch ($targetType) { case IMAGETYPE_GIF: imagegif($image_dest, $outpath); break; @@ -230,7 +241,31 @@ class ImageFile imagedestroy($image_src); imagedestroy($image_dest); - return $outname; + return $outpath; + } + + /** + * Several obscure file types should be normalized to PNG on resize. + * + * @param int $type + * @return int + */ + function preferredType($type) + { + if($type == IMAGETYPE_BMP) { + //we don't want to save BMP... it's an inefficient, rare, antiquated format + //save png instead + return IMAGETYPE_PNG; + } else if($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 + return IMAGETYPE_PNG; + } else if($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 + return IMAGETYPE_PNG; + } + return $type; } function unlink() From cd236efe127c3f696b8a78c5ff66a08b24230a4e Mon Sep 17 00:00:00 2001 From: Zach Copley Date: Tue, 9 Nov 2010 00:56:53 +0000 Subject: [PATCH 090/628] - Still send notices to Facebook from existing Facebook app users - Turns out we don't need the old REST lib to use the old REST API (removed) --- plugins/FacebookSSO/FacebookSSOPlugin.php | 35 +- .../actions/facebookadminpanel.php | 4 +- .../extlib/facebookapi_php5_restlib.php | 3702 ----------------- .../extlib/jsonwrapper/JSON/JSON.php | 806 ---- .../extlib/jsonwrapper/JSON/LICENSE | 21 - .../extlib/jsonwrapper/jsonwrapper.php | 6 - .../extlib/jsonwrapper/jsonwrapper_inner.php | 23 - plugins/FacebookSSO/lib/facebookclient.php | 279 +- .../FacebookSSO/lib/facebookqueuehandler.php | 4 +- 9 files changed, 210 insertions(+), 4670 deletions(-) delete mode 100644 plugins/FacebookSSO/extlib/facebookapi_php5_restlib.php delete mode 100644 plugins/FacebookSSO/extlib/jsonwrapper/JSON/JSON.php delete mode 100644 plugins/FacebookSSO/extlib/jsonwrapper/JSON/LICENSE delete mode 100644 plugins/FacebookSSO/extlib/jsonwrapper/jsonwrapper.php delete mode 100644 plugins/FacebookSSO/extlib/jsonwrapper/jsonwrapper_inner.php diff --git a/plugins/FacebookSSO/FacebookSSOPlugin.php b/plugins/FacebookSSO/FacebookSSOPlugin.php index a726b2facc..a094f2957f 100644 --- a/plugins/FacebookSSO/FacebookSSOPlugin.php +++ b/plugins/FacebookSSO/FacebookSSOPlugin.php @@ -131,7 +131,7 @@ class FacebookSSOPlugin extends Plugin include_once $dir . '/actions/' . strtolower(mb_substr($cls, 0, -6)) . '.php'; return false; case 'Facebookclient': - case 'Facebookqueuehandler': + case 'FacebookQueueHandler': include_once $dir . '/lib/' . strtolower($cls) . '.php'; return false; default: @@ -146,7 +146,7 @@ class FacebookSSOPlugin extends Plugin function needsScripts($action) { static $needy = array( - //'FacebookloginAction', + 'FacebookloginAction', 'FacebookfinishloginAction', 'FacebookadminpanelAction', 'FacebooksettingsAction' @@ -401,6 +401,37 @@ ENDOFSCRIPT; return true; } + /** + * Add a Facebook queue item for each notice + * + * @param Notice $notice the notice + * @param array &$transports the list of transports (queues) + * + * @return boolean hook return + */ + function onStartEnqueueNotice($notice, &$transports) + { + if (self::hasApplication() && $notice->isLocal()) { + array_push($transports, 'facebook'); + } + return true; + } + + /** + * Register Facebook notice queue handler + * + * @param QueueManager $manager + * + * @return boolean hook return + */ + function onEndInitializeQueueManager($manager) + { + if (self::hasApplication()) { + $manager->connect('facebook', 'FacebookQueueHandler'); + } + return true; + } + /* * Add version info for this plugin * diff --git a/plugins/FacebookSSO/actions/facebookadminpanel.php b/plugins/FacebookSSO/actions/facebookadminpanel.php index b76b035cd0..61b5441848 100644 --- a/plugins/FacebookSSO/actions/facebookadminpanel.php +++ b/plugins/FacebookSSO/actions/facebookadminpanel.php @@ -82,7 +82,7 @@ class FacebookadminpanelAction extends AdminPanelAction function saveSettings() { static $settings = array( - 'facebook' => array('appid', 'secret'), + 'facebook' => array('appid', 'secret'), ); $values = array(); @@ -116,7 +116,7 @@ class FacebookadminpanelAction extends AdminPanelAction function validate(&$values) { - // appId and secret (can't be too long) + // appId, key and secret (can't be too long) if (mb_strlen($values['facebook']['appid']) > 255) { $this->clientError( diff --git a/plugins/FacebookSSO/extlib/facebookapi_php5_restlib.php b/plugins/FacebookSSO/extlib/facebookapi_php5_restlib.php deleted file mode 100644 index e249a326b2..0000000000 --- a/plugins/FacebookSSO/extlib/facebookapi_php5_restlib.php +++ /dev/null @@ -1,3702 +0,0 @@ -secret = $secret; - $this->session_key = $session_key; - $this->api_key = $api_key; - $this->batch_mode = FacebookRestClient::BATCH_MODE_DEFAULT; - $this->last_call_id = 0; - $this->call_as_apikey = ''; - $this->use_curl_if_available = true; - $this->server_addr = - Facebook::get_facebook_url('api') . '/restserver.php'; - $this->photo_server_addr = - Facebook::get_facebook_url('api-photo') . '/restserver.php'; - - if (!empty($GLOBALS['facebook_config']['debug'])) { - $this->cur_id = 0; - ?> - -user = $uid; - } - - - /** - * Switch to use the session secret instead of the app secret, - * for desktop and unsecured environment - */ - public function use_session_secret($session_secret) { - $this->secret = $session_secret; - $this->using_session_secret = true; - } - - /** - * Normally, if the cURL library/PHP extension is available, it is used for - * HTTP transactions. This allows that behavior to be overridden, falling - * back to a vanilla-PHP implementation even if cURL is installed. - * - * @param $use_curl_if_available bool whether or not to use cURL if available - */ - public function set_use_curl_if_available($use_curl_if_available) { - $this->use_curl_if_available = $use_curl_if_available; - } - - /** - * Start a batch operation. - */ - public function begin_batch() { - if ($this->pending_batch()) { - $code = FacebookAPIErrorCodes::API_EC_BATCH_ALREADY_STARTED; - $description = FacebookAPIErrorCodes::$api_error_descriptions[$code]; - throw new FacebookRestClientException($description, $code); - } - - $this->batch_queue = array(); - $this->pending_batch = true; - } - - /* - * End current batch operation - */ - public function end_batch() { - if (!$this->pending_batch()) { - $code = FacebookAPIErrorCodes::API_EC_BATCH_NOT_STARTED; - $description = FacebookAPIErrorCodes::$api_error_descriptions[$code]; - throw new FacebookRestClientException($description, $code); - } - - $this->pending_batch = false; - - $this->execute_server_side_batch(); - $this->batch_queue = null; - } - - /** - * are we currently queueing up calls for a batch? - */ - public function pending_batch() { - return $this->pending_batch; - } - - private function execute_server_side_batch() { - $item_count = count($this->batch_queue); - $method_feed = array(); - foreach ($this->batch_queue as $batch_item) { - $method = $batch_item['m']; - $params = $batch_item['p']; - list($get, $post) = $this->finalize_params($method, $params); - $method_feed[] = $this->create_url_string(array_merge($post, $get)); - } - - $serial_only = - ($this->batch_mode == FacebookRestClient::BATCH_MODE_SERIAL_ONLY); - - $params = array('method_feed' => json_encode($method_feed), - 'serial_only' => $serial_only, - 'format' => $this->format); - $result = $this->call_method('facebook.batch.run', $params); - - if (is_array($result) && isset($result['error_code'])) { - throw new FacebookRestClientException($result['error_msg'], - $result['error_code']); - } - - for ($i = 0; $i < $item_count; $i++) { - $batch_item = $this->batch_queue[$i]; - $batch_item['p']['format'] = $this->format; - $batch_item_result = $this->convert_result($result[$i], - $batch_item['m'], - $batch_item['p']); - - if (is_array($batch_item_result) && - isset($batch_item_result['error_code'])) { - throw new FacebookRestClientException($batch_item_result['error_msg'], - $batch_item_result['error_code']); - } - $batch_item['r'] = $batch_item_result; - } - } - - public function begin_permissions_mode($permissions_apikey) { - $this->call_as_apikey = $permissions_apikey; - } - - public function end_permissions_mode() { - $this->call_as_apikey = ''; - } - - - /* - * If a page is loaded via HTTPS, then all images and static - * resources need to be printed with HTTPS urls to avoid - * mixed content warnings. If your page loads with an HTTPS - * url, then call set_use_ssl_resources to retrieve the correct - * urls. - */ - public function set_use_ssl_resources($is_ssl = true) { - $this->use_ssl_resources = $is_ssl; - } - - /** - * Returns public information for an application (as shown in the application - * directory) by either application ID, API key, or canvas page name. - * - * @param int $application_id (Optional) app id - * @param string $application_api_key (Optional) api key - * @param string $application_canvas_name (Optional) canvas name - * - * Exactly one argument must be specified, otherwise it is an error. - * - * @return array An array of public information about the application. - */ - public function application_getPublicInfo($application_id=null, - $application_api_key=null, - $application_canvas_name=null) { - return $this->call_method('facebook.application.getPublicInfo', - array('application_id' => $application_id, - 'application_api_key' => $application_api_key, - 'application_canvas_name' => $application_canvas_name)); - } - - /** - * Creates an authentication token to be used as part of the desktop login - * flow. For more information, please see - * http://wiki.developers.facebook.com/index.php/Auth.createToken. - * - * @return string An authentication token. - */ - public function auth_createToken() { - return $this->call_method('facebook.auth.createToken'); - } - - /** - * Returns the session information available after current user logs in. - * - * @param string $auth_token the token returned by auth_createToken or - * passed back to your callback_url. - * @param bool $generate_session_secret whether the session returned should - * include a session secret - * @param string $host_url the connect site URL for which the session is - * being generated. This parameter is optional, unless - * you want Facebook to determine which of several base domains - * to choose from. If this third argument isn't provided but - * there are several base domains, the first base domain is - * chosen. - * - * @return array An assoc array containing session_key, uid - */ - public function auth_getSession($auth_token, - $generate_session_secret = false, - $host_url = null) { - if (!$this->pending_batch()) { - $result = $this->call_method( - 'facebook.auth.getSession', - array('auth_token' => $auth_token, - 'generate_session_secret' => $generate_session_secret, - 'host_url' => $host_url)); - $this->session_key = $result['session_key']; - - if (!empty($result['secret']) && !$generate_session_secret) { - // desktop apps have a special secret - $this->secret = $result['secret']; - } - - return $result; - } - } - - /** - * Generates a session-specific secret. This is for integration with - * client-side API calls, such as the JS library. - * - * @return array A session secret for the current promoted session - * - * @error API_EC_PARAM_SESSION_KEY - * API_EC_PARAM_UNKNOWN - */ - public function auth_promoteSession() { - return $this->call_method('facebook.auth.promoteSession'); - } - - /** - * Expires the session that is currently being used. If this call is - * successful, no further calls to the API (which require a session) can be - * made until a valid session is created. - * - * @return bool true if session expiration was successful, false otherwise - */ - public function auth_expireSession() { - return $this->call_method('facebook.auth.expireSession'); - } - - /** - * Revokes the given extended permission that the user granted at some - * prior time (for instance, offline_access or email). If no user is - * provided, it will be revoked for the user of the current session. - * - * @param string $perm The permission to revoke - * @param int $uid The user for whom to revoke the permission. - */ - public function auth_revokeExtendedPermission($perm, $uid=null) { - return $this->call_method('facebook.auth.revokeExtendedPermission', - array('perm' => $perm, 'uid' => $uid)); - } - - /** - * Revokes the user's agreement to the Facebook Terms of Service for your - * application. If you call this method for one of your users, you will no - * longer be able to make API requests on their behalf until they again - * authorize your application. Use with care. Note that if this method is - * called without a user parameter, then it will revoke access for the - * current session's user. - * - * @param int $uid (Optional) User to revoke - * - * @return bool true if revocation succeeds, false otherwise - */ - public function auth_revokeAuthorization($uid=null) { - return $this->call_method('facebook.auth.revokeAuthorization', - array('uid' => $uid)); - } - - /** - * Get public key that is needed to verify digital signature - * an app may pass to other apps. The public key is only used by - * other apps for verification purposes. - * @param string API key of an app - * @return string The public key for the app. - */ - public function auth_getAppPublicKey($target_app_key) { - return $this->call_method('facebook.auth.getAppPublicKey', - array('target_app_key' => $target_app_key)); - } - - /** - * Get a structure that can be passed to another app - * as proof of session. The other app can verify it using public - * key of this app. - * - * @return signed public session data structure. - */ - public function auth_getSignedPublicSessionData() { - return $this->call_method('facebook.auth.getSignedPublicSessionData', - array()); - } - - /** - * Returns the number of unconnected friends that exist in this application. - * This number is determined based on the accounts registered through - * connect.registerUsers() (see below). - */ - public function connect_getUnconnectedFriendsCount() { - return $this->call_method('facebook.connect.getUnconnectedFriendsCount', - array()); - } - - /** - * This method is used to create an association between an external user - * account and a Facebook user account, as per Facebook Connect. - * - * This method takes an array of account data, including a required email_hash - * and optional account data. For each connected account, if the user exists, - * the information is added to the set of the user's connected accounts. - * If the user has already authorized the site, the connected account is added - * in the confirmed state. If the user has not yet authorized the site, the - * connected account is added in the pending state. - * - * This is designed to help Facebook Connect recognize when two Facebook - * friends are both members of a external site, but perhaps are not aware of - * it. The Connect dialog (see fb:connect-form) is used when friends can be - * identified through these email hashes. See the following url for details: - * - * http://wiki.developers.facebook.com/index.php/Connect.registerUsers - * - * @param mixed $accounts A (JSON-encoded) array of arrays, where each array - * has three properties: - * 'email_hash' (req) - public email hash of account - * 'account_id' (opt) - remote account id; - * 'account_url' (opt) - url to remote account; - * - * @return array The list of email hashes for the successfully registered - * accounts. - */ - public function connect_registerUsers($accounts) { - return $this->call_method('facebook.connect.registerUsers', - array('accounts' => $accounts)); - } - - /** - * Unregisters a set of accounts registered using connect.registerUsers. - * - * @param array $email_hashes The (JSON-encoded) list of email hashes to be - * unregistered. - * - * @return array The list of email hashes which have been successfully - * unregistered. - */ - public function connect_unregisterUsers($email_hashes) { - return $this->call_method('facebook.connect.unregisterUsers', - array('email_hashes' => $email_hashes)); - } - - /** - * Returns events according to the filters specified. - * - * @param int $uid (Optional) User associated with events. A null - * parameter will default to the session user. - * @param array/string $eids (Optional) Filter by these event - * ids. A null parameter will get all events for - * the user. (A csv list will work but is deprecated) - * @param int $start_time (Optional) Filter with this unix time as lower - * bound. A null or zero parameter indicates no - * lower bound. - * @param int $end_time (Optional) Filter with this UTC as upper bound. - * A null or zero parameter indicates no upper - * bound. - * @param string $rsvp_status (Optional) Only show events where the given uid - * has this rsvp status. This only works if you - * have specified a value for $uid. Values are as - * in events.getMembers. Null indicates to ignore - * rsvp status when filtering. - * - * @return array The events matching the query. - */ - public function &events_get($uid=null, - $eids=null, - $start_time=null, - $end_time=null, - $rsvp_status=null) { - return $this->call_method('facebook.events.get', - array('uid' => $uid, - 'eids' => $eids, - 'start_time' => $start_time, - 'end_time' => $end_time, - 'rsvp_status' => $rsvp_status)); - } - - /** - * Returns membership list data associated with an event. - * - * @param int $eid event id - * - * @return array An assoc array of four membership lists, with keys - * 'attending', 'unsure', 'declined', and 'not_replied' - */ - public function &events_getMembers($eid) { - return $this->call_method('facebook.events.getMembers', - array('eid' => $eid)); - } - - /** - * RSVPs the current user to this event. - * - * @param int $eid event id - * @param string $rsvp_status 'attending', 'unsure', or 'declined' - * - * @return bool true if successful - */ - public function &events_rsvp($eid, $rsvp_status) { - return $this->call_method('facebook.events.rsvp', - array( - 'eid' => $eid, - 'rsvp_status' => $rsvp_status)); - } - - /** - * Cancels an event. Only works for events where application is the admin. - * - * @param int $eid event id - * @param string $cancel_message (Optional) message to send to members of - * the event about why it is cancelled - * - * @return bool true if successful - */ - public function &events_cancel($eid, $cancel_message='') { - return $this->call_method('facebook.events.cancel', - array('eid' => $eid, - 'cancel_message' => $cancel_message)); - } - - /** - * Creates an event on behalf of the user is there is a session, otherwise on - * behalf of app. Successful creation guarantees app will be admin. - * - * @param assoc array $event_info json encoded event information - * @param string $file (Optional) filename of picture to set - * - * @return int event id - */ - public function events_create($event_info, $file = null) { - if ($file) { - return $this->call_upload_method('facebook.events.create', - array('event_info' => $event_info), - $file, - $this->photo_server_addr); - } else { - return $this->call_method('facebook.events.create', - array('event_info' => $event_info)); - } - } - - /** - * Invites users to an event. If a session user exists, the session user - * must have permissions to invite friends to the event and $uids must contain - * a list of friend ids. Otherwise, the event must have been - * created by the app and $uids must contain users of the app. - * This method requires the 'create_event' extended permission to - * invite people on behalf of a user. - * - * @param $eid the event id - * @param $uids an array of users to invite - * @param $personal_message a string containing the user's message - * (text only) - * - */ - public function events_invite($eid, $uids, $personal_message) { - return $this->call_method('facebook.events.invite', - array('eid' => $eid, - 'uids' => $uids, - 'personal_message' => $personal_message)); - } - - /** - * Edits an existing event. Only works for events where application is admin. - * - * @param int $eid event id - * @param assoc array $event_info json encoded event information - * @param string $file (Optional) filename of new picture to set - * - * @return bool true if successful - */ - public function events_edit($eid, $event_info, $file = null) { - if ($file) { - return $this->call_upload_method('facebook.events.edit', - array('eid' => $eid, 'event_info' => $event_info), - $file, - $this->photo_server_addr); - } else { - return $this->call_method('facebook.events.edit', - array('eid' => $eid, - 'event_info' => $event_info)); - } - } - - /** - * Fetches and re-caches the image stored at the given URL, for use in images - * published to non-canvas pages via the API (for example, to user profiles - * via profile.setFBML, or to News Feed via feed.publishUserAction). - * - * @param string $url The absolute URL from which to refresh the image. - * - * @return bool true on success - */ - public function &fbml_refreshImgSrc($url) { - return $this->call_method('facebook.fbml.refreshImgSrc', - array('url' => $url)); - } - - /** - * Fetches and re-caches the content stored at the given URL, for use in an - * fb:ref FBML tag. - * - * @param string $url The absolute URL from which to fetch content. This URL - * should be used in a fb:ref FBML tag. - * - * @return bool true on success - */ - public function &fbml_refreshRefUrl($url) { - return $this->call_method('facebook.fbml.refreshRefUrl', - array('url' => $url)); - } - - /** - * Associates a given "handle" with FBML markup so that the handle can be - * used within the fb:ref FBML tag. A handle is unique within an application - * and allows an application to publish identical FBML to many user profiles - * and do subsequent updates without having to republish FBML on behalf of - * each user. - * - * @param string $handle The handle to associate with the given FBML. - * @param string $fbml The FBML to associate with the given handle. - * - * @return bool true on success - */ - public function &fbml_setRefHandle($handle, $fbml) { - return $this->call_method('facebook.fbml.setRefHandle', - array('handle' => $handle, 'fbml' => $fbml)); - } - - /** - * Register custom tags for the application. Custom tags can be used - * to extend the set of tags available to applications in FBML - * markup. - * - * Before you call this function, - * make sure you read the full documentation at - * - * http://wiki.developers.facebook.com/index.php/Fbml.RegisterCustomTags - * - * IMPORTANT: This function overwrites the values of - * existing tags if the names match. Use this function with care because - * it may break the FBML of any application that is using the - * existing version of the tags. - * - * @param mixed $tags an array of tag objects (the full description is on the - * wiki page) - * - * @return int the number of tags that were registered - */ - public function &fbml_registerCustomTags($tags) { - $tags = json_encode($tags); - return $this->call_method('facebook.fbml.registerCustomTags', - array('tags' => $tags)); - } - - /** - * Get the custom tags for an application. If $app_id - * is not specified, the calling app's tags are returned. - * If $app_id is different from the id of the calling app, - * only the app's public tags are returned. - * The return value is an array of the same type as - * the $tags parameter of fbml_registerCustomTags(). - * - * @param int $app_id the application's id (optional) - * - * @return mixed an array containing the custom tag objects - */ - public function &fbml_getCustomTags($app_id = null) { - return $this->call_method('facebook.fbml.getCustomTags', - array('app_id' => $app_id)); - } - - - /** - * Delete custom tags the application has registered. If - * $tag_names is null, all the application's custom tags will be - * deleted. - * - * IMPORTANT: If your application has registered public tags - * that other applications may be using, don't delete those tags! - * Doing so can break the FBML ofapplications that are using them. - * - * @param array $tag_names the names of the tags to delete (optinal) - * @return bool true on success - */ - public function &fbml_deleteCustomTags($tag_names = null) { - return $this->call_method('facebook.fbml.deleteCustomTags', - array('tag_names' => json_encode($tag_names))); - } - - /** - * Gets the best translations for native strings submitted by an application - * for translation. If $locale is not specified, only native strings and their - * descriptions are returned. If $all is true, then unapproved translations - * are returned as well, otherwise only approved translations are returned. - * - * A mapping of locale codes -> language names is available at - * http://wiki.developers.facebook.com/index.php/Facebook_Locales - * - * @param string $locale the locale to get translations for, or 'all' for all - * locales, or 'en_US' for native strings - * @param bool $all whether to return all or only approved translations - * - * @return array (locale, array(native_strings, array('best translation - * available given enough votes or manual approval', approval - * status))) - * @error API_EC_PARAM - * @error API_EC_PARAM_BAD_LOCALE - */ - public function &intl_getTranslations($locale = 'en_US', $all = false) { - return $this->call_method('facebook.intl.getTranslations', - array('locale' => $locale, - 'all' => $all)); - } - - /** - * Lets you insert text strings in their native language into the Facebook - * Translations database so they can be translated. - * - * @param array $native_strings An array of maps, where each map has a 'text' - * field and a 'description' field. - * - * @return int Number of strings uploaded. - */ - public function &intl_uploadNativeStrings($native_strings) { - return $this->call_method('facebook.intl.uploadNativeStrings', - array('native_strings' => json_encode($native_strings))); - } - - /** - * This method is deprecated for calls made on behalf of users. This method - * works only for publishing stories on a Facebook Page that has installed - * your application. To publish stories to a user's profile, use - * feed.publishUserAction instead. - * - * For more details on this call, please visit the wiki page: - * - * http://wiki.developers.facebook.com/index.php/Feed.publishTemplatizedAction - */ - public function &feed_publishTemplatizedAction($title_template, - $title_data, - $body_template, - $body_data, - $body_general, - $image_1=null, - $image_1_link=null, - $image_2=null, - $image_2_link=null, - $image_3=null, - $image_3_link=null, - $image_4=null, - $image_4_link=null, - $target_ids='', - $page_actor_id=null) { - return $this->call_method('facebook.feed.publishTemplatizedAction', - array('title_template' => $title_template, - 'title_data' => $title_data, - 'body_template' => $body_template, - 'body_data' => $body_data, - 'body_general' => $body_general, - 'image_1' => $image_1, - 'image_1_link' => $image_1_link, - 'image_2' => $image_2, - 'image_2_link' => $image_2_link, - 'image_3' => $image_3, - 'image_3_link' => $image_3_link, - 'image_4' => $image_4, - 'image_4_link' => $image_4_link, - 'target_ids' => $target_ids, - 'page_actor_id' => $page_actor_id)); - } - - /** - * Registers a template bundle. Template bundles are somewhat involved, so - * it's recommended you check out the wiki for more details: - * - * http://wiki.developers.facebook.com/index.php/Feed.registerTemplateBundle - * - * @return string A template bundle id - */ - public function &feed_registerTemplateBundle($one_line_story_templates, - $short_story_templates = array(), - $full_story_template = null, - $action_links = array()) { - - $one_line_story_templates = json_encode($one_line_story_templates); - - if (!empty($short_story_templates)) { - $short_story_templates = json_encode($short_story_templates); - } - - if (isset($full_story_template)) { - $full_story_template = json_encode($full_story_template); - } - - if (isset($action_links)) { - $action_links = json_encode($action_links); - } - - return $this->call_method('facebook.feed.registerTemplateBundle', - array('one_line_story_templates' => $one_line_story_templates, - 'short_story_templates' => $short_story_templates, - 'full_story_template' => $full_story_template, - 'action_links' => $action_links)); - } - - /** - * Retrieves the full list of active template bundles registered by the - * requesting application. - * - * @return array An array of template bundles - */ - public function &feed_getRegisteredTemplateBundles() { - return $this->call_method('facebook.feed.getRegisteredTemplateBundles', - array()); - } - - /** - * Retrieves information about a specified template bundle previously - * registered by the requesting application. - * - * @param string $template_bundle_id The template bundle id - * - * @return array Template bundle - */ - public function &feed_getRegisteredTemplateBundleByID($template_bundle_id) { - return $this->call_method('facebook.feed.getRegisteredTemplateBundleByID', - array('template_bundle_id' => $template_bundle_id)); - } - - /** - * Deactivates a previously registered template bundle. - * - * @param string $template_bundle_id The template bundle id - * - * @return bool true on success - */ - public function &feed_deactivateTemplateBundleByID($template_bundle_id) { - return $this->call_method('facebook.feed.deactivateTemplateBundleByID', - array('template_bundle_id' => $template_bundle_id)); - } - - const STORY_SIZE_ONE_LINE = 1; - const STORY_SIZE_SHORT = 2; - const STORY_SIZE_FULL = 4; - - /** - * Publishes a story on behalf of the user owning the session, using the - * specified template bundle. This method requires an active session key in - * order to be called. - * - * The parameters to this method ($templata_data in particular) are somewhat - * involved. It's recommended you visit the wiki for details: - * - * http://wiki.developers.facebook.com/index.php/Feed.publishUserAction - * - * @param int $template_bundle_id A template bundle id previously registered - * @param array $template_data See wiki article for syntax - * @param array $target_ids (Optional) An array of friend uids of the - * user who shared in this action. - * @param string $body_general (Optional) Additional markup that extends - * the body of a short story. - * @param int $story_size (Optional) A story size (see above) - * @param string $user_message (Optional) A user message for a short - * story. - * - * @return bool true on success - */ - public function &feed_publishUserAction( - $template_bundle_id, $template_data, $target_ids='', $body_general='', - $story_size=FacebookRestClient::STORY_SIZE_ONE_LINE, - $user_message='') { - - if (is_array($template_data)) { - $template_data = json_encode($template_data); - } // allow client to either pass in JSON or an assoc that we JSON for them - - if (is_array($target_ids)) { - $target_ids = json_encode($target_ids); - $target_ids = trim($target_ids, "[]"); // we don't want square brackets - } - - return $this->call_method('facebook.feed.publishUserAction', - array('template_bundle_id' => $template_bundle_id, - 'template_data' => $template_data, - 'target_ids' => $target_ids, - 'body_general' => $body_general, - 'story_size' => $story_size, - 'user_message' => $user_message)); - } - - - /** - * Publish a post to the user's stream. - * - * @param $message the user's message - * @param $attachment the post's attachment (optional) - * @param $action links the post's action links (optional) - * @param $target_id the user on whose wall the post will be posted - * (optional) - * @param $uid the actor (defaults to session user) - * @return string the post id - */ - public function stream_publish( - $message, $attachment = null, $action_links = null, $target_id = null, - $uid = null) { - - return $this->call_method( - 'facebook.stream.publish', - array('message' => $message, - 'attachment' => $attachment, - 'action_links' => $action_links, - 'target_id' => $target_id, - 'uid' => $this->get_uid($uid))); - } - - /** - * Remove a post from the user's stream. - * Currently, you may only remove stories you application created. - * - * @param $post_id the post id - * @param $uid the actor (defaults to session user) - * @return bool - */ - public function stream_remove($post_id, $uid = null) { - return $this->call_method( - 'facebook.stream.remove', - array('post_id' => $post_id, - 'uid' => $this->get_uid($uid))); - } - - /** - * Add a comment to a stream post - * - * @param $post_id the post id - * @param $comment the comment text - * @param $uid the actor (defaults to session user) - * @return string the id of the created comment - */ - public function stream_addComment($post_id, $comment, $uid = null) { - return $this->call_method( - 'facebook.stream.addComment', - array('post_id' => $post_id, - 'comment' => $comment, - 'uid' => $this->get_uid($uid))); - } - - - /** - * Remove a comment from a stream post - * - * @param $comment_id the comment id - * @param $uid the actor (defaults to session user) - * @return bool - */ - public function stream_removeComment($comment_id, $uid = null) { - return $this->call_method( - 'facebook.stream.removeComment', - array('comment_id' => $comment_id, - 'uid' => $this->get_uid($uid))); - } - - /** - * Add a like to a stream post - * - * @param $post_id the post id - * @param $uid the actor (defaults to session user) - * @return bool - */ - public function stream_addLike($post_id, $uid = null) { - return $this->call_method( - 'facebook.stream.addLike', - array('post_id' => $post_id, - 'uid' => $this->get_uid($uid))); - } - - /** - * Remove a like from a stream post - * - * @param $post_id the post id - * @param $uid the actor (defaults to session user) - * @return bool - */ - public function stream_removeLike($post_id, $uid = null) { - return $this->call_method( - 'facebook.stream.removeLike', - array('post_id' => $post_id, - 'uid' => $this->get_uid($uid))); - } - - /** - * For the current user, retrieves stories generated by the user's friends - * while using this application. This can be used to easily create a - * "News Feed" like experience. - * - * @return array An array of feed story objects. - */ - public function &feed_getAppFriendStories() { - return $this->call_method('facebook.feed.getAppFriendStories'); - } - - /** - * Makes an FQL query. This is a generalized way of accessing all the data - * in the API, as an alternative to most of the other method calls. More - * info at http://wiki.developers.facebook.com/index.php/FQL - * - * @param string $query the query to evaluate - * - * @return array generalized array representing the results - */ - public function &fql_query($query) { - return $this->call_method('facebook.fql.query', - array('query' => $query)); - } - - /** - * Makes a set of FQL queries in parallel. This method takes a dictionary - * of FQL queries where the keys are names for the queries. Results from - * one query can be used within another query to fetch additional data. More - * info about FQL queries at http://wiki.developers.facebook.com/index.php/FQL - * - * @param string $queries JSON-encoded dictionary of queries to evaluate - * - * @return array generalized array representing the results - */ - public function &fql_multiquery($queries) { - return $this->call_method('facebook.fql.multiquery', - array('queries' => $queries)); - } - - /** - * Returns whether or not pairs of users are friends. - * Note that the Facebook friend relationship is symmetric. - * - * @param array/string $uids1 list of ids (id_1, id_2,...) - * of some length X (csv is deprecated) - * @param array/string $uids2 list of ids (id_A, id_B,...) - * of SAME length X (csv is deprecated) - * - * @return array An array with uid1, uid2, and bool if friends, e.g.: - * array(0 => array('uid1' => id_1, 'uid2' => id_A, 'are_friends' => 1), - * 1 => array('uid1' => id_2, 'uid2' => id_B, 'are_friends' => 0) - * ...) - * @error - * API_EC_PARAM_USER_ID_LIST - */ - public function &friends_areFriends($uids1, $uids2) { - return $this->call_method('facebook.friends.areFriends', - array('uids1' => $uids1, - 'uids2' => $uids2)); - } - - /** - * Returns the friends of the current session user. - * - * @param int $flid (Optional) Only return friends on this friend list. - * @param int $uid (Optional) Return friends for this user. - * - * @return array An array of friends - */ - public function &friends_get($flid=null, $uid = null) { - if (isset($this->friends_list)) { - return $this->friends_list; - } - $params = array(); - if (!$uid && isset($this->canvas_user)) { - $uid = $this->canvas_user; - } - if ($uid) { - $params['uid'] = $uid; - } - if ($flid) { - $params['flid'] = $flid; - } - return $this->call_method('facebook.friends.get', $params); - - } - - /** - * Returns the mutual friends between the target uid and a source uid or - * the current session user. - * - * @param int $target_uid Target uid for which mutual friends will be found. - * @param int $source_uid (optional) Source uid for which mutual friends will - * be found. If no source_uid is specified, - * source_id will default to the session - * user. - * @return array An array of friend uids - */ - public function &friends_getMutualFriends($target_uid, $source_uid = null) { - return $this->call_method('facebook.friends.getMutualFriends', - array("target_uid" => $target_uid, - "source_uid" => $source_uid)); - } - - /** - * Returns the set of friend lists for the current session user. - * - * @return array An array of friend list objects - */ - public function &friends_getLists() { - return $this->call_method('facebook.friends.getLists'); - } - - /** - * Returns the friends of the session user, who are also users - * of the calling application. - * - * @return array An array of friends also using the app - */ - public function &friends_getAppUsers() { - return $this->call_method('facebook.friends.getAppUsers'); - } - - /** - * Returns groups according to the filters specified. - * - * @param int $uid (Optional) User associated with groups. A null - * parameter will default to the session user. - * @param array/string $gids (Optional) Array of group ids to query. A null - * parameter will get all groups for the user. - * (csv is deprecated) - * - * @return array An array of group objects - */ - public function &groups_get($uid, $gids) { - return $this->call_method('facebook.groups.get', - array('uid' => $uid, - 'gids' => $gids)); - } - - /** - * Returns the membership list of a group. - * - * @param int $gid Group id - * - * @return array An array with four membership lists, with keys 'members', - * 'admins', 'officers', and 'not_replied' - */ - public function &groups_getMembers($gid) { - return $this->call_method('facebook.groups.getMembers', - array('gid' => $gid)); - } - - /** - * Returns cookies according to the filters specified. - * - * @param int $uid User for which the cookies are needed. - * @param string $name (Optional) A null parameter will get all cookies - * for the user. - * - * @return array Cookies! Nom nom nom nom nom. - */ - public function data_getCookies($uid, $name) { - return $this->call_method('facebook.data.getCookies', - array('uid' => $uid, - 'name' => $name)); - } - - /** - * Sets cookies according to the params specified. - * - * @param int $uid User for which the cookies are needed. - * @param string $name Name of the cookie - * @param string $value (Optional) if expires specified and is in the past - * @param int $expires (Optional) Expiry time - * @param string $path (Optional) Url path to associate with (default is /) - * - * @return bool true on success - */ - public function data_setCookie($uid, $name, $value, $expires, $path) { - return $this->call_method('facebook.data.setCookie', - array('uid' => $uid, - 'name' => $name, - 'value' => $value, - 'expires' => $expires, - 'path' => $path)); - } - - /** - * Retrieves links posted by the given user. - * - * @param int $uid The user whose links you wish to retrieve - * @param int $limit The maximimum number of links to retrieve - * @param array $link_ids (Optional) Array of specific link - * IDs to retrieve by this user - * - * @return array An array of links. - */ - public function &links_get($uid, $limit, $link_ids = null) { - return $this->call_method('links.get', - array('uid' => $uid, - 'limit' => $limit, - 'link_ids' => $link_ids)); - } - - /** - * Posts a link on Facebook. - * - * @param string $url URL/link you wish to post - * @param string $comment (Optional) A comment about this link - * @param int $uid (Optional) User ID that is posting this link; - * defaults to current session user - * - * @return bool - */ - public function &links_post($url, $comment='', $uid = null) { - return $this->call_method('links.post', - array('uid' => $uid, - 'url' => $url, - 'comment' => $comment)); - } - - /** - * Permissions API - */ - - /** - * Checks API-access granted by self to the specified application. - * - * @param string $permissions_apikey Other application key - * - * @return array API methods/namespaces which are allowed access - */ - public function permissions_checkGrantedApiAccess($permissions_apikey) { - return $this->call_method('facebook.permissions.checkGrantedApiAccess', - array('permissions_apikey' => $permissions_apikey)); - } - - /** - * Checks API-access granted to self by the specified application. - * - * @param string $permissions_apikey Other application key - * - * @return array API methods/namespaces which are allowed access - */ - public function permissions_checkAvailableApiAccess($permissions_apikey) { - return $this->call_method('facebook.permissions.checkAvailableApiAccess', - array('permissions_apikey' => $permissions_apikey)); - } - - /** - * Grant API-access to the specified methods/namespaces to the specified - * application. - * - * @param string $permissions_apikey Other application key - * @param array(string) $method_arr (Optional) API methods/namespaces - * allowed - * - * @return array API methods/namespaces which are allowed access - */ - public function permissions_grantApiAccess($permissions_apikey, $method_arr) { - return $this->call_method('facebook.permissions.grantApiAccess', - array('permissions_apikey' => $permissions_apikey, - 'method_arr' => $method_arr)); - } - - /** - * Revoke API-access granted to the specified application. - * - * @param string $permissions_apikey Other application key - * - * @return bool true on success - */ - public function permissions_revokeApiAccess($permissions_apikey) { - return $this->call_method('facebook.permissions.revokeApiAccess', - array('permissions_apikey' => $permissions_apikey)); - } - - /** - * Payments Order API - */ - - /** - * Set Payments properties for an app. - * - * @param properties a map from property names to values - * @return true on success - */ - public function payments_setProperties($properties) { - return $this->call_method ('facebook.payments.setProperties', - array('properties' => json_encode($properties))); - } - - public function payments_getOrderDetails($order_id) { - return json_decode($this->call_method( - 'facebook.payments.getOrderDetails', - array('order_id' => $order_id)), true); - } - - public function payments_updateOrder($order_id, $status, - $params) { - return $this->call_method('facebook.payments.updateOrder', - array('order_id' => $order_id, - 'status' => $status, - 'params' => json_encode($params))); - } - - public function payments_getOrders($status, $start_time, - $end_time, $test_mode=false) { - return json_decode($this->call_method('facebook.payments.getOrders', - array('status' => $status, - 'start_time' => $start_time, - 'end_time' => $end_time, - 'test_mode' => $test_mode)), true); - } - - /** - * Gifts API - */ - - /** - * Get Gifts associated with an app - * - * @return array of gifts - */ - public function gifts_get() { - return json_decode( - $this->call_method('facebook.gifts.get', - array()), - true - ); - } - - /* - * Update gifts stored by an app - * - * @param array containing gift_id => gift_data to be updated - * @return array containing gift_id => true/false indicating success - * in updating that gift - */ - public function gifts_update($update_array) { - return json_decode( - $this->call_method('facebook.gifts.update', - array('update_str' => json_encode($update_array)) - ), - true - ); - } - - - /** - * Creates a note with the specified title and content. - * - * @param string $title Title of the note. - * @param string $content Content of the note. - * @param int $uid (Optional) The user for whom you are creating a - * note; defaults to current session user - * - * @return int The ID of the note that was just created. - */ - public function ¬es_create($title, $content, $uid = null) { - return $this->call_method('notes.create', - array('uid' => $uid, - 'title' => $title, - 'content' => $content)); - } - - /** - * Deletes the specified note. - * - * @param int $note_id ID of the note you wish to delete - * @param int $uid (Optional) Owner of the note you wish to delete; - * defaults to current session user - * - * @return bool - */ - public function ¬es_delete($note_id, $uid = null) { - return $this->call_method('notes.delete', - array('uid' => $uid, - 'note_id' => $note_id)); - } - - /** - * Edits a note, replacing its title and contents with the title - * and contents specified. - * - * @param int $note_id ID of the note you wish to edit - * @param string $title Replacement title for the note - * @param string $content Replacement content for the note - * @param int $uid (Optional) Owner of the note you wish to edit; - * defaults to current session user - * - * @return bool - */ - public function ¬es_edit($note_id, $title, $content, $uid = null) { - return $this->call_method('notes.edit', - array('uid' => $uid, - 'note_id' => $note_id, - 'title' => $title, - 'content' => $content)); - } - - /** - * Retrieves all notes by a user. If note_ids are specified, - * retrieves only those specific notes by that user. - * - * @param int $uid User whose notes you wish to retrieve - * @param array $note_ids (Optional) List of specific note - * IDs by this user to retrieve - * - * @return array A list of all of the given user's notes, or an empty list - * if the viewer lacks permissions or if there are no visible - * notes. - */ - public function ¬es_get($uid, $note_ids = null) { - return $this->call_method('notes.get', - array('uid' => $uid, - 'note_ids' => $note_ids)); - } - - - /** - * Returns the outstanding notifications for the session user. - * - * @return array An assoc array of notification count objects for - * 'messages', 'pokes' and 'shares', a uid list of - * 'friend_requests', a gid list of 'group_invites', - * and an eid list of 'event_invites' - */ - public function ¬ifications_get() { - return $this->call_method('facebook.notifications.get'); - } - - /** - * Sends a notification to the specified users. - * - * @return A comma separated list of successful recipients - * @error - * API_EC_PARAM_USER_ID_LIST - */ - public function ¬ifications_send($to_ids, $notification, $type) { - return $this->call_method('facebook.notifications.send', - array('to_ids' => $to_ids, - 'notification' => $notification, - 'type' => $type)); - } - - /** - * Sends an email to the specified user of the application. - * - * @param array/string $recipients array of ids of the recipients (csv is deprecated) - * @param string $subject subject of the email - * @param string $text (plain text) body of the email - * @param string $fbml fbml markup for an html version of the email - * - * @return string A comma separated list of successful recipients - * @error - * API_EC_PARAM_USER_ID_LIST - */ - public function ¬ifications_sendEmail($recipients, - $subject, - $text, - $fbml) { - return $this->call_method('facebook.notifications.sendEmail', - array('recipients' => $recipients, - 'subject' => $subject, - 'text' => $text, - 'fbml' => $fbml)); - } - - /** - * Returns the requested info fields for the requested set of pages. - * - * @param array/string $page_ids an array of page ids (csv is deprecated) - * @param array/string $fields an array of strings describing the - * info fields desired (csv is deprecated) - * @param int $uid (Optional) limit results to pages of which this - * user is a fan. - * @param string type limits results to a particular type of page. - * - * @return array An array of pages - */ - public function &pages_getInfo($page_ids, $fields, $uid, $type) { - return $this->call_method('facebook.pages.getInfo', - array('page_ids' => $page_ids, - 'fields' => $fields, - 'uid' => $uid, - 'type' => $type)); - } - - /** - * Returns true if the given user is an admin for the passed page. - * - * @param int $page_id target page id - * @param int $uid (Optional) user id (defaults to the logged-in user) - * - * @return bool true on success - */ - public function &pages_isAdmin($page_id, $uid = null) { - return $this->call_method('facebook.pages.isAdmin', - array('page_id' => $page_id, - 'uid' => $uid)); - } - - /** - * Returns whether or not the given page has added the application. - * - * @param int $page_id target page id - * - * @return bool true on success - */ - public function &pages_isAppAdded($page_id) { - return $this->call_method('facebook.pages.isAppAdded', - array('page_id' => $page_id)); - } - - /** - * Returns true if logged in user is a fan for the passed page. - * - * @param int $page_id target page id - * @param int $uid user to compare. If empty, the logged in user. - * - * @return bool true on success - */ - public function &pages_isFan($page_id, $uid = null) { - return $this->call_method('facebook.pages.isFan', - array('page_id' => $page_id, - 'uid' => $uid)); - } - - /** - * Adds a tag with the given information to a photo. See the wiki for details: - * - * http://wiki.developers.facebook.com/index.php/Photos.addTag - * - * @param int $pid The ID of the photo to be tagged - * @param int $tag_uid The ID of the user being tagged. You must specify - * either the $tag_uid or the $tag_text parameter - * (unless $tags is specified). - * @param string $tag_text Some text identifying the person being tagged. - * You must specify either the $tag_uid or $tag_text - * parameter (unless $tags is specified). - * @param float $x The horizontal position of the tag, as a - * percentage from 0 to 100, from the left of the - * photo. - * @param float $y The vertical position of the tag, as a percentage - * from 0 to 100, from the top of the photo. - * @param array $tags (Optional) An array of maps, where each map - * can contain the tag_uid, tag_text, x, and y - * parameters defined above. If specified, the - * individual arguments are ignored. - * @param int $owner_uid (Optional) The user ID of the user whose photo - * you are tagging. If this parameter is not - * specified, then it defaults to the session user. - * - * @return bool true on success - */ - public function &photos_addTag($pid, - $tag_uid, - $tag_text, - $x, - $y, - $tags, - $owner_uid=0) { - return $this->call_method('facebook.photos.addTag', - array('pid' => $pid, - 'tag_uid' => $tag_uid, - 'tag_text' => $tag_text, - 'x' => $x, - 'y' => $y, - 'tags' => (is_array($tags)) ? json_encode($tags) : null, - 'owner_uid' => $this->get_uid($owner_uid))); - } - - /** - * Creates and returns a new album owned by the specified user or the current - * session user. - * - * @param string $name The name of the album. - * @param string $description (Optional) A description of the album. - * @param string $location (Optional) A description of the location. - * @param string $visible (Optional) A privacy setting for the album. - * One of 'friends', 'friends-of-friends', - * 'networks', or 'everyone'. Default 'everyone'. - * @param int $uid (Optional) User id for creating the album; if - * not specified, the session user is used. - * - * @return array An album object - */ - public function &photos_createAlbum($name, - $description='', - $location='', - $visible='', - $uid=0) { - return $this->call_method('facebook.photos.createAlbum', - array('name' => $name, - 'description' => $description, - 'location' => $location, - 'visible' => $visible, - 'uid' => $this->get_uid($uid))); - } - - /** - * Returns photos according to the filters specified. - * - * @param int $subj_id (Optional) Filter by uid of user tagged in the photos. - * @param int $aid (Optional) Filter by an album, as returned by - * photos_getAlbums. - * @param array/string $pids (Optional) Restrict to an array of pids - * (csv is deprecated) - * - * Note that at least one of these parameters needs to be specified, or an - * error is returned. - * - * @return array An array of photo objects. - */ - public function &photos_get($subj_id, $aid, $pids) { - return $this->call_method('facebook.photos.get', - array('subj_id' => $subj_id, 'aid' => $aid, 'pids' => $pids)); - } - - /** - * Returns the albums created by the given user. - * - * @param int $uid (Optional) The uid of the user whose albums you want. - * A null will return the albums of the session user. - * @param string $aids (Optional) An array of aids to restrict - * the query. (csv is deprecated) - * - * Note that at least one of the (uid, aids) parameters must be specified. - * - * @returns an array of album objects. - */ - public function &photos_getAlbums($uid, $aids) { - return $this->call_method('facebook.photos.getAlbums', - array('uid' => $uid, - 'aids' => $aids)); - } - - /** - * Returns the tags on all photos specified. - * - * @param string $pids A list of pids to query - * - * @return array An array of photo tag objects, which include pid, - * subject uid, and two floating-point numbers (xcoord, ycoord) - * for tag pixel location. - */ - public function &photos_getTags($pids) { - return $this->call_method('facebook.photos.getTags', - array('pids' => $pids)); - } - - /** - * Uploads a photo. - * - * @param string $file The location of the photo on the local filesystem. - * @param int $aid (Optional) The album into which to upload the - * photo. - * @param string $caption (Optional) A caption for the photo. - * @param int uid (Optional) The user ID of the user whose photo you - * are uploading - * - * @return array An array of user objects - */ - public function photos_upload($file, $aid=null, $caption=null, $uid=null) { - return $this->call_upload_method('facebook.photos.upload', - array('aid' => $aid, - 'caption' => $caption, - 'uid' => $uid), - $file); - } - - - /** - * Uploads a video. - * - * @param string $file The location of the video on the local filesystem. - * @param string $title (Optional) A title for the video. Titles over 65 characters in length will be truncated. - * @param string $description (Optional) A description for the video. - * - * @return array An array with the video's ID, title, description, and a link to view it on Facebook. - */ - public function video_upload($file, $title=null, $description=null) { - return $this->call_upload_method('facebook.video.upload', - array('title' => $title, - 'description' => $description), - $file, - Facebook::get_facebook_url('api-video') . '/restserver.php'); - } - - /** - * Returns an array with the video limitations imposed on the current session's - * associated user. Maximum length is measured in seconds; maximum size is - * measured in bytes. - * - * @return array Array with "length" and "size" keys - */ - public function &video_getUploadLimits() { - return $this->call_method('facebook.video.getUploadLimits'); - } - - /** - * Returns the requested info fields for the requested set of users. - * - * @param array/string $uids An array of user ids (csv is deprecated) - * @param array/string $fields An array of info field names desired (csv is deprecated) - * - * @return array An array of user objects - */ - public function &users_getInfo($uids, $fields) { - return $this->call_method('facebook.users.getInfo', - array('uids' => $uids, - 'fields' => $fields)); - } - - /** - * Returns the requested info fields for the requested set of users. A - * session key must not be specified. Only data about users that have - * authorized your application will be returned. - * - * Check the wiki for fields that can be queried through this API call. - * Data returned from here should not be used for rendering to application - * users, use users.getInfo instead, so that proper privacy rules will be - * applied. - * - * @param array/string $uids An array of user ids (csv is deprecated) - * @param array/string $fields An array of info field names desired (csv is deprecated) - * - * @return array An array of user objects - */ - public function &users_getStandardInfo($uids, $fields) { - return $this->call_method('facebook.users.getStandardInfo', - array('uids' => $uids, - 'fields' => $fields)); - } - - /** - * Returns the user corresponding to the current session object. - * - * @return integer User id - */ - public function &users_getLoggedInUser() { - return $this->call_method('facebook.users.getLoggedInUser'); - } - - /** - * Returns 1 if the user has the specified permission, 0 otherwise. - * http://wiki.developers.facebook.com/index.php/Users.hasAppPermission - * - * @return integer 1 or 0 - */ - public function &users_hasAppPermission($ext_perm, $uid=null) { - return $this->call_method('facebook.users.hasAppPermission', - array('ext_perm' => $ext_perm, 'uid' => $uid)); - } - - /** - * Returns whether or not the user corresponding to the current - * session object has the give the app basic authorization. - * - * @return boolean true if the user has authorized the app - */ - public function &users_isAppUser($uid=null) { - if ($uid === null && isset($this->is_user)) { - return $this->is_user; - } - - return $this->call_method('facebook.users.isAppUser', array('uid' => $uid)); - } - - /** - * Returns whether or not the user corresponding to the current - * session object is verified by Facebook. See the documentation - * for Users.isVerified for details. - * - * @return boolean true if the user is verified - */ - public function &users_isVerified() { - return $this->call_method('facebook.users.isVerified'); - } - - /** - * Sets the users' current status message. Message does NOT contain the - * word "is" , so make sure to include a verb. - * - * Example: setStatus("is loving the API!") - * will produce the status "Luke is loving the API!" - * - * @param string $status text-only message to set - * @param int $uid user to set for (defaults to the - * logged-in user) - * @param bool $clear whether or not to clear the status, - * instead of setting it - * @param bool $status_includes_verb if true, the word "is" will *not* be - * prepended to the status message - * - * @return boolean - */ - public function &users_setStatus($status, - $uid = null, - $clear = false, - $status_includes_verb = true) { - $args = array( - 'status' => $status, - 'uid' => $uid, - 'clear' => $clear, - 'status_includes_verb' => $status_includes_verb, - ); - return $this->call_method('facebook.users.setStatus', $args); - } - - /** - * Gets the comments for a particular xid. This is essentially a wrapper - * around the comment FQL table. - * - * @param string $xid external id associated with the comments - * - * @return array of comment objects - */ - public function &comments_get($xid) { - $args = array('xid' => $xid); - return $this->call_method('facebook.comments.get', $args); - } - - /** - * Add a comment to a particular xid on behalf of a user. If called - * without an app_secret (with session secret), this will only work - * for the session user. - * - * @param string $xid external id associated with the comments - * @param string $text text of the comment - * @param int $uid user adding the comment (def: session user) - * @param string $title optional title for the stream story - * @param string $url optional url for the stream story - * @param bool $publish_to_stream publish a feed story about this comment? - * a link will be generated to title/url in the story - * - * @return string comment_id associated with the comment - */ - public function &comments_add($xid, $text, $uid=0, $title='', $url='', - $publish_to_stream=false) { - $args = array( - 'xid' => $xid, - 'uid' => $this->get_uid($uid), - 'text' => $text, - 'title' => $title, - 'url' => $url, - 'publish_to_stream' => $publish_to_stream); - - return $this->call_method('facebook.comments.add', $args); - } - - /** - * Remove a particular comment. - * - * @param string $xid the external id associated with the comments - * @param string $comment_id id of the comment to remove (returned by - * comments.add and comments.get) - * - * @return boolean - */ - public function &comments_remove($xid, $comment_id) { - $args = array( - 'xid' => $xid, - 'comment_id' => $comment_id); - return $this->call_method('facebook.comments.remove', $args); - } - - /** - * Gets the stream on behalf of a user using a set of users. This - * call will return the latest $limit queries between $start_time - * and $end_time. - * - * @param int $viewer_id user making the call (def: session) - * @param array $source_ids users/pages to look at (def: all connections) - * @param int $start_time start time to look for stories (def: 1 day ago) - * @param int $end_time end time to look for stories (def: now) - * @param int $limit number of stories to attempt to fetch (def: 30) - * @param string $filter_key key returned by stream.getFilters to fetch - * @param array $metadata metadata to include with the return, allows - * requested metadata to be returned, such as - * profiles, albums, photo_tags - * - * @return array( - * 'posts' => array of posts, - * // if requested, the following data may be returned - * 'profiles' => array of profile metadata of users/pages in posts - * 'albums' => array of album metadata in posts - * 'photo_tags' => array of photo_tags for photos in posts - * ) - */ - public function &stream_get($viewer_id = null, - $source_ids = null, - $start_time = 0, - $end_time = 0, - $limit = 30, - $filter_key = '', - $exportable_only = false, - $metadata = null, - $post_ids = null) { - $args = array( - 'viewer_id' => $viewer_id, - 'source_ids' => $source_ids, - 'start_time' => $start_time, - 'end_time' => $end_time, - 'limit' => $limit, - 'filter_key' => $filter_key, - 'exportable_only' => $exportable_only, - 'metadata' => $metadata, - 'post_ids' => $post_ids); - return $this->call_method('facebook.stream.get', $args); - } - - /** - * Gets the filters (with relevant filter keys for stream.get) for a - * particular user. These filters are typical things like news feed, - * friend lists, networks. They can be used to filter the stream - * without complex queries to determine which ids belong in which groups. - * - * @param int $uid user to get filters for - * - * @return array of stream filter objects - */ - public function &stream_getFilters($uid = null) { - $args = array('uid' => $uid); - return $this->call_method('facebook.stream.getFilters', $args); - } - - /** - * Gets the full comments given a post_id from stream.get or the - * stream FQL table. Initially, only a set of preview comments are - * returned because some posts can have many comments. - * - * @param string $post_id id of the post to get comments for - * - * @return array of comment objects - */ - public function &stream_getComments($post_id) { - $args = array('post_id' => $post_id); - return $this->call_method('facebook.stream.getComments', $args); - } - - /** - * Sets the FBML for the profile of the user attached to this session. - * - * @param string $markup The FBML that describes the profile - * presence of this app for the user - * @param int $uid The user - * @param string $profile Profile FBML - * @param string $profile_action Profile action FBML (deprecated) - * @param string $mobile_profile Mobile profile FBML - * @param string $profile_main Main Tab profile FBML - * - * @return array A list of strings describing any compile errors for the - * submitted FBML - */ - public function profile_setFBML($markup, - $uid=null, - $profile='', - $profile_action='', - $mobile_profile='', - $profile_main='') { - return $this->call_method('facebook.profile.setFBML', - array('markup' => $markup, - 'uid' => $uid, - 'profile' => $profile, - 'profile_action' => $profile_action, - 'mobile_profile' => $mobile_profile, - 'profile_main' => $profile_main)); - } - - /** - * Gets the FBML for the profile box that is currently set for a user's - * profile (your application set the FBML previously by calling the - * profile.setFBML method). - * - * @param int $uid (Optional) User id to lookup; defaults to session. - * @param int $type (Optional) 1 for original style, 2 for profile_main boxes - * - * @return string The FBML - */ - public function &profile_getFBML($uid=null, $type=null) { - return $this->call_method('facebook.profile.getFBML', - array('uid' => $uid, - 'type' => $type)); - } - - /** - * Returns the specified user's application info section for the calling - * application. These info sections have either been set via a previous - * profile.setInfo call or by the user editing them directly. - * - * @param int $uid (Optional) User id to lookup; defaults to session. - * - * @return array Info fields for the current user. See wiki for structure: - * - * http://wiki.developers.facebook.com/index.php/Profile.getInfo - * - */ - public function &profile_getInfo($uid=null) { - return $this->call_method('facebook.profile.getInfo', - array('uid' => $uid)); - } - - /** - * Returns the options associated with the specified info field for an - * application info section. - * - * @param string $field The title of the field - * - * @return array An array of info options. - */ - public function &profile_getInfoOptions($field) { - return $this->call_method('facebook.profile.getInfoOptions', - array('field' => $field)); - } - - /** - * Configures an application info section that the specified user can install - * on the Info tab of her profile. For details on the structure of an info - * field, please see: - * - * http://wiki.developers.facebook.com/index.php/Profile.setInfo - * - * @param string $title Title / header of the info section - * @param int $type 1 for text-only, 5 for thumbnail views - * @param array $info_fields An array of info fields. See wiki for details. - * @param int $uid (Optional) - * - * @return bool true on success - */ - public function &profile_setInfo($title, $type, $info_fields, $uid=null) { - return $this->call_method('facebook.profile.setInfo', - array('uid' => $uid, - 'type' => $type, - 'title' => $title, - 'info_fields' => json_encode($info_fields))); - } - - /** - * Specifies the objects for a field for an application info section. These - * options populate the typeahead for a thumbnail. - * - * @param string $field The title of the field - * @param array $options An array of items for a thumbnail, including - * 'label', 'link', and optionally 'image', - * 'description' and 'sublabel' - * - * @return bool true on success - */ - public function profile_setInfoOptions($field, $options) { - return $this->call_method('facebook.profile.setInfoOptions', - array('field' => $field, - 'options' => json_encode($options))); - } - - ///////////////////////////////////////////////////////////////////////////// - // Data Store API - - /** - * Set a user preference. - * - * @param pref_id preference identifier (0-200) - * @param value preferece's value - * @param uid the user id (defaults to current session user) - * @error - * API_EC_DATA_DATABASE_ERROR - * API_EC_PARAM - * API_EC_DATA_QUOTA_EXCEEDED - * API_EC_DATA_UNKNOWN_ERROR - * API_EC_PERMISSION_OTHER_USER - */ - public function &data_setUserPreference($pref_id, $value, $uid = null) { - return $this->call_method('facebook.data.setUserPreference', - array('pref_id' => $pref_id, - 'value' => $value, - 'uid' => $this->get_uid($uid))); - } - - /** - * Set a user's all preferences for this application. - * - * @param values preferece values in an associative arrays - * @param replace whether to replace all existing preferences or - * merge into them. - * @param uid the user id (defaults to current session user) - * @error - * API_EC_DATA_DATABASE_ERROR - * API_EC_PARAM - * API_EC_DATA_QUOTA_EXCEEDED - * API_EC_DATA_UNKNOWN_ERROR - * API_EC_PERMISSION_OTHER_USER - */ - public function &data_setUserPreferences($values, - $replace = false, - $uid = null) { - return $this->call_method('facebook.data.setUserPreferences', - array('values' => json_encode($values), - 'replace' => $replace, - 'uid' => $this->get_uid($uid))); - } - - /** - * Get a user preference. - * - * @param pref_id preference identifier (0-200) - * @param uid the user id (defaults to current session user) - * @return preference's value - * @error - * API_EC_DATA_DATABASE_ERROR - * API_EC_PARAM - * API_EC_DATA_QUOTA_EXCEEDED - * API_EC_DATA_UNKNOWN_ERROR - * API_EC_PERMISSION_OTHER_USER - */ - public function &data_getUserPreference($pref_id, $uid = null) { - return $this->call_method('facebook.data.getUserPreference', - array('pref_id' => $pref_id, - 'uid' => $this->get_uid($uid))); - } - - /** - * Get a user preference. - * - * @param uid the user id (defaults to current session user) - * @return preference values - * @error - * API_EC_DATA_DATABASE_ERROR - * API_EC_DATA_QUOTA_EXCEEDED - * API_EC_DATA_UNKNOWN_ERROR - * API_EC_PERMISSION_OTHER_USER - */ - public function &data_getUserPreferences($uid = null) { - return $this->call_method('facebook.data.getUserPreferences', - array('uid' => $this->get_uid($uid))); - } - - /** - * Create a new object type. - * - * @param name object type's name - * @error - * API_EC_DATA_DATABASE_ERROR - * API_EC_DATA_OBJECT_ALREADY_EXISTS - * API_EC_PARAM - * API_EC_PERMISSION - * API_EC_DATA_INVALID_OPERATION - * API_EC_DATA_QUOTA_EXCEEDED - * API_EC_DATA_UNKNOWN_ERROR - */ - public function &data_createObjectType($name) { - return $this->call_method('facebook.data.createObjectType', - array('name' => $name)); - } - - /** - * Delete an object type. - * - * @param obj_type object type's name - * @error - * API_EC_DATA_DATABASE_ERROR - * API_EC_DATA_OBJECT_NOT_FOUND - * API_EC_PARAM - * API_EC_PERMISSION - * API_EC_DATA_INVALID_OPERATION - * API_EC_DATA_QUOTA_EXCEEDED - * API_EC_DATA_UNKNOWN_ERROR - */ - public function &data_dropObjectType($obj_type) { - return $this->call_method('facebook.data.dropObjectType', - array('obj_type' => $obj_type)); - } - - /** - * Rename an object type. - * - * @param obj_type object type's name - * @param new_name new object type's name - * @error - * API_EC_DATA_DATABASE_ERROR - * API_EC_DATA_OBJECT_NOT_FOUND - * API_EC_DATA_OBJECT_ALREADY_EXISTS - * API_EC_PARAM - * API_EC_PERMISSION - * API_EC_DATA_INVALID_OPERATION - * API_EC_DATA_QUOTA_EXCEEDED - * API_EC_DATA_UNKNOWN_ERROR - */ - public function &data_renameObjectType($obj_type, $new_name) { - return $this->call_method('facebook.data.renameObjectType', - array('obj_type' => $obj_type, - 'new_name' => $new_name)); - } - - /** - * Add a new property to an object type. - * - * @param obj_type object type's name - * @param prop_name name of the property to add - * @param prop_type 1: integer; 2: string; 3: text blob - * @error - * API_EC_DATA_DATABASE_ERROR - * API_EC_DATA_OBJECT_ALREADY_EXISTS - * API_EC_PARAM - * API_EC_PERMISSION - * API_EC_DATA_INVALID_OPERATION - * API_EC_DATA_QUOTA_EXCEEDED - * API_EC_DATA_UNKNOWN_ERROR - */ - public function &data_defineObjectProperty($obj_type, - $prop_name, - $prop_type) { - return $this->call_method('facebook.data.defineObjectProperty', - array('obj_type' => $obj_type, - 'prop_name' => $prop_name, - 'prop_type' => $prop_type)); - } - - /** - * Remove a previously defined property from an object type. - * - * @param obj_type object type's name - * @param prop_name name of the property to remove - * @error - * API_EC_DATA_DATABASE_ERROR - * API_EC_DATA_OBJECT_NOT_FOUND - * API_EC_PARAM - * API_EC_PERMISSION - * API_EC_DATA_INVALID_OPERATION - * API_EC_DATA_QUOTA_EXCEEDED - * API_EC_DATA_UNKNOWN_ERROR - */ - public function &data_undefineObjectProperty($obj_type, $prop_name) { - return $this->call_method('facebook.data.undefineObjectProperty', - array('obj_type' => $obj_type, - 'prop_name' => $prop_name)); - } - - /** - * Rename a previously defined property of an object type. - * - * @param obj_type object type's name - * @param prop_name name of the property to rename - * @param new_name new name to use - * @error - * API_EC_DATA_DATABASE_ERROR - * API_EC_DATA_OBJECT_NOT_FOUND - * API_EC_DATA_OBJECT_ALREADY_EXISTS - * API_EC_PARAM - * API_EC_PERMISSION - * API_EC_DATA_INVALID_OPERATION - * API_EC_DATA_QUOTA_EXCEEDED - * API_EC_DATA_UNKNOWN_ERROR - */ - public function &data_renameObjectProperty($obj_type, $prop_name, - $new_name) { - return $this->call_method('facebook.data.renameObjectProperty', - array('obj_type' => $obj_type, - 'prop_name' => $prop_name, - 'new_name' => $new_name)); - } - - /** - * Retrieve a list of all object types that have defined for the application. - * - * @return a list of object type names - * @error - * API_EC_DATA_DATABASE_ERROR - * API_EC_PERMISSION - * API_EC_DATA_QUOTA_EXCEEDED - * API_EC_DATA_UNKNOWN_ERROR - */ - public function &data_getObjectTypes() { - return $this->call_method('facebook.data.getObjectTypes'); - } - - /** - * Get definitions of all properties of an object type. - * - * @param obj_type object type's name - * @return pairs of property name and property types - * @error - * API_EC_DATA_DATABASE_ERROR - * API_EC_PARAM - * API_EC_PERMISSION - * API_EC_DATA_OBJECT_NOT_FOUND - * API_EC_DATA_QUOTA_EXCEEDED - * API_EC_DATA_UNKNOWN_ERROR - */ - public function &data_getObjectType($obj_type) { - return $this->call_method('facebook.data.getObjectType', - array('obj_type' => $obj_type)); - } - - /** - * Create a new object. - * - * @param obj_type object type's name - * @param properties (optional) properties to set initially - * @return newly created object's id - * @error - * API_EC_DATA_DATABASE_ERROR - * API_EC_PARAM - * API_EC_PERMISSION - * API_EC_DATA_INVALID_OPERATION - * API_EC_DATA_QUOTA_EXCEEDED - * API_EC_DATA_UNKNOWN_ERROR - */ - public function &data_createObject($obj_type, $properties = null) { - return $this->call_method('facebook.data.createObject', - array('obj_type' => $obj_type, - 'properties' => json_encode($properties))); - } - - /** - * Update an existing object. - * - * @param obj_id object's id - * @param properties new properties - * @param replace true for replacing existing properties; - * false for merging - * @error - * API_EC_DATA_DATABASE_ERROR - * API_EC_DATA_OBJECT_NOT_FOUND - * API_EC_PARAM - * API_EC_PERMISSION - * API_EC_DATA_INVALID_OPERATION - * API_EC_DATA_QUOTA_EXCEEDED - * API_EC_DATA_UNKNOWN_ERROR - */ - public function &data_updateObject($obj_id, $properties, $replace = false) { - return $this->call_method('facebook.data.updateObject', - array('obj_id' => $obj_id, - 'properties' => json_encode($properties), - 'replace' => $replace)); - } - - /** - * Delete an existing object. - * - * @param obj_id object's id - * @error - * API_EC_DATA_DATABASE_ERROR - * API_EC_DATA_OBJECT_NOT_FOUND - * API_EC_PARAM - * API_EC_PERMISSION - * API_EC_DATA_INVALID_OPERATION - * API_EC_DATA_QUOTA_EXCEEDED - * API_EC_DATA_UNKNOWN_ERROR - */ - public function &data_deleteObject($obj_id) { - return $this->call_method('facebook.data.deleteObject', - array('obj_id' => $obj_id)); - } - - /** - * Delete a list of objects. - * - * @param obj_ids objects to delete - * @error - * API_EC_DATA_DATABASE_ERROR - * API_EC_PARAM - * API_EC_PERMISSION - * API_EC_DATA_INVALID_OPERATION - * API_EC_DATA_QUOTA_EXCEEDED - * API_EC_DATA_UNKNOWN_ERROR - */ - public function &data_deleteObjects($obj_ids) { - return $this->call_method('facebook.data.deleteObjects', - array('obj_ids' => json_encode($obj_ids))); - } - - /** - * Get a single property value of an object. - * - * @param obj_id object's id - * @param prop_name individual property's name - * @return individual property's value - * @error - * API_EC_DATA_DATABASE_ERROR - * API_EC_DATA_OBJECT_NOT_FOUND - * API_EC_PARAM - * API_EC_PERMISSION - * API_EC_DATA_INVALID_OPERATION - * API_EC_DATA_QUOTA_EXCEEDED - * API_EC_DATA_UNKNOWN_ERROR - */ - public function &data_getObjectProperty($obj_id, $prop_name) { - return $this->call_method('facebook.data.getObjectProperty', - array('obj_id' => $obj_id, - 'prop_name' => $prop_name)); - } - - /** - * Get properties of an object. - * - * @param obj_id object's id - * @param prop_names (optional) properties to return; null for all. - * @return specified properties of an object - * @error - * API_EC_DATA_DATABASE_ERROR - * API_EC_DATA_OBJECT_NOT_FOUND - * API_EC_PARAM - * API_EC_PERMISSION - * API_EC_DATA_INVALID_OPERATION - * API_EC_DATA_QUOTA_EXCEEDED - * API_EC_DATA_UNKNOWN_ERROR - */ - public function &data_getObject($obj_id, $prop_names = null) { - return $this->call_method('facebook.data.getObject', - array('obj_id' => $obj_id, - 'prop_names' => json_encode($prop_names))); - } - - /** - * Get properties of a list of objects. - * - * @param obj_ids object ids - * @param prop_names (optional) properties to return; null for all. - * @return specified properties of an object - * @error - * API_EC_DATA_DATABASE_ERROR - * API_EC_DATA_OBJECT_NOT_FOUND - * API_EC_PARAM - * API_EC_PERMISSION - * API_EC_DATA_INVALID_OPERATION - * API_EC_DATA_QUOTA_EXCEEDED - * API_EC_DATA_UNKNOWN_ERROR - */ - public function &data_getObjects($obj_ids, $prop_names = null) { - return $this->call_method('facebook.data.getObjects', - array('obj_ids' => json_encode($obj_ids), - 'prop_names' => json_encode($prop_names))); - } - - /** - * Set a single property value of an object. - * - * @param obj_id object's id - * @param prop_name individual property's name - * @param prop_value new value to set - * @error - * API_EC_DATA_DATABASE_ERROR - * API_EC_DATA_OBJECT_NOT_FOUND - * API_EC_PARAM - * API_EC_PERMISSION - * API_EC_DATA_INVALID_OPERATION - * API_EC_DATA_QUOTA_EXCEEDED - * API_EC_DATA_UNKNOWN_ERROR - */ - public function &data_setObjectProperty($obj_id, $prop_name, - $prop_value) { - return $this->call_method('facebook.data.setObjectProperty', - array('obj_id' => $obj_id, - 'prop_name' => $prop_name, - 'prop_value' => $prop_value)); - } - - /** - * Read hash value by key. - * - * @param obj_type object type's name - * @param key hash key - * @param prop_name (optional) individual property's name - * @return hash value - * @error - * API_EC_DATA_DATABASE_ERROR - * API_EC_PARAM - * API_EC_PERMISSION - * API_EC_DATA_INVALID_OPERATION - * API_EC_DATA_QUOTA_EXCEEDED - * API_EC_DATA_UNKNOWN_ERROR - */ - public function &data_getHashValue($obj_type, $key, $prop_name = null) { - return $this->call_method('facebook.data.getHashValue', - array('obj_type' => $obj_type, - 'key' => $key, - 'prop_name' => $prop_name)); - } - - /** - * Write hash value by key. - * - * @param obj_type object type's name - * @param key hash key - * @param value hash value - * @param prop_name (optional) individual property's name - * @error - * API_EC_DATA_DATABASE_ERROR - * API_EC_PARAM - * API_EC_PERMISSION - * API_EC_DATA_INVALID_OPERATION - * API_EC_DATA_QUOTA_EXCEEDED - * API_EC_DATA_UNKNOWN_ERROR - */ - public function &data_setHashValue($obj_type, - $key, - $value, - $prop_name = null) { - return $this->call_method('facebook.data.setHashValue', - array('obj_type' => $obj_type, - 'key' => $key, - 'value' => $value, - 'prop_name' => $prop_name)); - } - - /** - * Increase a hash value by specified increment atomically. - * - * @param obj_type object type's name - * @param key hash key - * @param prop_name individual property's name - * @param increment (optional) default is 1 - * @return incremented hash value - * @error - * API_EC_DATA_DATABASE_ERROR - * API_EC_PARAM - * API_EC_PERMISSION - * API_EC_DATA_INVALID_OPERATION - * API_EC_DATA_QUOTA_EXCEEDED - * API_EC_DATA_UNKNOWN_ERROR - */ - public function &data_incHashValue($obj_type, - $key, - $prop_name, - $increment = 1) { - return $this->call_method('facebook.data.incHashValue', - array('obj_type' => $obj_type, - 'key' => $key, - 'prop_name' => $prop_name, - 'increment' => $increment)); - } - - /** - * Remove a hash key and its values. - * - * @param obj_type object type's name - * @param key hash key - * @error - * API_EC_DATA_DATABASE_ERROR - * API_EC_PARAM - * API_EC_PERMISSION - * API_EC_DATA_INVALID_OPERATION - * API_EC_DATA_QUOTA_EXCEEDED - * API_EC_DATA_UNKNOWN_ERROR - */ - public function &data_removeHashKey($obj_type, $key) { - return $this->call_method('facebook.data.removeHashKey', - array('obj_type' => $obj_type, - 'key' => $key)); - } - - /** - * Remove hash keys and their values. - * - * @param obj_type object type's name - * @param keys hash keys - * @error - * API_EC_DATA_DATABASE_ERROR - * API_EC_PARAM - * API_EC_PERMISSION - * API_EC_DATA_INVALID_OPERATION - * API_EC_DATA_QUOTA_EXCEEDED - * API_EC_DATA_UNKNOWN_ERROR - */ - public function &data_removeHashKeys($obj_type, $keys) { - return $this->call_method('facebook.data.removeHashKeys', - array('obj_type' => $obj_type, - 'keys' => json_encode($keys))); - } - - /** - * Define an object association. - * - * @param name name of this association - * @param assoc_type 1: one-way 2: two-way symmetric 3: two-way asymmetric - * @param assoc_info1 needed info about first object type - * @param assoc_info2 needed info about second object type - * @param inverse (optional) name of reverse association - * @error - * API_EC_DATA_DATABASE_ERROR - * API_EC_DATA_OBJECT_ALREADY_EXISTS - * API_EC_PARAM - * API_EC_PERMISSION - * API_EC_DATA_INVALID_OPERATION - * API_EC_DATA_QUOTA_EXCEEDED - * API_EC_DATA_UNKNOWN_ERROR - */ - public function &data_defineAssociation($name, $assoc_type, $assoc_info1, - $assoc_info2, $inverse = null) { - return $this->call_method('facebook.data.defineAssociation', - array('name' => $name, - 'assoc_type' => $assoc_type, - 'assoc_info1' => json_encode($assoc_info1), - 'assoc_info2' => json_encode($assoc_info2), - 'inverse' => $inverse)); - } - - /** - * Undefine an object association. - * - * @param name name of this association - * @error - * API_EC_DATA_DATABASE_ERROR - * API_EC_DATA_OBJECT_NOT_FOUND - * API_EC_PARAM - * API_EC_PERMISSION - * API_EC_DATA_INVALID_OPERATION - * API_EC_DATA_QUOTA_EXCEEDED - * API_EC_DATA_UNKNOWN_ERROR - */ - public function &data_undefineAssociation($name) { - return $this->call_method('facebook.data.undefineAssociation', - array('name' => $name)); - } - - /** - * Rename an object association or aliases. - * - * @param name name of this association - * @param new_name (optional) new name of this association - * @param new_alias1 (optional) new alias for object type 1 - * @param new_alias2 (optional) new alias for object type 2 - * @error - * API_EC_DATA_DATABASE_ERROR - * API_EC_DATA_OBJECT_ALREADY_EXISTS - * API_EC_DATA_OBJECT_NOT_FOUND - * API_EC_PARAM - * API_EC_PERMISSION - * API_EC_DATA_INVALID_OPERATION - * API_EC_DATA_QUOTA_EXCEEDED - * API_EC_DATA_UNKNOWN_ERROR - */ - public function &data_renameAssociation($name, $new_name, $new_alias1 = null, - $new_alias2 = null) { - return $this->call_method('facebook.data.renameAssociation', - array('name' => $name, - 'new_name' => $new_name, - 'new_alias1' => $new_alias1, - 'new_alias2' => $new_alias2)); - } - - /** - * Get definition of an object association. - * - * @param name name of this association - * @return specified association - * @error - * API_EC_DATA_DATABASE_ERROR - * API_EC_DATA_OBJECT_NOT_FOUND - * API_EC_PARAM - * API_EC_PERMISSION - * API_EC_DATA_QUOTA_EXCEEDED - * API_EC_DATA_UNKNOWN_ERROR - */ - public function &data_getAssociationDefinition($name) { - return $this->call_method('facebook.data.getAssociationDefinition', - array('name' => $name)); - } - - /** - * Get definition of all associations. - * - * @return all defined associations - * @error - * API_EC_DATA_DATABASE_ERROR - * API_EC_PERMISSION - * API_EC_DATA_QUOTA_EXCEEDED - * API_EC_DATA_UNKNOWN_ERROR - */ - public function &data_getAssociationDefinitions() { - return $this->call_method('facebook.data.getAssociationDefinitions', - array()); - } - - /** - * Create or modify an association between two objects. - * - * @param name name of association - * @param obj_id1 id of first object - * @param obj_id2 id of second object - * @param data (optional) extra string data to store - * @param assoc_time (optional) extra time data; default to creation time - * @error - * API_EC_DATA_DATABASE_ERROR - * API_EC_PARAM - * API_EC_PERMISSION - * API_EC_DATA_INVALID_OPERATION - * API_EC_DATA_QUOTA_EXCEEDED - * API_EC_DATA_UNKNOWN_ERROR - */ - public function &data_setAssociation($name, $obj_id1, $obj_id2, $data = null, - $assoc_time = null) { - return $this->call_method('facebook.data.setAssociation', - array('name' => $name, - 'obj_id1' => $obj_id1, - 'obj_id2' => $obj_id2, - 'data' => $data, - 'assoc_time' => $assoc_time)); - } - - /** - * Create or modify associations between objects. - * - * @param assocs associations to set - * @param name (optional) name of association - * @error - * API_EC_DATA_DATABASE_ERROR - * API_EC_PARAM - * API_EC_PERMISSION - * API_EC_DATA_INVALID_OPERATION - * API_EC_DATA_QUOTA_EXCEEDED - * API_EC_DATA_UNKNOWN_ERROR - */ - public function &data_setAssociations($assocs, $name = null) { - return $this->call_method('facebook.data.setAssociations', - array('assocs' => json_encode($assocs), - 'name' => $name)); - } - - /** - * Remove an association between two objects. - * - * @param name name of association - * @param obj_id1 id of first object - * @param obj_id2 id of second object - * @error - * API_EC_DATA_DATABASE_ERROR - * API_EC_DATA_OBJECT_NOT_FOUND - * API_EC_PARAM - * API_EC_PERMISSION - * API_EC_DATA_QUOTA_EXCEEDED - * API_EC_DATA_UNKNOWN_ERROR - */ - public function &data_removeAssociation($name, $obj_id1, $obj_id2) { - return $this->call_method('facebook.data.removeAssociation', - array('name' => $name, - 'obj_id1' => $obj_id1, - 'obj_id2' => $obj_id2)); - } - - /** - * Remove associations between objects by specifying pairs of object ids. - * - * @param assocs associations to remove - * @param name (optional) name of association - * @error - * API_EC_DATA_DATABASE_ERROR - * API_EC_DATA_OBJECT_NOT_FOUND - * API_EC_PARAM - * API_EC_PERMISSION - * API_EC_DATA_QUOTA_EXCEEDED - * API_EC_DATA_UNKNOWN_ERROR - */ - public function &data_removeAssociations($assocs, $name = null) { - return $this->call_method('facebook.data.removeAssociations', - array('assocs' => json_encode($assocs), - 'name' => $name)); - } - - /** - * Remove associations between objects by specifying one object id. - * - * @param name name of association - * @param obj_id who's association to remove - * @error - * API_EC_DATA_DATABASE_ERROR - * API_EC_DATA_OBJECT_NOT_FOUND - * API_EC_PARAM - * API_EC_PERMISSION - * API_EC_DATA_INVALID_OPERATION - * API_EC_DATA_QUOTA_EXCEEDED - * API_EC_DATA_UNKNOWN_ERROR - */ - public function &data_removeAssociatedObjects($name, $obj_id) { - return $this->call_method('facebook.data.removeAssociatedObjects', - array('name' => $name, - 'obj_id' => $obj_id)); - } - - /** - * Retrieve a list of associated objects. - * - * @param name name of association - * @param obj_id who's association to retrieve - * @param no_data only return object ids - * @return associated objects - * @error - * API_EC_DATA_DATABASE_ERROR - * API_EC_DATA_OBJECT_NOT_FOUND - * API_EC_PARAM - * API_EC_PERMISSION - * API_EC_DATA_INVALID_OPERATION - * API_EC_DATA_QUOTA_EXCEEDED - * API_EC_DATA_UNKNOWN_ERROR - */ - public function &data_getAssociatedObjects($name, $obj_id, $no_data = true) { - return $this->call_method('facebook.data.getAssociatedObjects', - array('name' => $name, - 'obj_id' => $obj_id, - 'no_data' => $no_data)); - } - - /** - * Count associated objects. - * - * @param name name of association - * @param obj_id who's association to retrieve - * @return associated object's count - * @error - * API_EC_DATA_DATABASE_ERROR - * API_EC_DATA_OBJECT_NOT_FOUND - * API_EC_PARAM - * API_EC_PERMISSION - * API_EC_DATA_INVALID_OPERATION - * API_EC_DATA_QUOTA_EXCEEDED - * API_EC_DATA_UNKNOWN_ERROR - */ - public function &data_getAssociatedObjectCount($name, $obj_id) { - return $this->call_method('facebook.data.getAssociatedObjectCount', - array('name' => $name, - 'obj_id' => $obj_id)); - } - - /** - * Get a list of associated object counts. - * - * @param name name of association - * @param obj_ids whose association to retrieve - * @return associated object counts - * @error - * API_EC_DATA_DATABASE_ERROR - * API_EC_DATA_OBJECT_NOT_FOUND - * API_EC_PARAM - * API_EC_PERMISSION - * API_EC_DATA_INVALID_OPERATION - * API_EC_DATA_QUOTA_EXCEEDED - * API_EC_DATA_UNKNOWN_ERROR - */ - public function &data_getAssociatedObjectCounts($name, $obj_ids) { - return $this->call_method('facebook.data.getAssociatedObjectCounts', - array('name' => $name, - 'obj_ids' => json_encode($obj_ids))); - } - - /** - * Find all associations between two objects. - * - * @param obj_id1 id of first object - * @param obj_id2 id of second object - * @param no_data only return association names without data - * @return all associations between objects - * @error - * API_EC_DATA_DATABASE_ERROR - * API_EC_PARAM - * API_EC_PERMISSION - * API_EC_DATA_QUOTA_EXCEEDED - * API_EC_DATA_UNKNOWN_ERROR - */ - public function &data_getAssociations($obj_id1, $obj_id2, $no_data = true) { - return $this->call_method('facebook.data.getAssociations', - array('obj_id1' => $obj_id1, - 'obj_id2' => $obj_id2, - 'no_data' => $no_data)); - } - - /** - * Get the properties that you have set for an app. - * - * @param properties List of properties names to fetch - * - * @return array A map from property name to value - */ - public function admin_getAppProperties($properties) { - return json_decode( - $this->call_method('facebook.admin.getAppProperties', - array('properties' => json_encode($properties))), true); - } - - /** - * Set properties for an app. - * - * @param properties A map from property names to values - * - * @return bool true on success - */ - public function admin_setAppProperties($properties) { - return $this->call_method('facebook.admin.setAppProperties', - array('properties' => json_encode($properties))); - } - - /** - * Sets href and text for a Live Stream Box xid's via link - * - * @param string $xid xid of the Live Stream - * @param string $via_href Href for the via link - * @param string $via_text Text for the via link - * - * @return boolWhether the set was successful - */ - public function admin_setLiveStreamViaLink($xid, $via_href, $via_text) { - return $this->call_method('facebook.admin.setLiveStreamViaLink', - array('xid' => $xid, - 'via_href' => $via_href, - 'via_text' => $via_text)); - } - - /** - * Gets href and text for a Live Stream Box xid's via link - * - * @param string $xid xid of the Live Stream - * - * @return Array Associative array with keys 'via_href' and 'via_text' - * False if there was an error. - */ - public function admin_getLiveStreamViaLink($xid) { - return $this->call_method('facebook.admin.getLiveStreamViaLink', - array('xid' => $xid)); - } - - /** - * Returns the allocation limit value for a specified integration point name - * Integration point names are defined in lib/api/karma/constants.php in the - * limit_map. - * - * @param string $integration_point_name Name of an integration point - * (see developer wiki for list). - * @param int $uid Specific user to check the limit. - * - * @return int Integration point allocation value - */ - public function &admin_getAllocation($integration_point_name, $uid=null) { - return $this->call_method('facebook.admin.getAllocation', - array('integration_point_name' => $integration_point_name, - 'uid' => $uid)); - } - - /** - * Returns values for the specified metrics for the current application, in - * the given time range. The metrics are collected for fixed-length periods, - * and the times represent midnight at the end of each period. - * - * @param start_time unix time for the start of the range - * @param end_time unix time for the end of the range - * @param period number of seconds in the desired period - * @param metrics list of metrics to look up - * - * @return array A map of the names and values for those metrics - */ - public function &admin_getMetrics($start_time, $end_time, $period, $metrics) { - return $this->call_method('admin.getMetrics', - array('start_time' => $start_time, - 'end_time' => $end_time, - 'period' => $period, - 'metrics' => json_encode($metrics))); - } - - /** - * Sets application restriction info. - * - * Applications can restrict themselves to only a limited user demographic - * based on users' age and/or location or based on static predefined types - * specified by facebook for specifying diff age restriction for diff - * locations. - * - * @param array $restriction_info The age restriction settings to set. - * - * @return bool true on success - */ - public function admin_setRestrictionInfo($restriction_info = null) { - $restriction_str = null; - if (!empty($restriction_info)) { - $restriction_str = json_encode($restriction_info); - } - return $this->call_method('admin.setRestrictionInfo', - array('restriction_str' => $restriction_str)); - } - - /** - * Gets application restriction info. - * - * Applications can restrict themselves to only a limited user demographic - * based on users' age and/or location or based on static predefined types - * specified by facebook for specifying diff age restriction for diff - * locations. - * - * @return array The age restriction settings for this application. - */ - public function admin_getRestrictionInfo() { - return json_decode( - $this->call_method('admin.getRestrictionInfo'), - true); - } - - - /** - * Bans a list of users from the app. Banned users can't - * access the app's canvas page and forums. - * - * @param array $uids an array of user ids - * @return bool true on success - */ - public function admin_banUsers($uids) { - return $this->call_method( - 'admin.banUsers', array('uids' => json_encode($uids))); - } - - /** - * Unban users that have been previously banned with - * admin_banUsers(). - * - * @param array $uids an array of user ids - * @return bool true on success - */ - public function admin_unbanUsers($uids) { - return $this->call_method( - 'admin.unbanUsers', array('uids' => json_encode($uids))); - } - - /** - * Gets the list of users that have been banned from the application. - * $uids is an optional parameter that filters the result with the list - * of provided user ids. If $uids is provided, - * only banned user ids that are contained in $uids are returned. - * - * @param array $uids an array of user ids to filter by - * @return bool true on success - */ - - public function admin_getBannedUsers($uids = null) { - return $this->call_method( - 'admin.getBannedUsers', - array('uids' => $uids ? json_encode($uids) : null)); - } - - - /* UTILITY FUNCTIONS */ - - /** - * Calls the specified normal POST method with the specified parameters. - * - * @param string $method Name of the Facebook method to invoke - * @param array $params A map of param names => param values - * - * @return mixed Result of method call; this returns a reference to support - * 'delayed returns' when in a batch context. - * See: http://wiki.developers.facebook.com/index.php/Using_batching_API - */ - public function &call_method($method, $params = array()) { - if ($this->format) { - $params['format'] = $this->format; - } - if (!$this->pending_batch()) { - if ($this->call_as_apikey) { - $params['call_as_apikey'] = $this->call_as_apikey; - } - $data = $this->post_request($method, $params); - $this->rawData = $data; - $result = $this->convert_result($data, $method, $params); - if (is_array($result) && isset($result['error_code'])) { - throw new FacebookRestClientException($result['error_msg'], - $result['error_code']); - } - } - else { - $result = null; - $batch_item = array('m' => $method, 'p' => $params, 'r' => & $result); - $this->batch_queue[] = $batch_item; - } - - return $result; - } - - protected function convert_result($data, $method, $params) { - $is_xml = (empty($params['format']) || - strtolower($params['format']) != 'json'); - return ($is_xml) ? $this->convert_xml_to_result($data, $method, $params) - : json_decode($data, true); - } - - /** - * Change the response format - * - * @param string $format The response format (json, xml) - */ - public function setFormat($format) { - $this->format = $format; - return $this; - } - - /** - * get the current response serialization format - * - * @return string 'xml', 'json', or null (which means 'xml') - */ - public function getFormat() { - return $this->format; - } - - /** - * Returns the raw JSON or XML output returned by the server in the most - * recent API call. - * - * @return string - */ - public function getRawData() { - return $this->rawData; - } - - /** - * Calls the specified file-upload POST method with the specified parameters - * - * @param string $method Name of the Facebook method to invoke - * @param array $params A map of param names => param values - * @param string $file A path to the file to upload (required) - * - * @return array A dictionary representing the response. - */ - public function call_upload_method($method, $params, $file, $server_addr = null) { - if (!$this->pending_batch()) { - if (!file_exists($file)) { - $code = - FacebookAPIErrorCodes::API_EC_PARAM; - $description = FacebookAPIErrorCodes::$api_error_descriptions[$code]; - throw new FacebookRestClientException($description, $code); - } - - if ($this->format) { - $params['format'] = $this->format; - } - $data = $this->post_upload_request($method, - $params, - $file, - $server_addr); - $result = $this->convert_result($data, $method, $params); - - if (is_array($result) && isset($result['error_code'])) { - throw new FacebookRestClientException($result['error_msg'], - $result['error_code']); - } - } - else { - $code = - FacebookAPIErrorCodes::API_EC_BATCH_METHOD_NOT_ALLOWED_IN_BATCH_MODE; - $description = FacebookAPIErrorCodes::$api_error_descriptions[$code]; - throw new FacebookRestClientException($description, $code); - } - - return $result; - } - - protected function convert_xml_to_result($xml, $method, $params) { - $sxml = simplexml_load_string($xml); - $result = self::convert_simplexml_to_array($sxml); - - if (!empty($GLOBALS['facebook_config']['debug'])) { - // output the raw xml and its corresponding php object, for debugging: - print '
    '; - $this->cur_id++; - print $this->cur_id . ': Called ' . $method . ', show ' . - 'Params | '. - 'XML | '. - 'SXML | '. - 'PHP'; - print ''; - print ''; - print ''; - print ''; - print '
    '; - } - return $result; - } - - protected function finalize_params($method, $params) { - list($get, $post) = $this->add_standard_params($method, $params); - // we need to do this before signing the params - $this->convert_array_values_to_json($post); - $post['sig'] = Facebook::generate_sig(array_merge($get, $post), - $this->secret); - return array($get, $post); - } - - private function convert_array_values_to_json(&$params) { - foreach ($params as $key => &$val) { - if (is_array($val)) { - $val = json_encode($val); - } - } - } - - /** - * Add the generally required params to our request. - * Params method, api_key, and v should be sent over as get. - */ - private function add_standard_params($method, $params) { - $post = $params; - $get = array(); - if ($this->call_as_apikey) { - $get['call_as_apikey'] = $this->call_as_apikey; - } - if ($this->using_session_secret) { - $get['ss'] = '1'; - } - - $get['method'] = $method; - $get['session_key'] = $this->session_key; - $get['api_key'] = $this->api_key; - $post['call_id'] = microtime(true); - if ($post['call_id'] <= $this->last_call_id) { - $post['call_id'] = $this->last_call_id + 0.001; - } - $this->last_call_id = $post['call_id']; - if (isset($post['v'])) { - $get['v'] = $post['v']; - unset($post['v']); - } else { - $get['v'] = '1.0'; - } - if (isset($this->use_ssl_resources)) { - $post['return_ssl_resources'] = (bool) $this->use_ssl_resources; - } - return array($get, $post); - } - - private function create_url_string($params) { - $post_params = array(); - foreach ($params as $key => &$val) { - $post_params[] = $key.'='.urlencode($val); - } - return implode('&', $post_params); - } - - private function run_multipart_http_transaction($method, $params, $file, $server_addr) { - - // the format of this message is specified in RFC1867/RFC1341. - // we add twenty pseudo-random digits to the end of the boundary string. - $boundary = '--------------------------FbMuLtIpArT' . - sprintf("%010d", mt_rand()) . - sprintf("%010d", mt_rand()); - $content_type = 'multipart/form-data; boundary=' . $boundary; - // within the message, we prepend two extra hyphens. - $delimiter = '--' . $boundary; - $close_delimiter = $delimiter . '--'; - $content_lines = array(); - foreach ($params as $key => &$val) { - $content_lines[] = $delimiter; - $content_lines[] = 'Content-Disposition: form-data; name="' . $key . '"'; - $content_lines[] = ''; - $content_lines[] = $val; - } - // now add the file data - $content_lines[] = $delimiter; - $content_lines[] = - 'Content-Disposition: form-data; filename="' . $file . '"'; - $content_lines[] = 'Content-Type: application/octet-stream'; - $content_lines[] = ''; - $content_lines[] = file_get_contents($file); - $content_lines[] = $close_delimiter; - $content_lines[] = ''; - $content = implode("\r\n", $content_lines); - return $this->run_http_post_transaction($content_type, $content, $server_addr); - } - - public function post_request($method, $params) { - list($get, $post) = $this->finalize_params($method, $params); - $post_string = $this->create_url_string($post); - $get_string = $this->create_url_string($get); - $url_with_get = $this->server_addr . '?' . $get_string; - if ($this->use_curl_if_available && function_exists('curl_init')) { - $useragent = 'Facebook API PHP5 Client 1.1 (curl) ' . phpversion(); - $ch = curl_init(); - curl_setopt($ch, CURLOPT_URL, $url_with_get); - curl_setopt($ch, CURLOPT_POSTFIELDS, $post_string); - curl_setopt($ch, CURLOPT_RETURNTRANSFER, true); - curl_setopt($ch, CURLOPT_USERAGENT, $useragent); - curl_setopt($ch, CURLOPT_CONNECTTIMEOUT, 10); - curl_setopt($ch, CURLOPT_TIMEOUT, 30); - $result = $this->curl_exec($ch); - curl_close($ch); - } else { - $content_type = 'application/x-www-form-urlencoded'; - $content = $post_string; - $result = $this->run_http_post_transaction($content_type, - $content, - $url_with_get); - } - return $result; - } - - /** - * execute a curl transaction -- this exists mostly so subclasses can add - * extra options and/or process the response, if they wish. - * - * @param resource $ch a curl handle - */ - protected function curl_exec($ch) { - $result = curl_exec($ch); - return $result; - } - - protected function post_upload_request($method, $params, $file, $server_addr = null) { - $server_addr = $server_addr ? $server_addr : $this->server_addr; - list($get, $post) = $this->finalize_params($method, $params); - $get_string = $this->create_url_string($get); - $url_with_get = $server_addr . '?' . $get_string; - if ($this->use_curl_if_available && function_exists('curl_init')) { - // prepending '@' causes cURL to upload the file; the key is ignored. - $post['_file'] = '@' . $file; - $useragent = 'Facebook API PHP5 Client 1.1 (curl) ' . phpversion(); - $ch = curl_init(); - curl_setopt($ch, CURLOPT_URL, $url_with_get); - // this has to come before the POSTFIELDS set! - curl_setopt($ch, CURLOPT_POST, 1); - // passing an array gets curl to use the multipart/form-data content type - curl_setopt($ch, CURLOPT_POSTFIELDS, $post); - curl_setopt($ch, CURLOPT_RETURNTRANSFER, true); - curl_setopt($ch, CURLOPT_USERAGENT, $useragent); - $result = $this->curl_exec($ch); - curl_close($ch); - } else { - $result = $this->run_multipart_http_transaction($method, $post, - $file, $url_with_get); - } - return $result; - } - - private function run_http_post_transaction($content_type, $content, $server_addr) { - - $user_agent = 'Facebook API PHP5 Client 1.1 (non-curl) ' . phpversion(); - $content_length = strlen($content); - $context = - array('http' => - array('method' => 'POST', - 'user_agent' => $user_agent, - 'header' => 'Content-Type: ' . $content_type . "\r\n" . - 'Content-Length: ' . $content_length, - 'content' => $content)); - $context_id = stream_context_create($context); - $sock = fopen($server_addr, 'r', false, $context_id); - - $result = ''; - if ($sock) { - while (!feof($sock)) { - $result .= fgets($sock, 4096); - } - fclose($sock); - } - return $result; - } - - public static function convert_simplexml_to_array($sxml) { - $arr = array(); - if ($sxml) { - foreach ($sxml as $k => $v) { - if ($sxml['list']) { - $arr[] = self::convert_simplexml_to_array($v); - } else { - $arr[$k] = self::convert_simplexml_to_array($v); - } - } - } - if (sizeof($arr) > 0) { - return $arr; - } else { - return (string)$sxml; - } - } - - protected function get_uid($uid) { - return $uid ? $uid : $this->user; - } -} - - -class FacebookRestClientException extends Exception { -} - -// Supporting methods and values------ - -/** - * Error codes and descriptions for the Facebook API. - */ - -class FacebookAPIErrorCodes { - - const API_EC_SUCCESS = 0; - - /* - * GENERAL ERRORS - */ - const API_EC_UNKNOWN = 1; - const API_EC_SERVICE = 2; - const API_EC_METHOD = 3; - const API_EC_TOO_MANY_CALLS = 4; - const API_EC_BAD_IP = 5; - const API_EC_HOST_API = 6; - const API_EC_HOST_UP = 7; - const API_EC_SECURE = 8; - const API_EC_RATE = 9; - const API_EC_PERMISSION_DENIED = 10; - const API_EC_DEPRECATED = 11; - const API_EC_VERSION = 12; - const API_EC_INTERNAL_FQL_ERROR = 13; - const API_EC_HOST_PUP = 14; - const API_EC_SESSION_SECRET_NOT_ALLOWED = 15; - const API_EC_HOST_READONLY = 16; - - /* - * PARAMETER ERRORS - */ - const API_EC_PARAM = 100; - const API_EC_PARAM_API_KEY = 101; - const API_EC_PARAM_SESSION_KEY = 102; - const API_EC_PARAM_CALL_ID = 103; - const API_EC_PARAM_SIGNATURE = 104; - const API_EC_PARAM_TOO_MANY = 105; - const API_EC_PARAM_USER_ID = 110; - const API_EC_PARAM_USER_FIELD = 111; - const API_EC_PARAM_SOCIAL_FIELD = 112; - const API_EC_PARAM_EMAIL = 113; - const API_EC_PARAM_USER_ID_LIST = 114; - const API_EC_PARAM_FIELD_LIST = 115; - const API_EC_PARAM_ALBUM_ID = 120; - const API_EC_PARAM_PHOTO_ID = 121; - const API_EC_PARAM_FEED_PRIORITY = 130; - const API_EC_PARAM_CATEGORY = 140; - const API_EC_PARAM_SUBCATEGORY = 141; - const API_EC_PARAM_TITLE = 142; - const API_EC_PARAM_DESCRIPTION = 143; - const API_EC_PARAM_BAD_JSON = 144; - const API_EC_PARAM_BAD_EID = 150; - const API_EC_PARAM_UNKNOWN_CITY = 151; - const API_EC_PARAM_BAD_PAGE_TYPE = 152; - const API_EC_PARAM_BAD_LOCALE = 170; - const API_EC_PARAM_BLOCKED_NOTIFICATION = 180; - - /* - * USER PERMISSIONS ERRORS - */ - const API_EC_PERMISSION = 200; - const API_EC_PERMISSION_USER = 210; - const API_EC_PERMISSION_NO_DEVELOPERS = 211; - const API_EC_PERMISSION_OFFLINE_ACCESS = 212; - const API_EC_PERMISSION_ALBUM = 220; - const API_EC_PERMISSION_PHOTO = 221; - const API_EC_PERMISSION_MESSAGE = 230; - const API_EC_PERMISSION_OTHER_USER = 240; - const API_EC_PERMISSION_STATUS_UPDATE = 250; - const API_EC_PERMISSION_PHOTO_UPLOAD = 260; - const API_EC_PERMISSION_VIDEO_UPLOAD = 261; - const API_EC_PERMISSION_SMS = 270; - const API_EC_PERMISSION_CREATE_LISTING = 280; - const API_EC_PERMISSION_CREATE_NOTE = 281; - const API_EC_PERMISSION_SHARE_ITEM = 282; - const API_EC_PERMISSION_EVENT = 290; - const API_EC_PERMISSION_LARGE_FBML_TEMPLATE = 291; - const API_EC_PERMISSION_LIVEMESSAGE = 292; - const API_EC_PERMISSION_CREATE_EVENT = 296; - const API_EC_PERMISSION_RSVP_EVENT = 299; - - /* - * DATA EDIT ERRORS - */ - const API_EC_EDIT = 300; - const API_EC_EDIT_USER_DATA = 310; - const API_EC_EDIT_PHOTO = 320; - const API_EC_EDIT_ALBUM_SIZE = 321; - const API_EC_EDIT_PHOTO_TAG_SUBJECT = 322; - const API_EC_EDIT_PHOTO_TAG_PHOTO = 323; - const API_EC_EDIT_PHOTO_FILE = 324; - const API_EC_EDIT_PHOTO_PENDING_LIMIT = 325; - const API_EC_EDIT_PHOTO_TAG_LIMIT = 326; - const API_EC_EDIT_ALBUM_REORDER_PHOTO_NOT_IN_ALBUM = 327; - const API_EC_EDIT_ALBUM_REORDER_TOO_FEW_PHOTOS = 328; - - const API_EC_MALFORMED_MARKUP = 329; - const API_EC_EDIT_MARKUP = 330; - - const API_EC_EDIT_FEED_TOO_MANY_USER_CALLS = 340; - const API_EC_EDIT_FEED_TOO_MANY_USER_ACTION_CALLS = 341; - const API_EC_EDIT_FEED_TITLE_LINK = 342; - const API_EC_EDIT_FEED_TITLE_LENGTH = 343; - const API_EC_EDIT_FEED_TITLE_NAME = 344; - const API_EC_EDIT_FEED_TITLE_BLANK = 345; - const API_EC_EDIT_FEED_BODY_LENGTH = 346; - const API_EC_EDIT_FEED_PHOTO_SRC = 347; - const API_EC_EDIT_FEED_PHOTO_LINK = 348; - - const API_EC_EDIT_VIDEO_SIZE = 350; - const API_EC_EDIT_VIDEO_INVALID_FILE = 351; - const API_EC_EDIT_VIDEO_INVALID_TYPE = 352; - const API_EC_EDIT_VIDEO_FILE = 353; - - const API_EC_EDIT_FEED_TITLE_ARRAY = 360; - const API_EC_EDIT_FEED_TITLE_PARAMS = 361; - const API_EC_EDIT_FEED_BODY_ARRAY = 362; - const API_EC_EDIT_FEED_BODY_PARAMS = 363; - const API_EC_EDIT_FEED_PHOTO = 364; - const API_EC_EDIT_FEED_TEMPLATE = 365; - const API_EC_EDIT_FEED_TARGET = 366; - const API_EC_EDIT_FEED_MARKUP = 367; - - /** - * SESSION ERRORS - */ - const API_EC_SESSION_TIMED_OUT = 450; - const API_EC_SESSION_METHOD = 451; - const API_EC_SESSION_INVALID = 452; - const API_EC_SESSION_REQUIRED = 453; - const API_EC_SESSION_REQUIRED_FOR_SECRET = 454; - const API_EC_SESSION_CANNOT_USE_SESSION_SECRET = 455; - - - /** - * FQL ERRORS - */ - const FQL_EC_UNKNOWN_ERROR = 600; - const FQL_EC_PARSER = 601; // backwards compatibility - const FQL_EC_PARSER_ERROR = 601; - const FQL_EC_UNKNOWN_FIELD = 602; - const FQL_EC_UNKNOWN_TABLE = 603; - const FQL_EC_NOT_INDEXABLE = 604; // backwards compatibility - const FQL_EC_NO_INDEX = 604; - const FQL_EC_UNKNOWN_FUNCTION = 605; - const FQL_EC_INVALID_PARAM = 606; - const FQL_EC_INVALID_FIELD = 607; - const FQL_EC_INVALID_SESSION = 608; - const FQL_EC_UNSUPPORTED_APP_TYPE = 609; - const FQL_EC_SESSION_SECRET_NOT_ALLOWED = 610; - const FQL_EC_DEPRECATED_TABLE = 611; - const FQL_EC_EXTENDED_PERMISSION = 612; - const FQL_EC_RATE_LIMIT_EXCEEDED = 613; - const FQL_EC_UNRESOLVED_DEPENDENCY = 614; - const FQL_EC_INVALID_SEARCH = 615; - const FQL_EC_CONTAINS_ERROR = 616; - - const API_EC_REF_SET_FAILED = 700; - - /** - * DATA STORE API ERRORS - */ - const API_EC_DATA_UNKNOWN_ERROR = 800; - const API_EC_DATA_INVALID_OPERATION = 801; - const API_EC_DATA_QUOTA_EXCEEDED = 802; - const API_EC_DATA_OBJECT_NOT_FOUND = 803; - const API_EC_DATA_OBJECT_ALREADY_EXISTS = 804; - const API_EC_DATA_DATABASE_ERROR = 805; - const API_EC_DATA_CREATE_TEMPLATE_ERROR = 806; - const API_EC_DATA_TEMPLATE_EXISTS_ERROR = 807; - const API_EC_DATA_TEMPLATE_HANDLE_TOO_LONG = 808; - const API_EC_DATA_TEMPLATE_HANDLE_ALREADY_IN_USE = 809; - const API_EC_DATA_TOO_MANY_TEMPLATE_BUNDLES = 810; - const API_EC_DATA_MALFORMED_ACTION_LINK = 811; - const API_EC_DATA_TEMPLATE_USES_RESERVED_TOKEN = 812; - - /* - * APPLICATION INFO ERRORS - */ - const API_EC_NO_SUCH_APP = 900; - - /* - * BATCH ERRORS - */ - const API_EC_BATCH_TOO_MANY_ITEMS = 950; - const API_EC_BATCH_ALREADY_STARTED = 951; - const API_EC_BATCH_NOT_STARTED = 952; - const API_EC_BATCH_METHOD_NOT_ALLOWED_IN_BATCH_MODE = 953; - - /* - * EVENT API ERRORS - */ - const API_EC_EVENT_INVALID_TIME = 1000; - const API_EC_EVENT_NAME_LOCKED = 1001; - - /* - * INFO BOX ERRORS - */ - const API_EC_INFO_NO_INFORMATION = 1050; - const API_EC_INFO_SET_FAILED = 1051; - - /* - * LIVEMESSAGE API ERRORS - */ - const API_EC_LIVEMESSAGE_SEND_FAILED = 1100; - const API_EC_LIVEMESSAGE_EVENT_NAME_TOO_LONG = 1101; - const API_EC_LIVEMESSAGE_MESSAGE_TOO_LONG = 1102; - - /* - * PAYMENTS API ERRORS - */ - const API_EC_PAYMENTS_UNKNOWN = 1150; - const API_EC_PAYMENTS_APP_INVALID = 1151; - const API_EC_PAYMENTS_DATABASE = 1152; - const API_EC_PAYMENTS_PERMISSION_DENIED = 1153; - const API_EC_PAYMENTS_APP_NO_RESPONSE = 1154; - const API_EC_PAYMENTS_APP_ERROR_RESPONSE = 1155; - const API_EC_PAYMENTS_INVALID_ORDER = 1156; - const API_EC_PAYMENTS_INVALID_PARAM = 1157; - const API_EC_PAYMENTS_INVALID_OPERATION = 1158; - const API_EC_PAYMENTS_PAYMENT_FAILED = 1159; - const API_EC_PAYMENTS_DISABLED = 1160; - - /* - * CONNECT SESSION ERRORS - */ - const API_EC_CONNECT_FEED_DISABLED = 1300; - - /* - * Platform tag bundles errors - */ - const API_EC_TAG_BUNDLE_QUOTA = 1400; - - /* - * SHARE - */ - const API_EC_SHARE_BAD_URL = 1500; - - /* - * NOTES - */ - const API_EC_NOTE_CANNOT_MODIFY = 1600; - - /* - * COMMENTS - */ - const API_EC_COMMENTS_UNKNOWN = 1700; - const API_EC_COMMENTS_POST_TOO_LONG = 1701; - const API_EC_COMMENTS_DB_DOWN = 1702; - const API_EC_COMMENTS_INVALID_XID = 1703; - const API_EC_COMMENTS_INVALID_UID = 1704; - const API_EC_COMMENTS_INVALID_POST = 1705; - const API_EC_COMMENTS_INVALID_REMOVE = 1706; - - /* - * GIFTS - */ - const API_EC_GIFTS_UNKNOWN = 1900; - - /* - * APPLICATION MORATORIUM ERRORS - */ - const API_EC_DISABLED_ALL = 2000; - const API_EC_DISABLED_STATUS = 2001; - const API_EC_DISABLED_FEED_STORIES = 2002; - const API_EC_DISABLED_NOTIFICATIONS = 2003; - const API_EC_DISABLED_REQUESTS = 2004; - const API_EC_DISABLED_EMAIL = 2005; - - /** - * This array is no longer maintained; to view the description of an error - * code, please look at the message element of the API response or visit - * the developer wiki at http://wiki.developers.facebook.com/. - */ - public static $api_error_descriptions = array( - self::API_EC_SUCCESS => 'Success', - self::API_EC_UNKNOWN => 'An unknown error occurred', - self::API_EC_SERVICE => 'Service temporarily unavailable', - self::API_EC_METHOD => 'Unknown method', - self::API_EC_TOO_MANY_CALLS => 'Application request limit reached', - self::API_EC_BAD_IP => 'Unauthorized source IP address', - self::API_EC_PARAM => 'Invalid parameter', - self::API_EC_PARAM_API_KEY => 'Invalid API key', - self::API_EC_PARAM_SESSION_KEY => 'Session key invalid or no longer valid', - self::API_EC_PARAM_CALL_ID => 'Call_id must be greater than previous', - self::API_EC_PARAM_SIGNATURE => 'Incorrect signature', - self::API_EC_PARAM_USER_ID => 'Invalid user id', - self::API_EC_PARAM_USER_FIELD => 'Invalid user info field', - self::API_EC_PARAM_SOCIAL_FIELD => 'Invalid user field', - self::API_EC_PARAM_USER_ID_LIST => 'Invalid user id list', - self::API_EC_PARAM_FIELD_LIST => 'Invalid field list', - self::API_EC_PARAM_ALBUM_ID => 'Invalid album id', - self::API_EC_PARAM_BAD_EID => 'Invalid eid', - self::API_EC_PARAM_UNKNOWN_CITY => 'Unknown city', - self::API_EC_PERMISSION => 'Permissions error', - self::API_EC_PERMISSION_USER => 'User not visible', - self::API_EC_PERMISSION_NO_DEVELOPERS => 'Application has no developers', - self::API_EC_PERMISSION_ALBUM => 'Album not visible', - self::API_EC_PERMISSION_PHOTO => 'Photo not visible', - self::API_EC_PERMISSION_EVENT => 'Creating and modifying events required the extended permission create_event', - self::API_EC_PERMISSION_RSVP_EVENT => 'RSVPing to events required the extended permission rsvp_event', - self::API_EC_EDIT_ALBUM_SIZE => 'Album is full', - self::FQL_EC_PARSER => 'FQL: Parser Error', - self::FQL_EC_UNKNOWN_FIELD => 'FQL: Unknown Field', - self::FQL_EC_UNKNOWN_TABLE => 'FQL: Unknown Table', - self::FQL_EC_NOT_INDEXABLE => 'FQL: Statement not indexable', - self::FQL_EC_UNKNOWN_FUNCTION => 'FQL: Attempted to call unknown function', - self::FQL_EC_INVALID_PARAM => 'FQL: Invalid parameter passed in', - self::API_EC_DATA_UNKNOWN_ERROR => 'Unknown data store API error', - self::API_EC_DATA_INVALID_OPERATION => 'Invalid operation', - self::API_EC_DATA_QUOTA_EXCEEDED => 'Data store allowable quota was exceeded', - self::API_EC_DATA_OBJECT_NOT_FOUND => 'Specified object cannot be found', - self::API_EC_DATA_OBJECT_ALREADY_EXISTS => 'Specified object already exists', - self::API_EC_DATA_DATABASE_ERROR => 'A database error occurred. Please try again', - self::API_EC_BATCH_ALREADY_STARTED => 'begin_batch already called, please make sure to call end_batch first', - self::API_EC_BATCH_NOT_STARTED => 'end_batch called before begin_batch', - self::API_EC_BATCH_METHOD_NOT_ALLOWED_IN_BATCH_MODE => 'This method is not allowed in batch mode' - ); -} diff --git a/plugins/FacebookSSO/extlib/jsonwrapper/JSON/JSON.php b/plugins/FacebookSSO/extlib/jsonwrapper/JSON/JSON.php deleted file mode 100644 index 0cddbddb41..0000000000 --- a/plugins/FacebookSSO/extlib/jsonwrapper/JSON/JSON.php +++ /dev/null @@ -1,806 +0,0 @@ - - * @author Matt Knapp - * @author Brett Stimmerman - * @copyright 2005 Michal Migurski - * @version CVS: $Id: JSON.php,v 1.31 2006/06/28 05:54:17 migurski Exp $ - * @license http://www.opensource.org/licenses/bsd-license.php - * @link http://pear.php.net/pepr/pepr-proposal-show.php?id=198 - */ - -/** - * Marker constant for Services_JSON::decode(), used to flag stack state - */ -define('SERVICES_JSON_SLICE', 1); - -/** - * Marker constant for Services_JSON::decode(), used to flag stack state - */ -define('SERVICES_JSON_IN_STR', 2); - -/** - * Marker constant for Services_JSON::decode(), used to flag stack state - */ -define('SERVICES_JSON_IN_ARR', 3); - -/** - * Marker constant for Services_JSON::decode(), used to flag stack state - */ -define('SERVICES_JSON_IN_OBJ', 4); - -/** - * Marker constant for Services_JSON::decode(), used to flag stack state - */ -define('SERVICES_JSON_IN_CMT', 5); - -/** - * Behavior switch for Services_JSON::decode() - */ -define('SERVICES_JSON_LOOSE_TYPE', 16); - -/** - * Behavior switch for Services_JSON::decode() - */ -define('SERVICES_JSON_SUPPRESS_ERRORS', 32); - -/** - * Converts to and from JSON format. - * - * Brief example of use: - * - * - * // create a new instance of Services_JSON - * $json = new Services_JSON(); - * - * // convert a complexe value to JSON notation, and send it to the browser - * $value = array('foo', 'bar', array(1, 2, 'baz'), array(3, array(4))); - * $output = $json->encode($value); - * - * print($output); - * // prints: ["foo","bar",[1,2,"baz"],[3,[4]]] - * - * // accept incoming POST data, assumed to be in JSON notation - * $input = file_get_contents('php://input', 1000000); - * $value = $json->decode($input); - * - */ -class Services_JSON -{ - /** - * constructs a new JSON instance - * - * @param int $use object behavior flags; combine with boolean-OR - * - * possible values: - * - SERVICES_JSON_LOOSE_TYPE: loose typing. - * "{...}" syntax creates associative arrays - * instead of objects in decode(). - * - SERVICES_JSON_SUPPRESS_ERRORS: error suppression. - * Values which can't be encoded (e.g. resources) - * appear as NULL instead of throwing errors. - * By default, a deeply-nested resource will - * bubble up with an error, so all return values - * from encode() should be checked with isError() - */ - function Services_JSON($use = 0) - { - $this->use = $use; - } - - /** - * convert a string from one UTF-16 char to one UTF-8 char - * - * Normally should be handled by mb_convert_encoding, but - * provides a slower PHP-only method for installations - * that lack the multibye string extension. - * - * @param string $utf16 UTF-16 character - * @return string UTF-8 character - * @access private - */ - function utf162utf8($utf16) - { - // oh please oh please oh please oh please oh please - if(function_exists('mb_convert_encoding')) { - return mb_convert_encoding($utf16, 'UTF-8', 'UTF-16'); - } - - $bytes = (ord($utf16{0}) << 8) | ord($utf16{1}); - - switch(true) { - case ((0x7F & $bytes) == $bytes): - // this case should never be reached, because we are in ASCII range - // see: http://www.cl.cam.ac.uk/~mgk25/unicode.html#utf-8 - return chr(0x7F & $bytes); - - case (0x07FF & $bytes) == $bytes: - // return a 2-byte UTF-8 character - // see: http://www.cl.cam.ac.uk/~mgk25/unicode.html#utf-8 - return chr(0xC0 | (($bytes >> 6) & 0x1F)) - . chr(0x80 | ($bytes & 0x3F)); - - case (0xFFFF & $bytes) == $bytes: - // return a 3-byte UTF-8 character - // see: http://www.cl.cam.ac.uk/~mgk25/unicode.html#utf-8 - return chr(0xE0 | (($bytes >> 12) & 0x0F)) - . chr(0x80 | (($bytes >> 6) & 0x3F)) - . chr(0x80 | ($bytes & 0x3F)); - } - - // ignoring UTF-32 for now, sorry - return ''; - } - - /** - * convert a string from one UTF-8 char to one UTF-16 char - * - * Normally should be handled by mb_convert_encoding, but - * provides a slower PHP-only method for installations - * that lack the multibye string extension. - * - * @param string $utf8 UTF-8 character - * @return string UTF-16 character - * @access private - */ - function utf82utf16($utf8) - { - // oh please oh please oh please oh please oh please - if(function_exists('mb_convert_encoding')) { - return mb_convert_encoding($utf8, 'UTF-16', 'UTF-8'); - } - - switch(strlen($utf8)) { - case 1: - // this case should never be reached, because we are in ASCII range - // see: http://www.cl.cam.ac.uk/~mgk25/unicode.html#utf-8 - return $utf8; - - case 2: - // return a UTF-16 character from a 2-byte UTF-8 char - // see: http://www.cl.cam.ac.uk/~mgk25/unicode.html#utf-8 - return chr(0x07 & (ord($utf8{0}) >> 2)) - . chr((0xC0 & (ord($utf8{0}) << 6)) - | (0x3F & ord($utf8{1}))); - - case 3: - // return a UTF-16 character from a 3-byte UTF-8 char - // see: http://www.cl.cam.ac.uk/~mgk25/unicode.html#utf-8 - return chr((0xF0 & (ord($utf8{0}) << 4)) - | (0x0F & (ord($utf8{1}) >> 2))) - . chr((0xC0 & (ord($utf8{1}) << 6)) - | (0x7F & ord($utf8{2}))); - } - - // ignoring UTF-32 for now, sorry - return ''; - } - - /** - * encodes an arbitrary variable into JSON format - * - * @param mixed $var any number, boolean, string, array, or object to be encoded. - * see argument 1 to Services_JSON() above for array-parsing behavior. - * if var is a strng, note that encode() always expects it - * to be in ASCII or UTF-8 format! - * - * @return mixed JSON string representation of input var or an error if a problem occurs - * @access public - */ - function encode($var) - { - switch (gettype($var)) { - case 'boolean': - return $var ? 'true' : 'false'; - - case 'NULL': - return 'null'; - - case 'integer': - return (int) $var; - - case 'double': - case 'float': - return (float) $var; - - case 'string': - // STRINGS ARE EXPECTED TO BE IN ASCII OR UTF-8 FORMAT - $ascii = ''; - $strlen_var = strlen($var); - - /* - * Iterate over every character in the string, - * escaping with a slash or encoding to UTF-8 where necessary - */ - for ($c = 0; $c < $strlen_var; ++$c) { - - $ord_var_c = ord($var{$c}); - - switch (true) { - case $ord_var_c == 0x08: - $ascii .= '\b'; - break; - case $ord_var_c == 0x09: - $ascii .= '\t'; - break; - case $ord_var_c == 0x0A: - $ascii .= '\n'; - break; - case $ord_var_c == 0x0C: - $ascii .= '\f'; - break; - case $ord_var_c == 0x0D: - $ascii .= '\r'; - break; - - case $ord_var_c == 0x22: - case $ord_var_c == 0x2F: - case $ord_var_c == 0x5C: - // double quote, slash, slosh - $ascii .= '\\'.$var{$c}; - break; - - case (($ord_var_c >= 0x20) && ($ord_var_c <= 0x7F)): - // characters U-00000000 - U-0000007F (same as ASCII) - $ascii .= $var{$c}; - break; - - case (($ord_var_c & 0xE0) == 0xC0): - // characters U-00000080 - U-000007FF, mask 110XXXXX - // see http://www.cl.cam.ac.uk/~mgk25/unicode.html#utf-8 - $char = pack('C*', $ord_var_c, ord($var{$c + 1})); - $c += 1; - $utf16 = $this->utf82utf16($char); - $ascii .= sprintf('\u%04s', bin2hex($utf16)); - break; - - case (($ord_var_c & 0xF0) == 0xE0): - // characters U-00000800 - U-0000FFFF, mask 1110XXXX - // see http://www.cl.cam.ac.uk/~mgk25/unicode.html#utf-8 - $char = pack('C*', $ord_var_c, - ord($var{$c + 1}), - ord($var{$c + 2})); - $c += 2; - $utf16 = $this->utf82utf16($char); - $ascii .= sprintf('\u%04s', bin2hex($utf16)); - break; - - case (($ord_var_c & 0xF8) == 0xF0): - // characters U-00010000 - U-001FFFFF, mask 11110XXX - // see http://www.cl.cam.ac.uk/~mgk25/unicode.html#utf-8 - $char = pack('C*', $ord_var_c, - ord($var{$c + 1}), - ord($var{$c + 2}), - ord($var{$c + 3})); - $c += 3; - $utf16 = $this->utf82utf16($char); - $ascii .= sprintf('\u%04s', bin2hex($utf16)); - break; - - case (($ord_var_c & 0xFC) == 0xF8): - // characters U-00200000 - U-03FFFFFF, mask 111110XX - // see http://www.cl.cam.ac.uk/~mgk25/unicode.html#utf-8 - $char = pack('C*', $ord_var_c, - ord($var{$c + 1}), - ord($var{$c + 2}), - ord($var{$c + 3}), - ord($var{$c + 4})); - $c += 4; - $utf16 = $this->utf82utf16($char); - $ascii .= sprintf('\u%04s', bin2hex($utf16)); - break; - - case (($ord_var_c & 0xFE) == 0xFC): - // characters U-04000000 - U-7FFFFFFF, mask 1111110X - // see http://www.cl.cam.ac.uk/~mgk25/unicode.html#utf-8 - $char = pack('C*', $ord_var_c, - ord($var{$c + 1}), - ord($var{$c + 2}), - ord($var{$c + 3}), - ord($var{$c + 4}), - ord($var{$c + 5})); - $c += 5; - $utf16 = $this->utf82utf16($char); - $ascii .= sprintf('\u%04s', bin2hex($utf16)); - break; - } - } - - return '"'.$ascii.'"'; - - case 'array': - /* - * As per JSON spec if any array key is not an integer - * we must treat the the whole array as an object. We - * also try to catch a sparsely populated associative - * array with numeric keys here because some JS engines - * will create an array with empty indexes up to - * max_index which can cause memory issues and because - * the keys, which may be relevant, will be remapped - * otherwise. - * - * As per the ECMA and JSON specification an object may - * have any string as a property. Unfortunately due to - * a hole in the ECMA specification if the key is a - * ECMA reserved word or starts with a digit the - * parameter is only accessible using ECMAScript's - * bracket notation. - */ - - // treat as a JSON object - if (is_array($var) && count($var) && (array_keys($var) !== range(0, sizeof($var) - 1))) { - $properties = array_map(array($this, 'name_value'), - array_keys($var), - array_values($var)); - - foreach($properties as $property) { - if(Services_JSON::isError($property)) { - return $property; - } - } - - return '{' . join(',', $properties) . '}'; - } - - // treat it like a regular array - $elements = array_map(array($this, 'encode'), $var); - - foreach($elements as $element) { - if(Services_JSON::isError($element)) { - return $element; - } - } - - return '[' . join(',', $elements) . ']'; - - case 'object': - $vars = get_object_vars($var); - - $properties = array_map(array($this, 'name_value'), - array_keys($vars), - array_values($vars)); - - foreach($properties as $property) { - if(Services_JSON::isError($property)) { - return $property; - } - } - - return '{' . join(',', $properties) . '}'; - - default: - return ($this->use & SERVICES_JSON_SUPPRESS_ERRORS) - ? 'null' - : new Services_JSON_Error(gettype($var)." can not be encoded as JSON string"); - } - } - - /** - * array-walking function for use in generating JSON-formatted name-value pairs - * - * @param string $name name of key to use - * @param mixed $value reference to an array element to be encoded - * - * @return string JSON-formatted name-value pair, like '"name":value' - * @access private - */ - function name_value($name, $value) - { - $encoded_value = $this->encode($value); - - if(Services_JSON::isError($encoded_value)) { - return $encoded_value; - } - - return $this->encode(strval($name)) . ':' . $encoded_value; - } - - /** - * reduce a string by removing leading and trailing comments and whitespace - * - * @param $str string string value to strip of comments and whitespace - * - * @return string string value stripped of comments and whitespace - * @access private - */ - function reduce_string($str) - { - $str = preg_replace(array( - - // eliminate single line comments in '// ...' form - '#^\s*//(.+)$#m', - - // eliminate multi-line comments in '/* ... */' form, at start of string - '#^\s*/\*(.+)\*/#Us', - - // eliminate multi-line comments in '/* ... */' form, at end of string - '#/\*(.+)\*/\s*$#Us' - - ), '', $str); - - // eliminate extraneous space - return trim($str); - } - - /** - * decodes a JSON string into appropriate variable - * - * @param string $str JSON-formatted string - * - * @return mixed number, boolean, string, array, or object - * corresponding to given JSON input string. - * See argument 1 to Services_JSON() above for object-output behavior. - * Note that decode() always returns strings - * in ASCII or UTF-8 format! - * @access public - */ - function decode($str) - { - $str = $this->reduce_string($str); - - switch (strtolower($str)) { - case 'true': - return true; - - case 'false': - return false; - - case 'null': - return null; - - default: - $m = array(); - - if (is_numeric($str)) { - // Lookie-loo, it's a number - - // This would work on its own, but I'm trying to be - // good about returning integers where appropriate: - // return (float)$str; - - // Return float or int, as appropriate - return ((float)$str == (integer)$str) - ? (integer)$str - : (float)$str; - - } elseif (preg_match('/^("|\').*(\1)$/s', $str, $m) && $m[1] == $m[2]) { - // STRINGS RETURNED IN UTF-8 FORMAT - $delim = substr($str, 0, 1); - $chrs = substr($str, 1, -1); - $utf8 = ''; - $strlen_chrs = strlen($chrs); - - for ($c = 0; $c < $strlen_chrs; ++$c) { - - $substr_chrs_c_2 = substr($chrs, $c, 2); - $ord_chrs_c = ord($chrs{$c}); - - switch (true) { - case $substr_chrs_c_2 == '\b': - $utf8 .= chr(0x08); - ++$c; - break; - case $substr_chrs_c_2 == '\t': - $utf8 .= chr(0x09); - ++$c; - break; - case $substr_chrs_c_2 == '\n': - $utf8 .= chr(0x0A); - ++$c; - break; - case $substr_chrs_c_2 == '\f': - $utf8 .= chr(0x0C); - ++$c; - break; - case $substr_chrs_c_2 == '\r': - $utf8 .= chr(0x0D); - ++$c; - break; - - case $substr_chrs_c_2 == '\\"': - case $substr_chrs_c_2 == '\\\'': - case $substr_chrs_c_2 == '\\\\': - case $substr_chrs_c_2 == '\\/': - if (($delim == '"' && $substr_chrs_c_2 != '\\\'') || - ($delim == "'" && $substr_chrs_c_2 != '\\"')) { - $utf8 .= $chrs{++$c}; - } - break; - - case preg_match('/\\\u[0-9A-F]{4}/i', substr($chrs, $c, 6)): - // single, escaped unicode character - $utf16 = chr(hexdec(substr($chrs, ($c + 2), 2))) - . chr(hexdec(substr($chrs, ($c + 4), 2))); - $utf8 .= $this->utf162utf8($utf16); - $c += 5; - break; - - case ($ord_chrs_c >= 0x20) && ($ord_chrs_c <= 0x7F): - $utf8 .= $chrs{$c}; - break; - - case ($ord_chrs_c & 0xE0) == 0xC0: - // characters U-00000080 - U-000007FF, mask 110XXXXX - //see http://www.cl.cam.ac.uk/~mgk25/unicode.html#utf-8 - $utf8 .= substr($chrs, $c, 2); - ++$c; - break; - - case ($ord_chrs_c & 0xF0) == 0xE0: - // characters U-00000800 - U-0000FFFF, mask 1110XXXX - // see http://www.cl.cam.ac.uk/~mgk25/unicode.html#utf-8 - $utf8 .= substr($chrs, $c, 3); - $c += 2; - break; - - case ($ord_chrs_c & 0xF8) == 0xF0: - // characters U-00010000 - U-001FFFFF, mask 11110XXX - // see http://www.cl.cam.ac.uk/~mgk25/unicode.html#utf-8 - $utf8 .= substr($chrs, $c, 4); - $c += 3; - break; - - case ($ord_chrs_c & 0xFC) == 0xF8: - // characters U-00200000 - U-03FFFFFF, mask 111110XX - // see http://www.cl.cam.ac.uk/~mgk25/unicode.html#utf-8 - $utf8 .= substr($chrs, $c, 5); - $c += 4; - break; - - case ($ord_chrs_c & 0xFE) == 0xFC: - // characters U-04000000 - U-7FFFFFFF, mask 1111110X - // see http://www.cl.cam.ac.uk/~mgk25/unicode.html#utf-8 - $utf8 .= substr($chrs, $c, 6); - $c += 5; - break; - - } - - } - - return $utf8; - - } elseif (preg_match('/^\[.*\]$/s', $str) || preg_match('/^\{.*\}$/s', $str)) { - // array, or object notation - - if ($str{0} == '[') { - $stk = array(SERVICES_JSON_IN_ARR); - $arr = array(); - } else { - if ($this->use & SERVICES_JSON_LOOSE_TYPE) { - $stk = array(SERVICES_JSON_IN_OBJ); - $obj = array(); - } else { - $stk = array(SERVICES_JSON_IN_OBJ); - $obj = new stdClass(); - } - } - - array_push($stk, array('what' => SERVICES_JSON_SLICE, - 'where' => 0, - 'delim' => false)); - - $chrs = substr($str, 1, -1); - $chrs = $this->reduce_string($chrs); - - if ($chrs == '') { - if (reset($stk) == SERVICES_JSON_IN_ARR) { - return $arr; - - } else { - return $obj; - - } - } - - //print("\nparsing {$chrs}\n"); - - $strlen_chrs = strlen($chrs); - - for ($c = 0; $c <= $strlen_chrs; ++$c) { - - $top = end($stk); - $substr_chrs_c_2 = substr($chrs, $c, 2); - - if (($c == $strlen_chrs) || (($chrs{$c} == ',') && ($top['what'] == SERVICES_JSON_SLICE))) { - // found a comma that is not inside a string, array, etc., - // OR we've reached the end of the character list - $slice = substr($chrs, $top['where'], ($c - $top['where'])); - array_push($stk, array('what' => SERVICES_JSON_SLICE, 'where' => ($c + 1), 'delim' => false)); - //print("Found split at {$c}: ".substr($chrs, $top['where'], (1 + $c - $top['where']))."\n"); - - if (reset($stk) == SERVICES_JSON_IN_ARR) { - // we are in an array, so just push an element onto the stack - array_push($arr, $this->decode($slice)); - - } elseif (reset($stk) == SERVICES_JSON_IN_OBJ) { - // we are in an object, so figure - // out the property name and set an - // element in an associative array, - // for now - $parts = array(); - - if (preg_match('/^\s*(["\'].*[^\\\]["\'])\s*:\s*(\S.*),?$/Uis', $slice, $parts)) { - // "name":value pair - $key = $this->decode($parts[1]); - $val = $this->decode($parts[2]); - - if ($this->use & SERVICES_JSON_LOOSE_TYPE) { - $obj[$key] = $val; - } else { - $obj->$key = $val; - } - } elseif (preg_match('/^\s*(\w+)\s*:\s*(\S.*),?$/Uis', $slice, $parts)) { - // name:value pair, where name is unquoted - $key = $parts[1]; - $val = $this->decode($parts[2]); - - if ($this->use & SERVICES_JSON_LOOSE_TYPE) { - $obj[$key] = $val; - } else { - $obj->$key = $val; - } - } - - } - - } elseif ((($chrs{$c} == '"') || ($chrs{$c} == "'")) && ($top['what'] != SERVICES_JSON_IN_STR)) { - // found a quote, and we are not inside a string - array_push($stk, array('what' => SERVICES_JSON_IN_STR, 'where' => $c, 'delim' => $chrs{$c})); - //print("Found start of string at {$c}\n"); - - } elseif (($chrs{$c} == $top['delim']) && - ($top['what'] == SERVICES_JSON_IN_STR) && - ((strlen(substr($chrs, 0, $c)) - strlen(rtrim(substr($chrs, 0, $c), '\\'))) % 2 != 1)) { - // found a quote, we're in a string, and it's not escaped - // we know that it's not escaped becase there is _not_ an - // odd number of backslashes at the end of the string so far - array_pop($stk); - //print("Found end of string at {$c}: ".substr($chrs, $top['where'], (1 + 1 + $c - $top['where']))."\n"); - - } elseif (($chrs{$c} == '[') && - in_array($top['what'], array(SERVICES_JSON_SLICE, SERVICES_JSON_IN_ARR, SERVICES_JSON_IN_OBJ))) { - // found a left-bracket, and we are in an array, object, or slice - array_push($stk, array('what' => SERVICES_JSON_IN_ARR, 'where' => $c, 'delim' => false)); - //print("Found start of array at {$c}\n"); - - } elseif (($chrs{$c} == ']') && ($top['what'] == SERVICES_JSON_IN_ARR)) { - // found a right-bracket, and we're in an array - array_pop($stk); - //print("Found end of array at {$c}: ".substr($chrs, $top['where'], (1 + $c - $top['where']))."\n"); - - } elseif (($chrs{$c} == '{') && - in_array($top['what'], array(SERVICES_JSON_SLICE, SERVICES_JSON_IN_ARR, SERVICES_JSON_IN_OBJ))) { - // found a left-brace, and we are in an array, object, or slice - array_push($stk, array('what' => SERVICES_JSON_IN_OBJ, 'where' => $c, 'delim' => false)); - //print("Found start of object at {$c}\n"); - - } elseif (($chrs{$c} == '}') && ($top['what'] == SERVICES_JSON_IN_OBJ)) { - // found a right-brace, and we're in an object - array_pop($stk); - //print("Found end of object at {$c}: ".substr($chrs, $top['where'], (1 + $c - $top['where']))."\n"); - - } elseif (($substr_chrs_c_2 == '/*') && - in_array($top['what'], array(SERVICES_JSON_SLICE, SERVICES_JSON_IN_ARR, SERVICES_JSON_IN_OBJ))) { - // found a comment start, and we are in an array, object, or slice - array_push($stk, array('what' => SERVICES_JSON_IN_CMT, 'where' => $c, 'delim' => false)); - $c++; - //print("Found start of comment at {$c}\n"); - - } elseif (($substr_chrs_c_2 == '*/') && ($top['what'] == SERVICES_JSON_IN_CMT)) { - // found a comment end, and we're in one now - array_pop($stk); - $c++; - - for ($i = $top['where']; $i <= $c; ++$i) - $chrs = substr_replace($chrs, ' ', $i, 1); - - //print("Found end of comment at {$c}: ".substr($chrs, $top['where'], (1 + $c - $top['where']))."\n"); - - } - - } - - if (reset($stk) == SERVICES_JSON_IN_ARR) { - return $arr; - - } elseif (reset($stk) == SERVICES_JSON_IN_OBJ) { - return $obj; - - } - - } - } - } - - /** - * @todo Ultimately, this should just call PEAR::isError() - */ - function isError($data, $code = null) - { - if (class_exists('pear')) { - return PEAR::isError($data, $code); - } elseif (is_object($data) && (get_class($data) == 'services_json_error' || - is_subclass_of($data, 'services_json_error'))) { - return true; - } - - return false; - } -} - -if (class_exists('PEAR_Error')) { - - class Services_JSON_Error extends PEAR_Error - { - function Services_JSON_Error($message = 'unknown error', $code = null, - $mode = null, $options = null, $userinfo = null) - { - parent::PEAR_Error($message, $code, $mode, $options, $userinfo); - } - } - -} else { - - /** - * @todo Ultimately, this class shall be descended from PEAR_Error - */ - class Services_JSON_Error - { - function Services_JSON_Error($message = 'unknown error', $code = null, - $mode = null, $options = null, $userinfo = null) - { - - } - } - -} - -?> diff --git a/plugins/FacebookSSO/extlib/jsonwrapper/JSON/LICENSE b/plugins/FacebookSSO/extlib/jsonwrapper/JSON/LICENSE deleted file mode 100644 index 4ae6bef55d..0000000000 --- a/plugins/FacebookSSO/extlib/jsonwrapper/JSON/LICENSE +++ /dev/null @@ -1,21 +0,0 @@ -Redistribution and use in source and binary forms, with or without -modification, are permitted provided that the following conditions are -met: - -Redistributions of source code must retain the above copyright notice, -this list of conditions and the following disclaimer. - -Redistributions in binary form must reproduce the above copyright -notice, this list of conditions and the following disclaimer in the -documentation and/or other materials provided with the distribution. - -THIS SOFTWARE IS PROVIDED ``AS IS'' AND ANY EXPRESS OR IMPLIED -WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED WARRANTIES OF -MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE DISCLAIMED. IN -NO EVENT SHALL CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT, -INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT -NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF -USE, DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON -ANY THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT -(INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE OF -THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE. diff --git a/plugins/FacebookSSO/extlib/jsonwrapper/jsonwrapper.php b/plugins/FacebookSSO/extlib/jsonwrapper/jsonwrapper.php deleted file mode 100644 index 29509debad..0000000000 --- a/plugins/FacebookSSO/extlib/jsonwrapper/jsonwrapper.php +++ /dev/null @@ -1,6 +0,0 @@ - diff --git a/plugins/FacebookSSO/extlib/jsonwrapper/jsonwrapper_inner.php b/plugins/FacebookSSO/extlib/jsonwrapper/jsonwrapper_inner.php deleted file mode 100644 index 36a3f28635..0000000000 --- a/plugins/FacebookSSO/extlib/jsonwrapper/jsonwrapper_inner.php +++ /dev/null @@ -1,23 +0,0 @@ -encode($arg); -} - -function json_decode($arg) -{ - global $services_json; - if (!isset($services_json)) { - $services_json = new Services_JSON(); - } - return $services_json->decode($arg); -} - -?> diff --git a/plugins/FacebookSSO/lib/facebookclient.php b/plugins/FacebookSSO/lib/facebookclient.php index a0549a1d01..cf45c9ed95 100644 --- a/plugins/FacebookSSO/lib/facebookclient.php +++ b/plugins/FacebookSSO/lib/facebookclient.php @@ -47,9 +47,9 @@ class Facebookclient protected $flink = null; // Foreign_link StatusNet -> Facebook protected $notice = null; // The user's notice protected $user = null; // Sender of the notice - protected $oldRestClient = null; // Old REST API client + //protected $oldRestClient = null; // Old REST API client - function __constructor($notice) + function __construct($notice) { $this->facebook = self::getFacebook(); $this->notice = $notice; @@ -58,29 +58,8 @@ class Facebookclient $notice->profile_id, FACEBOOK_SERVICE ); - + $this->user = $this->flink->getUser(); - - $this->oldRestClient = self::getOldRestClient(); - } - - /* - * Get and instance of the old REST API client for sending notices from - * users with Facebook links that pre-exist the Graph API - */ - static function getOldRestClient() - { - $apikey = common_config('facebook', 'apikey'); - $secret = common_config('facebook', 'secret'); - - // If there's no app key and secret set in the local config, look - // for a global one - if (empty($apikey) || empty($secret)) { - $apikey = common_config('facebook', 'global_apikey'); - $secret = common_config('facebook', 'global_secret'); - } - - return new FacebookRestClient($apikey, $secret, null); } /* @@ -125,8 +104,9 @@ class Facebookclient */ static function facebookBroadcastNotice($notice) { + common_debug('Facebook broadcast'); $client = new Facebookclient($notice); - $client->sendNotice(); + return $client->sendNotice(); } /* @@ -191,12 +171,24 @@ class Facebookclient // If there's nothing in the credentials field try to send via // the Old Rest API - if (empty($this->flink->credentials)) { - $this->sendOldRest(); - } else { + if ($this->isFacebookBound()) { + common_debug("notice is facebook bound", __FILE__); + if (empty($this->flink->credentials)) { + $this->sendOldRest(); + } else { - // Otherwise we most likely have an access token - $this->sendGraph(); + // Otherwise we most likely have an access token + $this->sendGraph(); + } + + } else { + common_debug( + sprintf( + "Skipping notice %d - not bound for Facebook", + $this->notice->id, + __FILE__ + ) + ); } } @@ -205,7 +197,55 @@ class Facebookclient */ function sendGraph() { - common_debug("Send notice via Graph API", __FILE__); + try { + + $fbuid = $this->flink->foreign_id; + + common_debug( + sprintf( + "Attempting use Graph API to post notice %d as a stream item for %s (%d), fbuid %s", + $this->notice->id, + $this->user->nickname, + $this->user->id, + $fbuid + ), + __FILE__ + ); + + $params = array( + 'access_token' => $this->flink->credentials, + 'message' => $this->notice->content + ); + + $attachments = $this->notice->attachments(); + + if (!empty($attachments)) { + + // We can only send one attachment with the Graph API + + $first = array_shift($attachments); + + if (substr($first->mimetype, 0, 6) == 'image/' + || in_array( + $first->mimetype, + array('application/x-shockwave-flash', 'audio/mpeg' ))) { + + $params['picture'] = $first->url; + $params['caption'] = 'Click for full size'; + $params['source'] = $first->url; + } + + } + + $result = $this->facebook->api( + sprintf('/%s/feed', $fbuid), 'post', $params + ); + + } catch (FacebookApiException $e) { + return $this->handleFacebookError($e); + } + + return true; } /* @@ -216,40 +256,40 @@ class Facebookclient */ function sendOldRest() { - if (isFacebookBound()) { + try { - try { + $canPublish = $this->checkPermission('publish_stream'); + $canUpdate = $this->checkPermission('status_update'); - $canPublish = $this->checkPermission('publish_stream'); - $canUpdate = $this->checkPermission('status_update'); + // We prefer to use stream.publish, because it can handle + // attachments and returns the ID of the published item - // Post to Facebook - if ($notice->hasAttachments() && $canPublish == 1) { - $this->restPublishStream(); - } elseif ($canUpdate == 1 || $canPublish == 1) { - $this->restStatusUpdate(); - } else { + if ($canPublish == 1) { + $this->restPublishStream(); + } else if ($canUpdate == 1) { + // as a last resort we can just update the user's "status" + $this->restStatusUpdate(); + } else { - $msg = 'Not sending notice %d to Facebook because user %s ' - . '(%d), fbuid %s, does not have \'status_update\' ' - . 'or \'publish_stream\' permission.'; + $msg = 'Not sending notice %d to Facebook because user %s ' + . '(%d), fbuid %s, does not have \'status_update\' ' + . 'or \'publish_stream\' permission.'; - common_log( - LOG_WARNING, - sprintf( - $msg, - $this->notice->id, - $this->user->nickname, - $this->user->id, - $this->flink->foreign_id - ), - __FILE__ - ); - } - - } catch (FacebookRestClientException $e) { - return $this->handleFacebookError($e); + common_log( + LOG_WARNING, + sprintf( + $msg, + $this->notice->id, + $this->user->nickname, + $this->user->id, + $this->flink->foreign_id + ), + __FILE__ + ); } + + } catch (FacebookApiException $e) { + return $this->handleFacebookError($e); } return true; @@ -267,12 +307,11 @@ class Facebookclient */ function checkPermission($permission) { - if (!in_array($permission, array('publish_stream', 'status_update'))) { - throw new ServerExpception("No such permission!"); + throw new ServerException("No such permission!"); } - $fbuid = $this->flink->foreign_link; + $fbuid = $this->flink->foreign_id; common_debug( sprintf( @@ -285,24 +324,14 @@ class Facebookclient __FILE__ ); - // NOTE: $this->oldRestClient->users_hasAppPermission() has been - // returning bogus results, so we're using FQL to check for - // permissions - - $fql = sprintf( - "SELECT %s FROM permissions WHERE uid = %s", - $permission, - $fbuid + $hasPermission = $this->facebook->api( + array( + 'method' => 'users.hasAppPermission', + 'ext_perm' => $permission, + 'uid' => $fbuid + ) ); - $result = $this->oldRestClient->fql_query($fql); - - $hasPermission = 0; - - if (isset($result[0][$permission])) { - $canPublish = $result[0][$permission]; - } - if ($hasPermission == 1) { common_debug( @@ -338,14 +367,27 @@ class Facebookclient return false; } - } + /* + * Handle a Facebook API Exception + * + * @param FacebookApiException $e the exception + * + */ function handleFacebookError($e) { $fbuid = $this->flink->foreign_id; - $code = $e->getCode(); $errmsg = $e->getMessage(); + $code = $e->getCode(); + + // The Facebook PHP SDK seems to always set the code attribute + // of the Exception to 0; they put the real error code it in + // the message. Gar! + if ($code == 0) { + preg_match('/^\(#(?\d+)\)/', $errmsg, $matches); + $code = $matches['code']; + } // XXX: Check for any others? switch($code) { @@ -414,6 +456,14 @@ class Facebookclient } } + /* + * Publish a notice to Facebook as a status update + * + * This is the least preferable way to send a notice to Facebook because + * it doesn't support attachments and the API method doesn't return + * the ID of the post on Facebook. + * + */ function restStatusUpdate() { $fbuid = $this->flink->foreign_id; @@ -429,11 +479,13 @@ class Facebookclient __FILE__ ); - $result = $this->oldRestClient->users_setStatus( - $this->notice->content, - $fbuid, - false, - true + $result = $this->facebook->api( + array( + 'method' => 'users.setStatus', + 'status' => $this->notice->content, + 'status_includes_verb' => true, + 'uid' => $fbuid + ) ); common_log( @@ -447,16 +499,19 @@ class Facebookclient ), __FILE__ ); + } + /* + * Publish a notice to a Facebook user's stream using the old REST API + */ function restPublishStream() { $fbuid = $this->flink->foreign_id; common_debug( sprintf( - 'Attempting to post notice %d as stream item with attachment for ' - . '%s (%d) fbuid %s', + 'Attempting to post notice %d as stream item for %s (%d) fbuid %s', $this->notice->id, $this->user->nickname, $this->user->id, @@ -465,42 +520,52 @@ class Facebookclient __FILE__ ); - $fbattachment = format_attachments($notice->attachments()); + $fbattachment = $this->formatAttachments(); - $this->oldRestClient->stream_publish( - $this->notice->content, - $fbattachment, - null, - null, - $fbuid + $result = $this->facebook->api( + array( + 'method' => 'stream.publish', + 'message' => $this->notice->content, + 'attachment' => $fbattachment, + 'uid' => $fbuid + ) ); common_log( LOG_INFO, sprintf( - 'Posted notice %d as a stream item with attachment for %s ' - . '(%d), fbuid %s', + 'Posted notice %d as a %s for %s (%d), fbuid %s', $this->notice->id, + empty($fbattachment) ? 'stream item' : 'stream item with attachment', $this->user->nickname, $this->user->id, $fbuid ), __FILE__ ); - + } - function format_attachments($attachments) + /* + * Format attachments for the old REST API stream.publish method + * + * Note: Old REST API supports multiple attachments per post + * + */ + function formatAttachments() { + + $attachments = $this->notice->attachments(); + $fbattachment = array(); $fbattachment['media'] = array(); foreach($attachments as $attachment) { if($enclosure = $attachment->getEnclosure()){ - $fbmedia = get_fbmedia_for_attachment($enclosure); + $fbmedia = $this->getFacebookMedia($enclosure); }else{ - $fbmedia = get_fbmedia_for_attachment($attachment); + $fbmedia = $this->getFacebookMedia($attachment); } if($fbmedia){ $fbattachment['media'][]=$fbmedia; @@ -518,9 +583,9 @@ class Facebookclient } /** - * given an File objects, returns an associative array suitable for Facebook media + * given a File objects, returns an associative array suitable for Facebook media */ - function get_fbmedia_for_attachment($attachment) + function getFacebookMedia($attachment) { $fbmedia = array(); @@ -545,9 +610,13 @@ class Facebookclient return $fbmedia; } + /* + * Disconnect a user from Facebook by deleting his Foreign_link. + * Notifies the user his account has been disconnected by email. + */ function disconnect() { - $fbuid = $this->flink->foreign_link; + $fbuid = $this->flink->foreign_id; common_log( LOG_INFO, @@ -560,7 +629,7 @@ class Facebookclient __FILE__ ); - $result = $flink->delete(); + $result = $this->flink->delete(); if (empty($result)) { common_log( @@ -631,7 +700,7 @@ BODY; $this->user->nickname, $siteName ); - + common_switch_locale(); return mail_to_user($this->user, $subject, $body); diff --git a/plugins/FacebookSSO/lib/facebookqueuehandler.php b/plugins/FacebookSSO/lib/facebookqueuehandler.php index af96d35c49..1e82ff01b1 100644 --- a/plugins/FacebookSSO/lib/facebookqueuehandler.php +++ b/plugins/FacebookSSO/lib/facebookqueuehandler.php @@ -31,8 +31,6 @@ if (!defined('STATUSNET')) { exit(1); } -require_once INSTALLDIR . '/plugins/Facebook/facebookutil.php'; - class FacebookQueueHandler extends QueueHandler { function transport() @@ -43,7 +41,7 @@ class FacebookQueueHandler extends QueueHandler function handle($notice) { if ($this->_isLocal($notice)) { - return facebookBroadcastNotice($notice); + return Facebookclient::facebookBroadcastNotice($notice); } return true; } From c36fecb79431218016615cde45215337d67fee67 Mon Sep 17 00:00:00 2001 From: Brion Vibber Date: Mon, 8 Nov 2010 17:20:04 -0800 Subject: [PATCH 091/628] Save a thumbnail image when uploading an image file into the file attachments system. Currently hardcoded to 100x75, needs aspect-sensitivity etc. --- classes/File_thumbnail.php | 30 ++++++++++++++++++++++++++---- lib/mediafile.php | 35 +++++++++++++++++++++++++++++++++++ 2 files changed, 61 insertions(+), 4 deletions(-) diff --git a/classes/File_thumbnail.php b/classes/File_thumbnail.php index edae8ac21a..d371b9e8aa 100644 --- a/classes/File_thumbnail.php +++ b/classes/File_thumbnail.php @@ -48,12 +48,34 @@ class File_thumbnail extends Memcached_DataObject return array(false, false, false); } - function saveNew($data, $file_id) { + /** + * Save oEmbed-provided thumbnail data + * + * @param object $data + * @param int $file_id + */ + public static function saveNew($data, $file_id) { + self::saveThumbnail($file_id, + $data->thumbnail_url, + $data->thumbnail_width, + $data->thumbnail_height); + } + + /** + * Save a thumbnail record for the referenced file record. + * + * @param int $file_id + * @param string $url + * @param int $width + * @param int $height + */ + static function saveThumbnail($file_id, $url, $width, $height) + { $tn = new File_thumbnail; $tn->file_id = $file_id; - $tn->url = $data->thumbnail_url; - $tn->width = intval($data->thumbnail_width); - $tn->height = intval($data->thumbnail_height); + $tn->url = $url; + $tn->width = intval($width); + $tn->height = intval($height); $tn->insert(); } } diff --git a/lib/mediafile.php b/lib/mediafile.php index aad3575d72..2c04b46501 100644 --- a/lib/mediafile.php +++ b/lib/mediafile.php @@ -48,11 +48,14 @@ class MediaFile { if ($user == null) { $this->user = common_current_user(); + } else { + $this->user = $user; } $this->filename = $filename; $this->mimetype = $mimetype; $this->fileRecord = $this->storeFile(); + $this->thumbnailRecord = $this->storeThumbnail(); $this->fileurl = common_local_url('attachment', array('attachment' => $this->fileRecord->id)); @@ -102,6 +105,38 @@ class MediaFile return $file; } + /** + * Generate and store a thumbnail image for the uploaded file, if applicable. + * + * @return File_thumbnail or null + */ + function storeThumbnail() + { + if (substr($this->mimetype, 0, strlen('image/')) != 'image/') { + // @fixme video thumbs would be nice! + return null; + } + try { + $image = new ImageFile($this->fileRecord->id, + File::path($this->filename)); + } catch (Exception $e) { + // Unsupported image type. + return null; + } + + $outname = File::filename($this->user->getProfile(), 'thumb-' . $this->filename, $this->mimetype); + $outpath = File::path($outname); + + $width = 100; + $height = 75; + + $image->resizeTo($outpath, $width, $height); + File_thumbnail::saveThumbnail($this->fileRecord->id, + File::url($outname), + $width, + $height); + } + function rememberFile($file, $short) { $this->maybeAddRedir($file->id, $short); From 6d7f02ff31c6c929223030b051541b1bf103f3a8 Mon Sep 17 00:00:00 2001 From: Brion Vibber Date: Mon, 8 Nov 2010 17:22:01 -0800 Subject: [PATCH 092/628] Pass file attachment thumbnails along with oEmbed data. --- actions/oembed.php | 6 ++++++ classes/File.php | 10 ++++++++++ 2 files changed, 16 insertions(+) diff --git a/actions/oembed.php b/actions/oembed.php index da3aa0c716..11d8145837 100644 --- a/actions/oembed.php +++ b/actions/oembed.php @@ -112,6 +112,12 @@ class OembedAction extends Action //$oembed['width']= //$oembed['height']= $oembed['url']=$attachment->url; + $thumb = $attachment->getThumbnail(); + if ($thumb) { + $oembed['thumbnail_url'] = $thumb->url; + $oembed['thumbnail_width'] = $thumb->width; + $oembed['thumbnail_height'] = $thumb->height; + } }else{ $oembed['type']='link'; $oembed['url']=common_local_url('attachment', diff --git a/classes/File.php b/classes/File.php index e3b922d13b..56bc73ab25 100644 --- a/classes/File.php +++ b/classes/File.php @@ -384,4 +384,14 @@ class File extends Memcached_DataObject $enclosure = $this->getEnclosure(); return !empty($enclosure); } + + /** + * Get the attachment's thumbnail record, if any. + * + * @return File_thumbnail + */ + function getThumbnail() + { + return File_thumbnail::staticGet('file_id', $this->id); + } } From 694448e0aa81edb7b010f102ee9ee0e6961f6f7c Mon Sep 17 00:00:00 2001 From: Brion Vibber Date: Mon, 8 Nov 2010 17:36:02 -0800 Subject: [PATCH 093/628] Add attachments 'thumb_width' and 'thumb_height' settings for inline thumbs, defaulting to 100x75. This is used as the max thumb width/height for oEmbed requests (replacing the old default of 500x400 which was more suitable for the lightbox). --- classes/File_oembed.php | 6 +++--- lib/default.php | 2 ++ lib/mediafile.php | 4 ++-- 3 files changed, 7 insertions(+), 5 deletions(-) diff --git a/classes/File_oembed.php b/classes/File_oembed.php index 4813d5dda5..a5540ecfee 100644 --- a/classes/File_oembed.php +++ b/classes/File_oembed.php @@ -58,11 +58,11 @@ class File_oembed extends Memcached_DataObject return array(false, false, false); } - function _getOembed($url, $maxwidth = 500, $maxheight = 400) { + function _getOembed($url) { require_once INSTALLDIR.'/extlib/Services/oEmbed.php'; $parameters = array( - 'maxwidth'=>$maxwidth, - 'maxheight'=>$maxheight, + 'maxwidth' => common_config('attachments', 'thumb_width'), + 'maxheight' => common_config('attachments', 'thumb_height'), ); try{ $oEmbed = new Services_oEmbed($url); diff --git a/lib/default.php b/lib/default.php index a19453fce4..87f4e45c0e 100644 --- a/lib/default.php +++ b/lib/default.php @@ -250,6 +250,8 @@ $default = 'monthly_quota' => 15000000, 'uploads' => true, 'filecommand' => '/usr/bin/file', + 'thumb_width' => 100, + 'thumb_height' => 75, ), 'application' => array('desclimit' => null), diff --git a/lib/mediafile.php b/lib/mediafile.php index 2c04b46501..febf4603a7 100644 --- a/lib/mediafile.php +++ b/lib/mediafile.php @@ -127,8 +127,8 @@ class MediaFile $outname = File::filename($this->user->getProfile(), 'thumb-' . $this->filename, $this->mimetype); $outpath = File::path($outname); - $width = 100; - $height = 75; + $width = common_config('attachments', 'thumb_width'); + $height = common_config('attachments', 'thumb_height'); $image->resizeTo($outpath, $width, $height); File_thumbnail::saveThumbnail($this->fileRecord->id, From 504529e8cd8fbaf5e8e1b980260d1d87d9e880ac Mon Sep 17 00:00:00 2001 From: Brion Vibber Date: Mon, 8 Nov 2010 17:51:53 -0800 Subject: [PATCH 094/628] Keep aspect ratio when generating local thumbnails --- lib/mediafile.php | 18 ++++++++++++++++-- 1 file changed, 16 insertions(+), 2 deletions(-) diff --git a/lib/mediafile.php b/lib/mediafile.php index febf4603a7..a41d7c76b5 100644 --- a/lib/mediafile.php +++ b/lib/mediafile.php @@ -127,8 +127,9 @@ class MediaFile $outname = File::filename($this->user->getProfile(), 'thumb-' . $this->filename, $this->mimetype); $outpath = File::path($outname); - $width = common_config('attachments', 'thumb_width'); - $height = common_config('attachments', 'thumb_height'); + $maxWidth = common_config('attachments', 'thumb_width'); + $maxHeight = common_config('attachments', 'thumb_height'); + list($width, $height) = $this->scaleToFit($image->width, $image->height, $maxWidth, $maxHeight); $image->resizeTo($outpath, $width, $height); File_thumbnail::saveThumbnail($this->fileRecord->id, @@ -137,6 +138,19 @@ class MediaFile $height); } + function scaleToFit($width, $height, $maxWidth, $maxHeight) + { + $aspect = $maxWidth / $maxHeight; + $w1 = $maxWidth; + $h1 = intval($height * $maxWidth / $width); + if ($h1 > $maxHeight) { + $w2 = intval($width * $maxHeight / $height); + $h2 = $maxHeight; + return array($w2, $h2); + } + return array($w1, $h1); + } + function rememberFile($file, $short) { $this->maybeAddRedir($file->id, $short); From 76aed36f38b6ee0f713dfdeb0e8afe2ad5723594 Mon Sep 17 00:00:00 2001 From: Evan Prodromou Date: Tue, 9 Nov 2010 06:59:16 -0500 Subject: [PATCH 095/628] set height and width of avatar td in email summary --- plugins/EmailSummary/useremailsummaryhandler.php | 3 ++- 1 file changed, 2 insertions(+), 1 deletion(-) diff --git a/plugins/EmailSummary/useremailsummaryhandler.php b/plugins/EmailSummary/useremailsummaryhandler.php index 1ac1eaedbe..d6de6aa055 100644 --- a/plugins/EmailSummary/useremailsummaryhandler.php +++ b/plugins/EmailSummary/useremailsummaryhandler.php @@ -142,7 +142,8 @@ class UserEmailSummaryHandler extends QueueHandler $avatar = $profile->getAvatar(AVATAR_STREAM_SIZE); $out->elementStart('tr'); - $out->elementStart('td'); + $out->elementStart('td', array('width' => AVATAR_STREAM_SIZE, + 'height' => AVATAR_STREAM_SIZE)); $out->element('img', array('src' => ($avatar) ? $avatar->displayUrl() : Avatar::defaultImage($avatar_size), From 17ab5c31ed255216a2b734e15e9d11bd4c6fce8b Mon Sep 17 00:00:00 2001 From: Evan Prodromou Date: Tue, 9 Nov 2010 07:04:50 -0500 Subject: [PATCH 096/628] some alignment in the table layout --- plugins/EmailSummary/useremailsummaryhandler.php | 11 +++++++---- 1 file changed, 7 insertions(+), 4 deletions(-) diff --git a/plugins/EmailSummary/useremailsummaryhandler.php b/plugins/EmailSummary/useremailsummaryhandler.php index d6de6aa055..95b7fdc477 100644 --- a/plugins/EmailSummary/useremailsummaryhandler.php +++ b/plugins/EmailSummary/useremailsummaryhandler.php @@ -143,16 +143,19 @@ class UserEmailSummaryHandler extends QueueHandler $out->elementStart('tr'); $out->elementStart('td', array('width' => AVATAR_STREAM_SIZE, - 'height' => AVATAR_STREAM_SIZE)); + 'height' => AVATAR_STREAM_SIZE, + 'align' => 'left', + 'valign' => 'top')); $out->element('img', array('src' => ($avatar) ? $avatar->displayUrl() : Avatar::defaultImage($avatar_size), 'class' => 'avatar photo', - 'width' => $avatar_size, - 'height' => $avatar_size, + 'width' => AVATAR_STREAM_SIZE, + 'height' => AVATAR_STREAM_SIZE, 'alt' => $profile->getBestName())); $out->elementEnd('td'); - $out->elementStart('td'); + $out->elementStart('td', array('align' => 'left', + 'valign' => 'top')); $out->element('a', array('href' => $profile->profileurl), $profile->nickname); $out->text(' '); From 9ea1a9c6319202e0cbbcf76976b4b2c48b8f1f9b Mon Sep 17 00:00:00 2001 From: Evan Prodromou Date: Tue, 9 Nov 2010 12:53:57 -0500 Subject: [PATCH 097/628] session table was missing from upgrade scripts --- db/074to080.sql | 12 ++++++++++++ 1 file changed, 12 insertions(+) diff --git a/db/074to080.sql b/db/074to080.sql index ff08191596..e3631e214a 100644 --- a/db/074to080.sql +++ b/db/074to080.sql @@ -107,3 +107,15 @@ create table group_alias ( index group_alias_group_id_idx (group_id) ) ENGINE=InnoDB CHARACTER SET utf8 COLLATE utf8_bin; + +create table session ( + + id varchar(32) primary key comment 'session ID', + session_data text comment 'session data', + created datetime not null comment 'date this record was created', + modified timestamp comment 'date this record was modified', + + index session_modified_idx (modified) + +) ENGINE=InnoDB CHARACTER SET utf8 COLLATE utf8_bin; + From e87323e426f032504a01a01ea0854065413fb177 Mon Sep 17 00:00:00 2001 From: Evan Prodromou Date: Tue, 9 Nov 2010 13:04:11 -0500 Subject: [PATCH 098/628] change width of notices table to display better --- plugins/EmailSummary/useremailsummaryhandler.php | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/plugins/EmailSummary/useremailsummaryhandler.php b/plugins/EmailSummary/useremailsummaryhandler.php index 95b7fdc477..fb004b5558 100644 --- a/plugins/EmailSummary/useremailsummaryhandler.php +++ b/plugins/EmailSummary/useremailsummaryhandler.php @@ -129,7 +129,7 @@ class UserEmailSummaryHandler extends QueueHandler $profile->getBestName())); - $out->elementStart('table', array('width' => '100%', 'style' => 'border: none')); + $out->elementStart('table', array('width' => '541px', 'style' => 'border: none')); while ($notice->fetch()) { From f25accc43ea1e66f290c8bc1d284ae04b4bf004f Mon Sep 17 00:00:00 2001 From: Brion Vibber Date: Tue, 9 Nov 2010 10:45:19 -0800 Subject: [PATCH 099/628] split out InlineAttachmentList from AttachmentList --- actions/shownotice.php | 9 ++++ lib/attachmentlist.php | 34 ++++++++----- lib/inlineattachmentlist.php | 97 ++++++++++++++++++++++++++++++++++++ lib/noticelist.php | 2 +- theme/base/css/display.css | 6 +++ 5 files changed, 134 insertions(+), 14 deletions(-) create mode 100644 lib/inlineattachmentlist.php diff --git a/actions/shownotice.php b/actions/shownotice.php index 7a11787b66..b4af7dbaa2 100644 --- a/actions/shownotice.php +++ b/actions/shownotice.php @@ -331,6 +331,15 @@ class SingleNoticeItem extends DoFollowListItem $this->showEnd(); } + /** + * For our zoomed-in special case we'll use a fuller list + * for the attachment info. + */ + function showNoticeAttachments() { + $al = new AttachmentList($this->notice, $this->out); + $al->show(); + } + /** * show the avatar of the notice's author * diff --git a/lib/attachmentlist.php b/lib/attachmentlist.php index 8e6ad038a3..f9ef7499e1 100644 --- a/lib/attachmentlist.php +++ b/lib/attachmentlist.php @@ -79,23 +79,33 @@ class AttachmentList extends Widget $atts = new File; $att = $atts->getAttachments($this->notice->id); if (empty($att)) return 0; - $this->out->elementStart('dl', array('id' =>'attachments', - 'class' => 'entry-content')); - // TRANS: DT element label in attachment list. - $this->out->element('dt', null, _('Attachments')); - $this->out->elementStart('dd'); - $this->out->elementStart('ol', array('class' => 'attachments')); + $this->showListStart(); foreach ($att as $n=>$attachment) { $item = $this->newListItem($attachment); $item->show(); } + $this->showListEnd(); + + return count($att); + } + + function showListStart() + { + $this->out->elementStart('dl', array('id' =>'attachments', + 'class' => 'entry-content')); + // TRANS: DT element label in attachment list. + $this->out->element('dt', null, _('Attachments')); + $this->out->elementStart('dd'); + $this->out->elementStart('ol', array('class' => 'attachments')); + } + + function showListEnd() + { $this->out->elementEnd('dd'); $this->out->elementEnd('ol'); $this->out->elementEnd('dl'); - - return count($att); } /** @@ -181,11 +191,9 @@ class AttachmentListItem extends Widget */ function show() { - if ($this->attachment->isEnclosure()) { - $this->showStart(); - $this->showNoticeAttachment(); - $this->showEnd(); - } + $this->showStart(); + $this->showNoticeAttachment(); + $this->showEnd(); } function linkAttr() { diff --git a/lib/inlineattachmentlist.php b/lib/inlineattachmentlist.php new file mode 100644 index 0000000000..8b1a1cd9bb --- /dev/null +++ b/lib/inlineattachmentlist.php @@ -0,0 +1,97 @@ +. + * + * @category UI + * @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')) { + exit(1); +} + +class InlineAttachmentList extends AttachmentList +{ + function showListStart() + { + $this->out->elementStart('div', array('class' => 'entry-content thumbnails')); + } + + function showListEnd() + { + $this->out->elementEnd('div'); + } + + /** + * returns a new list item for the current attachment + * + * @param File $notice the current attachment + * + * @return ListItem a list item for displaying the attachment + */ + function newListItem($attachment) + { + return new InlineAttachmentListItem($attachment, $this->out); + } +} + +class InlineAttachmentListItem extends AttachmentListItem +{ + function show() + { + if ($this->attachment->isEnclosure()) { + parent::show(); + } + } + + function showLink() { + $this->out->elementStart('a', $this->linkAttr()); + $this->showRepresentation(); + $this->out->elementEnd('a'); + } + + /** + * start a single notice. + * + * @return void + */ + function showStart() + { + // XXX: RDFa + // TODO: add notice_type class e.g., notice_video, notice_image + $this->out->elementStart('span', array('class' => 'inline-attachment')); + } + + /** + * finish the notice + * + * Close the last elements in the notice list item + * + * @return void + */ + function showEnd() + { + $this->out->elementEnd('span'); + } +} diff --git a/lib/noticelist.php b/lib/noticelist.php index fb5db2374c..d2ac7ed84a 100644 --- a/lib/noticelist.php +++ b/lib/noticelist.php @@ -385,7 +385,7 @@ class NoticeListItem extends Widget } function showNoticeAttachments() { - $al = new AttachmentList($this->notice, $this->out); + $al = new InlineAttachmentList($this->notice, $this->out); $al->show(); } diff --git a/theme/base/css/display.css b/theme/base/css/display.css index 29f7d0ae0d..6615e13eb4 100644 --- a/theme/base/css/display.css +++ b/theme/base/css/display.css @@ -1728,6 +1728,12 @@ width:auto; min-width:0; } +.inline-attachment img { + /* Why on earth is this changed to block at the top? */ + display: inline; + border: solid 1px #aaa; + padding: 1px; +} }/*end of @media screen, projection, tv*/ From a988e2e97b4b790f3cbd9f755ebf61bf321e16f9 Mon Sep 17 00:00:00 2001 From: Evan Prodromou Date: Tue, 9 Nov 2010 15:00:30 -0500 Subject: [PATCH 100/628] hook points for the email settings form --- EVENTS.txt | 14 +++ actions/emailsettings.php | 173 ++++++++++++++++++++------------------ 2 files changed, 105 insertions(+), 82 deletions(-) diff --git a/EVENTS.txt b/EVENTS.txt index 675ac5437e..fed489705c 100644 --- a/EVENTS.txt +++ b/EVENTS.txt @@ -302,6 +302,20 @@ StartProfileSaveForm: before starting to save a profile settings form EndProfileSaveForm: after saving a profile settings form (after commit, no profile or user object!) - $action: action object being shown +StartEmailFormData: just before showing text entry fields on email settings page +- $action: action object being shown + +EndEmailFormData: just after showing text entry fields on email settings page +- $action: action object being shown + +StartEmailSaveForm: before starting to save a email settings form +- $action: action object being shown +- &$user: user being saved + +EndEmailSaveForm: after saving a email settings form (after commit) +- $action: action object being shown +- &$user: user being saved + StartRegistrationFormData: just before showing text entry fields on registration page - $action: action object being shown diff --git a/actions/emailsettings.php b/actions/emailsettings.php index 9c250fc8a9..5a816e5c0a 100644 --- a/actions/emailsettings.php +++ b/actions/emailsettings.php @@ -178,51 +178,55 @@ class EmailsettingsAction extends AccountSettingsAction $this->element('legend', null, _('Email preferences')); $this->elementStart('ul', 'form_data'); - $this->elementStart('li'); - $this->checkbox('emailnotifysub', - // TRANS: Checkbox label in e-mail preferences form. - _('Send me notices of new subscriptions through email.'), - $user->emailnotifysub); - $this->elementEnd('li'); - $this->elementStart('li'); - $this->checkbox('emailnotifyfav', - // TRANS: Checkbox label in e-mail preferences form. - _('Send me email when someone '. - 'adds my notice as a favorite.'), - $user->emailnotifyfav); - $this->elementEnd('li'); - $this->elementStart('li'); - $this->checkbox('emailnotifymsg', - // TRANS: Checkbox label in e-mail preferences form. - _('Send me email when someone sends me a private message.'), - $user->emailnotifymsg); - $this->elementEnd('li'); - $this->elementStart('li'); - $this->checkbox('emailnotifyattn', - // TRANS: Checkbox label in e-mail preferences form. - _('Send me email when someone sends me an "@-reply".'), - $user->emailnotifyattn); - $this->elementEnd('li'); - $this->elementStart('li'); - $this->checkbox('emailnotifynudge', - // TRANS: Checkbox label in e-mail preferences form. - _('Allow friends to nudge me and send me an email.'), - $user->emailnotifynudge); - $this->elementEnd('li'); - if (common_config('emailpost', 'enabled')) { - $this->elementStart('li'); - $this->checkbox('emailpost', - // TRANS: Checkbox label in e-mail preferences form. - _('I want to post notices by email.'), - $user->emailpost); - $this->elementEnd('li'); - } - $this->elementStart('li'); - $this->checkbox('emailmicroid', - // TRANS: Checkbox label in e-mail preferences form. - _('Publish a MicroID for my email address.'), - $user->emailmicroid); - $this->elementEnd('li'); + + if (Event::handle('StartEmailFormData', array($this))) { + $this->elementStart('li'); + $this->checkbox('emailnotifysub', + // TRANS: Checkbox label in e-mail preferences form. + _('Send me notices of new subscriptions through email.'), + $user->emailnotifysub); + $this->elementEnd('li'); + $this->elementStart('li'); + $this->checkbox('emailnotifyfav', + // TRANS: Checkbox label in e-mail preferences form. + _('Send me email when someone '. + 'adds my notice as a favorite.'), + $user->emailnotifyfav); + $this->elementEnd('li'); + $this->elementStart('li'); + $this->checkbox('emailnotifymsg', + // TRANS: Checkbox label in e-mail preferences form. + _('Send me email when someone sends me a private message.'), + $user->emailnotifymsg); + $this->elementEnd('li'); + $this->elementStart('li'); + $this->checkbox('emailnotifyattn', + // TRANS: Checkbox label in e-mail preferences form. + _('Send me email when someone sends me an "@-reply".'), + $user->emailnotifyattn); + $this->elementEnd('li'); + $this->elementStart('li'); + $this->checkbox('emailnotifynudge', + // TRANS: Checkbox label in e-mail preferences form. + _('Allow friends to nudge me and send me an email.'), + $user->emailnotifynudge); + $this->elementEnd('li'); + if (common_config('emailpost', 'enabled')) { + $this->elementStart('li'); + $this->checkbox('emailpost', + // TRANS: Checkbox label in e-mail preferences form. + _('I want to post notices by email.'), + $user->emailpost); + $this->elementEnd('li'); + } + $this->elementStart('li'); + $this->checkbox('emailmicroid', + // TRANS: Checkbox label in e-mail preferences form. + _('Publish a MicroID for my email address.'), + $user->emailmicroid); + $this->elementEnd('li'); + Event::handle('EndEmailFormData', array($this)); + } $this->elementEnd('ul'); // TRANS: Button label to save e-mail preferences. $this->submit('save', _m('BUTTON','Save')); @@ -299,43 +303,48 @@ class EmailsettingsAction extends AccountSettingsAction function savePreferences() { - $emailnotifysub = $this->boolean('emailnotifysub'); - $emailnotifyfav = $this->boolean('emailnotifyfav'); - $emailnotifymsg = $this->boolean('emailnotifymsg'); - $emailnotifynudge = $this->boolean('emailnotifynudge'); - $emailnotifyattn = $this->boolean('emailnotifyattn'); - $emailmicroid = $this->boolean('emailmicroid'); - $emailpost = $this->boolean('emailpost'); - - $user = common_current_user(); - - assert(!is_null($user)); // should already be checked - - $user->query('BEGIN'); - - $original = clone($user); - - $user->emailnotifysub = $emailnotifysub; - $user->emailnotifyfav = $emailnotifyfav; - $user->emailnotifymsg = $emailnotifymsg; - $user->emailnotifynudge = $emailnotifynudge; - $user->emailnotifyattn = $emailnotifyattn; - $user->emailmicroid = $emailmicroid; - $user->emailpost = $emailpost; - - $result = $user->update($original); - - if ($result === false) { - common_log_db_error($user, 'UPDATE', __FILE__); - // TRANS: Server error thrown on database error updating e-mail preferences. - $this->serverError(_('Couldn\'t update user.')); - return; - } - - $user->query('COMMIT'); - - // TRANS: Confirmation message for successful e-mail preferences save. - $this->showForm(_('Email preferences saved.'), true); + $user = common_current_user(); + + if (Event::handle('StartEmailSaveForm', array($this, &$user))) { + + $emailnotifysub = $this->boolean('emailnotifysub'); + $emailnotifyfav = $this->boolean('emailnotifyfav'); + $emailnotifymsg = $this->boolean('emailnotifymsg'); + $emailnotifynudge = $this->boolean('emailnotifynudge'); + $emailnotifyattn = $this->boolean('emailnotifyattn'); + $emailmicroid = $this->boolean('emailmicroid'); + $emailpost = $this->boolean('emailpost'); + + assert(!is_null($user)); // should already be checked + + $user->query('BEGIN'); + + $original = clone($user); + + $user->emailnotifysub = $emailnotifysub; + $user->emailnotifyfav = $emailnotifyfav; + $user->emailnotifymsg = $emailnotifymsg; + $user->emailnotifynudge = $emailnotifynudge; + $user->emailnotifyattn = $emailnotifyattn; + $user->emailmicroid = $emailmicroid; + $user->emailpost = $emailpost; + + $result = $user->update($original); + + if ($result === false) { + common_log_db_error($user, 'UPDATE', __FILE__); + // TRANS: Server error thrown on database error updating e-mail preferences. + $this->serverError(_('Couldn\'t update user.')); + return; + } + + $user->query('COMMIT'); + + Event::handle('EndEmailSaveForm', array($this)); + + // TRANS: Confirmation message for successful e-mail preferences save. + $this->showForm(_('Email preferences saved.'), true); + } } /** From dbb95b76a4d384fd62fd24b4d427baefd007cb90 Mon Sep 17 00:00:00 2001 From: Brion Vibber Date: Tue, 9 Nov 2010 12:04:07 -0800 Subject: [PATCH 101/628] Allow YouTube-style media links to be counted as enclosures for purposes of listing attachments/thumbs --- classes/File.php | 12 ++++++++---- 1 file changed, 8 insertions(+), 4 deletions(-) diff --git a/classes/File.php b/classes/File.php index 56bc73ab25..499c8d72c3 100644 --- a/classes/File.php +++ b/classes/File.php @@ -361,15 +361,19 @@ class File extends Memcached_DataObject if($semicolon){ $mimetype = substr($mimetype,0,$semicolon); } - if(in_array($mimetype,$notEnclosureMimeTypes)){ - return false; - }else{ + // @fixme uncertain if this is right. + // we want to expose things like YouTube videos as + // viewable attachments, but don't expose them as + // downloadable enclosures.....? + //if (in_array($mimetype, $notEnclosureMimeTypes)) { + // return false; + //} else { if($oembed->mimetype) $enclosure->mimetype=$oembed->mimetype; if($oembed->url) $enclosure->url=$oembed->url; if($oembed->title) $enclosure->title=$oembed->title; if($oembed->modified) $enclosure->modified=$oembed->modified; unset($oembed->size); - } + //} } else { return false; } From 17ae690d5937b9a9ac3c7cd8a37d461960ce4964 Mon Sep 17 00:00:00 2001 From: Zach Copley Date: Tue, 9 Nov 2010 23:14:50 +0000 Subject: [PATCH 102/628] Make a richer StatusNet profile from a user's Facebook profile --- plugins/FacebookSSO/FacebookSSOPlugin.php | 102 +++++++++--------- .../actions/facebookfinishlogin.php | 80 ++++++++++++-- plugins/FacebookSSO/lib/facebookclient.php | 4 +- 3 files changed, 124 insertions(+), 62 deletions(-) diff --git a/plugins/FacebookSSO/FacebookSSOPlugin.php b/plugins/FacebookSSO/FacebookSSOPlugin.php index a094f2957f..32b6a29106 100644 --- a/plugins/FacebookSSO/FacebookSSOPlugin.php +++ b/plugins/FacebookSSO/FacebookSSOPlugin.php @@ -3,7 +3,8 @@ * StatusNet - the distributed open-source microblogging tool * Copyright (C) 2010, StatusNet, Inc. * - * A plugin for single-sign-in (SSO) with Facebook + * A plugin for integrating Facebook with StatusNet. Includes single-sign-on + * and publishing notices to Facebook using Facebook's Graph API. * * PHP version 5 * @@ -35,14 +36,7 @@ if (!defined('STATUSNET')) { define("FACEBOOK_SERVICE", 2); /** - * Main class for Facebook single-sign-on plugin - * - * - * Simple plugins can be implemented as a single module. Others are more complex - * and require additional modules; these should use their own directory, like - * 'local/plugins/{$name}/'. All files related to the plugin, including images, - * JavaScript, CSS, external libraries or PHP modules should go in the plugin - * directory. + * Main class for Facebook plugin * * @category Plugin * @package StatusNet @@ -62,8 +56,7 @@ class FacebookSSOPlugin extends Plugin /** * Initializer for this plugin * - * Plugins overload this method to do any initialization they need, - * like connecting to remote servers or creating paths or so on. + * Gets an instance of the Facebook API client object * * @return boolean hook value; true means continue processing, false means stop. */ @@ -78,33 +71,9 @@ class FacebookSSOPlugin extends Plugin return true; } - /** - * Cleanup for this plugin - * - * Plugins overload this method to do any cleanup they need, - * like disconnecting from remote servers or deleting temp files or so on. - * - * @return boolean hook value; true means continue processing, false means stop. - */ - function cleanup() - { - return true; - } - /** * Load related modules when needed * - * Most non-trivial plugins will require extra modules to do their work. Typically - * these include data classes, action classes, widget classes, or external libraries. - * - * This method receives a class name and loads the PHP file related to that class. By - * tradition, action classes typically have files named for the action, all lower-case. - * Data classes are in files with the data class name, initial letter capitalized. - * - * Note that this method will be called for *all* overloaded classes, not just ones - * in this plugin! So, make sure to return true by default to let other plugins, and - * the core code, get a chance. - * * @param string $cls Name of the class to be loaded * * @return boolean hook value; true means continue processing, false means stop. @@ -118,12 +87,9 @@ class FacebookSSOPlugin extends Plugin switch ($cls) { - case 'Facebook': // New JavaScript SDK + case 'Facebook': // Facebook PHP SDK include_once $dir . '/extlib/facebook.php'; return false; - case 'FacebookRestClient': // Old REST lib - include_once $dir . '/extlib/facebookapi_php5_restlib.php'; - return false; case 'FacebookloginAction': case 'FacebookfinishloginAction': case 'FacebookadminpanelAction': @@ -153,10 +119,8 @@ class FacebookSSOPlugin extends Plugin ); if (in_array(get_class($action), $needy)) { - common_debug("needs scripts!"); return true; } else { - common_debug("doesn't need scripts!"); return false; } } @@ -164,11 +128,6 @@ class FacebookSSOPlugin extends Plugin /** * Map URLs to actions * - * This event handler lets the plugin map URLs on the site to actions (and - * thus an action handler class). Note that the action handler class for an - * action will be named 'FoobarAction', where action = 'foobar'. The class - * must be loaded in the onAutoload() method. - * * @param Net_URL_Mapper $m path-to-action mapper * * @return boolean hook value; true means continue processing, false means stop. @@ -281,6 +240,11 @@ class FacebookSSOPlugin extends Plugin /* * Is there a Facebook application for the plugin to use? + * + * Checks to see if a Facebook application ID and secret + * have been configured and a valid Facebook API client + * object exists. + * */ function hasApplication() { @@ -298,6 +262,12 @@ class FacebookSSOPlugin extends Plugin return false; } + /* + * Output a Facebook div for the Facebook JavaSsript SDK to use + * + * @param Action $action the current action + * + */ function onStartShowHeader($action) { // output
    as close to as possible @@ -305,6 +275,12 @@ class FacebookSSOPlugin extends Plugin return true; } + /* + * Load the Facebook JavaScript SDK on pages that need them. + * + * @param Action $action the current action + * + */ function onEndShowScripts($action) { if ($this->needsScripts($action)) { @@ -324,7 +300,7 @@ $('#facebook_button').bind('click', function(event) { } else { // NOP (user cancelled login) } - }, {perms:'read_stream,publish_stream,offline_access,user_status,user_location,user_website'}); + }, {perms:'read_stream,publish_stream,offline_access,user_status,user_location,user_website,email'}); }); ENDOFSCRIPT; @@ -341,7 +317,7 @@ ENDOFSCRIPT; /* * Log the user out of Facebook, per the Facebook authentication guide * - * @param Action action the action + * @param Action action the current action */ function onEndLogout($action) { @@ -381,10 +357,10 @@ ENDOFSCRIPT; } /* - * Add fbml namespace so Facebook's JavaScript SDK can parse and render - * XFBML tags (e.g: ) + * Add fbml namespace to our HTML, so Facebook's JavaScript SDK can parse + * and render XFBML tags * - * @param Action $action current action + * @param Action $action the current action * @param array $attrs array of attributes for the HTML tag * * @return nothing @@ -432,6 +408,30 @@ ENDOFSCRIPT; return true; } + /* + * Use SSL for Facebook stuff + * + * @param string $action name + * @param boolean $ssl outval to force SSL + * @return mixed hook return value + */ + function onSensitiveAction($action, &$ssl) + { + $sensitive = array( + 'facebookadminpanel', + 'facebooksettings', + 'facebooklogin', + 'facebookfinishlogin' + ); + + if (in_array($action, $sensitive)) { + $ssl = true; + return false; + } else { + return true; + } + } + /* * Add version info for this plugin * diff --git a/plugins/FacebookSSO/actions/facebookfinishlogin.php b/plugins/FacebookSSO/actions/facebookfinishlogin.php index 16f7cff500..e61f351547 100644 --- a/plugins/FacebookSSO/actions/facebookfinishlogin.php +++ b/plugins/FacebookSSO/actions/facebookfinishlogin.php @@ -33,7 +33,6 @@ if (!defined('STATUSNET')) { class FacebookfinishloginAction extends Action { - private $facebook = null; // Facebook client private $fbuid = null; // Facebook user ID private $fbuser = null; // Facebook user object (JSON) @@ -341,12 +340,14 @@ class FacebookfinishloginAction extends Action } $args = array( - 'nickname' => $nickname, - 'fullname' => $this->fbuser['firstname'] . ' ' . $this->fbuser['lastname'], - // XXX: Figure out how to get email - 'homepage' => $this->fbuser['link'], - 'bio' => $this->fbuser['about'], - 'location' => $this->fbuser['location']['name'] + 'nickname' => $nickname, + 'fullname' => $this->fbuser['first_name'] + . ' ' . $this->fbuser['last_name'], + 'email' => $this->fbuser['email'], + 'email_confirmed' => true, + 'homepage' => $this->fbuser['website'], + 'bio' => $this->fbuser['about'], + 'location' => $this->fbuser['location']['name'] ); if (!empty($invite)) { @@ -362,6 +363,8 @@ class FacebookfinishloginAction extends Action return; } + $this->setAvatar($user); + common_set_user($user); common_real_login(true); @@ -384,6 +387,68 @@ class FacebookfinishloginAction extends Action ); } + /* + * Attempt to download the user's Facebook picture and create a + * StatusNet avatar for the new user. + */ + function setAvatar($user) + { + $picUrl = sprintf( + 'http://graph.facebook.com/%s/picture?type=large', + $this->fbuid + ); + + // fetch the picture from Facebook + $client = new HTTPClient(); + + common_debug("status = $status - " . $finalUrl , __FILE__); + + // fetch the actual picture + $response = $client->get($picUrl); + + if ($response->isOk()) { + + $finalUrl = $client->getUrl(); + $filename = 'facebook-' . substr(strrchr($finalUrl, '/'), 1 ); + + common_debug("Filename = " . $filename, __FILE__); + + $ok = file_put_contents( + Avatar::path($filename), + $response->getBody() + ); + + if (!$ok) { + common_log( + LOG_WARNING, + sprintf( + 'Couldn\'t save Facebook avatar %s', + $tmp + ), + __FILE__ + ); + + } else { + + $profile = $user->getProfile(); + + if ($profile->setOriginal($filename)) { + common_log( + LOG_INFO, + sprintf( + 'Saved avatar for %s (%d) from Facebook profile %s, filename = %s', + $user->nickname, + $user->id, + $this->fbuid, + $picture + ), + __FILE__ + ); + } + } + } + } + function connectNewUser() { $nickname = $this->trimmed('nickname'); @@ -437,7 +502,6 @@ class FacebookfinishloginAction extends Action __FILE__ ); - // Return to Facebook connection settings tab common_redirect(common_local_url('facebookfinishlogin'), 303); } diff --git a/plugins/FacebookSSO/lib/facebookclient.php b/plugins/FacebookSSO/lib/facebookclient.php index cf45c9ed95..6753243ed0 100644 --- a/plugins/FacebookSSO/lib/facebookclient.php +++ b/plugins/FacebookSSO/lib/facebookclient.php @@ -47,7 +47,6 @@ class Facebookclient protected $flink = null; // Foreign_link StatusNet -> Facebook protected $notice = null; // The user's notice protected $user = null; // Sender of the notice - //protected $oldRestClient = null; // Old REST API client function __construct($notice) { @@ -382,7 +381,7 @@ class Facebookclient $code = $e->getCode(); // The Facebook PHP SDK seems to always set the code attribute - // of the Exception to 0; they put the real error code it in + // of the Exception to 0; they put the real error code in // the message. Gar! if ($code == 0) { preg_match('/^\(#(?\d+)\)/', $errmsg, $matches); @@ -554,7 +553,6 @@ class Facebookclient */ function formatAttachments() { - $attachments = $this->notice->attachments(); $fbattachment = array(); From 5a3d01423d378272218072136f2b3e46b5aa5269 Mon Sep 17 00:00:00 2001 From: Brion Vibber Date: Tue, 9 Nov 2010 16:28:33 -0800 Subject: [PATCH 103/628] Cleanup on the CSS for inline attachments; removed some unneeded changes since the split of the inline and regular attachment lists. Removing commented-out code that seems to be for some old thumbnailing system where the thumbnails were hidden popups within the core text (wtf!) --- theme/base/css/display.css | 29 ++++------------------------- 1 file changed, 4 insertions(+), 25 deletions(-) diff --git a/theme/base/css/display.css b/theme/base/css/display.css index 6615e13eb4..8c364febce 100644 --- a/theme/base/css/display.css +++ b/theme/base/css/display.css @@ -1150,8 +1150,7 @@ border-radius:4px; -webkit-border-radius:4px; } -.notice div.entry-content, -.notice dl.entry-content { +.notice div.entry-content { clear:left; float:left; font-size:0.95em; @@ -1326,40 +1325,20 @@ margin-left:4px; .notice .attachment.more { padding-left:0; } -/* -.notice .attachment img { -position:absolute; -top:18px; -left:0; -z-index:99; -} -#shownotice .notice .attachment img { -position:static; -} -*/ - -/* Small inline attachment list */ -#attachments ol li { - list-style-type: none; -} -#attachments dt { - display: none; -} - -#shownotice #attachments { +#attachments { clear:both; float:left; width:100%; margin-top:18px; } -#shownotice #attachments dt { +#attachments dt { font-weight:bold; font-size:1.3em; margin-bottom:4px; } -#shownotice #attachments ol li { +#attachments ol li { margin-bottom:18px; list-style-type:decimal; float:left; From 592e0bc505c52a38952469bae0a081c224180bd8 Mon Sep 17 00:00:00 2001 From: Brion Vibber Date: Tue, 9 Nov 2010 16:43:37 -0800 Subject: [PATCH 104/628] add title attribute on attachment list items --- lib/attachmentlist.php | 10 +++++++--- 1 file changed, 7 insertions(+), 3 deletions(-) diff --git a/lib/attachmentlist.php b/lib/attachmentlist.php index f9ef7499e1..6e127af864 100644 --- a/lib/attachmentlist.php +++ b/lib/attachmentlist.php @@ -197,7 +197,10 @@ class AttachmentListItem extends Widget } function linkAttr() { - return array('class' => 'attachment', 'href' => $this->attachment->url, 'id' => 'attachment-' . $this->attachment->id); + return array('class' => 'attachment', + 'href' => $this->attachment->url, + 'id' => 'attachment-' . $this->attachment->id, + 'title' => $this->title()); } function showLink() { @@ -244,8 +247,9 @@ class AttachmentListItem extends Widget case 'image/jpeg': $thumb = (object)array(); $thumb->url = $enc->url; - $thumb->width = 100; - $thumb->height = 75; // @fixme + // @fixme use the given width/height aspect + $thumb->width = common_config('attachments', 'thumb_width'); + $thumb->height = common_config('attachments', 'thumb_height'); return $thumb; } } From 3c921f38de55922b1de3a331826e01cb876898a2 Mon Sep 17 00:00:00 2001 From: Zach Copley Date: Wed, 10 Nov 2010 01:18:06 +0000 Subject: [PATCH 105/628] Add an action to handle deauthorization callbacks from Facebook --- plugins/FacebookSSO/FacebookSSOPlugin.php | 6 +- .../actions/facebookdeauthorize.php | 214 ++++++++++++++++++ plugins/FacebookSSO/lib/facebookclient.php | 28 ++- 3 files changed, 235 insertions(+), 13 deletions(-) create mode 100644 plugins/FacebookSSO/actions/facebookdeauthorize.php diff --git a/plugins/FacebookSSO/FacebookSSOPlugin.php b/plugins/FacebookSSO/FacebookSSOPlugin.php index 32b6a29106..19d61211d8 100644 --- a/plugins/FacebookSSO/FacebookSSOPlugin.php +++ b/plugins/FacebookSSO/FacebookSSOPlugin.php @@ -94,6 +94,7 @@ class FacebookSSOPlugin extends Plugin case 'FacebookfinishloginAction': case 'FacebookadminpanelAction': case 'FacebooksettingsAction': + case 'FacebookdeauthorizeAction': include_once $dir . '/actions/' . strtolower(mb_substr($cls, 0, -6)) . '.php'; return false; case 'Facebookclient': @@ -149,11 +150,14 @@ class FacebookSSOPlugin extends Plugin 'main/facebookfinishlogin', array('action' => 'facebookfinishlogin') ); - $m->connect( 'settings/facebook', array('action' => 'facebooksettings') ); + $m->connect( + 'facebook/deauthorize', + array('action' => 'facebookdeauthorize') + ); } diff --git a/plugins/FacebookSSO/actions/facebookdeauthorize.php b/plugins/FacebookSSO/actions/facebookdeauthorize.php new file mode 100644 index 0000000000..fb4afa13bc --- /dev/null +++ b/plugins/FacebookSSO/actions/facebookdeauthorize.php @@ -0,0 +1,214 @@ +. + * + * @category Plugin + * @package StatusNet + * @author Zach Copley + * @copyright 2010 StatusNet, Inc. + * @license http://www.fsf.org/licensing/licenses/agpl-3.0.html AGPL 3.0 + * @link http://status.net/ + */ + +if (!defined('STATUSNET')) { + exit(1); +} + +/* + * Action class for handling deauthorize callbacks from Facebook. If the user + * doesn't have a password let her know she'll need to contact the site + * admin to get back into her account (if possible). + */ +class FacebookdeauthorizeAction extends Action +{ + private $facebook; + + /** + * For initializing members of the class. + * + * @param array $args misc. arguments + * + * @return boolean true + */ + function prepare($args) + { + $this->facebook = Facebookclient::getFacebook(); + + return true; + } + + /** + * Handler method + * + * @param array $args is ignored since it's now passed in in prepare() + */ + function handle($args) + { + parent::handle($args); + + $data = $this->facebook->getSignedRequest(); + + if (isset($data['user_id'])) { + + $fbuid = $data['user_id']; + + $flink = Foreign_link::getByForeignID($fbuid, FACEBOOK_SERVICE); + $user = $flink->getUser(); + + // Remove the link to Facebook + $result = $flink->delete(); + + if (!$result) { + common_log_db_error($flink, 'DELETE', __FILE__); + common_log( + LOG_WARNING, + sprintf( + 'Unable to delete Facebook foreign link ' + . 'for %s (%d), fbuid %s', + $user->nickname, + $user->id, + $fbuid + ), + __FILE__ + ); + return; + } + + common_log( + LOG_INFO, + sprintf( + 'Facebook callback: %s (%d), fbuid %s has deauthorized ' + . 'the Facebook application.', + $user->nickname, + $user->id, + $fbuid + ), + __FILE__ + ); + + // Warn the user about being locked out of their account + // if we can. + if (empty($user->password) && !empty($user->email)) { + $this->emailWarn($user); + } else { + common_log( + LOG_WARNING, + sprintf( + '%s (%d), fbuid $s has deauthorized his/her Facebook ' + . 'connection but hasn\'t set a password so s/he ' + . 'is locked out.', + $user->nickname, + $user->id, + $fbuid + ), + __FILE__ + ); + } + + } else { + if (!empty($data)) { + common_log( + LOG_WARNING, + sprintf( + 'Facebook called the deauthorize callback ' + . ' but didn\'t provide a user ID.' + ), + __FILE__ + ); + } else { + // It probably wasn't Facebook that hit this action, + // so redirect to the login page + common_redirect(common_local_url('login'), 303); + } + } + } + + /* + * Send the user an email warning that their account has been + * disconnected and he/she has no way to login and must contact + * the site administrator for help. + * + * @param User $user the deauthorizing user + * + */ + function emailWarn($user) + { + $profile = $user->getProfile(); + + $siteName = common_config('site', 'name'); + $siteEmail = common_config('site', 'email'); + + if (empty($siteEmail)) { + common_log( + LOG_WARNING, + "No site email address configured. Please set one." + ); + } + + common_switch_locale($user->language); + + $subject = _m('Contact the %s administrator to retrieve your account'); + + $msg = <<nickname, + $siteName, + $siteEmail + ); + + common_switch_locale(); + + if (mail_to_user($user, $subject, $body)) { + common_log( + LOG_INFO, + sprintf( + 'Sent account lockout warning to %s (%d)', + $user->nickname, + $user->id + ), + __FILE__ + ); + } else { + common_log( + LOG_WARNING, + sprintf( + 'Unable to send account lockout warning to %s (%d)', + $user->nickname, + $user->id + ), + __FILE__ + ); + } + } + +} \ No newline at end of file diff --git a/plugins/FacebookSSO/lib/facebookclient.php b/plugins/FacebookSSO/lib/facebookclient.php index 6753243ed0..cf00b55e3a 100644 --- a/plugins/FacebookSSO/lib/facebookclient.php +++ b/plugins/FacebookSSO/lib/facebookclient.php @@ -673,25 +673,29 @@ class Facebookclient */ function mailFacebookDisconnect() { - $profile = $user->getProfile(); + $profile = $this->user->getProfile(); $siteName = common_config('site', 'name'); - common_switch_locale($user->language); + common_switch_locale($this->user->language); - $subject = sprintf( - _m('Your Facebook connection has been removed'), - $siteName - ); + $subject = _m('Your Facebook connection has been removed'); $msg = << Date: Wed, 10 Nov 2010 15:53:20 -0500 Subject: [PATCH 106/628] Fix isHTTPS to work correctly for Cherokee and IIS --- lib/statusnet.php | 6 +++++- 1 file changed, 5 insertions(+), 1 deletion(-) diff --git a/lib/statusnet.php b/lib/statusnet.php index 33bf32b10e..85b46bbb3f 100644 --- a/lib/statusnet.php +++ b/lib/statusnet.php @@ -377,7 +377,11 @@ class StatusNet static function isHTTPS() { // There are some exceptions to this; add them here! - return !empty($_SERVER['HTTPS']); + if(empty($_SERVER['HTTPS'])) { + return false; + } else { + return $_SERVER['HTTPS'] !== 'off'; + } } } From 46223da59433e602343169a948bc895977ea253f Mon Sep 17 00:00:00 2001 From: Brion Vibber Date: Wed, 10 Nov 2010 14:31:55 -0800 Subject: [PATCH 107/628] CSS class tweak for inline attachment thumbnails to avoid things thinking they're content links --- lib/inlineattachmentlist.php | 11 +++++++++++ 1 file changed, 11 insertions(+) diff --git a/lib/inlineattachmentlist.php b/lib/inlineattachmentlist.php index 8b1a1cd9bb..de5008e87b 100644 --- a/lib/inlineattachmentlist.php +++ b/lib/inlineattachmentlist.php @@ -71,6 +71,17 @@ class InlineAttachmentListItem extends AttachmentListItem $this->out->elementEnd('a'); } + /** + * Build HTML attributes for the link + * @return array + */ + function linkAttr() + { + $attr = parent::linkAttr(); + $attr['class'] = 'attachment-thumbnail'; + return $attr; + } + /** * start a single notice. * From 0ed572ff3f3401f6faf376136a3e17cba1259922 Mon Sep 17 00:00:00 2001 From: Zach Copley Date: Thu, 11 Nov 2010 10:33:26 -0800 Subject: [PATCH 108/628] Fix missing close of comment block --- actions/allrss.php | 2 ++ 1 file changed, 2 insertions(+) diff --git a/actions/allrss.php b/actions/allrss.php index d398c8a6ad..573bb4eb2f 100644 --- a/actions/allrss.php +++ b/actions/allrss.php @@ -56,6 +56,8 @@ class AllrssAction extends Rss10Action * @param array $args Web and URL arguments * * @return boolean false if user doesn't exist + * + */ function prepare($args) { parent::prepare($args); From adb16b8098dbe8870b7f4a9dcde49930a41666ff Mon Sep 17 00:00:00 2001 From: Evan Prodromou Date: Thu, 11 Nov 2010 14:50:53 -0500 Subject: [PATCH 109/628] fix update of email prefs in queue handler --- plugins/EmailSummary/useremailsummaryhandler.php | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/plugins/EmailSummary/useremailsummaryhandler.php b/plugins/EmailSummary/useremailsummaryhandler.php index fb004b5558..b1ebd0c425 100644 --- a/plugins/EmailSummary/useremailsummaryhandler.php +++ b/plugins/EmailSummary/useremailsummaryhandler.php @@ -218,7 +218,7 @@ class UserEmailSummaryHandler extends QueueHandler $ess->last_summary_id = $new_top; $ess->modified = common_sql_now(); - $ess->update(); + $ess->update($orig); } return true; From 2d55bc0e5b89012e700bbeb68411e51477862b23 Mon Sep 17 00:00:00 2001 From: Evan Prodromou Date: Thu, 11 Nov 2010 14:51:14 -0500 Subject: [PATCH 110/628] give users a chance to opt out of email summaries --- plugins/EmailSummary/EmailSummaryPlugin.php | 64 +++++++++++++++++++++ 1 file changed, 64 insertions(+) diff --git a/plugins/EmailSummary/EmailSummaryPlugin.php b/plugins/EmailSummary/EmailSummaryPlugin.php index 03577bb4a7..58c40e43c5 100644 --- a/plugins/EmailSummary/EmailSummaryPlugin.php +++ b/plugins/EmailSummary/EmailSummaryPlugin.php @@ -135,4 +135,68 @@ class EmailSummaryPlugin extends Plugin $qm->connect('usersum', 'UserEmailSummaryHandler'); return true; } + + /** + * Add a checkbox to turn off email summaries + * + * @param Action $action Action being executed (emailsettings) + * + * @return boolean hook value + */ + + function onEndEmailFormData($action) + { + $user = common_current_user(); + + $action->elementStart('li'); + $action->checkbox('emailsummary', + // TRANS: Checkbox label in e-mail preferences form. + _('Send me a periodic summary of updates from my network.'), + Email_summary_status::getSendSummary($user->id)); + $action->elementEnd('li'); + return true; + } + + /** + * Add a checkbox to turn off email summaries + * + * @param Action $action Action being executed (emailsettings) + * + * @return boolean hook value + */ + + function onEndEmailSaveForm($action) + { + $sendSummary = $action->boolean('emailsummary'); + + $user = common_current_user(); + + if (!empty($user)) { + + $ess = Email_summary_status::staticGet('user_id', $user->id); + + if (empty($ess)) { + + $ess = new Email_summary_status(); + + $ess->user_id = $user->id; + $ess->send_summary = $sendSummary; + $ess->created = common_sql_now(); + $ess->modified = common_sql_now(); + + $ess->insert(); + + } else { + + $orig = clone($ess); + + $ess->send_summary = $sendSummary; + $ess->modified = common_sql_now(); + + $ess->update($orig); + } + } + + return true; + } } From fdf3a23da7769586a818ca2219ec6bc1b46587de Mon Sep 17 00:00:00 2001 From: Evan Prodromou Date: Fri, 12 Nov 2010 11:46:45 -0500 Subject: [PATCH 111/628] don't try to initialize the mapstraction canvas if it doesn't exist --- plugins/Mapstraction/MapstractionPlugin.php | 3 ++- 1 file changed, 2 insertions(+), 1 deletion(-) diff --git a/plugins/Mapstraction/MapstractionPlugin.php b/plugins/Mapstraction/MapstractionPlugin.php index c4ba6464ea..d5261d8bc7 100644 --- a/plugins/Mapstraction/MapstractionPlugin.php +++ b/plugins/Mapstraction/MapstractionPlugin.php @@ -156,7 +156,8 @@ class MapstractionPlugin extends Plugin ' var user = null; '. (($actionName == 'showstream') ? ' user = scrapeUser(); ' : '') . ' var notices = scrapeNotices(user); ' . - ' showMapstraction($("#map_canvas"), notices); '. + ' var canvas = $("#map_canvas")[0]; ' . + ' if (typeof(canvas) != "undefined") { showMapstraction(canvas, notices); } '. '});'); } From 62467f51e520439d3ec44ceb6a66a91ad54d77b6 Mon Sep 17 00:00:00 2001 From: Brion Vibber Date: Fri, 12 Nov 2010 12:10:29 -0800 Subject: [PATCH 112/628] Drop commented-out code from old lightbox & thumbnail popup stuff --- js/util.js | 44 -------------------------------------------- 1 file changed, 44 deletions(-) diff --git a/js/util.js b/js/util.js index 15fb163103..bf3c43fd8a 100644 --- a/js/util.js +++ b/js/util.js @@ -427,50 +427,6 @@ var SN = { // StatusNet return false; }).attr('title', SN.msg('showmore_tooltip')); } - else { - //imgLoading : $('address .url')[0].href+'theme/base/images/illustrations/illu_progress_loading-01.gif', - - notice.find('a.attachment').each(function() { - /* - var attachId = ($(this).attr('id').substring('attachment'.length + 1)); - if (attachId) { - var thumbUrl = $('address .url')[0].href+'attachment/' + attachId + '/thumb'; - var thumb = $('
    Thumb:
    '); - thumb.find('img').attr('src', thumbUrl).last(); - notice.find('.entry-title .entry-content').append(thumb); - } - */ - }); - - if ($('#shownotice').length == 0) { - /* - var t; - notice.find('a.thumbnail').hover( - function() { - var anchor = $(this); - $('a.thumbnail').children('img').hide(); - anchor.closest(".entry-title").addClass('ov'); - - if (anchor.children('img').length === 0) { - t = setTimeout(function() { - $.get($('address .url')[0].href+'attachment/' + (anchor.attr('id').substring('attachment'.length + 1)) + '/thumbnail', null, function(data) { - anchor.append(data); - }); - }, 500); - } - else { - anchor.children('img').show(); - } - }, - function() { - clearTimeout(t); - $('a.thumbnail').children('img').hide(); - $(this).closest('.entry-title').removeClass('ov'); - } - ); - */ - } - } }, NoticeDataAttach: function() { From cda59dc1771c2911491c9271662c32f56103347f Mon Sep 17 00:00:00 2001 From: Brion Vibber Date: Fri, 12 Nov 2010 12:10:51 -0800 Subject: [PATCH 113/628] drop a comma which isn't actually an error but keeps throwing annoying warnings in netbeans --- js/util.js | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/js/util.js b/js/util.js index bf3c43fd8a..74eef4df17 100644 --- a/js/util.js +++ b/js/util.js @@ -56,7 +56,7 @@ var SN = { // StatusNet NoticeDataGeoCookie: 'NoticeDataGeo', NoticeDataGeoSelected: 'notice_data-geo_selected', StatusNetInstance:'StatusNetInstance' - }, + } }, messages: {}, From cb124fe831a3c77dfca89590ebb8d691685bb573 Mon Sep 17 00:00:00 2001 From: Brion Vibber Date: Fri, 12 Nov 2010 12:24:55 -0800 Subject: [PATCH 114/628] Add a quick config setting to disable/enable display of thumbnails in regular notice lists (attachments/show_thumbs) - disabling gives the same display as before this feature was added (but changes to oembed handling are still there, and the lightbox popup is gone) --- lib/default.php | 1 + lib/noticelist.php | 6 ++++-- 2 files changed, 5 insertions(+), 2 deletions(-) diff --git a/lib/default.php b/lib/default.php index 87f4e45c0e..ece01f2a8b 100644 --- a/lib/default.php +++ b/lib/default.php @@ -250,6 +250,7 @@ $default = 'monthly_quota' => 15000000, 'uploads' => true, 'filecommand' => '/usr/bin/file', + 'show_thumbs' => true, // show thumbnails in notice lists for uploaded images, and photos and videos linked remotely that provide oEmbed info 'thumb_width' => 100, 'thumb_height' => 75, ), diff --git a/lib/noticelist.php b/lib/noticelist.php index d2ac7ed84a..c6f964662f 100644 --- a/lib/noticelist.php +++ b/lib/noticelist.php @@ -385,8 +385,10 @@ class NoticeListItem extends Widget } function showNoticeAttachments() { - $al = new InlineAttachmentList($this->notice, $this->out); - $al->show(); + if (common_config('attachments', 'show_thumbs')) { + $al = new InlineAttachmentList($this->notice, $this->out); + $al->show(); + } } /** From 2c4313467f07cae059798ac500ec2a1c31953877 Mon Sep 17 00:00:00 2001 From: Brion Vibber Date: Fri, 12 Nov 2010 14:03:08 -0800 Subject: [PATCH 115/628] Save oEmbed photo references as thumbnails if there's not a separate thumbnail_url entry in the return data. This fixes thumb saving for Flickr photo references. --- classes/File_oembed.php | 2 +- classes/File_thumbnail.php | 19 +++++++++++++++---- 2 files changed, 16 insertions(+), 5 deletions(-) diff --git a/classes/File_oembed.php b/classes/File_oembed.php index a5540ecfee..bcb2f7bacc 100644 --- a/classes/File_oembed.php +++ b/classes/File_oembed.php @@ -120,7 +120,7 @@ class File_oembed extends Memcached_DataObject } } $file_oembed->insert(); - if (!empty($data->thumbnail_url)) { + if (!empty($data->thumbnail_url) || ($data->type == 'photo')) { $ft = File_thumbnail::staticGet('file_id', $file_id); if (!empty($ft)) { common_log(LOG_WARNING, "Strangely, a File_thumbnail object exists for new file $file_id", diff --git a/classes/File_thumbnail.php b/classes/File_thumbnail.php index d371b9e8aa..17bac7f08c 100644 --- a/classes/File_thumbnail.php +++ b/classes/File_thumbnail.php @@ -55,10 +55,21 @@ class File_thumbnail extends Memcached_DataObject * @param int $file_id */ public static function saveNew($data, $file_id) { - self::saveThumbnail($file_id, - $data->thumbnail_url, - $data->thumbnail_width, - $data->thumbnail_height); + if (!empty($data->thumbnail_url)) { + // Non-photo types such as video will usually + // show us a thumbnail, though it's not required. + self::saveThumbnail($file_id, + $data->thumbnail_url, + $data->thumbnail_width, + $data->thumbnail_height); + } else if ($data->type == 'photo') { + // The inline photo URL given should also fit within + // our requested thumbnail size, per oEmbed spec. + self::saveThumbnail($file_id, + $data->url, + $data->width, + $data->height); + } } /** From 2c33fdd2fb98c37798a80a8600798caa9dabcb0e Mon Sep 17 00:00:00 2001 From: Brion Vibber Date: Fri, 12 Nov 2010 14:03:57 -0800 Subject: [PATCH 116/628] Only use saved thumbnails for notice list attachment thumbs -- don't attempt to search enclosures for photo types. We now save thumbs directly for oEmbed photos that don't list a separate thumb entry (like Flickr), so it's not needed. Keeps things cleaner :D --- lib/attachmentlist.php | 47 ++++++++++-------------------------------- 1 file changed, 11 insertions(+), 36 deletions(-) diff --git a/lib/attachmentlist.php b/lib/attachmentlist.php index 6e127af864..0d56791d70 100644 --- a/lib/attachmentlist.php +++ b/lib/attachmentlist.php @@ -218,55 +218,30 @@ class AttachmentListItem extends Widget function showRepresentation() { $thumb = $this->getThumbInfo(); if ($thumb) { - $thumb = $this->sizeThumb($thumb); $this->out->element('img', array('alt' => '', 'src' => $thumb->url, 'width' => $thumb->width, 'height' => $thumb->height)); } } /** - * Pull a thumbnail image reference for the given file. - * In order we check: - * 1) file_thumbnail table (thumbnails found via oEmbed) - * 2) image URL from direct dereference or oEmbed 'photo' type URL - * 3) ??? + * Pull a thumbnail image reference for the given file, and if necessary + * resize it to match currently thumbnail size settings. * - * @return mixed object with (url, width, height) properties, or false + * @return File_Thumbnail or false/null */ function getThumbInfo() { $thumbnail = File_thumbnail::staticGet('file_id', $this->attachment->id); if ($thumbnail) { - return $thumbnail; - } - $enc = $this->attachment->getEnclosure(); - if ($enc) { - switch ($enc->mimetype) { - case 'image/gif': - case 'image/png': - case 'image/jpg': - case 'image/jpeg': - $thumb = (object)array(); - $thumb->url = $enc->url; - // @fixme use the given width/height aspect - $thumb->width = common_config('attachments', 'thumb_width'); - $thumb->height = common_config('attachments', 'thumb_height'); - return $thumb; + $maxWidth = common_config('attachments', 'thumb_width'); + $maxHeight = common_config('attachments', 'thumb_height'); + if ($thumbnail->width > $maxWidth) { + $thumb = clone($thumbnail); + $thumb->width = $maxWidth; + $thumb->height = intval($thumbnail->height * $maxWidth / $thumbnail->width); + return $thumb; } } - return false; - } - - function sizeThumb($thumbnail) { - $maxWidth = 100; - $maxHeight = 75; - if ($thumbnail->width > $maxWidth) { - $thumb = clone($thumbnail); - $thumb->width = $maxWidth; - $thumb->height = intval($thumbnail->height * $maxWidth / $thumbnail->width); - return $thumb; - } else { - return $thumbnail; - } + return $thumbnail; } /** From 398e622fecdb2b2b6bf6cde975e3978284db62b4 Mon Sep 17 00:00:00 2001 From: Brion Vibber Date: Fri, 12 Nov 2010 17:40:34 -0800 Subject: [PATCH 117/628] Save attached URLs when importing a Twitter status: this lets our thumbnail detection handle photos and videos linked to by Twitter posters. --- plugins/TwitterBridge/twitterimport.php | 17 +++++++++++++++++ 1 file changed, 17 insertions(+) diff --git a/plugins/TwitterBridge/twitterimport.php b/plugins/TwitterBridge/twitterimport.php index 07a9cf95f6..498e9b1fc5 100644 --- a/plugins/TwitterBridge/twitterimport.php +++ b/plugins/TwitterBridge/twitterimport.php @@ -189,6 +189,7 @@ class TwitterImport Notice_to_status::saveNew($notice->id, $status->id); $this->saveStatusMentions($notice, $status); + $this->saveStatusAttachments($notice, $status); $notice->blowOnInsert(); @@ -648,4 +649,20 @@ class TwitterImport } } } + + /** + * Record URL links from the notice. Needed to get thumbnail records + * for referenced photo and video posts, etc. + * + * @param Notice $notice + * @param object $status + */ + function saveStatusAttachments($notice, $status) + { + if (!empty($status->entities) && !empty($status->entities->urls)) { + foreach ($status->entities->urls as $url) { + File::processNew($url->url, $notice->id); + } + } + } } \ No newline at end of file From 4f323efdf7abc5452152a87241e320aca20ce486 Mon Sep 17 00:00:00 2001 From: Brion Vibber Date: Fri, 12 Nov 2010 17:41:35 -0800 Subject: [PATCH 118/628] Encapsulate the oEmbed -> oohembed fallback into oEmbedHelper class. Also added a chance to whitelist sites that don't show discovery info but do have oEmbed API endpoints, and to provide alternate APIs for some common services. Newly supported: - TwitPic: added a local function using TwitPic's API, since the oohembed implementation for TwitPic produced invalid output which Services_oEmbed rejects. (bug filed upstream) Tweaked... - Flickr: works, now using whitelist to use their endpoint directly instead of going through oohembed - Youtube: worked around a bug in Services_oEmbed which broke the direct use of API discovery info, so we don't have to use oohembed. Not currently working... - YFrog: whitelisting their endpoint directly as the oohembed output is broken, but this doesn't appear to work currently as I think things are confused by YFrog's servers giving a '204 No Content' response on our HEAD checks on the original link. --- classes/File_oembed.php | 20 +--- lib/oembedhelper.php | 246 ++++++++++++++++++++++++++++++++++++++++ 2 files changed, 251 insertions(+), 15 deletions(-) create mode 100644 lib/oembedhelper.php diff --git a/classes/File_oembed.php b/classes/File_oembed.php index bcb2f7bacc..b7bf3a5dae 100644 --- a/classes/File_oembed.php +++ b/classes/File_oembed.php @@ -59,25 +59,15 @@ class File_oembed extends Memcached_DataObject } function _getOembed($url) { - require_once INSTALLDIR.'/extlib/Services/oEmbed.php'; $parameters = array( 'maxwidth' => common_config('attachments', 'thumb_width'), 'maxheight' => common_config('attachments', 'thumb_height'), ); - try{ - $oEmbed = new Services_oEmbed($url); - $object = $oEmbed->getObject($parameters); - return $object; - }catch(Exception $e){ - try{ - $oEmbed = new Services_oEmbed($url, array( - Services_oEmbed::OPTION_API => common_config('oohembed', 'endpoint') - )); - $object = $oEmbed->getObject($parameters); - return $object; - }catch(Exception $ex){ - return false; - } + try { + return oEmbedHelper::getObject($url, $parameters); + } catch (Exception $e) { + common_log(LOG_ERR, "Error during oembed lookup for $url - " . $e->getMessage()); + return false; } } diff --git a/lib/oembedhelper.php b/lib/oembedhelper.php new file mode 100644 index 0000000000..ef2b59214c --- /dev/null +++ b/lib/oembedhelper.php @@ -0,0 +1,246 @@ +. + */ + +if (!defined('STATUSNET')) { + exit(1); +} +require_once INSTALLDIR.'/extlib/Services/oEmbed.php'; + + +/** + * Utility class to wrap Services_oEmbed: + * + * Blacklisted hosts will use an alternate lookup method: + * - Twitpic + * + * Whitelisted hosts will use known oEmbed API endpoints: + * - Flickr, YFrog + * + * Sites that provide discovery links will use them directly; a bug + * in use of discovery links with query strings is worked around. + * + * Others will fall back to oohembed (unless disabled). + * The API endpoint can be configured or disabled through config + * as 'oohembed'/'endpoint'. + */ +class oEmbedHelper +{ + protected static $apiMap = array( + 'flickr.com' => 'http://www.flickr.com/services/oembed/', + 'yfrog.com' => 'http://www.yfrog.com/api/oembed', + ); + protected static $functionMap = array( + 'twitpic.com' => 'oEmbedHelper::twitPic', + ); + + /** + * Perform or fake an oEmbed lookup for the given resource. + * + * Some known hosts are whitelisted with API endpoints where we + * know they exist but autodiscovery data isn't available. + * If autodiscovery links are missing and we don't recognize the + * host, we'll pass it to oohembed.com's public service which + * will either proxy or fake info on a lot of sites. + * + * A few hosts are blacklisted due to known problems with oohembed, + * in which case we'll look up the info another way and return + * equivalent data. + * + * Throws exceptions on failure. + * + * @param string $url + * @param array $params + * @return object + */ + public static function getObject($url, $params=array()) + { + common_log(LOG_INFO, 'QQQ: wtf? ' . $url); + $host = parse_url($url, PHP_URL_HOST); + if (substr($host, 0, 4) == 'www.') { + $host = substr($host, 4); + } + + // Blacklist: systems with no oEmbed API of their own, which are + // either missing from or broken on oohembed.com's proxy. + // we know how to look data up in another way... + if (array_key_exists($host, self::$functionMap)) { + $func = self::$functionMap[$host]; + return call_user_func($func, $url, $params); + } + + // Whitelist: known API endpoints for sites that don't provide discovery... + if (array_key_exists($host, self::$apiMap)) { + $api = self::$apiMap[$host]; + common_log(LOG_INFO, 'QQQ: going to: ' . $api); + } else { + $api = false; + common_log(LOG_INFO, 'QQQ: no map for ' . $host); + } + return self::getObjectFrom($api, $url, $params); + } + + /** + * Actually do an oEmbed lookup to a particular API endpoint, + * or to the autodiscovered target, or to oohembed. + * + * @param mixed $api string or false: oEmbed API endpoint URL + * @param string $url target URL to look up info about + * @param array $params + * @return object + */ + static protected function getObjectFrom($api, $url, $params=array()) + { + $options = array(); + if ($api) { + $options[Services_oEmbed::OPTION_API] = $api; + } + + try { + $oEmbed = new Services_oEmbed_Tweaked($url, $options); + } catch (Services_oEmbed_Exception_NoSupport $e) { + // Discovery failed... fall back to oohembed if enabled. + $oohembed = common_config('oohembed', 'endpoint'); + if ($oohembed) { + $options[Services_oEmbed::OPTION_API] = $oohembed; + $oEmbed = new Services_oEmbed_Tweaked($url, $options); + } else { + throw $e; + } + } + + // And.... let's go look it up! + return $oEmbed->getObject($params); + } + + /** + * Using a local function for twitpic lookups, as oohembed's adapter + * doesn't return a valid result: + * http://code.google.com/p/oohembed/issues/detail?id=19 + * + * This code fetches metadata from Twitpic's own API, and attempts + * to guess proper thumbnail size from the original's size. + * + * @todo respect maxwidth and maxheight params + * + * @param string $url + * @param array $params + * @return object + */ + static function twitPic($url, $params=array()) + { + $matches = array(); + if (preg_match('!twitpic\.com/(\w+)!', $url, $matches)) { + $id = $matches[1]; + } else { + throw new Exception("Invalid twitpic URL"); + } + + // Grab metadata from twitpic's API... + // http://dev.twitpic.com/docs/2/media_show + $data = self::json('http://api.twitpic.com/2/media/show.json', + array('id' => $id)); + $oembed = (object)array('type' => 'photo', + 'url' => 'http://twitpic.com/show/full/' . $data->short_id, + 'width' => $data->width, + 'height' => $data->height); + if (!empty($data->message)) { + $oembed->title = $data->message; + } + + // Thumbnail is cropped and scaled to 150x150 box: + // http://dev.twitpic.com/docs/thumbnails/ + $thumbSize = 150; + $oembed->thumbnail_url = 'http://twitpic.com/show/thumb/' . $data->short_id; + $oembed->thumbnail_width = $thumbSize; + $oembed->thumbnail_height = $thumbSize; + + return $oembed; + } + + /** + * Fetch some URL and return JSON data. + * + * @param string $url + * @param array $params query-string params + * @return object + */ + static protected function json($url, $params=array()) + { + $data = self::http($url, $params); + return json_decode($data); + } + + /** + * Hit some web API and return data on success. + * @param string $url + * @param array $params + * @return string + */ + static protected function http($url, $params=array()) + { + $client = HTTPClient::start(); + if ($params) { + $query = http_build_query($params, null, '&'); + if (strpos($url, '?') === false) { + $url .= '?' . $query; + } else { + $url .= '&' . $query; + } + } + $response = $client->get($url); + if ($response->isOk()) { + return $response->getBody(); + } else { + throw new Exception('Bad HTTP response code: ' . $response->getStatus()); + } + } +} + +class Services_oEmbed_Tweaked extends Services_oEmbed +{ + protected function discover($url) + { + $api = parent::discover($url); + if (strpos($api, '?') !== false) { + // Services_oEmbed doesn't expect to find existing params + // on its API endpoint, which may surprise you since the + // spec says discovery URLs should include parameters... :) + // + // Appending a '&' on the end keeps the later-appended '?' + // from breaking whatever the first parameters was. + return $api . '&'; + } + return $api; + } + + public function getObject(array $params = array()) + { + $api = $this->options[self::OPTION_API]; + if (strpos($api, '?') !== false) { + // The Services_oEmbed code appends a '?' on the end, which breaks + // the next parameter which may be something important like + // maxwidth. + // + // Sticking this bogus entry into our parameters gets us past it. + $params = array_merge(array('statusnet' => 1), $params); + } + return parent::getObject($params); + } + +} \ No newline at end of file From cb371d65c18771f8fcdcbeb450c063b844c000df Mon Sep 17 00:00:00 2001 From: Evan Prodromou Date: Mon, 15 Nov 2010 11:54:42 -0500 Subject: [PATCH 119/628] add hooks for atom pub posts --- EVENTS.txt | 8 +++++++ actions/apitimelineuser.php | 46 ++++++++++++++++++++++++------------- 2 files changed, 38 insertions(+), 16 deletions(-) diff --git a/EVENTS.txt b/EVENTS.txt index 8e730945a4..2df21f01a3 100644 --- a/EVENTS.txt +++ b/EVENTS.txt @@ -1158,3 +1158,11 @@ StartRevokeRole: when a role is being revoked EndRevokeRole: when a role has been revoked - $profile: profile that lost the role - $role: string name of the role + +StartAtomPubNewActivity: When a new activity comes in through Atom Pub API +- &$activity: received activity + +EndAtomPubNewActivity: When a new activity comes in through Atom Pub API +- $activity: received activity +- $notice: notice that was created + diff --git a/actions/apitimelineuser.php b/actions/apitimelineuser.php index 69cd9c2cb4..7e76636460 100644 --- a/actions/apitimelineuser.php +++ b/actions/apitimelineuser.php @@ -325,21 +325,39 @@ class ApiTimelineUserAction extends ApiBareAuthAction $activity = new Activity($dom->documentElement); - if ($activity->verb != ActivityVerb::POST) { - $this->clientError(_('Can only handle post activities.')); - return; + if (Event::handle('StartAtomPubNewActivity', array(&$activity))) { + + if ($activity->verb != ActivityVerb::POST) { + $this->clientError(_('Can only handle post activities.')); + return; + } + + $note = $activity->objects[0]; + + if (!in_array($note->type, array(ActivityObject::NOTE, + ActivityObject::BLOGENTRY, + ActivityObject::STATUS))) { + $this->clientError(sprintf(_('Cannot handle activity object type "%s"', + $note->type))); + return; + } + + $saved = $this->postNote($activity); + + Event::handle('EndAtomPubNewActivity', array($activity, $saved)); } + if (!empty($saved)) { + header("Location: " . common_local_url('ApiStatusesShow', array('notice_id' => $saved->id, + 'format' => 'atom'))); + $this->showSingleAtomStatus($saved); + } + } + + function postNote($activity) + { $note = $activity->objects[0]; - if (!in_array($note->type, array(ActivityObject::NOTE, - ActivityObject::BLOGENTRY, - ActivityObject::STATUS))) { - $this->clientError(sprintf(_('Cannot handle activity object type "%s"', - $note->type))); - return; - } - // Use summary as fallback for content if (!empty($note->content)) { @@ -458,11 +476,7 @@ class ApiTimelineUserAction extends ApiBareAuthAction 'atompub', // TODO: deal with this $options); - if (!empty($saved)) { - header("Location: " . common_local_url('ApiStatusesShow', array('notice_id' => $saved->id, - 'format' => 'atom'))); - $this->showSingleAtomStatus($saved); - } + return $saved; } function purify($content) From e1ffbfed0463b27b536cc86a70b206eb317f2a33 Mon Sep 17 00:00:00 2001 From: Brion Vibber Date: Mon, 15 Nov 2010 11:00:42 -0800 Subject: [PATCH 120/628] doc comments on File::processNew --- classes/File.php | 18 ++++++++++++++++-- 1 file changed, 16 insertions(+), 2 deletions(-) diff --git a/classes/File.php b/classes/File.php index 499c8d72c3..ef9dbf14ab 100644 --- a/classes/File.php +++ b/classes/File.php @@ -116,10 +116,24 @@ class File extends Memcached_DataObject } /** + * Go look at a URL and possibly save data about it if it's new: + * - follow redirect chains and store them in file_redirection + * - look up oEmbed data and save it in file_oembed + * - if a thumbnail is available, save it in file_thumbnail + * - save file record with basic info + * - optionally save a file_to_post record + * - return the File object with the full reference + * * @fixme refactor this mess, it's gotten pretty scary. - * @param bool $followRedirects + * @param string $given_url the URL we're looking at + * @param int $notice_id (optional) + * @param bool $followRedirects defaults to true + * + * @return mixed File on success, -1 on some errors + * + * @throws ServerException on some errors */ - function processNew($given_url, $notice_id=null, $followRedirects=true) { + public function processNew($given_url, $notice_id=null, $followRedirects=true) { if (empty($given_url)) return -1; // error, no url to process $given_url = File_redirection::_canonUrl($given_url); if (empty($given_url)) return -1; // error, no url to process From 1c90d09ec8bfbbbad80c74c3feb5bf70fd76d926 Mon Sep 17 00:00:00 2001 From: Brion Vibber Date: Mon, 15 Nov 2010 11:01:00 -0800 Subject: [PATCH 121/628] Workaround for yfrog.com photo attachments: fudge File_redirection::lookupWhere()'s HTTP handling -- when we get a 204 on a HEAD, double-check it by re-running as a GET. yfrog.com returns a 204 incorrectly for this case. --- classes/File_redirection.php | 21 ++++++++++++++++++++- 1 file changed, 20 insertions(+), 1 deletion(-) diff --git a/classes/File_redirection.php b/classes/File_redirection.php index 68fed77e8b..1976e3439c 100644 --- a/classes/File_redirection.php +++ b/classes/File_redirection.php @@ -91,9 +91,16 @@ class File_redirection extends Memcached_DataObject $request->setMethod(HTTP_Request2::METHOD_HEAD); $response = $request->send(); - if (405 == $response->getStatus()) { + if (405 == $response->getStatus() || 204 == $response->getStatus()) { + // HTTP 405 Unsupported Method // Server doesn't support HEAD method? Can this really happen? // We'll try again as a GET and ignore the response data. + // + // HTTP 204 No Content + // YFrog sends 204 responses back for our HEAD checks, which + // seems like it may be a logic error in their servers. If + // we get a 204 back, re-run it as a GET... if there's really + // no content it'll be cheap. :) $request = self::_commonHttp($short_url, $redirs); $response = $request->send(); } @@ -235,6 +242,18 @@ class File_redirection extends Memcached_DataObject return null; } + /** + * Basic attempt to canonicalize a URL, cleaning up some standard variants + * such as funny syntax or a missing path. Used internally when cleaning + * up URLs for storage and following redirect chains. + * + * Note that despite being on File_redirect, this function DOES NOT perform + * any dereferencing of redirects. + * + * @param string $in_url input URL + * @param string $default_scheme if given a bare link; defaults to 'http://' + * @return string + */ function _canonUrl($in_url, $default_scheme = 'http://') { if (empty($in_url)) return false; $out_url = $in_url; From d038d0fa465f76395f8e341a04a64661b631c122 Mon Sep 17 00:00:00 2001 From: Evan Prodromou Date: Mon, 15 Nov 2010 14:14:09 -0500 Subject: [PATCH 122/628] AtomPub-related actions are only read-only on GET --- actions/apistatusesshow.php | 7 ++++++- actions/apitimelineuser.php | 7 ++++++- 2 files changed, 12 insertions(+), 2 deletions(-) diff --git a/actions/apistatusesshow.php b/actions/apistatusesshow.php index f4a79ddbcb..e684a07eec 100644 --- a/actions/apistatusesshow.php +++ b/actions/apistatusesshow.php @@ -171,9 +171,14 @@ class ApiStatusesShowAction extends ApiPrivateAuthAction * * @return boolean true */ + function isReadOnly($args) { - return true; + if ($_SERVER['REQUEST_METHOD'] == 'GET') { + return true; + } else { + return false; + } } /** diff --git a/actions/apitimelineuser.php b/actions/apitimelineuser.php index e4a8b596ee..f716232e43 100644 --- a/actions/apitimelineuser.php +++ b/actions/apitimelineuser.php @@ -241,9 +241,14 @@ class ApiTimelineUserAction extends ApiBareAuthAction * * @return boolean true */ + function isReadOnly($args) { - return true; + if ($_SERVER['REQUEST_METHOD'] == 'GET') { + return true; + } else { + return false; + } } /** From c8445299c71c17e8f652584a05aac65ef7b55ac5 Mon Sep 17 00:00:00 2001 From: Brion Vibber Date: Mon, 15 Nov 2010 11:25:38 -0800 Subject: [PATCH 123/628] Swap the Services_oEmbed wrapper in oEmbedHelper out for doing it ourselves... - workaround for providers that are skimpy on their data, such as missing width/height or thumbnail_width/thumbnail_height - workaround for YFrog listing "image" instead of "photo" type - generally more lax about formatting: if it comes back and looks kinda ok, we'll take it. - discovery uses system HTML parser, should be more robust if the links include things like ampersands with proper HTML-level escaping --- lib/oembedhelper.php | 175 +++++++++++++++++++++++++++++++------------ 1 file changed, 126 insertions(+), 49 deletions(-) diff --git a/lib/oembedhelper.php b/lib/oembedhelper.php index ef2b59214c..0ffea468bf 100644 --- a/lib/oembedhelper.php +++ b/lib/oembedhelper.php @@ -20,11 +20,10 @@ if (!defined('STATUSNET')) { exit(1); } -require_once INSTALLDIR.'/extlib/Services/oEmbed.php'; /** - * Utility class to wrap Services_oEmbed: + * Utility class to wrap basic oEmbed lookups. * * Blacklisted hosts will use an alternate lookup method: * - Twitpic @@ -89,43 +88,134 @@ class oEmbedHelper $api = self::$apiMap[$host]; common_log(LOG_INFO, 'QQQ: going to: ' . $api); } else { - $api = false; common_log(LOG_INFO, 'QQQ: no map for ' . $host); + try { + $api = self::discover($url); + } catch (Exception $e) { + // Discovery failed... fall back to oohembed if enabled. + $oohembed = common_config('oohembed', 'endpoint'); + if ($oohembed) { + $api = $oohembed; + } else { + throw $e; + } + } + common_log(LOG_INFO, 'QQQ: going to: ' . $api); } return self::getObjectFrom($api, $url, $params); } /** - * Actually do an oEmbed lookup to a particular API endpoint, - * or to the autodiscovered target, or to oohembed. + * Perform basic discovery. + * @return string + */ + static function discover($url) + { + // @fixme ideally skip this for non-HTML stuff! + $body = self::http($url); + return self::discoverFromHTML($url, $body); + } + + /** + * Partially ripped from OStatus' FeedDiscovery class. * - * @param mixed $api string or false: oEmbed API endpoint URL + * @param string $url source URL, used to resolve relative links + * @param string $body HTML body text + * @return mixed string with URL or false if no target found + */ + static function discoverFromHTML($url, $body) + { + // DOMDocument::loadHTML may throw warnings on unrecognized elements, + // and notices on unrecognized namespaces. + $old = error_reporting(error_reporting() & ~(E_WARNING | E_NOTICE)); + $dom = new DOMDocument(); + $ok = $dom->loadHTML($body); + error_reporting($old); + + if (!$ok) { + throw new oEmbedHelper_BadHtmlException(); + } + + // Ok... now on to the links! + $feeds = array( + 'application/json+oembed' => false, + ); + + $nodes = $dom->getElementsByTagName('link'); + for ($i = 0; $i < $nodes->length; $i++) { + $node = $nodes->item($i); + if ($node->hasAttributes()) { + $rel = $node->attributes->getNamedItem('rel'); + $type = $node->attributes->getNamedItem('type'); + $href = $node->attributes->getNamedItem('href'); + if ($rel && $type && $href) { + $rel = array_filter(explode(" ", $rel->value)); + $type = trim($type->value); + $href = trim($href->value); + + if (in_array('alternate', $rel) && array_key_exists($type, $feeds) && empty($feeds[$type])) { + // Save the first feed found of each type... + $feeds[$type] = $href; + } + } + } + } + + // Return the highest-priority feed found + foreach ($feeds as $type => $url) { + if ($url) { + return $url; + } + } + + return false; + throw new oEmbedHelper_DiscoveryException(); + } + + /** + * Actually do an oEmbed lookup to a particular API endpoint. + * + * @param string $api oEmbed API endpoint URL * @param string $url target URL to look up info about * @param array $params * @return object */ - static protected function getObjectFrom($api, $url, $params=array()) + static function getObjectFrom($api, $url, $params=array()) { - $options = array(); - if ($api) { - $options[Services_oEmbed::OPTION_API] = $api; + $params['url'] = $url; + $params['format'] = 'json'; + $data = self::json($api, $params); + return self::normalize($data); + } + + /** + * Normalize oEmbed format. + * + * @param object $orig + * @return object + */ + static function normalize($orig) + { + $data = clone($orig); + + if (empty($data->type)) { + throw new Exception('Invalid oEmbed data: no type field.'); } - try { - $oEmbed = new Services_oEmbed_Tweaked($url, $options); - } catch (Services_oEmbed_Exception_NoSupport $e) { - // Discovery failed... fall back to oohembed if enabled. - $oohembed = common_config('oohembed', 'endpoint'); - if ($oohembed) { - $options[Services_oEmbed::OPTION_API] = $oohembed; - $oEmbed = new Services_oEmbed_Tweaked($url, $options); - } else { - throw $e; + if ($data->type == 'image') { + // YFrog does this. + $data->type = 'photo'; + } + + if (isset($data->thumbnail_url)) { + if (!isset($data->thumbnail_width)) { + // !?!?! + $data->thumbnail_width = common_config('attachments', 'thumb_width'); + $data->thumbnail_height = common_config('attachments', 'thumb_height'); } } - // And.... let's go look it up! - return $oEmbed->getObject($params); + return $data; } /** @@ -212,35 +302,22 @@ class oEmbedHelper } } -class Services_oEmbed_Tweaked extends Services_oEmbed +class oEmbedHelper_Exception extends Exception { - protected function discover($url) - { - $api = parent::discover($url); - if (strpos($api, '?') !== false) { - // Services_oEmbed doesn't expect to find existing params - // on its API endpoint, which may surprise you since the - // spec says discovery URLs should include parameters... :) - // - // Appending a '&' on the end keeps the later-appended '?' - // from breaking whatever the first parameters was. - return $api . '&'; - } - return $api; - } +} - public function getObject(array $params = array()) +class oEmbedHelper_BadHtmlException extends oEmbedHelper_Exception +{ + function __construct($previous=null) { - $api = $this->options[self::OPTION_API]; - if (strpos($api, '?') !== false) { - // The Services_oEmbed code appends a '?' on the end, which breaks - // the next parameter which may be something important like - // maxwidth. - // - // Sticking this bogus entry into our parameters gets us past it. - $params = array_merge(array('statusnet' => 1), $params); - } - return parent::getObject($params); + return parent::__construct('Bad HTML in discovery data.', 0, $previous); } +} -} \ No newline at end of file +class oEmbedHelper_DiscoveryException extends oEmbedHelper_Exception +{ + function __construct($previous=null) + { + return parent::__construct('No oEmbed discovery data.', 0, $previous); + } +} From 57ec01d0b8c6d46fba1c0aca258dec690f408c60 Mon Sep 17 00:00:00 2001 From: Brion Vibber Date: Mon, 15 Nov 2010 11:30:35 -0800 Subject: [PATCH 124/628] Drop some debug lines --- lib/oembedhelper.php | 4 ---- 1 file changed, 4 deletions(-) diff --git a/lib/oembedhelper.php b/lib/oembedhelper.php index 0ffea468bf..8cd4a9dc4a 100644 --- a/lib/oembedhelper.php +++ b/lib/oembedhelper.php @@ -69,7 +69,6 @@ class oEmbedHelper */ public static function getObject($url, $params=array()) { - common_log(LOG_INFO, 'QQQ: wtf? ' . $url); $host = parse_url($url, PHP_URL_HOST); if (substr($host, 0, 4) == 'www.') { $host = substr($host, 4); @@ -86,9 +85,7 @@ class oEmbedHelper // Whitelist: known API endpoints for sites that don't provide discovery... if (array_key_exists($host, self::$apiMap)) { $api = self::$apiMap[$host]; - common_log(LOG_INFO, 'QQQ: going to: ' . $api); } else { - common_log(LOG_INFO, 'QQQ: no map for ' . $host); try { $api = self::discover($url); } catch (Exception $e) { @@ -100,7 +97,6 @@ class oEmbedHelper throw $e; } } - common_log(LOG_INFO, 'QQQ: going to: ' . $api); } return self::getObjectFrom($api, $url, $params); } From 87114a5c30ff50d75cb00fa0bffee1a47da35156 Mon Sep 17 00:00:00 2001 From: Brion Vibber Date: Mon, 15 Nov 2010 11:55:28 -0800 Subject: [PATCH 125/628] Add some basic oEmbed lookup test cases; fixed a bug in discovery fallback. --- lib/oembedhelper.php | 1 - tests/oEmbedTest.php | 67 ++++++++++++++++++++++++++++++++++++++++++++ 2 files changed, 67 insertions(+), 1 deletion(-) create mode 100644 tests/oEmbedTest.php diff --git a/lib/oembedhelper.php b/lib/oembedhelper.php index 8cd4a9dc4a..84cf105867 100644 --- a/lib/oembedhelper.php +++ b/lib/oembedhelper.php @@ -164,7 +164,6 @@ class oEmbedHelper } } - return false; throw new oEmbedHelper_DiscoveryException(); } diff --git a/tests/oEmbedTest.php b/tests/oEmbedTest.php new file mode 100644 index 0000000000..eabee00ad9 --- /dev/null +++ b/tests/oEmbedTest.php @@ -0,0 +1,67 @@ +old_oohembed = common_config('oohembed', 'endpoint'); + } + + public function tearDown() + { + //$GLOBALS['config']['attachments']['supported'] = $this->old_attachments_supported; + } + + /** + * @dataProvider fileTypeCases + * + */ + public function testoEmbed($url, $expectedType) + { + try { + $data = oEmbedHelper::getObject($url); + $this->assertEquals($expectedType, $data->type); + } catch (Exception $e) { + if ($expectedType == 'none') { + $this->assertEquals($expectedType, 'none', 'Should not have data for this URL.'); + } else { + throw $e; + } + } + } + + static public function fileTypeCases() + { + $files = array( + 'http://www.flickr.com/photos/brionv/5172500179/' => 'photo', + 'http://twitpic.com/36adw6' => 'photo', + 'http://yfrog.com/fy42747177j' => 'photo', + 'http://identi.ca/attachment/34437400' => 'photo', + + 'http://www.youtube.com/watch?v=eUgLR232Cnw' => 'video', + 'http://vimeo.com/9283184' => 'video', + + 'http://en.wikipedia.org/wiki/File:Wiki.png' => 'link', // @fixme in future there may be a native provider -- will change to 'photo' + 'http://leuksman.com/log/2010/10/29/statusnet-0-9-6-release/' => 'none', + ); + + $dataset = array(); + foreach ($files as $url => $type) { + $dataset[] = array($url, $type); + } + return $dataset; + } + +} + From 68ff57f230c35a7b8ecfcb5c95f219b14f21f60f Mon Sep 17 00:00:00 2001 From: Brion Vibber Date: Mon, 15 Nov 2010 12:25:44 -0800 Subject: [PATCH 126/628] Restructure oembed test sources --- tests/oEmbedTest.php | 64 ++++++++++++++++++++++++++++++-------------- 1 file changed, 44 insertions(+), 20 deletions(-) diff --git a/tests/oEmbedTest.php b/tests/oEmbedTest.php index eabee00ad9..0a8841606e 100644 --- a/tests/oEmbedTest.php +++ b/tests/oEmbedTest.php @@ -24,7 +24,7 @@ class oEmbedTest extends PHPUnit_Framework_TestCase } /** - * @dataProvider fileTypeCases + * @dataProvider fallbackSources * */ public function testoEmbed($url, $expectedType) @@ -41,27 +41,51 @@ class oEmbedTest extends PHPUnit_Framework_TestCase } } - static public function fileTypeCases() + /** + * Sample oEmbed targets for sites we know ourselves... + * @return array + */ + static public function knownSources() { - $files = array( - 'http://www.flickr.com/photos/brionv/5172500179/' => 'photo', - 'http://twitpic.com/36adw6' => 'photo', - 'http://yfrog.com/fy42747177j' => 'photo', - 'http://identi.ca/attachment/34437400' => 'photo', - - 'http://www.youtube.com/watch?v=eUgLR232Cnw' => 'video', - 'http://vimeo.com/9283184' => 'video', - - 'http://en.wikipedia.org/wiki/File:Wiki.png' => 'link', // @fixme in future there may be a native provider -- will change to 'photo' - 'http://leuksman.com/log/2010/10/29/statusnet-0-9-6-release/' => 'none', + $sources = array( + array('http://www.flickr.com/photos/brionv/5172500179/', 'photo'), + array('http://yfrog.com/fy42747177j', 'photo'), + array('http://twitpic.com/36adw6', 'photo'), ); - - $dataset = array(); - foreach ($files as $url => $type) { - $dataset[] = array($url, $type); - } - return $dataset; + return $sources; } -} + /** + * Sample oEmbed targets that can be found via discovery. + * Includes also knownSources() output. + * + * @return array + */ + static public function discoverableSources() + { + $sources = array( + array('http://identi.ca/attachment/34437400', 'photo'), + array('http://www.youtube.com/watch?v=eUgLR232Cnw', 'video'), + array('http://vimeo.com/9283184', 'video'), + + // Will fail discovery: + array('http://leuksman.com/log/2010/10/29/statusnet-0-9-6-release/', 'none'), + ); + return array_merge(self::knownSources(), $sources); + } + + /** + * Sample oEmbed targets that can be found via oohembed.com. + * Includes also discoverableSources() output. + * + * @return array + */ + static public function fallbackSources() + { + $sources = array( + array('http://en.wikipedia.org/wiki/File:Wiki.png', 'link'), // @fixme in future there may be a native provider -- will change to 'photo' + ); + return array_merge(self::discoverableSources(), $sources); + } +} From 727596f35d7b88691a2ac60eecc2575f2a3c33f9 Mon Sep 17 00:00:00 2001 From: Brion Vibber Date: Mon, 15 Nov 2010 12:32:29 -0800 Subject: [PATCH 127/628] Test oEmbed lookups with oohembed both on and off explicitly --- tests/oEmbedTest.php | 43 ++++++++++++++++++++++++++++++++++++++++--- 1 file changed, 40 insertions(+), 3 deletions(-) diff --git a/tests/oEmbedTest.php b/tests/oEmbedTest.php index 0a8841606e..d00963003e 100644 --- a/tests/oEmbedTest.php +++ b/tests/oEmbedTest.php @@ -15,19 +15,56 @@ class oEmbedTest extends PHPUnit_Framework_TestCase public function setup() { - //$this->old_oohembed = common_config('oohembed', 'endpoint'); + $this->old_oohembed = common_config('oohembed', 'endpoint'); } public function tearDown() { - //$GLOBALS['config']['attachments']['supported'] = $this->old_attachments_supported; + $GLOBALS['config']['oohembed']['endpoint'] = $this->old_oohembed; } /** - * @dataProvider fallbackSources + * Test with oohembed DISABLED. * + * @dataProvider discoverableSources */ public function testoEmbed($url, $expectedType) + { + $GLOBALS['config']['oohembed']['endpoint'] = false; + $this->_doTest($url, $expectedType); + } + + /** + * Test with oohembed ENABLED. + * + * @dataProvider fallbackSources + */ + public function testoohEmbed($url, $expectedType) + { + $GLOBALS['config']['oohembed']['endpoint'] = $this->_endpoint(); + $this->_doTest($url, $expectedType); + } + + /** + * Get default oohembed endpoint. + * + * @return string + */ + function _endpoint() + { + $default = array(); + $_server = 'localhost'; $_path = ''; + require INSTALLDIR . '/lib/default.php'; + return $default['oohembed']['endpoint']; + } + + /** + * Actually run an individual test. + * + * @param string $url + * @param string $expectedType + */ + function _doTest($url, $expectedType) { try { $data = oEmbedHelper::getObject($url); From e317ec11ad470fe57dc12c0bde1566abde1c036a Mon Sep 17 00:00:00 2001 From: Brion Vibber Date: Mon, 15 Nov 2010 12:35:15 -0800 Subject: [PATCH 128/628] Drop PEAR Services_oEmbed -- ended up replaced by our oEmbedHelper wrapper. The extra validation available there is problematic, and their code for building HTML for us wasn't being used anyway. --- README | 6 +- extlib/Services/oEmbed.php | 357 ------------------ extlib/Services/oEmbed/Exception.php | 65 ---- .../Services/oEmbed/Exception/NoSupport.php | 63 ---- extlib/Services/oEmbed/Object.php | 126 ------- extlib/Services/oEmbed/Object/Common.php | 139 ------- extlib/Services/oEmbed/Object/Exception.php | 65 ---- extlib/Services/oEmbed/Object/Link.php | 73 ---- extlib/Services/oEmbed/Object/Photo.php | 89 ----- extlib/Services/oEmbed/Object/Rich.php | 82 ---- extlib/Services/oEmbed/Object/Video.php | 82 ---- 11 files changed, 2 insertions(+), 1145 deletions(-) delete mode 100644 extlib/Services/oEmbed.php delete mode 100644 extlib/Services/oEmbed/Exception.php delete mode 100644 extlib/Services/oEmbed/Exception/NoSupport.php delete mode 100644 extlib/Services/oEmbed/Object.php delete mode 100644 extlib/Services/oEmbed/Object/Common.php delete mode 100644 extlib/Services/oEmbed/Object/Exception.php delete mode 100644 extlib/Services/oEmbed/Object/Link.php delete mode 100644 extlib/Services/oEmbed/Object/Photo.php delete mode 100644 extlib/Services/oEmbed/Object/Rich.php delete mode 100644 extlib/Services/oEmbed/Object/Video.php diff --git a/README b/README index b36d8b7454..6343e3e024 100644 --- a/README +++ b/README @@ -220,14 +220,12 @@ and the URLs are listed here for your convenience. version may render your StatusNet site unable to send or receive XMPP messages. - Facebook library. Used for the Facebook application. -- PEAR Services_oEmbed. Used for some multimedia integration. -- PEAR HTTP_Request is an oEmbed dependency. -- PEAR Validate is an oEmbed dependency. -- PEAR Net_URL2 is an oEmbed dependency. +- PEAR Validate is used for URL and email validation. - Console_GetOpt for parsing command-line options. - libomb. a library for implementing OpenMicroBlogging 0.1, the predecessor to OStatus. - HTTP_Request2, a library for making HTTP requests. +- PEAR Net_URL2 is an HTTP_Request2 dependency. A design goal of StatusNet is that the basic Web functionality should work on even the most restrictive commercial hosting services. diff --git a/extlib/Services/oEmbed.php b/extlib/Services/oEmbed.php deleted file mode 100644 index 0dc8f01b2f..0000000000 --- a/extlib/Services/oEmbed.php +++ /dev/null @@ -1,357 +0,0 @@ - - * @copyright 2008 Digg.com, Inc. - * @license http://tinyurl.com/42zef New BSD License - * @version SVN: @version@ - * @link http://code.google.com/p/digg - * @link http://oembed.com - */ - -require_once 'Validate.php'; -require_once 'Net/URL2.php'; -require_once 'HTTP/Request.php'; -require_once 'Services/oEmbed/Exception.php'; -require_once 'Services/oEmbed/Exception/NoSupport.php'; -require_once 'Services/oEmbed/Object.php'; - -/** - * Base class for consuming oEmbed objects - * - * - * 'http://www.flickr.com/services/oembed/' - * )); - * $object = $oEmbed->getObject(); - * - * // All of the objects have somewhat sane __toString() methods that allow - * // you to output them directly. - * echo (string)$object; - * - * ?> - * - * - * @category Services - * @package Services_oEmbed - * @author Joe Stump - * @copyright 2008 Digg.com, Inc. - * @license http://tinyurl.com/42zef New BSD License - * @version Release: @version@ - * @link http://code.google.com/p/digg - * @link http://oembed.com - */ -class Services_oEmbed -{ - /** - * HTTP timeout in seconds - * - * All HTTP requests made by Services_oEmbed will respect this timeout. - * This can be passed to {@link Services_oEmbed::setOption()} or to the - * options parameter in {@link Services_oEmbed::__construct()}. - * - * @var string OPTION_TIMEOUT Timeout in seconds - */ - const OPTION_TIMEOUT = 'http_timeout'; - - /** - * HTTP User-Agent - * - * All HTTP requests made by Services_oEmbed will be sent with the - * string set by this option. - * - * @var string OPTION_USER_AGENT The HTTP User-Agent string - */ - const OPTION_USER_AGENT = 'http_user_agent'; - - /** - * The API's URI - * - * If the API is known ahead of time this option can be used to explicitly - * set it. If not present then the API is attempted to be discovered - * through the auto-discovery mechanism. - * - * @var string OPTION_API - */ - const OPTION_API = 'oembed_api'; - - /** - * Options for oEmbed requests - * - * @var array $options The options for making requests - */ - protected $options = array( - self::OPTION_TIMEOUT => 3, - self::OPTION_API => null, - self::OPTION_USER_AGENT => 'Services_oEmbed 0.1.0' - ); - - /** - * URL of object to get embed information for - * - * @var object $url {@link Net_URL2} instance of URL of object - */ - protected $url = null; - - /** - * Constructor - * - * @param string $url The URL to fetch an oEmbed for - * @param array $options A list of options for the oEmbed lookup - * - * @throws {@link Services_oEmbed_Exception} if the $url is invalid - * @throws {@link Services_oEmbed_Exception} when no valid API is found - * @return void - */ - public function __construct($url, array $options = array()) - { - if (Validate::uri($url)) { - $this->url = new Net_URL2($url); - } else { - throw new Services_oEmbed_Exception('URL is invalid'); - } - - if (count($options)) { - foreach ($options as $key => $val) { - $this->setOption($key, $val); - } - } - - if ($this->options[self::OPTION_API] === null) { - $this->options[self::OPTION_API] = $this->discover($url); - } - } - - /** - * Set an option for the oEmbed request - * - * @param mixed $option The option name - * @param mixed $value The option value - * - * @see Services_oEmbed::OPTION_API, Services_oEmbed::OPTION_TIMEOUT - * @throws {@link Services_oEmbed_Exception} on invalid option - * @access public - * @return void - */ - public function setOption($option, $value) - { - switch ($option) { - case self::OPTION_API: - case self::OPTION_TIMEOUT: - break; - default: - throw new Services_oEmbed_Exception( - 'Invalid option "' . $option . '"' - ); - } - - $func = '_set_' . $option; - if (method_exists($this, $func)) { - $this->options[$option] = $this->$func($value); - } else { - $this->options[$option] = $value; - } - } - - /** - * Set the API option - * - * @param string $value The API's URI - * - * @throws {@link Services_oEmbed_Exception} on invalid API URI - * @see Validate::uri() - * @return string - */ - protected function _set_oembed_api($value) - { - if (!Validate::uri($value)) { - throw new Services_oEmbed_Exception( - 'API URI provided is invalid' - ); - } - - return $value; - } - - /** - * Get the oEmbed response - * - * @param array $params Optional parameters for - * - * @throws {@link Services_oEmbed_Exception} on cURL errors - * @throws {@link Services_oEmbed_Exception} on HTTP errors - * @throws {@link Services_oEmbed_Exception} when result is not parsable - * @return object The oEmbed response as an object - */ - public function getObject(array $params = array()) - { - $params['url'] = $this->url->getURL(); - if (!isset($params['format'])) { - $params['format'] = 'json'; - } - - $sets = array(); - foreach ($params as $var => $val) { - $sets[] = $var . '=' . urlencode($val); - } - - $url = $this->options[self::OPTION_API] . '?' . implode('&', $sets); - - $ch = curl_init(); - curl_setopt($ch, CURLOPT_URL, $url); - curl_setopt($ch, CURLOPT_HEADER, false); - curl_setopt($ch, CURLOPT_RETURNTRANSFER, true); - curl_setopt($ch, CURLOPT_CONNECTTIMEOUT, $this->options[self::OPTION_TIMEOUT]); - $result = curl_exec($ch); - - if (curl_errno($ch)) { - throw new Services_oEmbed_Exception( - curl_error($ch), curl_errno($ch) - ); - } - - $code = curl_getinfo($ch, CURLINFO_HTTP_CODE); - if (substr($code, 0, 1) != '2') { - throw new Services_oEmbed_Exception('Non-200 code returned. Got code ' . $code); - } - - curl_close($ch); - - switch ($params['format']) { - case 'json': - $res = json_decode($result); - if (!is_object($res)) { - throw new Services_oEmbed_Exception( - 'Could not parse JSON response' - ); - } - break; - case 'xml': - libxml_use_internal_errors(true); - $res = simplexml_load_string($result); - if (!$res instanceof SimpleXMLElement) { - $errors = libxml_get_errors(); - $err = array_shift($errors); - libxml_clear_errors(); - libxml_use_internal_errors(false); - throw new Services_oEmbed_Exception( - $err->message, $error->code - ); - } - break; - } - - return Services_oEmbed_Object::factory($res); - } - - /** - * Discover an oEmbed API - * - * @param string $url The URL to attempt to discover oEmbed for - * - * @throws {@link Services_oEmbed_Exception} if the $url is invalid - * @return string The oEmbed API endpoint discovered - */ - protected function discover($url) - { - $body = $this->sendRequest($url); - - // Find all tags that have a valid oembed type set. We then - // extract the href attribute for each type. - $regexp = '#]*)type[\s\n]*=[\s\n]*"' . - '(application/json|text/xml)\+oembed"([^>]*)>#im'; - - $m = $ret = array(); - if (!preg_match_all($regexp, $body, $m)) { - throw new Services_oEmbed_Exception_NoSupport( - 'No valid oEmbed links found on page' - ); - } - - foreach ($m[0] as $i => $link) { - $h = array(); - if (preg_match('/[\s\n]+href[\s\n]*=[\s\n]*"([^"]+)"/im', $link, $h)) { - $ret[$m[2][$i]] = $h[1]; - } - } - - return (isset($ret['application/json']) ? $ret['application/json'] : array_pop($ret)); - } - - /** - * Send a GET request to the provider - * - * @param mixed $url The URL to send the request to - * - * @throws {@link Services_oEmbed_Exception} on HTTP errors - * @return string The contents of the response - */ - private function sendRequest($url) - { - $ch = curl_init(); - curl_setopt($ch, CURLOPT_URL, $url); - curl_setopt($ch, CURLOPT_HEADER, false); - curl_setopt($ch, CURLOPT_RETURNTRANSFER, true); - curl_setopt($ch, CURLOPT_CONNECTTIMEOUT, $this->options[self::OPTION_TIMEOUT]); - curl_setopt($ch, CURLOPT_USERAGENT, $this->options[self::OPTION_USER_AGENT]); - $result = curl_exec($ch); - if (curl_errno($ch)) { - throw new Services_oEmbed_Exception( - curl_error($ch), curl_errno($ch) - ); - } - - $code = curl_getinfo($ch, CURLINFO_HTTP_CODE); - if (substr($code, 0, 1) != '2') { - throw new Services_oEmbed_Exception('Non-200 code returned. Got code ' . $code); - } - - return $result; - } -} - -?> diff --git a/extlib/Services/oEmbed/Exception.php b/extlib/Services/oEmbed/Exception.php deleted file mode 100644 index 446ac2a706..0000000000 --- a/extlib/Services/oEmbed/Exception.php +++ /dev/null @@ -1,65 +0,0 @@ - - * @copyright 2008 Digg.com, Inc. - * @license http://tinyurl.com/42zef New BSD License - * @version SVN: @version@ - * @link http://code.google.com/p/digg - * @link http://oembed.com - */ - -require_once 'PEAR/Exception.php'; - -/** - * Base exception class for {@link Services_oEmbed} - * - * @category Services - * @package Services_oEmbed - * @author Joe Stump - * @copyright 2008 Digg.com, Inc. - * @license http://tinyurl.com/42zef New BSD License - * @version Release: @version@ - * @link http://code.google.com/p/digg - * @link http://oembed.com - */ -class Services_oEmbed_Exception extends PEAR_Exception -{ - -} - -?> diff --git a/extlib/Services/oEmbed/Exception/NoSupport.php b/extlib/Services/oEmbed/Exception/NoSupport.php deleted file mode 100644 index 384c7191f2..0000000000 --- a/extlib/Services/oEmbed/Exception/NoSupport.php +++ /dev/null @@ -1,63 +0,0 @@ - - * @copyright 2008 Digg.com, Inc. - * @license http://tinyurl.com/42zef New BSD License - * @version SVN: @version@ - * @link http://code.google.com/p/digg - * @link http://oembed.com - */ - -/** - * Exception class when no oEmbed support is discovered - * - * @category Services - * @package Services_oEmbed - * @author Joe Stump - * @copyright 2008 Digg.com, Inc. - * @license http://tinyurl.com/42zef New BSD License - * @version Release: @version@ - * @link http://code.google.com/p/digg - * @link http://oembed.com - */ -class Services_oEmbed_Exception_NoSupport extends Services_oEmbed_Exception -{ - -} - -?> diff --git a/extlib/Services/oEmbed/Object.php b/extlib/Services/oEmbed/Object.php deleted file mode 100644 index 9eedd7efb6..0000000000 --- a/extlib/Services/oEmbed/Object.php +++ /dev/null @@ -1,126 +0,0 @@ - - * @copyright 2008 Digg.com, Inc. - * @license http://tinyurl.com/42zef New BSD License - * @version SVN: @version@ - * @link http://code.google.com/p/digg - * @link http://oembed.com - */ - -require_once 'Services/oEmbed/Object/Exception.php'; - -/** - * Base class for consuming oEmbed objects - * - * @category Services - * @package Services_oEmbed - * @author Joe Stump - * @copyright 2008 Digg.com, Inc. - * @license http://tinyurl.com/42zef New BSD License - * @version Release: @version@ - * @link http://code.google.com/p/digg - * @link http://oembed.com - */ -abstract class Services_oEmbed_Object -{ - - /** - * Valid oEmbed object types - * - * @var array $types Array of valid object types - * @see Services_oEmbed_Object::factory() - */ - static protected $types = array( - 'photo' => 'Photo', - 'video' => 'Video', - 'link' => 'Link', - 'rich' => 'Rich' - ); - - /** - * Create an oEmbed object from result - * - * @param object $object Raw object returned from API - * - * @throws {@link Services_oEmbed_Object_Exception} on object error - * @return object Instance of object driver - * @see Services_oEmbed_Object_Link, Services_oEmbed_Object_Photo - * @see Services_oEmbed_Object_Rich, Services_oEmbed_Object_Video - */ - static public function factory($object) - { - if (!isset($object->type)) { - throw new Services_oEmbed_Object_Exception( - 'Object has no type' - ); - } - - $type = (string)$object->type; - if (!isset(self::$types[$type])) { - throw new Services_oEmbed_Object_Exception( - 'Object type is unknown or invalid: ' . $type - ); - } - - $file = 'Services/oEmbed/Object/' . self::$types[$type] . '.php'; - include_once $file; - - $class = 'Services_oEmbed_Object_' . self::$types[$type]; - if (!class_exists($class)) { - throw new Services_oEmbed_Object_Exception( - 'Object class is invalid or not present' - ); - } - - $instance = new $class($object); - return $instance; - } - - /** - * Instantiation is not allowed - * - * @return void - */ - private function __construct() - { - - } -} - -?> diff --git a/extlib/Services/oEmbed/Object/Common.php b/extlib/Services/oEmbed/Object/Common.php deleted file mode 100644 index f568ec89f5..0000000000 --- a/extlib/Services/oEmbed/Object/Common.php +++ /dev/null @@ -1,139 +0,0 @@ - - * @copyright 2008 Digg.com, Inc. - * @license http://tinyurl.com/42zef New BSD License - * @version SVN: @version@ - * @link http://code.google.com/p/digg - * @link http://oembed.com - */ - -/** - * Base class for oEmbed objects - * - * @category Services - * @package Services_oEmbed - * @author Joe Stump - * @copyright 2008 Digg.com, Inc. - * @license http://tinyurl.com/42zef New BSD License - * @version Release: @version@ - * @link http://code.google.com/p/digg - * @link http://oembed.com - */ -abstract class Services_oEmbed_Object_Common -{ - /** - * Raw object returned from API - * - * @var object $object The raw object from the API - */ - protected $object = null; - - /** - * Required fields per the specification - * - * @var array $required Array of required fields - * @link http://oembed.com - */ - protected $required = array(); - - /** - * Constructor - * - * @param object $object Raw object returned from the API - * - * @throws {@link Services_oEmbed_Object_Exception} on missing fields - * @return void - */ - public function __construct($object) - { - $this->object = $object; - - $this->required[] = 'version'; - foreach ($this->required as $field) { - if (!isset($this->$field)) { - throw new Services_oEmbed_Object_Exception( - 'Object is missing required ' . $field . ' attribute' - ); - } - } - } - - /** - * Get object variable - * - * @param string $var Variable to get - * - * @see Services_oEmbed_Object_Common::$object - * @return mixed Attribute's value or null if it's not set/exists - */ - public function __get($var) - { - if (property_exists($this->object, $var)) { - return $this->object->$var; - } - - return null; - } - - /** - * Is variable set? - * - * @param string $var Variable name to check - * - * @return boolean True if set, false if not - * @see Services_oEmbed_Object_Common::$object - */ - public function __isset($var) - { - if (property_exists($this->object, $var)) { - return (isset($this->object->$var)); - } - - return false; - } - - /** - * Require a sane __toString for all objects - * - * @return string - */ - abstract public function __toString(); -} - -?> diff --git a/extlib/Services/oEmbed/Object/Exception.php b/extlib/Services/oEmbed/Object/Exception.php deleted file mode 100644 index 6025ffd494..0000000000 --- a/extlib/Services/oEmbed/Object/Exception.php +++ /dev/null @@ -1,65 +0,0 @@ - - * @copyright 2008 Digg.com, Inc. - * @license http://tinyurl.com/42zef New BSD License - * @version SVN: @version@ - * @link http://code.google.com/p/digg - * @link http://oembed.com - */ - -require_once 'Services/oEmbed/Exception.php'; - -/** - * Exception for {@link Services_oEmbed_Object} - * - * @category Services - * @package Services_oEmbed - * @author Joe Stump - * @copyright 2008 Digg.com, Inc. - * @license http://tinyurl.com/42zef New BSD License - * @version Release: @version@ - * @link http://code.google.com/p/digg - * @link http://oembed.com - */ -class Services_oEmbed_Object_Exception extends Services_oEmbed_Exception -{ - -} - -?> diff --git a/extlib/Services/oEmbed/Object/Link.php b/extlib/Services/oEmbed/Object/Link.php deleted file mode 100644 index 9b627a89ac..0000000000 --- a/extlib/Services/oEmbed/Object/Link.php +++ /dev/null @@ -1,73 +0,0 @@ - - * @copyright 2008 Digg.com, Inc. - * @license http://tinyurl.com/42zef New BSD License - * @version SVN: @version@ - * @link http://code.google.com/p/digg - * @link http://oembed.com - */ - -require_once 'Services/oEmbed/Object/Common.php'; - -/** - * Link object for {@link Services_oEmbed} - * - * @category Services - * @package Services_oEmbed - * @author Joe Stump - * @copyright 2008 Digg.com, Inc. - * @license http://tinyurl.com/42zef New BSD License - * @version Release: @version@ - * @link http://code.google.com/p/digg - * @link http://oembed.com - */ -class Services_oEmbed_Object_Link extends Services_oEmbed_Object_Common -{ - /** - * Output a sane link - * - * @return string An HTML link of the object - */ - public function __toString() - { - return '' . $this->title . ''; - } -} - -?> diff --git a/extlib/Services/oEmbed/Object/Photo.php b/extlib/Services/oEmbed/Object/Photo.php deleted file mode 100644 index 5fbf4292fa..0000000000 --- a/extlib/Services/oEmbed/Object/Photo.php +++ /dev/null @@ -1,89 +0,0 @@ - - * @copyright 2008 Digg.com, Inc. - * @license http://tinyurl.com/42zef New BSD License - * @version SVN: @version@ - * @link http://code.google.com/p/digg - * @link http://oembed.com - */ - -require_once 'Services/oEmbed/Object/Common.php'; - -/** - * Photo object for {@link Services_oEmbed} - * - * @category Services - * @package Services_oEmbed - * @author Joe Stump - * @copyright 2008 Digg.com, Inc. - * @license http://tinyurl.com/42zef New BSD License - * @version Release: @version@ - * @link http://code.google.com/p/digg - * @link http://oembed.com - */ -class Services_oEmbed_Object_Photo extends Services_oEmbed_Object_Common -{ - /** - * Required fields for photo objects - * - * @var array $required Required fields - */ - protected $required = array( - 'url', 'width', 'height' - ); - - /** - * Output a valid HTML tag for image - * - * @return string HTML tag for Photo - */ - public function __toString() - { - $img = 'title)) { - $img .= ' alt="' . $this->title . '"'; - } - - return $img . ' />'; - } -} - -?> diff --git a/extlib/Services/oEmbed/Object/Rich.php b/extlib/Services/oEmbed/Object/Rich.php deleted file mode 100644 index dbf6933ac7..0000000000 --- a/extlib/Services/oEmbed/Object/Rich.php +++ /dev/null @@ -1,82 +0,0 @@ - - * @copyright 2008 Digg.com, Inc. - * @license http://tinyurl.com/42zef New BSD License - * @version SVN: @version@ - * @link http://code.google.com/p/digg - * @link http://oembed.com - */ - -require_once 'Services/oEmbed/Object/Common.php'; - -/** - * Photo object for {@link Services_oEmbed} - * - * @category Services - * @package Services_oEmbed - * @author Joe Stump - * @copyright 2008 Digg.com, Inc. - * @license http://tinyurl.com/42zef New BSD License - * @version Release: @version@ - * @link http://code.google.com/p/digg - * @link http://oembed.com - */ -class Services_oEmbed_Object_Rich extends Services_oEmbed_Object_Common -{ - /** - * Required fields for rich objects - * - * @var array $required Required fields - */ - protected $required = array( - 'html', 'width', 'height' - ); - - /** - * Output a the HTML tag for rich object - * - * @return string HTML for rich object - */ - public function __toString() - { - return $this->html; - } -} - -?> diff --git a/extlib/Services/oEmbed/Object/Video.php b/extlib/Services/oEmbed/Object/Video.php deleted file mode 100644 index 7461081151..0000000000 --- a/extlib/Services/oEmbed/Object/Video.php +++ /dev/null @@ -1,82 +0,0 @@ - - * @copyright 2008 Digg.com, Inc. - * @license http://tinyurl.com/42zef New BSD License - * @version SVN: @version@ - * @link http://code.google.com/p/digg - * @link http://oembed.com - */ - -require_once 'Services/oEmbed/Object/Common.php'; - -/** - * Photo object for {@link Services_oEmbed} - * - * @category Services - * @package Services_oEmbed - * @author Joe Stump - * @copyright 2008 Digg.com, Inc. - * @license http://tinyurl.com/42zef New BSD License - * @version Release: @version@ - * @link http://code.google.com/p/digg - * @link http://oembed.com - */ -class Services_oEmbed_Object_Video extends Services_oEmbed_Object_Common -{ - /** - * Required fields for video objects - * - * @var array $required Required fields - */ - protected $required = array( - 'html', 'width', 'height' - ); - - /** - * Output a valid embed tag for video - * - * @return string HTML for video - */ - public function __toString() - { - return $this->html; - } -} - -?> From fe7cb35551053380a359c17a49402abeaf684f46 Mon Sep 17 00:00:00 2001 From: Brion Vibber Date: Mon, 15 Nov 2010 12:56:56 -0800 Subject: [PATCH 129/628] restore empty showFallback() for attachment display; still needed for one-offs --- lib/attachmentlist.php | 5 +++++ 1 file changed, 5 insertions(+) diff --git a/lib/attachmentlist.php b/lib/attachmentlist.php index 0d56791d70..7e536925bf 100644 --- a/lib/attachmentlist.php +++ b/lib/attachmentlist.php @@ -452,4 +452,9 @@ class Attachment extends AttachmentListItem return $scrubbed; } + + function showFallback() + { + // still needed: should show a link? + } } From 89d59936748ee55bff31f161e6a0f2a1cbd44635 Mon Sep 17 00:00:00 2001 From: Brion Vibber Date: Mon, 15 Nov 2010 12:57:15 -0800 Subject: [PATCH 130/628] Include width/height of locally-uploaded images in our oembed provider data for attachment pages. --- actions/oembed.php | 13 ++++++++++--- 1 file changed, 10 insertions(+), 3 deletions(-) diff --git a/actions/oembed.php b/actions/oembed.php index 11d8145837..09d68a446e 100644 --- a/actions/oembed.php +++ b/actions/oembed.php @@ -108,9 +108,16 @@ class OembedAction extends Action $oembed['url']=$file_oembed->url; }else if(substr($attachment->mimetype,0,strlen('image/'))=='image/'){ $oembed['type']='photo'; - //TODO set width and height - //$oembed['width']= - //$oembed['height']= + if ($attachment->filename) { + $filepath = File::path($attachment->filename); + $gis = @getimagesize($filepath); + if ($gis) { + $oembed['width'] = $gis[0]; + $oembed['height'] = $gis[1]; + } else { + // TODO Either throw an error or find a fallback? + } + } $oembed['url']=$attachment->url; $thumb = $attachment->getThumbnail(); if ($thumb) { From 0735ca86d27b774481f294c5500fd4f1d00db04c Mon Sep 17 00:00:00 2001 From: Brion Vibber Date: Mon, 15 Nov 2010 12:58:00 -0800 Subject: [PATCH 131/628] Add some data integrity checks on oembed tests (shows a bug on identi.ca test case -- missing width/height in photo data) --- tests/oEmbedTest.php | 12 ++++++++++++ 1 file changed, 12 insertions(+) diff --git a/tests/oEmbedTest.php b/tests/oEmbedTest.php index d00963003e..b5e441c42f 100644 --- a/tests/oEmbedTest.php +++ b/tests/oEmbedTest.php @@ -69,6 +69,18 @@ class oEmbedTest extends PHPUnit_Framework_TestCase try { $data = oEmbedHelper::getObject($url); $this->assertEquals($expectedType, $data->type); + if ($data->type == 'photo') { + $this->assertTrue(!empty($data->url), 'Photo must have a URL.'); + $this->assertTrue(!empty($data->width), 'Photo must have a width.'); + $this->assertTrue(!empty($data->height), 'Photo must have a height.'); + } else if ($data->type == 'video') { + $this->assertTrue(!empty($data->html), 'Video must have embedding HTML.'); + $this->assertTrue(!empty($data->thumbnail_url), 'Video should have a thumbnail.'); + } + if (!empty($data->thumbnail_url)) { + $this->assertTrue(!empty($data->thumbnail_width), 'Thumbnail must list a width.'); + $this->assertTrue(!empty($data->thumbnail_height), 'Thumbnail must list a height.'); + } } catch (Exception $e) { if ($expectedType == 'none') { $this->assertEquals($expectedType, 'none', 'Should not have data for this URL.'); From ca4c0a160122d20f95877102f9712aee45c7afb8 Mon Sep 17 00:00:00 2001 From: Zach Copley Date: Tue, 16 Nov 2010 02:30:08 +0000 Subject: [PATCH 132/628] - Map notices to Facebook stream items - rename plugin FacebookBridgePlugin - delete/like/unlike notices across the bridge --- ...SSOPlugin.php => FacebookBridgePlugin.php} | 74 +++- .../actions/facebookdeauthorize.php | 6 +- .../actions/facebookfinishlogin.php | 190 ++++++---- plugins/FacebookSSO/actions/facebooklogin.php | 2 +- .../FacebookSSO/classes/Notice_to_item.php | 190 ++++++++++ plugins/FacebookSSO/lib/facebookclient.php | 351 +++++++++++++++++- 6 files changed, 716 insertions(+), 97 deletions(-) rename plugins/FacebookSSO/{FacebookSSOPlugin.php => FacebookBridgePlugin.php} (86%) create mode 100644 plugins/FacebookSSO/classes/Notice_to_item.php diff --git a/plugins/FacebookSSO/FacebookSSOPlugin.php b/plugins/FacebookSSO/FacebookBridgePlugin.php similarity index 86% rename from plugins/FacebookSSO/FacebookSSOPlugin.php rename to plugins/FacebookSSO/FacebookBridgePlugin.php index 19d61211d8..c30ea15440 100644 --- a/plugins/FacebookSSO/FacebookSSOPlugin.php +++ b/plugins/FacebookSSO/FacebookBridgePlugin.php @@ -45,10 +45,9 @@ define("FACEBOOK_SERVICE", 2); * @license http://www.fsf.org/licensing/licenses/agpl-3.0.html AGPL 3.0 * @link http://status.net/ */ -class FacebookSSOPlugin extends Plugin +class FacebookBridgePlugin extends Plugin { public $appId = null; // Facebook application ID - public $apikey = null; // Facebook API key (for deprecated "Old REST API") public $secret = null; // Facebook application secret public $facebook = null; // Facebook application instance public $dir = null; // Facebook SSO plugin dir @@ -64,7 +63,6 @@ class FacebookSSOPlugin extends Plugin { $this->facebook = Facebookclient::getFacebook( $this->appId, - $this->apikey, $this->secret ); @@ -101,12 +99,32 @@ class FacebookSSOPlugin extends Plugin case 'FacebookQueueHandler': include_once $dir . '/lib/' . strtolower($cls) . '.php'; return false; + case 'Notice_to_item': + include_once $dir . '/classes/' . $cls . '.php'; + return false; default: return true; } } + /** + * Database schema setup + * + * We maintain a table mapping StatusNet notices to Facebook items + * + * @see Schema + * @see ColumnDef + * + * @return boolean hook value; true means continue processing, false means stop. + */ + function onCheckSchema() + { + $schema = Schema::get(); + $schema->ensureTable('notice_to_item', Notice_to_item::schemaDef()); + return true; + } + /* * Does this $action need the Facebook JavaScripts? */ @@ -436,6 +454,54 @@ ENDOFSCRIPT; } } + /** + * If a notice gets deleted, remove the Notice_to_item mapping and + * delete the item on Facebook + * + * @param User $user The user doing the deleting + * @param Notice $notice The notice getting deleted + * + * @return boolean hook value + */ + function onStartDeleteOwnNotice(User $user, Notice $notice) + { + $client = new Facebookclient($notice); + $client->streamRemove(); + + return true; + } + + /** + * Notify remote users when their notices get favorited. + * + * @param Profile or User $profile of local user doing the faving + * @param Notice $notice being favored + * @return hook return value + */ + function onEndFavorNotice(Profile $profile, Notice $notice) + { + $client = new Facebookclient($notice); + $client->like(); + + return true; + } + + /** + * Notify remote users when their notices get de-favorited. + * + * @param Profile $profile Profile person doing the de-faving + * @param Notice $notice Notice being favored + * + * @return hook return value + */ + function onEndDisfavorNotice(Profile $profile, Notice $notice) + { + $client = new Facebookclient($notice); + $client->unLike(); + + return true; + } + /* * Add version info for this plugin * @@ -447,7 +513,7 @@ ENDOFSCRIPT; 'name' => 'Facebook Single-Sign-On', 'version' => STATUSNET_VERSION, 'author' => 'Craig Andrews, Zach Copley', - 'homepage' => 'http://status.net/wiki/Plugin:FacebookSSO', + 'homepage' => 'http://status.net/wiki/Plugin:FacebookBridge', 'rawdescription' => _m('A plugin for integrating StatusNet with Facebook.') ); diff --git a/plugins/FacebookSSO/actions/facebookdeauthorize.php b/plugins/FacebookSSO/actions/facebookdeauthorize.php index fb4afa13bc..cb816fc54a 100644 --- a/plugins/FacebookSSO/actions/facebookdeauthorize.php +++ b/plugins/FacebookSSO/actions/facebookdeauthorize.php @@ -112,7 +112,7 @@ class FacebookdeauthorizeAction extends Action common_log( LOG_WARNING, sprintf( - '%s (%d), fbuid $s has deauthorized his/her Facebook ' + '%s (%d), fbuid %d has deauthorized his/her Facebook ' . 'connection but hasn\'t set a password so s/he ' . 'is locked out.', $user->nickname, @@ -135,8 +135,8 @@ class FacebookdeauthorizeAction extends Action ); } else { // It probably wasn't Facebook that hit this action, - // so redirect to the login page - common_redirect(common_local_url('login'), 303); + // so redirect to the public timeline + common_redirect(common_local_url('public'), 303); } } } diff --git a/plugins/FacebookSSO/actions/facebookfinishlogin.php b/plugins/FacebookSSO/actions/facebookfinishlogin.php index e61f351547..2174c5ad4a 100644 --- a/plugins/FacebookSSO/actions/facebookfinishlogin.php +++ b/plugins/FacebookSSO/actions/facebookfinishlogin.php @@ -97,7 +97,7 @@ class FacebookfinishloginAction extends Action parent::handle($args); if (common_is_real_login()) { - + // User is already logged in, are her accounts already linked? $flink = Foreign_link::getByForeignID($this->fbuid, FACEBOOK_SERVICE); @@ -121,48 +121,52 @@ class FacebookfinishloginAction extends Action } else { // Possibly reconnect an existing account - + $this->connectUser(); } } else if ($_SERVER['REQUEST_METHOD'] == 'POST') { + $this->handlePost(); + } else { + $this->tryLogin(); + } + } - $token = $this->trimmed('token'); + function handlePost() + { + $token = $this->trimmed('token'); - if (!$token || $token != common_session_token()) { + if (!$token || $token != common_session_token()) { + $this->showForm( + _m('There was a problem with your session token. Try again, please.') + ); + return; + } + + if ($this->arg('create')) { + + if (!$this->boolean('license')) { $this->showForm( - _m('There was a problem with your session token. Try again, please.')); + _m('You can\'t register if you don\'t agree to the license.'), + $this->trimmed('newname') + ); return; } - if ($this->arg('create')) { + // We has a valid Facebook session and the Facebook user has + // agreed to the SN license, so create a new user + $this->createNewUser(); - if (!$this->boolean('license')) { - $this->showForm( - _m('You can\'t register if you don\'t agree to the license.'), - $this->trimmed('newname') - ); - return; - } + } else if ($this->arg('connect')) { - // We has a valid Facebook session and the Facebook user has - // agreed to the SN license, so create a new user - $this->createNewUser(); + $this->connectNewUser(); - } else if ($this->arg('connect')) { - - $this->connectNewUser(); - - } else { - - $this->showForm( - _m('An unknown error has occured.'), - $this->trimmed('newname') - ); - } } else { - $this->tryLogin(); + $this->showForm( + _m('An unknown error has occured.'), + $this->trimmed('newname') + ); } } @@ -173,7 +177,7 @@ class FacebookfinishloginAction extends Action $this->element('div', array('class' => 'error'), $this->error); } else { - + $this->element( 'div', 'instructions', // TRANS: %s is the site name. @@ -343,19 +347,23 @@ class FacebookfinishloginAction extends Action 'nickname' => $nickname, 'fullname' => $this->fbuser['first_name'] . ' ' . $this->fbuser['last_name'], - 'email' => $this->fbuser['email'], - 'email_confirmed' => true, 'homepage' => $this->fbuser['website'], 'bio' => $this->fbuser['about'], 'location' => $this->fbuser['location']['name'] ); + // It's possible that the email address is already in our + // DB. It's a unique key, so we need to check + if ($this->isNewEmail($this->fbuser['email'])) { + $args['email'] = $this->fbuser['email']; + $args['email_confirmed'] = true; + } + if (!empty($invite)) { $args['code'] = $invite->code; } - $user = User::register($args); - + $user = User::register($args); $result = $this->flinkUser($user->id, $this->fbuid); if (!$result) { @@ -363,6 +371,9 @@ class FacebookfinishloginAction extends Action return; } + // Add a Foreign_user record + Facebookclient::addFacebookUser($this->fbuser); + $this->setAvatar($user); common_set_user($user); @@ -371,20 +382,16 @@ class FacebookfinishloginAction extends Action common_log( LOG_INFO, sprintf( - 'Registered new user %d from Facebook user %s', + 'Registered new user %s (%d) from Facebook user %s, (fbuid %d)', + $user->nickname, $user->id, + $this->fbuser['name'], $this->fbuid ), __FILE__ ); - common_redirect( - common_local_url( - 'showstream', - array('nickname' => $user->nickname) - ), - 303 - ); + $this->goHome($user->nickname); } /* @@ -401,17 +408,19 @@ class FacebookfinishloginAction extends Action // fetch the picture from Facebook $client = new HTTPClient(); - common_debug("status = $status - " . $finalUrl , __FILE__); - // fetch the actual picture $response = $client->get($picUrl); if ($response->isOk()) { $finalUrl = $client->getUrl(); - $filename = 'facebook-' . substr(strrchr($finalUrl, '/'), 1 ); - common_debug("Filename = " . $filename, __FILE__); + // Make sure the filename is unique becuase it's possible for a user + // to deauthorize our app, and then come back in as a new user but + // have the same Facebook picture (avatar URLs have a unique index + // and their URLs are based on the filenames). + $filename = 'facebook-' . common_good_rand(4) . '-' + . substr(strrchr($finalUrl, '/'), 1); $ok = file_put_contents( Avatar::path($filename), @@ -430,17 +439,20 @@ class FacebookfinishloginAction extends Action } else { + // save it as an avatar $profile = $user->getProfile(); if ($profile->setOriginal($filename)) { common_log( LOG_INFO, sprintf( - 'Saved avatar for %s (%d) from Facebook profile %s, filename = %s', + 'Saved avatar for %s (%d) from Facebook picture for ' + . '%s (fbuid %d), filename = %s', $user->nickname, $user->id, + $this->fbuser['name'], $this->fbuid, - $picture + $filename ), __FILE__ ); @@ -462,19 +474,17 @@ class FacebookfinishloginAction extends Action $user = User::staticGet('nickname', $nickname); if (!empty($user)) { - common_debug('Facebook Connect Plugin - ' . - "Legit user to connect to Facebook: $nickname"); + common_debug( + sprintf( + 'Found a legit user to connect to Facebook: %s (%d)', + $user->nickname, + $user->id + ), + __FILE__ + ); } - $result = $this->flinkUser($user->id, $this->fbuid); - - if (!$result) { - $this->serverError(_m('Error connecting user to Facebook.')); - return; - } - - common_debug('Facebook Connnect Plugin - ' . - "Connected Facebook user $this->fbuid to local user $user->id"); + $this->tryLinkUser($user); common_set_user($user); common_real_login(true); @@ -485,7 +495,12 @@ class FacebookfinishloginAction extends Action function connectUser() { $user = common_current_user(); + $this->tryLinkUser($user); + common_redirect(common_local_url('facebookfinishlogin'), 303); + } + function tryLinkUser($user) + { $result = $this->flinkUser($user->id, $this->fbuid); if (empty($result)) { @@ -495,14 +510,14 @@ class FacebookfinishloginAction extends Action common_debug( sprintf( - 'Connected Facebook user %s to local user %d', + 'Connected Facebook user %s (fbuid %d) to local user %s (%d)', + $this->fbuser['name'], $this->fbuid, + $user->nickname, $user->id ), __FILE__ ); - - common_redirect(common_local_url('facebookfinishlogin'), 303); } function tryLogin() @@ -573,7 +588,7 @@ class FacebookfinishloginAction extends Action $flink->user_id = $user_id; $flink->foreign_id = $fbuid; $flink->service = FACEBOOK_SERVICE; - + // Pull the access token from the Facebook cookies $flink->credentials = $this->facebook->getAccessToken(); @@ -595,8 +610,8 @@ class FacebookfinishloginAction extends Action // Try the full name - $fullname = trim($this->fbuser['firstname'] . - ' ' . $this->fbuser['lastname']); + $fullname = trim($this->fbuser['first_name'] . + ' ' . $this->fbuser['last_name']); if (!empty($fullname)) { $fullname = $this->nicknamize($fullname); @@ -617,20 +632,57 @@ class FacebookfinishloginAction extends Action return strtolower($str); } - function isNewNickname($str) - { - if (!Validate::string($str, array('min_length' => 1, - 'max_length' => 64, - 'format' => NICKNAME_FMT))) { + /* + * Is the desired nickname already taken? + * + * @return boolean result + */ + 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; } + /* + * Do we already have a user record with this email? + * (emails have to be unique but they can change) + * + * @param string $email the email address to check + * + * @return boolean result + */ + function isNewEmail($email) + { + // we shouldn't have to validate the format + $result = User::staticGet('email', $email); + + if (empty($result)) { + common_debug("XXXXXXXXXXXXXXXXXX We've never seen this email before!!!"); + return true; + } + common_debug("XXXXXXXXXXXXXXXXXX dupe email address!!!!"); + + return false; + } + } diff --git a/plugins/FacebookSSO/actions/facebooklogin.php b/plugins/FacebookSSO/actions/facebooklogin.php index 08c237fe6e..9a230b7241 100644 --- a/plugins/FacebookSSO/actions/facebooklogin.php +++ b/plugins/FacebookSSO/actions/facebooklogin.php @@ -89,7 +89,7 @@ class FacebookloginAction extends Action $attrs = array( 'src' => common_path( - 'plugins/FacebookSSO/images/login-button.png', + 'plugins/FacebookBridge/images/login-button.png', true ), 'alt' => 'Login with Facebook', diff --git a/plugins/FacebookSSO/classes/Notice_to_item.php b/plugins/FacebookSSO/classes/Notice_to_item.php new file mode 100644 index 0000000000..a6a8030342 --- /dev/null +++ b/plugins/FacebookSSO/classes/Notice_to_item.php @@ -0,0 +1,190 @@ + + * @license http://www.fsf.org/licensing/licenses/agpl.html AGPLv3 + * @link http://status.net/ + * + * StatusNet - the distributed open-source microblogging tool + * Copyright (C) 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 + * 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 . + */ + +if (!defined('STATUSNET')) { + exit(1); +} + +require_once INSTALLDIR . '/classes/Memcached_DataObject.php'; + +/** + * Data class for mapping notices to Facebook stream items + * + * Note that notice_id is unique only within a single database; if you + * want to share this data for some reason, get the notice's URI and use + * that instead, since it's universally unique. + * + * @category Action + * @package StatusNet + * @author Zach Copley + * @license http://www.fsf.org/licensing/licenses/agpl.html AGPLv3 + * @link http://status.net/ + * + * @see DB_DataObject + */ + +class Notice_to_item extends Memcached_DataObject +{ + public $__table = 'notice_to_item'; // table name + public $notice_id; // int(4) primary_key not_null + public $item_id; // varchar(255) not null + public $created; // datetime + + /** + * Get an instance by key + * + * This is a utility method to get a single instance with a given key value. + * + * @param string $k Key to use to lookup + * @param mixed $v Value to lookup + * + * @return Notice_to_item object found, or null for no hits + * + */ + + function staticGet($k, $v=null) + { + return Memcached_DataObject::staticGet('Notice_to_item', $k, $v); + } + + /** + * return table definition for DB_DataObject + * + * DB_DataObject needs to know something about the table to manipulate + * instances. This method provides all the DB_DataObject needs to know. + * + * @return array array of column definitions + */ + + function table() + { + return array( + 'notice_id' => DB_DATAOBJECT_INT + DB_DATAOBJECT_NOTNULL, + 'item_id' => DB_DATAOBJECT_STR + DB_DATAOBJECT_NOTNULL, + 'created' => DB_DATAOBJECT_STR + DB_DATAOBJECT_DATE + DB_DATAOBJECT_TIME + DB_DATAOBJECT_NOTNULL + ); + } + + static function schemaDef() + { + return array( + new ColumnDef('notice_id', 'integer', null, false, 'PRI'), + new ColumnDef('item_id', 'varchar', 255, false, 'UNI'), + new ColumnDef('created', 'datetime', null, false) + ); + } + + /** + * return key definitions for DB_DataObject + * + * DB_DataObject needs to know about keys that the table has, since it + * won't appear in StatusNet's own keys list. In most cases, this will + * simply reference your keyTypes() function. + * + * @return array list of key field names + */ + + function keys() + { + return array_keys($this->keyTypes()); + } + + /** + * return key definitions for Memcached_DataObject + * + * Our caching system uses the same key definitions, but uses a different + * method to get them. This key information is used to store and clear + * cached data, so be sure to list any key that will be used for static + * lookups. + * + * @return array associative array of key definitions, field name to type: + * 'K' for primary key: for compound keys, add an entry for each component; + * 'U' for unique keys: compound keys are not well supported here. + */ + + function keyTypes() + { + return array('notice_id' => 'K', 'item_id' => 'U'); + } + + /** + * Magic formula for non-autoincrementing integer primary keys + * + * If a table has a single integer column as its primary key, DB_DataObject + * assumes that the column is auto-incrementing and makes a sequence table + * to do this incrementation. Since we don't need this for our class, we + * overload this method and return the magic formula that DB_DataObject needs. + * + * @return array magic three-false array that stops auto-incrementing. + */ + + function sequenceKey() + { + return array(false, false, false); + } + + /** + * Save a mapping between a notice and a Facebook item + * + * @param integer $notice_id ID of the notice in StatusNet + * @param integer $item_id ID of the stream item on Facebook + * + * @return Notice_to_item new object for this value + */ + + static function saveNew($notice_id, $item_id) + { + $n2i = Notice_to_item::staticGet('notice_id', $notice_id); + + if (!empty($n2i)) { + return $n2i; + } + + $n2i = Notice_to_item::staticGet('item_id', $item_id); + + if (!empty($n2i)) { + return $n2i; + } + + common_debug( + "Mapping notice {$notice_id} to Facebook item {$item_id}", + __FILE__ + ); + + $n2i = new Notice_to_item(); + + $n2i->notice_id = $notice_id; + $n2i->item_id = $item_id; + $n2i->created = common_sql_now(); + + $n2i->insert(); + + return $n2i; + } +} diff --git a/plugins/FacebookSSO/lib/facebookclient.php b/plugins/FacebookSSO/lib/facebookclient.php index cf00b55e3a..33edf5c6b1 100644 --- a/plugins/FacebookSSO/lib/facebookclient.php +++ b/plugins/FacebookSSO/lib/facebookclient.php @@ -173,11 +173,11 @@ class Facebookclient if ($this->isFacebookBound()) { common_debug("notice is facebook bound", __FILE__); if (empty($this->flink->credentials)) { - $this->sendOldRest(); + return $this->sendOldRest(); } else { // Otherwise we most likely have an access token - $this->sendGraph(); + return $this->sendGraph(); } } else { @@ -213,6 +213,7 @@ class Facebookclient $params = array( 'access_token' => $this->flink->credentials, + // XXX: Need to worrry about length of the message? 'message' => $this->notice->content ); @@ -220,7 +221,7 @@ class Facebookclient if (!empty($attachments)) { - // We can only send one attachment with the Graph API + // We can only send one attachment with the Graph API :( $first = array_shift($attachments); @@ -240,6 +241,21 @@ class Facebookclient sprintf('/%s/feed', $fbuid), 'post', $params ); + // Save a mapping + Notice_to_item::saveNew($this->notice->id, $result['id']); + + common_log( + LOG_INFO, + sprintf( + "Posted notice %d as a stream item for %s (%d), fbuid %s", + $this->notice->id, + $this->user->nickname, + $this->user->id, + $fbuid + ), + __FILE__ + ); + } catch (FacebookApiException $e) { return $this->handleFacebookError($e); } @@ -481,24 +497,42 @@ class Facebookclient $result = $this->facebook->api( array( 'method' => 'users.setStatus', - 'status' => $this->notice->content, + 'status' => $this->formatMessage(), 'status_includes_verb' => true, 'uid' => $fbuid ) ); - common_log( - LOG_INFO, - sprintf( - "Posted notice %s as a status update for %s (%d), fbuid %s", + if ($result == 1) { // 1 is success + + common_log( + LOG_INFO, + sprintf( + "Posted notice %s as a status update for %s (%d), fbuid %s", + $this->notice->id, + $this->user->nickname, + $this->user->id, + $fbuid + ), + __FILE__ + ); + + // There is no item ID returned for status update so we can't + // save a Notice_to_item mapping + + } else { + + $msg = sprintf( + "Error posting notice %s as a status update for %s (%d), fbuid %s - error code: %s", $this->notice->id, $this->user->nickname, $this->user->id, - $fbuid - ), - __FILE__ - ); + $fbuid, + $result // will contain 0, or an error + ); + throw new FacebookApiException($msg, $result); + } } /* @@ -524,25 +558,66 @@ class Facebookclient $result = $this->facebook->api( array( 'method' => 'stream.publish', - 'message' => $this->notice->content, + 'message' => $this->formatMessage(), 'attachment' => $fbattachment, 'uid' => $fbuid ) ); - common_log( - LOG_INFO, - sprintf( - 'Posted notice %d as a %s for %s (%d), fbuid %s', + if (!empty($result)) { // result will contain the item ID + + // Save a mapping + Notice_to_item::saveNew($this->notice->id, $result); + + common_log( + LOG_INFO, + sprintf( + 'Posted notice %d as a %s for %s (%d), fbuid %s', + $this->notice->id, + empty($fbattachment) ? 'stream item' : 'stream item with attachment', + $this->user->nickname, + $this->user->id, + $fbuid + ), + __FILE__ + ); + + } else { + + $msg = sprintf( + 'Could not post notice %d as a %s for %s (%d), fbuid %s - error code: %s', $this->notice->id, empty($fbattachment) ? 'stream item' : 'stream item with attachment', $this->user->nickname, $this->user->id, + $result, // result will contain an error code $fbuid - ), - __FILE__ - ); + ); + throw new FacebookApiException($msg, $result); + } + } + + /* + * Format the text message of a stream item so it's appropriate for + * sending to Facebook. If the notice is too long, truncate it, and + * add a linkback to the original notice at the end. + * + * @return String $txt the formated message + */ + function formatMessage() + { + // Start with the plaintext source of this notice... + $txt = $this->notice->content; + + // Facebook has a 420-char hardcoded max. + if (mb_strlen($statustxt) > 420) { + $noticeUrl = common_shorten_url($this->notice->uri); + $urlLen = mb_strlen($noticeUrl); + $txt = mb_substr($statustxt, 0, 420 - ($urlLen + 3)) . ' … ' . $noticeUrl; + } + + return $txt; } /* @@ -708,4 +783,240 @@ BODY; return mail_to_user($this->user, $subject, $body); } + /* + * Check to see if we have a mapping to a copy of this notice + * on Facebook + * + * @param Notice $notice the notice to check + * + * @return mixed null if it can't find one, or the id of the Facebook + * stream item + */ + static function facebookStatusId($notice) + { + $n2i = Notice_to_item::staticGet('notice_id', $notice->id); + + if (empty($n2i)) { + return null; + } else { + return $n2i->item_id; + } + } + + /* + * Save a Foreign_user record of a Facebook user + * + * @param object $fbuser a Facebook Graph API user obj + * See: http://developers.facebook.com/docs/reference/api/user + * @return mixed $result Id or key + * + */ + static function addFacebookUser($fbuser) + { + // remove any existing, possibly outdated, record + $luser = Foreign_user::getForeignUser($fbuser['id'], FACEBOOK_SERVICE); + + if (!empty($luser)) { + + $result = $luser->delete(); + + if ($result != false) { + common_log( + LOG_INFO, + sprintf( + 'Removed old Facebook user: %s, fbuid %d', + $fbuid['name'], + $fbuid['id'] + ), + __FILE__ + ); + } + } + + $fuser = new Foreign_user(); + + $fuser->nickname = $fbuser['name']; + $fuser->uri = $fbuser['link']; + $fuser->id = $fbuser['id']; + $fuser->service = FACEBOOK_SERVICE; + $fuser->created = common_sql_now(); + + $result = $fuser->insert(); + + if (empty($result)) { + common_log( + LOG_WARNING, + sprintf( + 'Failed to add new Facebook user: %s, fbuid %d', + $fbuser['name'], + $fbuser['id'] + ), + __FILE__ + ); + + common_log_db_error($fuser, 'INSERT', __FILE__); + } else { + common_log( + LOG_INFO, + sprintf( + 'Added new Facebook user: %s, fbuid %d', + $fbuser['name'], + $fbuser['id'] + ), + __FILE__ + ); + } + + return $result; + } + + /* + * Remove an item from a Facebook user's feed if we have a mapping + * for it. + */ + function streamRemove() + { + $n2i = Notice_to_item::staticGet('notice_id', $this->notice->id); + + if (!empty($this->flink) && !empty($n2i)) { + + $result = $this->facebook->api( + array( + 'method' => 'stream.remove', + 'post_id' => $n2i->item_id, + 'uid' => $this->flink->foreign_id + ) + ); + + if (!empty($result) && result == true) { + + common_log( + LOG_INFO, + sprintf( + 'Deleted Facebook item: %s for %s (%d), fbuid %d', + $n2i->item_id, + $this->user->nickname, + $this->user->id, + $this->flink->foreign_id + ), + __FILE__ + ); + + $n2i->delete(); + + } else { + + common_log( + LOG_WARNING, + sprintf( + 'Could not deleted Facebook item: %s for %s (%d), fbuid %d', + $n2i->item_id, + $this->user->nickname, + $this->user->id, + $this->flink->foreign_id + ), + __FILE__ + ); + } + } + } + + /* + * Like an item in a Facebook user's feed if we have a mapping + * for it. + */ + function like() + { + $n2i = Notice_to_item::staticGet('notice_id', $this->notice->id); + + if (!empty($this->flink) && !empty($n2i)) { + + $result = $this->facebook->api( + array( + 'method' => 'stream.addlike', + 'post_id' => $n2i->item_id, + 'uid' => $this->flink->foreign_id + ) + ); + + if (!empty($result) && result == true) { + + common_log( + LOG_INFO, + sprintf( + 'Added like for item: %s for %s (%d), fbuid %d', + $n2i->item_id, + $this->user->nickname, + $this->user->id, + $this->flink->foreign_id + ), + __FILE__ + ); + + } else { + + common_log( + LOG_WARNING, + sprintf( + 'Could not like Facebook item: %s for %s (%d), fbuid %d', + $n2i->item_id, + $this->user->nickname, + $this->user->id, + $this->flink->foreign_id + ), + __FILE__ + ); + } + } + } + + /* + * Unlike an item in a Facebook user's feed if we have a mapping + * for it. + */ + function unLike() + { + $n2i = Notice_to_item::staticGet('notice_id', $this->notice->id); + + if (!empty($this->flink) && !empty($n2i)) { + + $result = $this->facebook->api( + array( + 'method' => 'stream.removeLike', + 'post_id' => $n2i->item_id, + 'uid' => $this->flink->foreign_id + ) + ); + + if (!empty($result) && result == true) { + + common_log( + LOG_INFO, + sprintf( + 'Removed like for item: %s for %s (%d), fbuid %d', + $n2i->item_id, + $this->user->nickname, + $this->user->id, + $this->flink->foreign_id + ), + __FILE__ + ); + + } else { + + common_log( + LOG_WARNING, + sprintf( + 'Could not remove like for Facebook item: %s for %s (%d), fbuid %d', + $n2i->item_id, + $this->user->nickname, + $this->user->id, + $this->flink->foreign_id + ), + __FILE__ + ); + } + } + } + } From 4f63b5cff613f02ffed7de7a47027d65d723dbd4 Mon Sep 17 00:00:00 2001 From: Zach Copley Date: Tue, 16 Nov 2010 02:33:17 +0000 Subject: [PATCH 133/628] FacebookSSO -> FacebookBridge --- .../FacebookBridgePlugin.php | 0 .../actions/facebookadminpanel.php | 0 .../actions/facebookdeauthorize.php | 0 .../actions/facebookfinishlogin.php | 0 .../actions/facebooklogin.php | 0 .../actions/facebooksettings.php | 0 .../classes/Notice_to_item.php | 0 .../extlib/facebook.php | 0 .../extlib/fb_ca_chain_bundle.crt | 0 .../images/login-button.png | Bin .../lib/facebookclient.php | 0 .../lib/facebookqueuehandler.php | 0 12 files changed, 0 insertions(+), 0 deletions(-) rename plugins/{FacebookSSO => FacebookBridge}/FacebookBridgePlugin.php (100%) rename plugins/{FacebookSSO => FacebookBridge}/actions/facebookadminpanel.php (100%) rename plugins/{FacebookSSO => FacebookBridge}/actions/facebookdeauthorize.php (100%) rename plugins/{FacebookSSO => FacebookBridge}/actions/facebookfinishlogin.php (100%) rename plugins/{FacebookSSO => FacebookBridge}/actions/facebooklogin.php (100%) rename plugins/{FacebookSSO => FacebookBridge}/actions/facebooksettings.php (100%) rename plugins/{FacebookSSO => FacebookBridge}/classes/Notice_to_item.php (100%) rename plugins/{FacebookSSO => FacebookBridge}/extlib/facebook.php (100%) rename plugins/{FacebookSSO => FacebookBridge}/extlib/fb_ca_chain_bundle.crt (100%) rename plugins/{FacebookSSO => FacebookBridge}/images/login-button.png (100%) rename plugins/{FacebookSSO => FacebookBridge}/lib/facebookclient.php (100%) rename plugins/{FacebookSSO => FacebookBridge}/lib/facebookqueuehandler.php (100%) diff --git a/plugins/FacebookSSO/FacebookBridgePlugin.php b/plugins/FacebookBridge/FacebookBridgePlugin.php similarity index 100% rename from plugins/FacebookSSO/FacebookBridgePlugin.php rename to plugins/FacebookBridge/FacebookBridgePlugin.php diff --git a/plugins/FacebookSSO/actions/facebookadminpanel.php b/plugins/FacebookBridge/actions/facebookadminpanel.php similarity index 100% rename from plugins/FacebookSSO/actions/facebookadminpanel.php rename to plugins/FacebookBridge/actions/facebookadminpanel.php diff --git a/plugins/FacebookSSO/actions/facebookdeauthorize.php b/plugins/FacebookBridge/actions/facebookdeauthorize.php similarity index 100% rename from plugins/FacebookSSO/actions/facebookdeauthorize.php rename to plugins/FacebookBridge/actions/facebookdeauthorize.php diff --git a/plugins/FacebookSSO/actions/facebookfinishlogin.php b/plugins/FacebookBridge/actions/facebookfinishlogin.php similarity index 100% rename from plugins/FacebookSSO/actions/facebookfinishlogin.php rename to plugins/FacebookBridge/actions/facebookfinishlogin.php diff --git a/plugins/FacebookSSO/actions/facebooklogin.php b/plugins/FacebookBridge/actions/facebooklogin.php similarity index 100% rename from plugins/FacebookSSO/actions/facebooklogin.php rename to plugins/FacebookBridge/actions/facebooklogin.php diff --git a/plugins/FacebookSSO/actions/facebooksettings.php b/plugins/FacebookBridge/actions/facebooksettings.php similarity index 100% rename from plugins/FacebookSSO/actions/facebooksettings.php rename to plugins/FacebookBridge/actions/facebooksettings.php diff --git a/plugins/FacebookSSO/classes/Notice_to_item.php b/plugins/FacebookBridge/classes/Notice_to_item.php similarity index 100% rename from plugins/FacebookSSO/classes/Notice_to_item.php rename to plugins/FacebookBridge/classes/Notice_to_item.php diff --git a/plugins/FacebookSSO/extlib/facebook.php b/plugins/FacebookBridge/extlib/facebook.php similarity index 100% rename from plugins/FacebookSSO/extlib/facebook.php rename to plugins/FacebookBridge/extlib/facebook.php diff --git a/plugins/FacebookSSO/extlib/fb_ca_chain_bundle.crt b/plugins/FacebookBridge/extlib/fb_ca_chain_bundle.crt similarity index 100% rename from plugins/FacebookSSO/extlib/fb_ca_chain_bundle.crt rename to plugins/FacebookBridge/extlib/fb_ca_chain_bundle.crt diff --git a/plugins/FacebookSSO/images/login-button.png b/plugins/FacebookBridge/images/login-button.png similarity index 100% rename from plugins/FacebookSSO/images/login-button.png rename to plugins/FacebookBridge/images/login-button.png diff --git a/plugins/FacebookSSO/lib/facebookclient.php b/plugins/FacebookBridge/lib/facebookclient.php similarity index 100% rename from plugins/FacebookSSO/lib/facebookclient.php rename to plugins/FacebookBridge/lib/facebookclient.php diff --git a/plugins/FacebookSSO/lib/facebookqueuehandler.php b/plugins/FacebookBridge/lib/facebookqueuehandler.php similarity index 100% rename from plugins/FacebookSSO/lib/facebookqueuehandler.php rename to plugins/FacebookBridge/lib/facebookqueuehandler.php From 0b573e0d2b5c15e296d2520ba87cbb6a80f3837d Mon Sep 17 00:00:00 2001 From: Zach Copley Date: Mon, 15 Nov 2010 18:48:22 -0800 Subject: [PATCH 134/628] Store the current user in the CurrentUserDesignAction --- lib/currentuserdesignaction.php | 26 ++++++++++++++++++++++---- 1 file changed, 22 insertions(+), 4 deletions(-) diff --git a/lib/currentuserdesignaction.php b/lib/currentuserdesignaction.php index 490f87d13c..7cd892022d 100644 --- a/lib/currentuserdesignaction.php +++ b/lib/currentuserdesignaction.php @@ -22,7 +22,7 @@ * @category Action * @package StatusNet * @author Evan Prodromou - * @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/ */ @@ -40,12 +40,31 @@ if (!defined('STATUSNET') && !defined('LACONICA')) { * @category Action * @package StatusNet * @author Evan Prodromou + * @author Zach Copley * @license http://www.fsf.org/licensing/licenses/agpl-3.0.html GNU Affero General Public License version 3.0 * @link http://status.net/ * */ class CurrentUserDesignAction extends Action { + + protected $cur = null; // The current user + + /** + * For initializing members of the class. Set a the + * current user here. + * + * @param array $argarray misc. arguments + * + * @return boolean true + */ + function prepare($argarray) + { + parent::prepare($argarray); + + $this->cur = common_current_user(); + } + /** * A design for this action * @@ -55,9 +74,7 @@ class CurrentUserDesignAction extends Action */ function getDesign() { - $cur = common_current_user(); - - if (!empty($cur)) { + if (!empty($this->cur)) { $design = $cur->getDesign(); @@ -68,4 +85,5 @@ class CurrentUserDesignAction extends Action return parent::getDesign(); } + } From 64a29bd401bb7f38e174a6529c062dd3c20bfe5b Mon Sep 17 00:00:00 2001 From: Zach Copley Date: Tue, 16 Nov 2010 06:10:49 +0000 Subject: [PATCH 135/628] Fix syntax error --- lib/currentuserdesignaction.php | 4 +++- 1 file changed, 3 insertions(+), 1 deletion(-) diff --git a/lib/currentuserdesignaction.php b/lib/currentuserdesignaction.php index 7cd892022d..012d30ad6f 100644 --- a/lib/currentuserdesignaction.php +++ b/lib/currentuserdesignaction.php @@ -63,6 +63,8 @@ class CurrentUserDesignAction extends Action parent::prepare($argarray); $this->cur = common_current_user(); + + return true; } /** @@ -76,7 +78,7 @@ class CurrentUserDesignAction extends Action { if (!empty($this->cur)) { - $design = $cur->getDesign(); + $design = $this->cur->getDesign(); if (!empty($design)) { return $design; From 450707fec626e4e2b2eed4e46591fcf06368d0a1 Mon Sep 17 00:00:00 2001 From: Brion Vibber Date: Tue, 16 Nov 2010 12:41:35 -0800 Subject: [PATCH 136/628] Stub LinkPreview plugin --- plugins/LinkPreview/LinkPreviewPlugin.php | 94 +++++++++++++++++++++++ plugins/LinkPreview/linkpreview.js | 10 +++ 2 files changed, 104 insertions(+) create mode 100644 plugins/LinkPreview/LinkPreviewPlugin.php create mode 100644 plugins/LinkPreview/linkpreview.js diff --git a/plugins/LinkPreview/LinkPreviewPlugin.php b/plugins/LinkPreview/LinkPreviewPlugin.php new file mode 100644 index 0000000000..d887ca0408 --- /dev/null +++ b/plugins/LinkPreview/LinkPreviewPlugin.php @@ -0,0 +1,94 @@ +. + */ + +if (!defined('STATUSNET')) { + exit(1); +} + +/** + * Some UI extras for now... + * + * @package LinkPreviewPlugin + * @maintainer Brion Vibber + */ +class LinkPreviewPlugin extends Plugin +{ + function onPluginVersion(&$versions) + { + $versions[] = array('name' => 'LinkPreview', + 'version' => STATUSNET_VERSION, + 'author' => 'Brion Vibber', + 'homepage' => 'http://status.net/wiki/Plugin:LinkPreview', + 'rawdescription' => + _m('UI extensions previewing thumbnails from links.')); + + return true; + } + + /** + * Load JS at runtime if we're logged in. + * + * @param Action $action + * @return boolean hook result + */ + function onEndShowScripts($action) + { + $user = common_current_user(); + if ($user) { + $action->script('plugins/LinkPreview/linkpreview.js'); + } + return true; + } + + /** + * Autoloader + * + * Loads our classes if they're requested. + * + * @param string $cls Class requested + * + * @return boolean hook return + */ + function onAutoload($cls) + { + switch ($cls) + { + case 'LinkpreviewAction': + require_once dirname(__FILE__) . '/linkpreviewaction.php'; + return false; + default: + return true; + } + } + + /** + * Hook for RouterInitialized event. + * + * @param Net_URL_Mapper $m URL mapper + * + * @return boolean hook return + */ + function onStartInitializeRouter($m) + { + $m->connect('main/preview/link', + array('action' => 'linkpreview')); + + return true; + } +} diff --git a/plugins/LinkPreview/linkpreview.js b/plugins/LinkPreview/linkpreview.js new file mode 100644 index 0000000000..37710e7d5f --- /dev/null +++ b/plugins/LinkPreview/linkpreview.js @@ -0,0 +1,10 @@ +/** + * (c) 2010 StatusNet, Inc. + */ + +$(function() { + $('#notice_data-text').change(function() { + var text = $(this).val(); + alert(text); + }); +}); From e851882f964c9eaa1cdd73f028fd09dd9acba734 Mon Sep 17 00:00:00 2001 From: Brion Vibber Date: Tue, 16 Nov 2010 13:16:25 -0800 Subject: [PATCH 137/628] LinkPreview: flesh out stub JS code a bit. URL splitting doesn't quite match core, note. --- plugins/LinkPreview/linkpreview.js | 47 +++++++++++++++++++++++++++++- 1 file changed, 46 insertions(+), 1 deletion(-) diff --git a/plugins/LinkPreview/linkpreview.js b/plugins/LinkPreview/linkpreview.js index 37710e7d5f..f6a4dc34f0 100644 --- a/plugins/LinkPreview/linkpreview.js +++ b/plugins/LinkPreview/linkpreview.js @@ -3,8 +3,53 @@ */ $(function() { + /** + * Find URL links from the source text that may be interesting. + * + * @param {String} text + * @return {Array} list of URLs + */ + function findLinks(text) + { + // @fixme match this to core code + var re = /(?:^| )(https?:\/\/.+?\/.+?)(?= |$)/g; + var links = []; + var matches; + while ((matches = re.exec(text)) !== null) { + links.push(matches[1]); + } + return links; + } + + /** + * Start looking up info for a link preview... + * May start async data loads. + * + * @param {String} id + * @param {String} url + */ + function prepLinkPreview(id, url) + { + console.log(id, url); + } + + /** + * Update the live preview section with links found in the given text. + * May start async data loads. + * + * @param {String} text: free-form input text + */ + function previewLinks(text) + { + var links = findLinks(text); + for (var i = 0; i < links.length; i++) { + var id = 'link-preview-' + i; + prepLinkPreview(id, links[i]); + } + } + $('#notice_data-text').change(function() { var text = $(this).val(); - alert(text); + previewLinks(text); }); }); From 5166e71d24d1121f7d99bc788fe734d5c6e86e79 Mon Sep 17 00:00:00 2001 From: Brion Vibber Date: Tue, 16 Nov 2010 13:49:23 -0800 Subject: [PATCH 138/628] LinkPreview plugin more or less functioning (though not pretty), using oohembed remote lookup and fixed sizes. --- plugins/LinkPreview/linkpreview.js | 57 ++++++++++++++++++++++++++++-- 1 file changed, 54 insertions(+), 3 deletions(-) diff --git a/plugins/LinkPreview/linkpreview.js b/plugins/LinkPreview/linkpreview.js index f6a4dc34f0..eae6dfd43f 100644 --- a/plugins/LinkPreview/linkpreview.js +++ b/plugins/LinkPreview/linkpreview.js @@ -12,7 +12,7 @@ $(function() { function findLinks(text) { // @fixme match this to core code - var re = /(?:^| )(https?:\/\/.+?\/.+?)(?= |$)/g; + var re = /(?:^| )(https?:\/\/.+?\/.+?)(?= |$)/mg; var links = []; var matches; while ((matches = re.exec(text)) !== null) { @@ -21,6 +21,30 @@ $(function() { return links; } + /** + * Do an oEmbed lookup for the given URL. + * + * @fixme proxy through ourselves if possible? + * @fixme use the global thumbnail size settings + * + * @param {String} url + * @param {function} callback + */ + function oEmbedLookup(url, callback) + { + var api = 'http://oohembed.com/oohembed'; + var params = { + url: url, + format: 'json', + maxwidth: 100, + maxheight: 75, + callback: '?' + }; + $.get(api, params, function(data, xhr) { + callback(data); + }, 'jsonp'); + } + /** * Start looking up info for a link preview... * May start async data loads. @@ -30,7 +54,32 @@ $(function() { */ function prepLinkPreview(id, url) { - console.log(id, url); + oEmbedLookup(url, function(data) { + var thumb = null; + var width = 100; + if (typeof data.thumbnail_url == "string") { + thumb = data.thumbnail_url; + if (typeof data.thumbnail_width !== "undefined") { + if (data.thumbnail_width < width) { + width = data.thumbnail_width; + } + } + } else if (data.type == 'photo' && typeof data.url == "string") { + thumb = data.url; + if (typeof data.width !== "undefined") { + if (data.width < width) { + width = data.width; + } + } + } + if (thumb) { + var img = $('') + .attr('src', thumb) + .attr('width', width) + .attr('title', data.title || data.url || url); + $('#' + id).append(img); + } + }); } /** @@ -42,12 +91,14 @@ $(function() { function previewLinks(text) { var links = findLinks(text); + $('#link-preview').html(''); for (var i = 0; i < links.length; i++) { var id = 'link-preview-' + i; + $('#link-preview').append(''); prepLinkPreview(id, links[i]); } } - + $('#form_notice').append(''); $('#notice_data-text').change(function() { var text = $(this).val(); previewLinks(text); From f103a550521bffd9662dff473119389b10696582 Mon Sep 17 00:00:00 2001 From: Brion Vibber Date: Tue, 16 Nov 2010 13:58:22 -0800 Subject: [PATCH 139/628] LinkPreview: link the thumbnails --- plugins/LinkPreview/linkpreview.js | 13 ++++++++----- 1 file changed, 8 insertions(+), 5 deletions(-) diff --git a/plugins/LinkPreview/linkpreview.js b/plugins/LinkPreview/linkpreview.js index eae6dfd43f..9f0ed65623 100644 --- a/plugins/LinkPreview/linkpreview.js +++ b/plugins/LinkPreview/linkpreview.js @@ -73,11 +73,14 @@ $(function() { } } if (thumb) { - var img = $('') - .attr('src', thumb) - .attr('width', width) - .attr('title', data.title || data.url || url); - $('#' + id).append(img); + var link = $(''); + link.attr('href', url) + .attr('target', '_blank') + .find('img') + .attr('src', thumb) + .attr('width', width) + .attr('title', data.title || data.url || url); + $('#' + id).append(link); } }); } From eeb7f02b98f104e1536cc116f4a8607dfde0d00b Mon Sep 17 00:00:00 2001 From: Brion Vibber Date: Tue, 16 Nov 2010 14:16:23 -0800 Subject: [PATCH 140/628] LinkPreview: piggyback on the counter update logic, cache lookups. --- plugins/LinkPreview/linkpreview.js | 103 ++++++++++++++++++++--------- 1 file changed, 71 insertions(+), 32 deletions(-) diff --git a/plugins/LinkPreview/linkpreview.js b/plugins/LinkPreview/linkpreview.js index 9f0ed65623..6af3e920d9 100644 --- a/plugins/LinkPreview/linkpreview.js +++ b/plugins/LinkPreview/linkpreview.js @@ -21,29 +21,63 @@ $(function() { return links; } - /** - * Do an oEmbed lookup for the given URL. - * - * @fixme proxy through ourselves if possible? - * @fixme use the global thumbnail size settings - * - * @param {String} url - * @param {function} callback - */ - function oEmbedLookup(url, callback) - { - var api = 'http://oohembed.com/oohembed'; - var params = { - url: url, - format: 'json', - maxwidth: 100, - maxheight: 75, - callback: '?' - }; - $.get(api, params, function(data, xhr) { - callback(data); - }, 'jsonp'); - } + var oEmbed = { + api: 'http://oohembed.com/oohembed', + cache: {}, + callbacks: {}, + + /** + * Do a cached oEmbed lookup for the given URL. + * + * @param {String} url + * @param {function} callback + */ + lookup: function(url, callback) + { + if (typeof oEmbed.cache[url] == "object") { + // We already have a successful lookup. + callback(oEmbed.cache[url]); + } else if (typeof oEmbed.callbacks[url] == "undefined") { + // No lookup yet... Start it! + oEmbed.callbacks[url] = [callback]; + + oEmbed.rawLookup(url, function(data) { + oEmbed.cache[url] = data; + var callbacks = oEmbed.callbacks[url]; + oEmbed.callbacks[url] = undefined; + for (var i = 0; i < callbacks.length; i++) { + callbacks[i](data); + } + }); + } else { + // A lookup is in progress. + oEmbed.callbacks[url].push(callback); + } + }, + + /** + * Do an oEmbed lookup for the given URL. + * + * @fixme proxy through ourselves if possible? + * @fixme use the global thumbnail size settings + * + * @param {String} url + * @param {function} callback + */ + rawLookup: function(url, callback) + { + var params = { + url: url, + format: 'json', + maxwidth: 100, + maxheight: 75, + callback: '?' + }; + $.get(oEmbed.api, params, function(data, xhr) { + callback(data); + }, 'jsonp'); + } + }; /** * Start looking up info for a link preview... @@ -54,7 +88,7 @@ $(function() { */ function prepLinkPreview(id, url) { - oEmbedLookup(url, function(data) { + oEmbed.lookup(url, function(data) { var thumb = null; var width = 100; if (typeof data.thumbnail_url == "string") { @@ -73,9 +107,11 @@ $(function() { } } if (thumb) { - var link = $(''); - link.attr('href', url) - .attr('target', '_blank') + var link = $(''); + link.find('a') + .attr('href', url) + .attr('target', '_blank') + .last() .find('img') .attr('src', thumb) .attr('width', width) @@ -101,9 +137,12 @@ $(function() { prepLinkPreview(id, links[i]); } } - $('#form_notice').append(''); - $('#notice_data-text').change(function() { - var text = $(this).val(); - previewLinks(text); - }); + $('#form_notice').append(''); + + // Piggyback on the counter update... + var origCounter = SN.U.Counter; + SN.U.Counter = function(form) { + previewLinks($('#notice_data-text').val()); + return origCounter(form); + } }); From b5fc71253c5ad1d28bcff37733d11467eb15ca91 Mon Sep 17 00:00:00 2001 From: Brion Vibber Date: Tue, 16 Nov 2010 14:27:01 -0800 Subject: [PATCH 141/628] LinkPreview: restructure a bit so we can pass config over --- plugins/LinkPreview/LinkPreviewPlugin.php | 6 +++ plugins/LinkPreview/linkpreview.js | 65 +++++++++++++---------- 2 files changed, 43 insertions(+), 28 deletions(-) diff --git a/plugins/LinkPreview/LinkPreviewPlugin.php b/plugins/LinkPreview/LinkPreviewPlugin.php index d887ca0408..6f7c99a38c 100644 --- a/plugins/LinkPreview/LinkPreviewPlugin.php +++ b/plugins/LinkPreview/LinkPreviewPlugin.php @@ -52,6 +52,12 @@ class LinkPreviewPlugin extends Plugin $user = common_current_user(); if ($user) { $action->script('plugins/LinkPreview/linkpreview.js'); + $data = json_encode(array( + 'api' => common_config('oohembed', 'endpoint'), + 'width' => common_config('attachments', 'thumbwidth'), + 'height' => common_config('attachments', 'thumbheight'), + )); + $action->inlineScript('$(function() {SN.Init.LinkPreview && SN.Init.LinkPreview('.$data.');})'); } return true; } diff --git a/plugins/LinkPreview/linkpreview.js b/plugins/LinkPreview/linkpreview.js index 6af3e920d9..db99212292 100644 --- a/plugins/LinkPreview/linkpreview.js +++ b/plugins/LinkPreview/linkpreview.js @@ -2,27 +2,11 @@ * (c) 2010 StatusNet, Inc. */ -$(function() { - /** - * Find URL links from the source text that may be interesting. - * - * @param {String} text - * @return {Array} list of URLs - */ - function findLinks(text) - { - // @fixme match this to core code - var re = /(?:^| )(https?:\/\/.+?\/.+?)(?= |$)/mg; - var links = []; - var matches; - while ((matches = re.exec(text)) !== null) { - links.push(matches[1]); - } - return links; - } - +(function() { var oEmbed = { api: 'http://oohembed.com/oohembed', + width: 100, + height: 75, cache: {}, callbacks: {}, @@ -69,8 +53,8 @@ $(function() { var params = { url: url, format: 'json', - maxwidth: 100, - maxheight: 75, + maxwidth: oEmbed.width, + maxheight: oEmbed.height, callback: '?' }; $.get(oEmbed.api, params, function(data, xhr) { @@ -79,6 +63,24 @@ $(function() { } }; + /** + * Find URL links from the source text that may be interesting. + * + * @param {String} text + * @return {Array} list of URLs + */ + function findLinks(text) + { + // @fixme match this to core code + var re = /(?:^| )(https?:\/\/.+?\/.+?)(?= |$)/mg; + var links = []; + var matches; + while ((matches = re.exec(text)) !== null) { + links.push(matches[1]); + } + return links; + } + /** * Start looking up info for a link preview... * May start async data loads. @@ -137,12 +139,19 @@ $(function() { prepLinkPreview(id, links[i]); } } - $('#form_notice').append(''); - // Piggyback on the counter update... - var origCounter = SN.U.Counter; - SN.U.Counter = function(form) { - previewLinks($('#notice_data-text').val()); - return origCounter(form); + SN.Init.LinkPreview = function(params) { + if (params.api) oEmbed.api = params.api; + if (params.width) oEmbed.width = params.width; + if (params.height) oEmbed.height = params.height; + + $('#form_notice').append(''); + + // Piggyback on the counter update... + var origCounter = SN.U.Counter; + SN.U.Counter = function(form) { + previewLinks($('#notice_data-text').val()); + return origCounter(form); + } } -}); +})(); From 73f28ffabe3f023f4a8c6f4242c2929c907b6c71 Mon Sep 17 00:00:00 2001 From: Brion Vibber Date: Tue, 16 Nov 2010 14:41:30 -0800 Subject: [PATCH 142/628] LinkPreview: use a local proxy for oEmbed lookups so we use a consistent common code path, and don't open up to oohembed.com being evil --- plugins/LinkPreview/LinkPreviewPlugin.php | 13 +++++++------ plugins/LinkPreview/linkpreview.js | 5 ++--- 2 files changed, 9 insertions(+), 9 deletions(-) diff --git a/plugins/LinkPreview/LinkPreviewPlugin.php b/plugins/LinkPreview/LinkPreviewPlugin.php index 6f7c99a38c..da79811482 100644 --- a/plugins/LinkPreview/LinkPreviewPlugin.php +++ b/plugins/LinkPreview/LinkPreviewPlugin.php @@ -53,7 +53,7 @@ class LinkPreviewPlugin extends Plugin if ($user) { $action->script('plugins/LinkPreview/linkpreview.js'); $data = json_encode(array( - 'api' => common_config('oohembed', 'endpoint'), + 'api' => common_local_url('oembedproxy'), 'width' => common_config('attachments', 'thumbwidth'), 'height' => common_config('attachments', 'thumbheight'), )); @@ -73,10 +73,11 @@ class LinkPreviewPlugin extends Plugin */ function onAutoload($cls) { - switch ($cls) + $lower = strtolower($cls); + switch ($lower) { - case 'LinkpreviewAction': - require_once dirname(__FILE__) . '/linkpreviewaction.php'; + case 'oembedproxyaction': + require_once dirname(__FILE__) . '/' . $lower . '.php'; return false; default: return true; @@ -92,8 +93,8 @@ class LinkPreviewPlugin extends Plugin */ function onStartInitializeRouter($m) { - $m->connect('main/preview/link', - array('action' => 'linkpreview')); + $m->connect('main/oembed/proxy', + array('action' => 'oembedproxy')); return true; } diff --git a/plugins/LinkPreview/linkpreview.js b/plugins/LinkPreview/linkpreview.js index db99212292..8e411f908e 100644 --- a/plugins/LinkPreview/linkpreview.js +++ b/plugins/LinkPreview/linkpreview.js @@ -54,12 +54,11 @@ url: url, format: 'json', maxwidth: oEmbed.width, - maxheight: oEmbed.height, - callback: '?' + maxheight: oEmbed.height }; $.get(oEmbed.api, params, function(data, xhr) { callback(data); - }, 'jsonp'); + }, 'json'); } }; From acdb9ac1e5b63f24262449356f526ff8168db8d3 Mon Sep 17 00:00:00 2001 From: Brion Vibber Date: Tue, 16 Nov 2010 14:57:35 -0800 Subject: [PATCH 143/628] LinkPreview: restructure to make it easier to keep old link data --- plugins/LinkPreview/linkpreview.js | 146 +++++++++++++++-------------- 1 file changed, 75 insertions(+), 71 deletions(-) diff --git a/plugins/LinkPreview/linkpreview.js b/plugins/LinkPreview/linkpreview.js index 8e411f908e..37b0241a5d 100644 --- a/plugins/LinkPreview/linkpreview.js +++ b/plugins/LinkPreview/linkpreview.js @@ -62,82 +62,86 @@ } }; - /** - * Find URL links from the source text that may be interesting. - * - * @param {String} text - * @return {Array} list of URLs - */ - function findLinks(text) - { - // @fixme match this to core code - var re = /(?:^| )(https?:\/\/.+?\/.+?)(?= |$)/mg; - var links = []; - var matches; - while ((matches = re.exec(text)) !== null) { - links.push(matches[1]); - } - return links; - } + var LinkPreview = { + links: [], - /** - * Start looking up info for a link preview... - * May start async data loads. - * - * @param {String} id - * @param {String} url - */ - function prepLinkPreview(id, url) - { - oEmbed.lookup(url, function(data) { - var thumb = null; - var width = 100; - if (typeof data.thumbnail_url == "string") { - thumb = data.thumbnail_url; - if (typeof data.thumbnail_width !== "undefined") { - if (data.thumbnail_width < width) { - width = data.thumbnail_width; + /** + * Find URL links from the source text that may be interesting. + * + * @param {String} text + * @return {Array} list of URLs + */ + findLinks: function (text) + { + // @fixme match this to core code + var re = /(?:^| )(https?:\/\/.+?\/.+?)(?= |$)/mg; + var links = []; + var matches; + while ((matches = re.exec(text)) !== null) { + links.push(matches[1]); + } + return links; + }, + + /** + * Start looking up info for a link preview... + * May start async data loads. + * + * @param {String} id + * @param {String} url + */ + prepLinkPreview: function(id, url) + { + oEmbed.lookup(url, function(data) { + var thumb = null; + var width = 100; + if (typeof data.thumbnail_url == "string") { + thumb = data.thumbnail_url; + if (typeof data.thumbnail_width !== "undefined") { + if (data.thumbnail_width < width) { + width = data.thumbnail_width; + } + } + } else if (data.type == 'photo' && typeof data.url == "string") { + thumb = data.url; + if (typeof data.width !== "undefined") { + if (data.width < width) { + width = data.width; + } } } - } else if (data.type == 'photo' && typeof data.url == "string") { - thumb = data.url; - if (typeof data.width !== "undefined") { - if (data.width < width) { - width = data.width; - } + if (thumb) { + var link = $(''); + link.find('a') + .attr('href', url) + .attr('target', '_blank') + .last() + .find('img') + .attr('src', thumb) + .attr('width', width) + .attr('title', data.title || data.url || url); + $('#' + id).append(link); } - } - if (thumb) { - var link = $(''); - link.find('a') - .attr('href', url) - .attr('target', '_blank') - .last() - .find('img') - .attr('src', thumb) - .attr('width', width) - .attr('title', data.title || data.url || url); - $('#' + id).append(link); - } - }); - } + }); + }, - /** - * Update the live preview section with links found in the given text. - * May start async data loads. - * - * @param {String} text: free-form input text - */ - function previewLinks(text) - { - var links = findLinks(text); - $('#link-preview').html(''); - for (var i = 0; i < links.length; i++) { - var id = 'link-preview-' + i; - $('#link-preview').append(''); - prepLinkPreview(id, links[i]); + /** + * Update the live preview section with links found in the given text. + * May start async data loads. + * + * @param {String} text: free-form input text + */ + previewLinks: function(text) + { + var links = LinkPreview.findLinks(text); + $('#link-preview').html(''); + for (var i = 0; i < links.length; i++) { + var id = 'link-preview-' + i; + $('#link-preview').append(''); + LinkPreview.prepLinkPreview(id, links[i]); + } } - } + }; SN.Init.LinkPreview = function(params) { if (params.api) oEmbed.api = params.api; @@ -149,7 +153,7 @@ // Piggyback on the counter update... var origCounter = SN.U.Counter; SN.U.Counter = function(form) { - previewLinks($('#notice_data-text').val()); + LinkPreview.previewLinks($('#notice_data-text').val()); return origCounter(form); } } From f7fe3fa3868f4e7d84c7d0c8b04ccf6f0727f6bb Mon Sep 17 00:00:00 2001 From: Brion Vibber Date: Tue, 16 Nov 2010 15:20:37 -0800 Subject: [PATCH 144/628] Less redrawing of bits in the link thumbnail preview --- plugins/LinkPreview/linkpreview.js | 31 +++++++++++++++++++++++++----- 1 file changed, 26 insertions(+), 5 deletions(-) diff --git a/plugins/LinkPreview/linkpreview.js b/plugins/LinkPreview/linkpreview.js index 37b0241a5d..5dca3a8071 100644 --- a/plugins/LinkPreview/linkpreview.js +++ b/plugins/LinkPreview/linkpreview.js @@ -133,13 +133,34 @@ */ previewLinks: function(text) { + var old = LinkPreview.links; var links = LinkPreview.findLinks(text); - $('#link-preview').html(''); - for (var i = 0; i < links.length; i++) { - var id = 'link-preview-' + i; - $('#link-preview').append(''); - LinkPreview.prepLinkPreview(id, links[i]); + + // Check for existing common elements... + for (var i = 0; i < old.length && i < links.length; i++) { + if (links[i] != old[i]) { + // Change an existing entry! + var id = 'link-preview-' + i; + $('#' + id).html(''); + LinkPreview.prepLinkPreview(id, links[i]); + } } + if (links.length > old.length) { + // Adding new entries, whee! + for (var i = old.length; i < links.length; i++) { + var id = 'link-preview-' + i; + $('#link-preview').append(''); + LinkPreview.prepLinkPreview(id, links[i]); + } + } else if (old.length > links.length) { + // Remove preview entries for links that have been removed. + for (var i = links.length; i < old.length; i++) { + var id = 'link-preview-' + i; + $('#' + id).remove(); + } + } + + LinkPreview.links = links; } }; From 9cdb9cc18d7aea9eaf13443413ba051e78e1f89e Mon Sep 17 00:00:00 2001 From: Brion Vibber Date: Tue, 16 Nov 2010 15:31:03 -0800 Subject: [PATCH 145/628] LinkPreview: clear preview thumbnails & data on form submission/reset --- plugins/LinkPreview/linkpreview.js | 14 +++++++++++++- 1 file changed, 13 insertions(+), 1 deletion(-) diff --git a/plugins/LinkPreview/linkpreview.js b/plugins/LinkPreview/linkpreview.js index 5dca3a8071..641adb7290 100644 --- a/plugins/LinkPreview/linkpreview.js +++ b/plugins/LinkPreview/linkpreview.js @@ -161,6 +161,14 @@ } LinkPreview.links = links; + }, + + /** + * Clear out any link preview data. + */ + clear: function() { + LinkPreview.links = []; + $('#link-preview').empty(); } }; @@ -169,7 +177,11 @@ if (params.width) oEmbed.width = params.width; if (params.height) oEmbed.height = params.height; - $('#form_notice').append(''); + $('#form_notice') + .append('') + .bind('reset', function() { + LinkPreview.clear(); + }); // Piggyback on the counter update... var origCounter = SN.U.Counter; From d1fb52264bc41a54061614772580377f200e90ee Mon Sep 17 00:00:00 2001 From: Brion Vibber Date: Tue, 16 Nov 2010 15:36:53 -0800 Subject: [PATCH 146/628] Use session token protection on oEmbed proxy action for LinkPreview... and commit the file *sigh* --- plugins/LinkPreview/linkpreview.js | 3 +- plugins/LinkPreview/oembedproxyaction.php | 84 +++++++++++++++++++++++ 2 files changed, 86 insertions(+), 1 deletion(-) create mode 100644 plugins/LinkPreview/oembedproxyaction.php diff --git a/plugins/LinkPreview/linkpreview.js b/plugins/LinkPreview/linkpreview.js index 641adb7290..0c0eb734ec 100644 --- a/plugins/LinkPreview/linkpreview.js +++ b/plugins/LinkPreview/linkpreview.js @@ -54,7 +54,8 @@ url: url, format: 'json', maxwidth: oEmbed.width, - maxheight: oEmbed.height + maxheight: oEmbed.height, + token: $('#token').val() }; $.get(oEmbed.api, params, function(data, xhr) { callback(data); diff --git a/plugins/LinkPreview/oembedproxyaction.php b/plugins/LinkPreview/oembedproxyaction.php new file mode 100644 index 0000000000..470f780731 --- /dev/null +++ b/plugins/LinkPreview/oembedproxyaction.php @@ -0,0 +1,84 @@ +. + * + * @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); +} + +/** + * Oembed proxy implementation + * + * This class provides an interface for our JS-side code to pull info on + * links from other sites, using either native oEmbed, our own custom + * handlers, or the oohEmbed.com offsite proxy service as configured. + * + * @category oEmbed + * @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 OembedproxyAction extends OembedAction +{ + + function handle($args) + { + // We're not a general oEmbed proxy service; limit to valid sessions. + $token = $this->trimmed('token'); + if (!$token || $token != common_session_token()) { + $this->clientError(_('There was a problem with your session token. '. + 'Try again, please.')); + } + + $format = $this->arg('format'); + if ($format && $format != 'json') { + throw new ClientException('Invalid format; only JSON supported.'); + } + + $url = $this->arg('url'); + if (!common_valid_http_url($url)) { + throw new ClientException('Invalid URL.'); + } + + $params = array(); + if ($this->arg('maxwidth')) { + $params['maxwidth'] = $this->arg('maxwidth'); + } + if ($this->arg('maxheight')) { + $params['maxheight'] = $this->arg('maxheight'); + } + + $data = oEmbedHelper::getObject($url, $params); + + $this->init_document('json'); + print json_encode($data); + } + +} From a81bc5c0fd3c6b1542554270bbaff81d4e70cd67 Mon Sep 17 00:00:00 2001 From: Evan Prodromou Date: Wed, 17 Nov 2010 12:14:50 -0500 Subject: [PATCH 147/628] upgrade to JQuery 1.4.4 --- js/jquery.js | 3204 ++++++++++++++++++++++++++++++---------------- js/jquery.min.js | 292 +++-- 2 files changed, 2223 insertions(+), 1273 deletions(-) diff --git a/js/jquery.js b/js/jquery.js index b3b95307a1..a4f114586c 100644 --- a/js/jquery.js +++ b/js/jquery.js @@ -1,5 +1,5 @@ /*! - * jQuery JavaScript Library v1.4.2 + * jQuery JavaScript Library v1.4.4 * http://jquery.com/ * * Copyright 2010, John Resig @@ -11,10 +11,14 @@ * Copyright 2010, The Dojo Foundation * Released under the MIT, BSD, and GPL Licenses. * - * Date: Sat Feb 13 22:33:48 2010 -0500 + * Date: Thu Nov 11 19:04:53 2010 -0500 */ (function( window, undefined ) { +// Use the correct document accordingly with window argument (sandbox) +var document = window.document; +var jQuery = (function() { + // Define a local copy of jQuery var jQuery = function( selector, context ) { // The jQuery object is actually just the init constructor 'enhanced' @@ -27,28 +31,45 @@ var jQuery = function( selector, context ) { // Map over the $ in case of overwrite _$ = window.$, - // Use the correct document accordingly with window argument (sandbox) - document = window.document, - // A central reference to the root jQuery(document) rootjQuery, // A simple way to check for HTML strings or ID strings // (both of which we optimize for) - quickExpr = /^[^<]*(<[\w\W]+>)[^>]*$|^#([\w-]+)$/, + quickExpr = /^(?:[^<]*(<[\w\W]+>)[^>]*$|#([\w\-]+)$)/, // Is it a simple selector isSimple = /^.[^:#\[\.,]*$/, // Check if a string has a non-whitespace character in it rnotwhite = /\S/, + rwhite = /\s/, // Used for trimming whitespace - rtrim = /^(\s|\u00A0)+|(\s|\u00A0)+$/g, + trimLeft = /^\s+/, + trimRight = /\s+$/, + + // Check for non-word characters + rnonword = /\W/, + + // Check for digits + rdigit = /\d/, // Match a standalone tag rsingleTag = /^<(\w+)\s*\/?>(?:<\/\1>)?$/, + // JSON RegExp + rvalidchars = /^[\],:{}\s]*$/, + rvalidescape = /\\(?:["\\\/bfnrt]|u[0-9a-fA-F]{4})/g, + rvalidtokens = /"[^"\\\n\r]*"|true|false|null|-?\d+(?:\.\d*)?(?:[eE][+\-]?\d+)?/g, + rvalidbraces = /(?:^|:|,)(?:\s*\[)+/g, + + // Useragent RegExp + rwebkit = /(webkit)[ \/]([\w.]+)/, + ropera = /(opera)(?:.*version)?[ \/]([\w.]+)/, + rmsie = /(msie) ([\w.]+)/, + rmozilla = /(mozilla)(?:.*? rv:([\w.]+))?/, + // Keep a UserAgent string for use with jQuery.browser userAgent = navigator.userAgent, @@ -66,10 +87,14 @@ var jQuery = function( selector, context ) { // Save a reference to some core methods toString = Object.prototype.toString, - hasOwnProperty = Object.prototype.hasOwnProperty, + hasOwn = Object.prototype.hasOwnProperty, push = Array.prototype.push, slice = Array.prototype.slice, - indexOf = Array.prototype.indexOf; + trim = String.prototype.trim, + indexOf = Array.prototype.indexOf, + + // [[Class]] -> type pairs + class2type = {}; jQuery.fn = jQuery.prototype = { init: function( selector, context ) { @@ -88,7 +113,7 @@ jQuery.fn = jQuery.prototype = { } // The body element only exists once, optimize finding it - if ( selector === "body" && !context ) { + if ( selector === "body" && !context && document.body ) { this.context = document; this[0] = document.body; this.selector = "body"; @@ -122,7 +147,7 @@ jQuery.fn = jQuery.prototype = { } } else { - ret = buildFragment( [ match[1] ], [ doc ] ); + ret = jQuery.buildFragment( [ match[1] ], [ doc ] ); selector = (ret.cacheable ? ret.fragment.cloneNode(true) : ret.fragment).childNodes; } @@ -132,7 +157,9 @@ jQuery.fn = jQuery.prototype = { } else { elem = document.getElementById( match[2] ); - if ( elem ) { + // Check parentNode to catch when Blackberry 4.6 returns + // nodes that are no longer in the document #6963 + if ( elem && elem.parentNode ) { // Handle the case where IE and Opera return items // by name instead of ID if ( elem.id !== match[2] ) { @@ -150,7 +177,7 @@ jQuery.fn = jQuery.prototype = { } // HANDLE: $("TAG") - } else if ( !context && /^\w+$/.test( selector ) ) { + } else if ( !context && !rnonword.test( selector ) ) { this.selector = selector; this.context = document; selector = document.getElementsByTagName( selector ); @@ -184,7 +211,7 @@ jQuery.fn = jQuery.prototype = { selector: "", // The current version of jQuery being used - jquery: "1.4.2", + jquery: "1.4.4", // The default length of a jQuery object is 0 length: 0, @@ -303,8 +330,11 @@ jQuery.fn = jQuery.prototype = { jQuery.fn.init.prototype = jQuery.fn; jQuery.extend = jQuery.fn.extend = function() { - // copy reference to target object - var target = arguments[0] || {}, i = 1, length = arguments.length, deep = false, options, name, src, copy; + var options, name, src, copy, copyIsArray, clone, + target = arguments[0] || {}, + i = 1, + length = arguments.length, + deep = false; // Handle a deep copy situation if ( typeof target === "boolean" ) { @@ -338,10 +368,15 @@ jQuery.extend = jQuery.fn.extend = function() { continue; } - // Recurse if we're merging object literal values or arrays - if ( deep && copy && ( jQuery.isPlainObject(copy) || jQuery.isArray(copy) ) ) { - var clone = src && ( jQuery.isPlainObject(src) || jQuery.isArray(src) ) ? src - : jQuery.isArray(copy) ? [] : {}; + // Recurse if we're merging plain objects or arrays + if ( deep && copy && ( jQuery.isPlainObject(copy) || (copyIsArray = jQuery.isArray(copy)) ) ) { + if ( copyIsArray ) { + copyIsArray = false; + clone = src && jQuery.isArray(src) ? src : []; + + } else { + clone = src && jQuery.isPlainObject(src) ? src : {}; + } // Never move original objects, clone them target[ name ] = jQuery.extend( deep, clone, copy ); @@ -371,34 +406,51 @@ jQuery.extend({ // Is the DOM ready to be used? Set to true once it occurs. isReady: false, + + // A counter to track how many items to wait for before + // the ready event fires. See #6781 + readyWait: 1, // Handle when the DOM is ready - ready: function() { + ready: function( wait ) { + // A third-party is pushing the ready event forwards + if ( wait === true ) { + jQuery.readyWait--; + } + // Make sure that the DOM is not already loaded - if ( !jQuery.isReady ) { + if ( !jQuery.readyWait || (wait !== true && !jQuery.isReady) ) { // Make sure body exists, at least, in case IE gets a little overzealous (ticket #5443). if ( !document.body ) { - return setTimeout( jQuery.ready, 13 ); + return setTimeout( jQuery.ready, 1 ); } // Remember that the DOM is ready jQuery.isReady = true; + // If a normal DOM Ready event fired, decrement, and wait if need be + if ( wait !== true && --jQuery.readyWait > 0 ) { + return; + } + // If there are functions bound, to execute if ( readyList ) { // Execute all of them - var fn, i = 0; - while ( (fn = readyList[ i++ ]) ) { - fn.call( document, jQuery ); - } + var fn, + i = 0, + ready = readyList; // Reset the list of functions readyList = null; - } - // Trigger any bound ready events - if ( jQuery.fn.triggerHandler ) { - jQuery( document ).triggerHandler( "ready" ); + while ( (fn = ready[ i++ ]) ) { + fn.call( document, jQuery ); + } + + // Trigger any bound ready events + if ( jQuery.fn.trigger ) { + jQuery( document ).trigger( "ready" ).unbind( "ready" ); + } } } }, @@ -413,7 +465,8 @@ jQuery.extend({ // Catch cases where $(document).ready() is called after the // browser event has already occurred. if ( document.readyState === "complete" ) { - return jQuery.ready(); + // Handle it asynchronously to allow scripts the opportunity to delay ready + return setTimeout( jQuery.ready, 1 ); } // Mozilla, Opera and webkit nightlies currently support this event @@ -451,25 +504,40 @@ jQuery.extend({ // Since version 1.3, DOM methods and functions like alert // aren't supported. They return false on IE (#2968). isFunction: function( obj ) { - return toString.call(obj) === "[object Function]"; + return jQuery.type(obj) === "function"; }, - isArray: function( obj ) { - return toString.call(obj) === "[object Array]"; + isArray: Array.isArray || function( obj ) { + return jQuery.type(obj) === "array"; + }, + + // A crude way of determining if an object is a window + isWindow: function( obj ) { + return obj && typeof obj === "object" && "setInterval" in obj; + }, + + isNaN: function( obj ) { + return obj == null || !rdigit.test( obj ) || isNaN( obj ); + }, + + type: function( obj ) { + return obj == null ? + String( obj ) : + class2type[ toString.call(obj) ] || "object"; }, isPlainObject: function( obj ) { // Must be an Object. // Because of IE, we also have to check the presence of the constructor property. // Make sure that DOM nodes and window objects don't pass through, as well - if ( !obj || toString.call(obj) !== "[object Object]" || obj.nodeType || obj.setInterval ) { + if ( !obj || jQuery.type(obj) !== "object" || obj.nodeType || jQuery.isWindow( obj ) ) { return false; } // Not own constructor property must be Object - if ( obj.constructor - && !hasOwnProperty.call(obj, "constructor") - && !hasOwnProperty.call(obj.constructor.prototype, "isPrototypeOf") ) { + if ( obj.constructor && + !hasOwn.call(obj, "constructor") && + !hasOwn.call(obj.constructor.prototype, "isPrototypeOf") ) { return false; } @@ -479,7 +547,7 @@ jQuery.extend({ var key; for ( key in obj ) {} - return key === undefined || hasOwnProperty.call( obj, key ); + return key === undefined || hasOwn.call( obj, key ); }, isEmptyObject: function( obj ) { @@ -503,9 +571,9 @@ jQuery.extend({ // Make sure the incoming data is actual JSON // Logic borrowed from http://json.org/json2.js - if ( /^[\],:{}\s]*$/.test(data.replace(/\\(?:["\\\/bfnrt]|u[0-9a-fA-F]{4})/g, "@") - .replace(/"[^"\\\n\r]*"|true|false|null|-?\d+(?:\.\d*)?(?:[eE][+\-]?\d+)?/g, "]") - .replace(/(?:^|:|,)(?:\s*\[)+/g, "")) ) { + if ( rvalidchars.test(data.replace(rvalidescape, "@") + .replace(rvalidtokens, "]") + .replace(rvalidbraces, "")) ) { // Try to use the native JSON parser first return window.JSON && window.JSON.parse ? @@ -584,9 +652,20 @@ jQuery.extend({ return object; }, - trim: function( text ) { - return (text || "").replace( rtrim, "" ); - }, + // Use native String.trim function wherever possible + trim: trim ? + function( text ) { + return text == null ? + "" : + trim.call( text ); + } : + + // Otherwise use our own trimming functionality + function( text ) { + return text == null ? + "" : + text.toString().replace( trimLeft, "" ).replace( trimRight, "" ); + }, // results is for internal usage only makeArray: function( array, results ) { @@ -596,7 +675,10 @@ jQuery.extend({ // The window, strings (and functions) also have 'length' // The extra typeof function check is to prevent crashes // in Safari 2 (See: #3039) - if ( array.length == null || typeof array === "string" || jQuery.isFunction(array) || (typeof array !== "function" && array.setInterval) ) { + // Tweaked logic slightly to handle Blackberry 4.7 RegExp issues #6930 + var type = jQuery.type(array); + + if ( array.length == null || type === "string" || type === "function" || type === "regexp" || jQuery.isWindow( array ) ) { push.call( ret, array ); } else { jQuery.merge( ret, array ); @@ -621,7 +703,8 @@ jQuery.extend({ }, merge: function( first, second ) { - var i = first.length, j = 0; + var i = first.length, + j = 0; if ( typeof second.length === "number" ) { for ( var l = second.length; j < l; j++ ) { @@ -640,12 +723,14 @@ jQuery.extend({ }, grep: function( elems, callback, inv ) { - var ret = []; + var ret = [], retVal; + inv = !!inv; // Go through the array, only saving the items // that pass the validator function for ( var i = 0, length = elems.length; i < length; i++ ) { - if ( !inv !== !callback( elems[ i ], i ) ) { + retVal = !!callback( elems[ i ], i ); + if ( inv !== retVal ) { ret.push( elems[ i ] ); } } @@ -701,16 +786,49 @@ jQuery.extend({ return proxy; }, + // Mutifunctional method to get and set values to a collection + // The value/s can be optionally by executed if its a function + access: function( elems, key, value, exec, fn, pass ) { + var length = elems.length; + + // Setting many attributes + if ( typeof key === "object" ) { + for ( var k in key ) { + jQuery.access( elems, k, key[k], exec, fn, value ); + } + return elems; + } + + // Setting one attribute + if ( value !== undefined ) { + // Optionally, function values get executed if exec is true + exec = !pass && exec && jQuery.isFunction(value); + + for ( var i = 0; i < length; i++ ) { + fn( elems[i], key, exec ? value.call( elems[i], i, fn( elems[i], key ) ) : value, pass ); + } + + return elems; + } + + // Getting an attribute + return length ? fn( elems[0], key ) : undefined; + }, + + now: function() { + return (new Date()).getTime(); + }, + // Use of jQuery.browser is frowned upon. // More details: http://docs.jquery.com/Utilities/jQuery.browser uaMatch: function( ua ) { ua = ua.toLowerCase(); - var match = /(webkit)[ \/]([\w.]+)/.exec( ua ) || - /(opera)(?:.*version)?[ \/]([\w.]+)/.exec( ua ) || - /(msie) ([\w.]+)/.exec( ua ) || - !/compatible/.test( ua ) && /(mozilla)(?:.*? rv:([\w.]+))?/.exec( ua ) || - []; + var match = rwebkit.exec( ua ) || + ropera.exec( ua ) || + rmsie.exec( ua ) || + ua.indexOf("compatible") < 0 && rmozilla.exec( ua ) || + []; return { browser: match[1] || "", version: match[2] || "0" }; }, @@ -718,6 +836,11 @@ jQuery.extend({ browser: {} }); +// Populate the class2type map +jQuery.each("Boolean Number String Function Array Date RegExp Object".split(" "), function(i, name) { + class2type[ "[object " + name + "]" ] = name.toLowerCase(); +}); + browserMatch = jQuery.uaMatch( userAgent ); if ( browserMatch.browser ) { jQuery.browser[ browserMatch.browser ] = true; @@ -735,6 +858,13 @@ if ( indexOf ) { }; } +// Verify that \s matches non-breaking spaces +// (IE fails on this test) +if ( !rwhite.test( "\xA0" ) ) { + trimLeft = /^[\s\xA0]+/; + trimRight = /[\s\xA0]+$/; +} + // All jQuery objects should point back to these rootjQuery = jQuery(document); @@ -765,7 +895,7 @@ function doScrollCheck() { // If IE is used, use the trick by Diego Perini // http://javascript.nwbox.com/IEContentLoaded/ document.documentElement.doScroll("left"); - } catch( error ) { + } catch(e) { setTimeout( doScrollCheck, 1 ); return; } @@ -774,54 +904,12 @@ function doScrollCheck() { jQuery.ready(); } -function evalScript( i, elem ) { - if ( elem.src ) { - jQuery.ajax({ - url: elem.src, - async: false, - dataType: "script" - }); - } else { - jQuery.globalEval( elem.text || elem.textContent || elem.innerHTML || "" ); - } +// Expose jQuery to the global object +return (window.jQuery = window.$ = jQuery); - if ( elem.parentNode ) { - elem.parentNode.removeChild( elem ); - } -} +})(); -// Mutifunctional method to get and set values to a collection -// The value/s can be optionally by executed if its a function -function access( elems, key, value, exec, fn, pass ) { - var length = elems.length; - - // Setting many attributes - if ( typeof key === "object" ) { - for ( var k in key ) { - access( elems, k, key[k], exec, fn, value ); - } - return elems; - } - - // Setting one attribute - if ( value !== undefined ) { - // Optionally, function values get executed if exec is true - exec = !pass && exec && jQuery.isFunction(value); - - for ( var i = 0; i < length; i++ ) { - fn( elems[i], key, exec ? value.call( elems[i], i, fn( elems[i], key ) ) : value, pass ); - } - - return elems; - } - - // Getting an attribute - return length ? fn( elems[0], key ) : undefined; -} -function now() { - return (new Date).getTime(); -} (function() { jQuery.support = {}; @@ -829,13 +917,15 @@ function now() { var root = document.documentElement, script = document.createElement("script"), div = document.createElement("div"), - id = "script" + now(); + id = "script" + jQuery.now(); div.style.display = "none"; div.innerHTML = "
    a"; var all = div.getElementsByTagName("*"), - a = div.getElementsByTagName("a")[0]; + a = div.getElementsByTagName("a")[0], + select = document.createElement("select"), + opt = select.appendChild( document.createElement("option") ); // Can't get basic test support if ( !all || !all.length || !a ) { @@ -878,18 +968,25 @@ function now() { // Make sure that a selected-by-default option has a working selected property. // (WebKit defaults to false instead of true, IE too, if it's in an optgroup) - optSelected: document.createElement("select").appendChild( document.createElement("option") ).selected, - - parentNode: div.removeChild( div.appendChild( document.createElement("div") ) ).parentNode === null, + optSelected: opt.selected, // Will be defined later deleteExpando: true, + optDisabled: false, checkClone: false, scriptEval: false, noCloneEvent: true, - boxModel: null + boxModel: null, + inlineBlockNeedsLayout: false, + shrinkWrapBlocks: false, + reliableHiddenOffsets: true }; + // Make sure that the options inside disabled selects aren't marked as disabled + // (WebKit marks them as diabled) + select.disabled = true; + jQuery.support.optDisabled = !opt.disabled; + script.type = "text/javascript"; try { script.appendChild( document.createTextNode( "window." + id + "=1;" ) ); @@ -909,7 +1006,7 @@ function now() { // Fails in Internet Explorer try { delete script.test; - + } catch(e) { jQuery.support.deleteExpando = false; } @@ -943,27 +1040,63 @@ function now() { document.body.appendChild( div ); jQuery.boxModel = jQuery.support.boxModel = div.offsetWidth === 2; - document.body.removeChild( div ).style.display = 'none'; - div = null; + if ( "zoom" in div.style ) { + // Check if natively block-level elements act like inline-block + // elements when setting their display to 'inline' and giving + // them layout + // (IE < 8 does this) + div.style.display = "inline"; + div.style.zoom = 1; + jQuery.support.inlineBlockNeedsLayout = div.offsetWidth === 2; + + // Check if elements with layout shrink-wrap their children + // (IE 6 does this) + div.style.display = ""; + div.innerHTML = "
    "; + jQuery.support.shrinkWrapBlocks = div.offsetWidth !== 2; + } + + div.innerHTML = "
    t
    "; + var tds = div.getElementsByTagName("td"); + + // Check if table cells still have offsetWidth/Height when they are set + // to display:none and there are still other visible table cells in a + // table row; if so, offsetWidth/Height are not reliable for use when + // determining if an element has been hidden directly using + // display:none (it is still safe to use offsets if a parent element is + // hidden; don safety goggles and see bug #4512 for more information). + // (only IE 8 fails this test) + jQuery.support.reliableHiddenOffsets = tds[0].offsetHeight === 0; + + tds[0].style.display = ""; + tds[1].style.display = "none"; + + // Check if empty table cells still have offsetWidth/Height + // (IE < 8 fail this test) + jQuery.support.reliableHiddenOffsets = jQuery.support.reliableHiddenOffsets && tds[0].offsetHeight === 0; + div.innerHTML = ""; + + document.body.removeChild( div ).style.display = "none"; + div = tds = null; }); // Technique from Juriy Zaytsev // http://thinkweb2.com/projects/prototype/detecting-event-support-without-browser-sniffing/ - var eventSupported = function( eventName ) { - var el = document.createElement("div"); - eventName = "on" + eventName; + var eventSupported = function( eventName ) { + var el = document.createElement("div"); + eventName = "on" + eventName; - var isSupported = (eventName in el); - if ( !isSupported ) { - el.setAttribute(eventName, "return;"); - isSupported = typeof el[eventName] === "function"; - } - el = null; + var isSupported = (eventName in el); + if ( !isSupported ) { + el.setAttribute(eventName, "return;"); + isSupported = typeof el[eventName] === "function"; + } + el = null; - return isSupported; + return isSupported; }; - + jQuery.support.submitBubbles = eventSupported("submit"); jQuery.support.changeBubbles = eventSupported("change"); @@ -971,35 +1104,31 @@ function now() { root = script = div = all = a = null; })(); -jQuery.props = { - "for": "htmlFor", - "class": "className", - readonly: "readOnly", - maxlength: "maxLength", - cellspacing: "cellSpacing", - rowspan: "rowSpan", - colspan: "colSpan", - tabindex: "tabIndex", - usemap: "useMap", - frameborder: "frameBorder" -}; -var expando = "jQuery" + now(), uuid = 0, windowData = {}; + + +var windowData = {}, + rbrace = /^(?:\{.*\}|\[.*\])$/; jQuery.extend({ cache: {}, - - expando:expando, + + // Please use with caution + uuid: 0, + + // Unique for each copy of jQuery on the page + expando: "jQuery" + jQuery.now(), // The following elements throw uncatchable exceptions if you // attempt to add expando properties to them. noData: { "embed": true, - "object": true, + // Ban all objects except for Flash (which handle expandos) + "object": "clsid:D27CDB6E-AE6D-11cf-96B8-444553540000", "applet": true }, data: function( elem, name, data ) { - if ( elem.nodeName && jQuery.noData[elem.nodeName.toLowerCase()] ) { + if ( !jQuery.acceptData( elem ) ) { return; } @@ -1007,29 +1136,38 @@ jQuery.extend({ windowData : elem; - var id = elem[ expando ], cache = jQuery.cache, thisCache; + var isNode = elem.nodeType, + id = isNode ? elem[ jQuery.expando ] : null, + cache = jQuery.cache, thisCache; - if ( !id && typeof name === "string" && data === undefined ) { - return null; + if ( isNode && !id && typeof name === "string" && data === undefined ) { + return; } + // Get the data from the object directly + if ( !isNode ) { + cache = elem; + // Compute a unique ID for the element - if ( !id ) { - id = ++uuid; + } else if ( !id ) { + elem[ jQuery.expando ] = id = ++jQuery.uuid; } // Avoid generating a new cache unless none exists and we // want to manipulate it. if ( typeof name === "object" ) { - elem[ expando ] = id; - thisCache = cache[ id ] = jQuery.extend(true, {}, name); + if ( isNode ) { + cache[ id ] = jQuery.extend(cache[ id ], name); - } else if ( !cache[ id ] ) { - elem[ expando ] = id; + } else { + jQuery.extend( cache, name ); + } + + } else if ( isNode && !cache[ id ] ) { cache[ id ] = {}; } - thisCache = cache[ id ]; + thisCache = isNode ? cache[ id ] : cache; // Prevent overriding the named cache with undefined values if ( data !== undefined ) { @@ -1040,7 +1178,7 @@ jQuery.extend({ }, removeData: function( elem, name ) { - if ( elem.nodeName && jQuery.noData[elem.nodeName.toLowerCase()] ) { + if ( !jQuery.acceptData( elem ) ) { return; } @@ -1048,7 +1186,10 @@ jQuery.extend({ windowData : elem; - var id = elem[ expando ], cache = jQuery.cache, thisCache = cache[ id ]; + var isNode = elem.nodeType, + id = isNode ? elem[ jQuery.expando ] : elem, + cache = jQuery.cache, + thisCache = isNode ? cache[ id ] : id; // If we want to remove a specific section of the element's data if ( name ) { @@ -1057,30 +1198,66 @@ jQuery.extend({ delete thisCache[ name ]; // If we've removed all the data, remove the element's cache - if ( jQuery.isEmptyObject(thisCache) ) { + if ( isNode && jQuery.isEmptyObject(thisCache) ) { jQuery.removeData( elem ); } } // Otherwise, we want to remove all of the element's data } else { - if ( jQuery.support.deleteExpando ) { + if ( isNode && jQuery.support.deleteExpando ) { delete elem[ jQuery.expando ]; } else if ( elem.removeAttribute ) { elem.removeAttribute( jQuery.expando ); - } // Completely remove the data cache - delete cache[ id ]; + } else if ( isNode ) { + delete cache[ id ]; + + // Remove all fields from the object + } else { + for ( var n in elem ) { + delete elem[ n ]; + } + } } + }, + + // A method for determining if a DOM node can handle the data expando + acceptData: function( elem ) { + if ( elem.nodeName ) { + var match = jQuery.noData[ elem.nodeName.toLowerCase() ]; + + if ( match ) { + return !(match === true || elem.getAttribute("classid") !== match); + } + } + + return true; } }); jQuery.fn.extend({ data: function( key, value ) { - if ( typeof key === "undefined" && this.length ) { - return jQuery.data( this[0] ); + var data = null; + + if ( typeof key === "undefined" ) { + if ( this.length ) { + var attr = this[0].attributes, name; + data = jQuery.data( this[0] ); + + for ( var i = 0, l = attr.length; i < l; i++ ) { + name = attr[i].name; + + if ( name.indexOf( "data-" ) === 0 ) { + name = name.substr( 5 ); + dataAttr( this[0], name, data[ name ] ); + } + } + } + + return data; } else if ( typeof key === "object" ) { return this.each(function() { @@ -1092,17 +1269,26 @@ jQuery.fn.extend({ parts[1] = parts[1] ? "." + parts[1] : ""; if ( value === undefined ) { - var data = this.triggerHandler("getData" + parts[1] + "!", [parts[0]]); + data = this.triggerHandler("getData" + parts[1] + "!", [parts[0]]); + // Try to fetch any internally stored data first if ( data === undefined && this.length ) { data = jQuery.data( this[0], key ); + data = dataAttr( this[0], key, data ); } + return data === undefined && parts[1] ? this.data( parts[0] ) : data; + } else { - return this.trigger("setData" + parts[1] + "!", [parts[0], value]).each(function() { + return this.each(function() { + var $this = jQuery( this ), + args = [ parts[0], value ]; + + $this.triggerHandler( "setData" + parts[1] + "!", args ); jQuery.data( this, key, value ); + $this.triggerHandler( "changeData" + parts[1] + "!", args ); }); } }, @@ -1113,6 +1299,37 @@ jQuery.fn.extend({ }); } }); + +function dataAttr( elem, key, data ) { + // If nothing was found internally, try to fetch any + // data from the HTML5 data-* attribute + if ( data === undefined && elem.nodeType === 1 ) { + data = elem.getAttribute( "data-" + key ); + + if ( typeof data === "string" ) { + try { + data = data === "true" ? true : + data === "false" ? false : + data === "null" ? null : + !jQuery.isNaN( data ) ? parseFloat( data ) : + rbrace.test( data ) ? jQuery.parseJSON( data ) : + data; + } catch( e ) {} + + // Make sure we set the data so it isn't changed later + jQuery.data( elem, key, data ); + + } else { + data = undefined; + } + } + + return data; +} + + + + jQuery.extend({ queue: function( elem, type, data ) { if ( !elem ) { @@ -1140,7 +1357,8 @@ jQuery.extend({ dequeue: function( elem, type ) { type = type || "fx"; - var queue = jQuery.queue( elem, type ), fn = queue.shift(); + var queue = jQuery.queue( elem, type ), + fn = queue.shift(); // If the fx queue is dequeued, always remove the progress sentinel if ( fn === "inprogress" ) { @@ -1171,7 +1389,7 @@ jQuery.fn.extend({ if ( data === undefined ) { return jQuery.queue( this[0], type ); } - return this.each(function( i, elem ) { + return this.each(function( i ) { var queue = jQuery.queue( this, type, data ); if ( type === "fx" && queue[0] !== "inprogress" ) { @@ -1203,18 +1421,35 @@ jQuery.fn.extend({ return this.queue( type || "fx", [] ); } }); + + + + var rclass = /[\n\t]/g, - rspace = /\s+/, + rspaces = /\s+/, rreturn = /\r/g, - rspecialurl = /href|src|style/, - rtype = /(button|input)/i, - rfocusable = /(button|input|object|select|textarea)/i, - rclickable = /^(a|area)$/i, - rradiocheck = /radio|checkbox/; + rspecialurl = /^(?:href|src|style)$/, + rtype = /^(?:button|input)$/i, + rfocusable = /^(?:button|input|object|select|textarea)$/i, + rclickable = /^a(?:rea)?$/i, + rradiocheck = /^(?:radio|checkbox)$/i; + +jQuery.props = { + "for": "htmlFor", + "class": "className", + readonly: "readOnly", + maxlength: "maxLength", + cellspacing: "cellSpacing", + rowspan: "rowSpan", + colspan: "colSpan", + tabindex: "tabIndex", + usemap: "useMap", + frameborder: "frameBorder" +}; jQuery.fn.extend({ attr: function( name, value ) { - return access( this, name, value, true, jQuery.attr ); + return jQuery.access( this, name, value, true, jQuery.attr ); }, removeAttr: function( name, fn ) { @@ -1235,7 +1470,7 @@ jQuery.fn.extend({ } if ( value && typeof value === "string" ) { - var classNames = (value || "").split( rspace ); + var classNames = (value || "").split( rspaces ); for ( var i = 0, l = this.length; i < l; i++ ) { var elem = this[i]; @@ -1245,7 +1480,9 @@ jQuery.fn.extend({ elem.className = value; } else { - var className = " " + elem.className + " ", setClass = elem.className; + var className = " " + elem.className + " ", + setClass = elem.className; + for ( var c = 0, cl = classNames.length; c < cl; c++ ) { if ( className.indexOf( " " + classNames[c] + " " ) < 0 ) { setClass += " " + classNames[c]; @@ -1269,7 +1506,7 @@ jQuery.fn.extend({ } if ( (value && typeof value === "string") || value === undefined ) { - var classNames = (value || "").split(rspace); + var classNames = (value || "").split( rspaces ); for ( var i = 0, l = this.length; i < l; i++ ) { var elem = this[i]; @@ -1293,7 +1530,8 @@ jQuery.fn.extend({ }, toggleClass: function( value, stateVal ) { - var type = typeof value, isBool = typeof stateVal === "boolean"; + var type = typeof value, + isBool = typeof stateVal === "boolean"; if ( jQuery.isFunction( value ) ) { return this.each(function(i) { @@ -1305,9 +1543,11 @@ jQuery.fn.extend({ return this.each(function() { if ( type === "string" ) { // toggle individual class names - var className, i = 0, self = jQuery(this), + var className, + i = 0, + self = jQuery( this ), state = stateVal, - classNames = value.split( rspace ); + classNames = value.split( rspaces ); while ( (className = classNames[ i++ ]) ) { // check each className given, space seperated list @@ -1339,12 +1579,15 @@ jQuery.fn.extend({ }, val: function( value ) { - if ( value === undefined ) { + if ( !arguments.length ) { var elem = this[0]; if ( elem ) { if ( jQuery.nodeName( elem, "option" ) ) { - return (elem.attributes.value || {}).specified ? elem.value : elem.text; + // attributes.value is undefined in Blackberry 4.7 but + // uses .value. See #6932 + var val = elem.attributes.value; + return !val || val.specified ? elem.value : elem.text; } // We need to handle select boxes special @@ -1363,8 +1606,11 @@ jQuery.fn.extend({ for ( var i = one ? index : 0, max = one ? index + 1 : options.length; i < max; i++ ) { var option = options[ i ]; - if ( option.selected ) { - // Get the specifc value for the option + // Don't return options that are disabled or in a disabled optgroup + if ( option.selected && (jQuery.support.optDisabled ? !option.disabled : option.getAttribute("disabled") === null) && + (!option.parentNode.disabled || !jQuery.nodeName( option.parentNode, "optgroup" )) ) { + + // Get the specific value for the option value = jQuery(option).val(); // We don't need an array for one selects @@ -1407,10 +1653,15 @@ jQuery.fn.extend({ val = value.call(this, i, self.val()); } - // Typecast each time if the value is a Function and the appended - // value is therefore different each time. - if ( typeof val === "number" ) { + // Treat null/undefined as ""; convert numbers to string + if ( val == null ) { + val = ""; + } else if ( typeof val === "number" ) { val += ""; + } else if ( jQuery.isArray(val) ) { + val = jQuery.map(val, function (value) { + return value == null ? "" : value + ""; + }); } if ( jQuery.isArray(val) && rradiocheck.test( this.type ) ) { @@ -1463,89 +1714,103 @@ jQuery.extend({ // Try to normalize/fix the name name = notxml && jQuery.props[ name ] || name; - // Only do all the following if this is a node (faster for style) - if ( elem.nodeType === 1 ) { - // These attributes require special treatment - var special = rspecialurl.test( name ); + // These attributes require special treatment + var special = rspecialurl.test( name ); - // Safari mis-reports the default selected property of an option - // Accessing the parent's selectedIndex property fixes it - if ( name === "selected" && !jQuery.support.optSelected ) { - var parent = elem.parentNode; - if ( parent ) { - parent.selectedIndex; - - // Make sure that it also works with optgroups, see #5701 - if ( parent.parentNode ) { - parent.parentNode.selectedIndex; - } + // Safari mis-reports the default selected property of an option + // Accessing the parent's selectedIndex property fixes it + if ( name === "selected" && !jQuery.support.optSelected ) { + var parent = elem.parentNode; + if ( parent ) { + parent.selectedIndex; + + // Make sure that it also works with optgroups, see #5701 + if ( parent.parentNode ) { + parent.parentNode.selectedIndex; } } - - // If applicable, access the attribute via the DOM 0 way - if ( name in elem && notxml && !special ) { - if ( set ) { - // We can't allow the type property to be changed (since it causes problems in IE) - if ( name === "type" && rtype.test( elem.nodeName ) && elem.parentNode ) { - jQuery.error( "type property can't be changed" ); - } - - elem[ name ] = value; - } - - // browsers index elements by id/name on forms, give priority to attributes. - if ( jQuery.nodeName( elem, "form" ) && elem.getAttributeNode(name) ) { - return elem.getAttributeNode( name ).nodeValue; - } - - // elem.tabIndex doesn't always return the correct value when it hasn't been explicitly set - // http://fluidproject.org/blog/2008/01/09/getting-setting-and-removing-tabindex-values-with-javascript/ - if ( name === "tabIndex" ) { - var attributeNode = elem.getAttributeNode( "tabIndex" ); - - return attributeNode && attributeNode.specified ? - attributeNode.value : - rfocusable.test( elem.nodeName ) || rclickable.test( elem.nodeName ) && elem.href ? - 0 : - undefined; - } - - return elem[ name ]; - } - - if ( !jQuery.support.style && notxml && name === "style" ) { - if ( set ) { - elem.style.cssText = "" + value; - } - - return elem.style.cssText; - } - - if ( set ) { - // convert the value to a string (all browsers do this but IE) see #1070 - elem.setAttribute( name, "" + value ); - } - - var attr = !jQuery.support.hrefNormalized && notxml && special ? - // Some attributes require a special call on IE - elem.getAttribute( name, 2 ) : - elem.getAttribute( name ); - - // Non-existent attributes return null, we normalize to undefined - return attr === null ? undefined : attr; } - // elem is actually elem.style ... set the style - // Using attr for specific style information is now deprecated. Use style instead. - return jQuery.style( elem, name, value ); + // If applicable, access the attribute via the DOM 0 way + // 'in' checks fail in Blackberry 4.7 #6931 + if ( (name in elem || elem[ name ] !== undefined) && notxml && !special ) { + if ( set ) { + // We can't allow the type property to be changed (since it causes problems in IE) + if ( name === "type" && rtype.test( elem.nodeName ) && elem.parentNode ) { + jQuery.error( "type property can't be changed" ); + } + + if ( value === null ) { + if ( elem.nodeType === 1 ) { + elem.removeAttribute( name ); + } + + } else { + elem[ name ] = value; + } + } + + // browsers index elements by id/name on forms, give priority to attributes. + if ( jQuery.nodeName( elem, "form" ) && elem.getAttributeNode(name) ) { + return elem.getAttributeNode( name ).nodeValue; + } + + // elem.tabIndex doesn't always return the correct value when it hasn't been explicitly set + // http://fluidproject.org/blog/2008/01/09/getting-setting-and-removing-tabindex-values-with-javascript/ + if ( name === "tabIndex" ) { + var attributeNode = elem.getAttributeNode( "tabIndex" ); + + return attributeNode && attributeNode.specified ? + attributeNode.value : + rfocusable.test( elem.nodeName ) || rclickable.test( elem.nodeName ) && elem.href ? + 0 : + undefined; + } + + return elem[ name ]; + } + + if ( !jQuery.support.style && notxml && name === "style" ) { + if ( set ) { + elem.style.cssText = "" + value; + } + + return elem.style.cssText; + } + + if ( set ) { + // convert the value to a string (all browsers do this but IE) see #1070 + elem.setAttribute( name, "" + value ); + } + + // Ensure that missing attributes return undefined + // Blackberry 4.7 returns "" from getAttribute #6938 + if ( !elem.attributes[ name ] && (elem.hasAttribute && !elem.hasAttribute( name )) ) { + return undefined; + } + + var attr = !jQuery.support.hrefNormalized && notxml && special ? + // Some attributes require a special call on IE + elem.getAttribute( name, 2 ) : + elem.getAttribute( name ); + + // Non-existent attributes return null, we normalize to undefined + return attr === null ? undefined : attr; } }); + + + + var rnamespaces = /\.(.*)$/, + rformElems = /^(?:textarea|input|select)$/i, + rperiod = /\./g, + rspace = / /g, + rescape = /[^\w\s.|`]/g, fcleanup = function( nm ) { - return nm.replace(/[^\w\s\.\|`]/g, function( ch ) { - return "\\" + ch; - }); - }; + return nm.replace(rescape, "\\$&"); + }, + focusCounts = { focusin: 0, focusout: 0 }; /* * A number of helper functions used for managing events. @@ -1563,10 +1828,17 @@ jQuery.event = { // For whatever reason, IE has trouble passing the window object // around, causing it to be cloned in the process - if ( elem.setInterval && ( elem !== window && !elem.frameElement ) ) { + if ( jQuery.isWindow( elem ) && ( elem !== window && !elem.frameElement ) ) { elem = window; } + if ( handler === false ) { + handler = returnFalse; + } else if ( !handler ) { + // Fixes bug #7229. Fix recommended by jdalton + return; + } + var handleObjIn, handleObj; if ( handler.handler ) { @@ -1588,8 +1860,28 @@ jQuery.event = { return; } - var events = elemData.events = elemData.events || {}, - eventHandle = elemData.handle, eventHandle; + // Use a key less likely to result in collisions for plain JS objects. + // Fixes bug #7150. + var eventKey = elem.nodeType ? "events" : "__events__", + events = elemData[ eventKey ], + eventHandle = elemData.handle; + + if ( typeof events === "function" ) { + // On plain objects events is a fn that holds the the data + // which prevents this data from being JSON serialized + // the function does not need to be called, it just contains the data + eventHandle = events.handle; + events = events.events; + + } else if ( !events ) { + if ( !elem.nodeType ) { + // On plain objects, create a fn that acts as the holder + // of the values to avoid JSON serialization of event data + elemData[ eventKey ] = elemData = function(){}; + } + + elemData.events = events = {}; + } if ( !eventHandle ) { elemData.handle = eventHandle = function() { @@ -1628,7 +1920,9 @@ jQuery.event = { } handleObj.type = type; - handleObj.guid = handler.guid; + if ( !handleObj.guid ) { + handleObj.guid = handler.guid; + } // Get the current list of functions bound to this event var handlers = events[ type ], @@ -1680,13 +1974,23 @@ jQuery.event = { return; } - var ret, type, fn, i = 0, all, namespaces, namespace, special, eventType, handleObj, origType, + if ( handler === false ) { + handler = returnFalse; + } + + var ret, type, fn, j, i = 0, all, namespaces, namespace, special, eventType, handleObj, origType, + eventKey = elem.nodeType ? "events" : "__events__", elemData = jQuery.data( elem ), - events = elemData && elemData.events; + events = elemData && elemData[ eventKey ]; if ( !elemData || !events ) { return; } + + if ( typeof events === "function" ) { + elemData = events; + events = events.events; + } // types is actually an event object here if ( types && types.type ) { @@ -1721,7 +2025,7 @@ jQuery.event = { type = namespaces.shift(); namespace = new RegExp("(^|\\.)" + - jQuery.map( namespaces.slice(0).sort(), fcleanup ).join("\\.(?:.*\\.)?") + "(\\.|$)") + jQuery.map( namespaces.slice(0).sort(), fcleanup ).join("\\.(?:.*\\.)?") + "(\\.|$)"); } eventType = events[ type ]; @@ -1731,7 +2035,7 @@ jQuery.event = { } if ( !handler ) { - for ( var j = 0; j < eventType.length; j++ ) { + for ( j = 0; j < eventType.length; j++ ) { handleObj = eventType[ j ]; if ( all || namespace.test( handleObj.namespace ) ) { @@ -1745,7 +2049,7 @@ jQuery.event = { special = jQuery.event.special[ type ] || {}; - for ( var j = pos || 0; j < eventType.length; j++ ) { + for ( j = pos || 0; j < eventType.length; j++ ) { handleObj = eventType[ j ]; if ( handler.guid === handleObj.guid ) { @@ -1769,7 +2073,7 @@ jQuery.event = { // remove generic event handler if no more handlers exist if ( eventType.length === 0 || pos != null && eventType.length === 1 ) { if ( !special.teardown || special.teardown.call( elem, namespaces ) === false ) { - removeEvent( elem, type, elemData.handle ); + jQuery.removeEvent( elem, type, elemData.handle ); } ret = null; @@ -1787,7 +2091,10 @@ jQuery.event = { delete elemData.events; delete elemData.handle; - if ( jQuery.isEmptyObject( elemData ) ) { + if ( typeof elemData === "function" ) { + jQuery.removeData( elem, eventKey ); + + } else if ( jQuery.isEmptyObject( elemData ) ) { jQuery.removeData( elem ); } } @@ -1802,7 +2109,7 @@ jQuery.event = { if ( !bubbling ) { event = typeof event === "object" ? // jQuery.Event object - event[expando] ? event : + event[ jQuery.expando ] ? event : // Object literal jQuery.extend( jQuery.Event(type), event ) : // Just the event type (string) @@ -1847,7 +2154,10 @@ jQuery.event = { event.currentTarget = elem; // Trigger the event, it is assumed that "handle" is a function - var handle = jQuery.data( elem, "handle" ); + var handle = elem.nodeType ? + jQuery.data( elem, "handle" ) : + (jQuery.data( elem, "__events__" ) || {}).handle; + if ( handle ) { handle.apply( elem, data ); } @@ -1859,41 +2169,44 @@ jQuery.event = { if ( !(elem && elem.nodeName && jQuery.noData[elem.nodeName.toLowerCase()]) ) { if ( elem[ "on" + type ] && elem[ "on" + type ].apply( elem, data ) === false ) { event.result = false; + event.preventDefault(); } } // prevent IE from throwing an error for some elements with some event types, see #3533 - } catch (e) {} + } catch (inlineError) {} if ( !event.isPropagationStopped() && parent ) { jQuery.event.trigger( event, data, parent, true ); } else if ( !event.isDefaultPrevented() ) { - var target = event.target, old, - isClick = jQuery.nodeName(target, "a") && type === "click", - special = jQuery.event.special[ type ] || {}; + var old, + target = event.target, + targetType = type.replace( rnamespaces, "" ), + isClick = jQuery.nodeName( target, "a" ) && targetType === "click", + special = jQuery.event.special[ targetType ] || {}; if ( (!special._default || special._default.call( elem, event ) === false) && !isClick && !(target && target.nodeName && jQuery.noData[target.nodeName.toLowerCase()]) ) { try { - if ( target[ type ] ) { + if ( target[ targetType ] ) { // Make sure that we don't accidentally re-trigger the onFOO events - old = target[ "on" + type ]; + old = target[ "on" + targetType ]; if ( old ) { - target[ "on" + type ] = null; + target[ "on" + targetType ] = null; } jQuery.event.triggered = true; - target[ type ](); + target[ targetType ](); } // prevent IE from throwing an error for some elements with some event types, see #3533 - } catch (e) {} + } catch (triggerError) {} if ( old ) { - target[ "on" + type ] = old; + target[ "on" + targetType ] = old; } jQuery.event.triggered = false; @@ -1902,9 +2215,11 @@ jQuery.event = { }, handle: function( event ) { - var all, handlers, namespaces, namespace, events; + var all, handlers, namespaces, namespace_re, events, + namespace_sort = [], + args = jQuery.makeArray( arguments ); - event = arguments[0] = jQuery.event.fix( event || window.event ); + event = args[0] = jQuery.event.fix( event || window.event ); event.currentTarget = this; // Namespaced event handlers @@ -1913,10 +2228,19 @@ jQuery.event = { if ( !all ) { namespaces = event.type.split("."); event.type = namespaces.shift(); - namespace = new RegExp("(^|\\.)" + namespaces.slice(0).sort().join("\\.(?:.*\\.)?") + "(\\.|$)"); + namespace_sort = namespaces.slice(0).sort(); + namespace_re = new RegExp("(^|\\.)" + namespace_sort.join("\\.(?:.*\\.)?") + "(\\.|$)"); } - var events = jQuery.data(this, "events"), handlers = events[ event.type ]; + event.namespace = event.namespace || namespace_sort.join("."); + + events = jQuery.data(this, this.nodeType ? "events" : "__events__"); + + if ( typeof events === "function" ) { + events = events.events; + } + + handlers = (events || {})[ event.type ]; if ( events && handlers ) { // Clone the handlers to prevent manipulation @@ -1926,14 +2250,14 @@ jQuery.event = { var handleObj = handlers[ j ]; // Filter the functions by class - if ( all || namespace.test( handleObj.namespace ) ) { + if ( all || namespace_re.test( handleObj.namespace ) ) { // Pass in a reference to the handler function itself // So that we can later remove it event.handler = handleObj.handler; event.data = handleObj.data; event.handleObj = handleObj; - var ret = handleObj.handler.apply( this, arguments ); + var ret = handleObj.handler.apply( this, args ); if ( ret !== undefined ) { event.result = ret; @@ -1953,10 +2277,10 @@ jQuery.event = { return event.result; }, - props: "altKey attrChange attrName bubbles button cancelable charCode clientX clientY ctrlKey currentTarget data detail eventPhase fromElement handler keyCode layerX layerY metaKey newValue offsetX offsetY originalTarget pageX pageY prevValue relatedNode relatedTarget screenX screenY shiftKey srcElement target toElement view wheelDelta which".split(" "), + props: "altKey attrChange attrName bubbles button cancelable charCode clientX clientY ctrlKey currentTarget data detail eventPhase fromElement handler keyCode layerX layerY metaKey newValue offsetX offsetY pageX pageY prevValue relatedNode relatedTarget screenX screenY shiftKey srcElement target toElement view wheelDelta which".split(" "), fix: function( event ) { - if ( event[ expando ] ) { + if ( event[ jQuery.expando ] ) { return event; } @@ -1972,7 +2296,8 @@ jQuery.event = { // Fix target property, if necessary if ( !event.target ) { - event.target = event.srcElement || document; // Fixes #1925 where srcElement might not be defined either + // Fixes #1925 where srcElement might not be defined either + event.target = event.srcElement || document; } // check if target is a textnode (safari) @@ -1987,14 +2312,16 @@ jQuery.event = { // Calculate pageX/Y if missing and clientX/Y available if ( event.pageX == null && event.clientX != null ) { - var doc = document.documentElement, body = document.body; + var doc = document.documentElement, + body = document.body; + event.pageX = event.clientX + (doc && doc.scrollLeft || body && body.scrollLeft || 0) - (doc && doc.clientLeft || body && body.clientLeft || 0); event.pageY = event.clientY + (doc && doc.scrollTop || body && body.scrollTop || 0) - (doc && doc.clientTop || body && body.clientTop || 0); } // Add which for key events - if ( !event.which && ((event.charCode || event.charCode === 0) ? event.charCode : event.keyCode) ) { - event.which = event.charCode || event.keyCode; + if ( event.which == null && (event.charCode != null || event.keyCode != null) ) { + event.which = event.charCode != null ? event.charCode : event.keyCode; } // Add metaKey to non-Mac browsers (use ctrl for PC's and Meta for Macs) @@ -2026,36 +2353,24 @@ jQuery.event = { live: { add: function( handleObj ) { - jQuery.event.add( this, handleObj.origType, jQuery.extend({}, handleObj, {handler: liveHandler}) ); + jQuery.event.add( this, + liveConvert( handleObj.origType, handleObj.selector ), + jQuery.extend({}, handleObj, {handler: liveHandler, guid: handleObj.handler.guid}) ); }, remove: function( handleObj ) { - var remove = true, - type = handleObj.origType.replace(rnamespaces, ""); - - jQuery.each( jQuery.data(this, "events").live || [], function() { - if ( type === this.origType.replace(rnamespaces, "") ) { - remove = false; - return false; - } - }); - - if ( remove ) { - jQuery.event.remove( this, handleObj.origType, liveHandler ); - } + jQuery.event.remove( this, liveConvert( handleObj.origType, handleObj.selector ), handleObj ); } - }, beforeunload: { setup: function( data, namespaces, eventHandle ) { // We only want to do this special case on windows - if ( this.setInterval ) { + if ( jQuery.isWindow( this ) ) { this.onbeforeunload = eventHandle; } - - return false; }, + teardown: function( namespaces, eventHandle ) { if ( this.onbeforeunload === eventHandle ) { this.onbeforeunload = null; @@ -2065,12 +2380,16 @@ jQuery.event = { } }; -var removeEvent = document.removeEventListener ? +jQuery.removeEvent = document.removeEventListener ? function( elem, type, handle ) { - elem.removeEventListener( type, handle, false ); + if ( elem.removeEventListener ) { + elem.removeEventListener( type, handle, false ); + } } : function( elem, type, handle ) { - elem.detachEvent( "on" + type, handle ); + if ( elem.detachEvent ) { + elem.detachEvent( "on" + type, handle ); + } }; jQuery.Event = function( src ) { @@ -2090,10 +2409,10 @@ jQuery.Event = function( src ) { // timeStamp is buggy for some events on Firefox(#3843) // So we won't rely on the native value - this.timeStamp = now(); + this.timeStamp = jQuery.now(); // Mark it as fixed - this[ expando ] = true; + this[ jQuery.expando ] = true; }; function returnFalse() { @@ -2117,9 +2436,11 @@ jQuery.Event.prototype = { // if preventDefault exists run it on the original event if ( e.preventDefault ) { e.preventDefault(); - } + // otherwise set the returnValue property of the original event to false (IE) - e.returnValue = false; + } else { + e.returnValue = false; + } }, stopPropagation: function() { this.isPropagationStopped = returnTrue; @@ -2199,17 +2520,21 @@ if ( !jQuery.support.submitBubbles ) { setup: function( data, namespaces ) { if ( this.nodeName.toLowerCase() !== "form" ) { jQuery.event.add(this, "click.specialSubmit", function( e ) { - var elem = e.target, type = elem.type; + var elem = e.target, + type = elem.type; if ( (type === "submit" || type === "image") && jQuery( elem ).closest("form").length ) { + e.liveFired = undefined; return trigger( "submit", this, arguments ); } }); jQuery.event.add(this, "keypress.specialSubmit", function( e ) { - var elem = e.target, type = elem.type; + var elem = e.target, + type = elem.type; if ( (type === "text" || type === "password") && jQuery( elem ).closest("form").length && e.keyCode === 13 ) { + e.liveFired = undefined; return trigger( "submit", this, arguments ); } }); @@ -2229,9 +2554,7 @@ if ( !jQuery.support.submitBubbles ) { // change delegation, happens here so we have bind. if ( !jQuery.support.changeBubbles ) { - var formElems = /textarea|input|select/i, - - changeFilters, + var changeFilters, getVal = function( elem ) { var type = elem.type, val = elem.value; @@ -2256,7 +2579,7 @@ if ( !jQuery.support.changeBubbles ) { testChange = function testChange( e ) { var elem = e.target, data, val; - if ( !formElems.test( elem.nodeName ) || elem.readOnly ) { + if ( !rformElems.test( elem.nodeName ) || elem.readOnly ) { return; } @@ -2274,6 +2597,7 @@ if ( !jQuery.support.changeBubbles ) { if ( data != null || val ) { e.type = "change"; + e.liveFired = undefined; return jQuery.event.trigger( e, arguments[1], elem ); } }; @@ -2282,6 +2606,8 @@ if ( !jQuery.support.changeBubbles ) { filters: { focusout: testChange, + beforedeactivate: testChange, + click: function( e ) { var elem = e.target, type = elem.type; @@ -2304,7 +2630,7 @@ if ( !jQuery.support.changeBubbles ) { // Beforeactivate happens also before the previous element is blurred // with this event you can't trigger a change event, but you can store - // information/focus[in] is not needed anymore + // information beforeactivate: function( e ) { var elem = e.target; jQuery.data( elem, "_change_data", getVal(elem) ); @@ -2320,17 +2646,20 @@ if ( !jQuery.support.changeBubbles ) { jQuery.event.add( this, type + ".specialChange", changeFilters[type] ); } - return formElems.test( this.nodeName ); + return rformElems.test( this.nodeName ); }, teardown: function( namespaces ) { jQuery.event.remove( this, ".specialChange" ); - return formElems.test( this.nodeName ); + return rformElems.test( this.nodeName ); } }; changeFilters = jQuery.event.special.change.filters; + + // Handle when the input is .focus()'d + changeFilters.focus = changeFilters.beforeactivate; } function trigger( type, elem, args ) { @@ -2343,17 +2672,21 @@ if ( document.addEventListener ) { jQuery.each({ focus: "focusin", blur: "focusout" }, function( orig, fix ) { jQuery.event.special[ fix ] = { setup: function() { - this.addEventListener( orig, handler, true ); + if ( focusCounts[fix]++ === 0 ) { + document.addEventListener( orig, handler, true ); + } }, teardown: function() { - this.removeEventListener( orig, handler, true ); + if ( --focusCounts[fix] === 0 ) { + document.removeEventListener( orig, handler, true ); + } } }; function handler( e ) { e = jQuery.event.fix( e ); e.type = fix; - return jQuery.event.handle.call( this, e ); + return jQuery.event.trigger( e, null, e.target ); } }); } @@ -2368,7 +2701,7 @@ jQuery.each(["bind", "one"], function( i, name ) { return this; } - if ( jQuery.isFunction( data ) ) { + if ( jQuery.isFunction( data ) || data === false ) { fn = data; data = undefined; } @@ -2439,7 +2772,8 @@ jQuery.fn.extend({ toggle: function( fn ) { // Save reference to arguments for access in closure - var args = arguments, i = 1; + var args = arguments, + i = 1; // link all the functions, so any of them can unbind this click handler while ( i < args.length ) { @@ -2476,6 +2810,14 @@ jQuery.each(["live", "die"], function( i, name ) { var type, i = 0, match, namespaces, preType, selector = origSelector || this.selector, context = origSelector ? this : jQuery( this.context ); + + if ( typeof types === "object" && !types.preventDefault ) { + for ( var key in types ) { + context[ name ]( key, data, types[key], selector ); + } + + return this; + } if ( jQuery.isFunction( data ) ) { fn = data; @@ -2510,30 +2852,39 @@ jQuery.each(["live", "die"], function( i, name ) { if ( name === "live" ) { // bind live handler - context.each(function(){ - jQuery.event.add( this, liveConvert( type, selector ), + for ( var j = 0, l = context.length; j < l; j++ ) { + jQuery.event.add( context[j], "live." + liveConvert( type, selector ), { data: data, selector: selector, handler: fn, origType: type, origHandler: fn, preType: preType } ); - }); + } } else { // unbind live handler - context.unbind( liveConvert( type, selector ), fn ); + context.unbind( "live." + liveConvert( type, selector ), fn ); } } return this; - } + }; }); function liveHandler( event ) { - var stop, elems = [], selectors = [], args = arguments, - related, match, handleObj, elem, j, i, l, data, - events = jQuery.data( this, "events" ); + var stop, maxLevel, related, match, handleObj, elem, j, i, l, data, close, namespace, ret, + elems = [], + selectors = [], + events = jQuery.data( this, this.nodeType ? "events" : "__events__" ); + + if ( typeof events === "function" ) { + events = events.events; + } // Make sure we avoid non-left-click bubbling in Firefox (#3861) if ( event.liveFired === this || !events || !events.live || event.button && event.type === "click" ) { return; } + + if ( event.namespace ) { + namespace = new RegExp("(^|\\.)" + event.namespace.split(".").join("\\.(?:.*\\.)?") + "(\\.|$)"); + } event.liveFired = this; @@ -2553,20 +2904,23 @@ function liveHandler( event ) { match = jQuery( event.target ).closest( selectors, event.currentTarget ); for ( i = 0, l = match.length; i < l; i++ ) { + close = match[i]; + for ( j = 0; j < live.length; j++ ) { handleObj = live[j]; - if ( match[i].selector === handleObj.selector ) { - elem = match[i].elem; + if ( close.selector === handleObj.selector && (!namespace || namespace.test( handleObj.namespace )) ) { + elem = close.elem; related = null; // Those two events require additional checking if ( handleObj.preType === "mouseenter" || handleObj.preType === "mouseleave" ) { + event.type = handleObj.preType; related = jQuery( event.relatedTarget ).closest( handleObj.selector )[0]; } if ( !related || related !== elem ) { - elems.push({ elem: elem, handleObj: handleObj }); + elems.push({ elem: elem, handleObj: handleObj, level: close.level }); } } } @@ -2574,13 +2928,26 @@ function liveHandler( event ) { for ( i = 0, l = elems.length; i < l; i++ ) { match = elems[i]; + + if ( maxLevel && match.level > maxLevel ) { + break; + } + event.currentTarget = match.elem; event.data = match.handleObj.data; event.handleObj = match.handleObj; - if ( match.handleObj.origHandler.apply( match.elem, args ) === false ) { - stop = false; - break; + ret = match.handleObj.origHandler.apply( match.elem, arguments ); + + if ( ret === false || event.isPropagationStopped() ) { + maxLevel = match.level; + + if ( ret === false ) { + stop = false; + } + if ( event.isImmediatePropagationStopped() ) { + break; + } } } @@ -2588,7 +2955,7 @@ function liveHandler( event ) { } function liveConvert( type, selector ) { - return "live." + (type && type !== "*" ? type + "." : "") + selector.replace(/\./g, "`").replace(/ /g, "&"); + return (type && type !== "*" ? type + "." : "") + selector.replace(rperiod, "`").replace(rspace, "&"); } jQuery.each( ("blur focus focusin focusout load resize scroll unload click dblclick " + @@ -2596,8 +2963,15 @@ jQuery.each( ("blur focus focusin focusout load resize scroll unload click dblcl "change select submit keydown keypress keyup error").split(" "), function( i, name ) { // Handle event binding - jQuery.fn[ name ] = function( fn ) { - return fn ? this.bind( name, fn ) : this.trigger( name ); + jQuery.fn[ name ] = function( data, fn ) { + if ( fn == null ) { + fn = data; + data = null; + } + + return arguments.length > 0 ? + this.bind( name, data, fn ) : + this.trigger( name ); }; if ( jQuery.attrFn ) { @@ -2610,7 +2984,7 @@ jQuery.each( ("blur focus focusin focusout load resize scroll unload click dblcl // More info: // - http://isaacschlueter.com/2006/10/msie-memory-leaks/ if ( window.attachEvent && !window.addEventListener ) { - window.attachEvent("onunload", function() { + jQuery(window).bind("unload", function() { for ( var id in jQuery.cache ) { if ( jQuery.cache[ id ].handle ) { // Try/Catch is to handle iframes being unloaded, see #4280 @@ -2621,6 +2995,8 @@ if ( window.attachEvent && !window.addEventListener ) { } }); } + + /*! * Sizzle CSS Selector Engine - v1.0 * Copyright 2009, The Dojo Foundation @@ -2629,7 +3005,7 @@ if ( window.attachEvent && !window.addEventListener ) { */ (function(){ -var chunker = /((?:\((?:\([^()]+\)|[^()]+)+\)|\[(?:\[[^[\]]*\]|['"][^'"]*['"]|[^[\]'"]+)+\]|\\.|[^ >+~,(\[\\]+)+|[>+~])(\s*,\s*)?((?:.|\r|\n)*)/g, +var chunker = /((?:\((?:\([^()]+\)|[^()]+)+\)|\[(?:\[[^\[\]]*\]|['"][^'"]*['"]|[^\[\]'"]+)+\]|\\.|[^ >+~,(\[\\]+)+|[>+~])(\s*,\s*)?((?:.|\r|\n)*)/g, done = 0, toString = Object.prototype.toString, hasDuplicate = false, @@ -2639,14 +3015,16 @@ var chunker = /((?:\((?:\([^()]+\)|[^()]+)+\)|\[(?:\[[^[\]]*\]|['"][^'"]*['"]|[^ // optimization where it does not always call our comparision // function. If that is the case, discard the hasDuplicate value. // Thus far that includes Google Chrome. -[0, 0].sort(function(){ +[0, 0].sort(function() { baseHasDuplicate = false; return 0; }); -var Sizzle = function(selector, context, results, seed) { +var Sizzle = function( selector, context, results, seed ) { results = results || []; - var origContext = context = context || document; + context = context || document; + + var origContext = context; if ( context.nodeType !== 1 && context.nodeType !== 9 ) { return []; @@ -2656,24 +3034,34 @@ var Sizzle = function(selector, context, results, seed) { return results; } - var parts = [], m, set, checkSet, extra, prune = true, contextXML = isXML(context), + var m, set, checkSet, extra, ret, cur, pop, i, + prune = true, + contextXML = Sizzle.isXML( context ), + parts = [], soFar = selector; // Reset the position of the chunker regexp (start from head) - while ( (chunker.exec(""), m = chunker.exec(soFar)) !== null ) { - soFar = m[3]; + do { + chunker.exec( "" ); + m = chunker.exec( soFar ); + + if ( m ) { + soFar = m[3]; - parts.push( m[1] ); + parts.push( m[1] ); - if ( m[2] ) { - extra = m[3]; - break; + if ( m[2] ) { + extra = m[3]; + break; + } } - } + } while ( m ); if ( parts.length > 1 && origPOS.exec( selector ) ) { + if ( parts.length === 2 && Expr.relative[ parts[0] ] ) { set = posProcess( parts[0] + parts[1], context ); + } else { set = Expr.relative[ parts[0] ] ? [ context ] : @@ -2689,29 +3077,38 @@ var Sizzle = function(selector, context, results, seed) { set = posProcess( selector, set ); } } + } else { // Take a shortcut and set the context if the root selector is an ID // (but not if it'll be faster if the inner selector is an ID) if ( !seed && parts.length > 1 && context.nodeType === 9 && !contextXML && Expr.match.ID.test(parts[0]) && !Expr.match.ID.test(parts[parts.length - 1]) ) { - var ret = Sizzle.find( parts.shift(), context, contextXML ); - context = ret.expr ? Sizzle.filter( ret.expr, ret.set )[0] : ret.set[0]; + + ret = Sizzle.find( parts.shift(), context, contextXML ); + context = ret.expr ? + Sizzle.filter( ret.expr, ret.set )[0] : + ret.set[0]; } if ( context ) { - var ret = seed ? + ret = seed ? { expr: parts.pop(), set: makeArray(seed) } : Sizzle.find( parts.pop(), parts.length === 1 && (parts[0] === "~" || parts[0] === "+") && context.parentNode ? context.parentNode : context, contextXML ); - set = ret.expr ? Sizzle.filter( ret.expr, ret.set ) : ret.set; + + set = ret.expr ? + Sizzle.filter( ret.expr, ret.set ) : + ret.set; if ( parts.length > 0 ) { - checkSet = makeArray(set); + checkSet = makeArray( set ); + } else { prune = false; } while ( parts.length ) { - var cur = parts.pop(), pop = cur; + cur = parts.pop(); + pop = cur; if ( !Expr.relative[ cur ] ) { cur = ""; @@ -2725,6 +3122,7 @@ var Sizzle = function(selector, context, results, seed) { Expr.relative[ cur ]( checkSet, pop, contextXML ); } + } else { checkSet = parts = []; } @@ -2741,19 +3139,22 @@ var Sizzle = function(selector, context, results, seed) { if ( toString.call(checkSet) === "[object Array]" ) { if ( !prune ) { results.push.apply( results, checkSet ); + } else if ( context && context.nodeType === 1 ) { - for ( var i = 0; checkSet[i] != null; i++ ) { - if ( checkSet[i] && (checkSet[i] === true || checkSet[i].nodeType === 1 && contains(context, checkSet[i])) ) { + for ( i = 0; checkSet[i] != null; i++ ) { + if ( checkSet[i] && (checkSet[i] === true || checkSet[i].nodeType === 1 && Sizzle.contains(context, checkSet[i])) ) { results.push( set[i] ); } } + } else { - for ( var i = 0; checkSet[i] != null; i++ ) { + for ( i = 0; checkSet[i] != null; i++ ) { if ( checkSet[i] && checkSet[i].nodeType === 1 ) { results.push( set[i] ); } } } + } else { makeArray( checkSet, results ); } @@ -2766,15 +3167,15 @@ var Sizzle = function(selector, context, results, seed) { return results; }; -Sizzle.uniqueSort = function(results){ +Sizzle.uniqueSort = function( results ) { if ( sortOrder ) { hasDuplicate = baseHasDuplicate; - results.sort(sortOrder); + results.sort( sortOrder ); if ( hasDuplicate ) { for ( var i = 1; i < results.length; i++ ) { - if ( results[i] === results[i-1] ) { - results.splice(i--, 1); + if ( results[i] === results[ i - 1 ] ) { + results.splice( i--, 1 ); } } } @@ -2783,27 +3184,33 @@ Sizzle.uniqueSort = function(results){ return results; }; -Sizzle.matches = function(expr, set){ - return Sizzle(expr, null, null, set); +Sizzle.matches = function( expr, set ) { + return Sizzle( expr, null, null, set ); }; -Sizzle.find = function(expr, context, isXML){ - var set, match; +Sizzle.matchesSelector = function( node, expr ) { + return Sizzle( expr, null, null, [node] ).length > 0; +}; + +Sizzle.find = function( expr, context, isXML ) { + var set; if ( !expr ) { return []; } for ( var i = 0, l = Expr.order.length; i < l; i++ ) { - var type = Expr.order[i], match; + var match, + type = Expr.order[i]; if ( (match = Expr.leftMatch[ type ].exec( expr )) ) { var left = match[1]; - match.splice(1,1); + match.splice( 1, 1 ); if ( left.substr( left.length - 1 ) !== "\\" ) { match[1] = (match[1] || "").replace(/\\/g, ""); set = Expr.find[ type ]( match, context, isXML ); + if ( set != null ) { expr = expr.replace( Expr.match[ type ], "" ); break; @@ -2813,20 +3220,26 @@ Sizzle.find = function(expr, context, isXML){ } if ( !set ) { - set = context.getElementsByTagName("*"); + set = context.getElementsByTagName( "*" ); } - return {set: set, expr: expr}; + return { set: set, expr: expr }; }; -Sizzle.filter = function(expr, set, inplace, not){ - var old = expr, result = [], curLoop = set, match, anyFound, - isXMLFilter = set && set[0] && isXML(set[0]); +Sizzle.filter = function( expr, set, inplace, not ) { + var match, anyFound, + old = expr, + result = [], + curLoop = set, + isXMLFilter = set && set[0] && Sizzle.isXML( set[0] ); while ( expr && set.length ) { for ( var type in Expr.filter ) { if ( (match = Expr.leftMatch[ type ].exec( expr )) != null && match[2] ) { - var filter = Expr.filter[ type ], found, item, left = match[1]; + var found, item, + filter = Expr.filter[ type ], + left = match[1]; + anyFound = false; match.splice(1,1); @@ -2844,6 +3257,7 @@ Sizzle.filter = function(expr, set, inplace, not){ if ( !match ) { anyFound = found = true; + } else if ( match === true ) { continue; } @@ -2858,9 +3272,11 @@ Sizzle.filter = function(expr, set, inplace, not){ if ( inplace && found != null ) { if ( pass ) { anyFound = true; + } else { curLoop[i] = false; } + } else if ( pass ) { result.push( item ); anyFound = true; @@ -2889,6 +3305,7 @@ Sizzle.filter = function(expr, set, inplace, not){ if ( expr === old ) { if ( anyFound == null ) { Sizzle.error( expr ); + } else { break; } @@ -2906,30 +3323,35 @@ Sizzle.error = function( msg ) { var Expr = Sizzle.selectors = { order: [ "ID", "NAME", "TAG" ], + match: { - ID: /#((?:[\w\u00c0-\uFFFF-]|\\.)+)/, - CLASS: /\.((?:[\w\u00c0-\uFFFF-]|\\.)+)/, - NAME: /\[name=['"]*((?:[\w\u00c0-\uFFFF-]|\\.)+)['"]*\]/, - ATTR: /\[\s*((?:[\w\u00c0-\uFFFF-]|\\.)+)\s*(?:(\S?=)\s*(['"]*)(.*?)\3|)\s*\]/, - TAG: /^((?:[\w\u00c0-\uFFFF\*-]|\\.)+)/, - CHILD: /:(only|nth|last|first)-child(?:\((even|odd|[\dn+-]*)\))?/, - POS: /:(nth|eq|gt|lt|first|last|even|odd)(?:\((\d*)\))?(?=[^-]|$)/, - PSEUDO: /:((?:[\w\u00c0-\uFFFF-]|\\.)+)(?:\((['"]?)((?:\([^\)]+\)|[^\(\)]*)+)\2\))?/ + ID: /#((?:[\w\u00c0-\uFFFF\-]|\\.)+)/, + CLASS: /\.((?:[\w\u00c0-\uFFFF\-]|\\.)+)/, + NAME: /\[name=['"]*((?:[\w\u00c0-\uFFFF\-]|\\.)+)['"]*\]/, + ATTR: /\[\s*((?:[\w\u00c0-\uFFFF\-]|\\.)+)\s*(?:(\S?=)\s*(['"]*)(.*?)\3|)\s*\]/, + TAG: /^((?:[\w\u00c0-\uFFFF\*\-]|\\.)+)/, + CHILD: /:(only|nth|last|first)-child(?:\((even|odd|[\dn+\-]*)\))?/, + POS: /:(nth|eq|gt|lt|first|last|even|odd)(?:\((\d*)\))?(?=[^\-]|$)/, + PSEUDO: /:((?:[\w\u00c0-\uFFFF\-]|\\.)+)(?:\((['"]?)((?:\([^\)]+\)|[^\(\)]*)+)\2\))?/ }, + leftMatch: {}, + attrMap: { "class": "className", "for": "htmlFor" }, + attrHandle: { - href: function(elem){ - return elem.getAttribute("href"); + href: function( elem ) { + return elem.getAttribute( "href" ); } }, + relative: { "+": function(checkSet, part){ var isPartStr = typeof part === "string", - isTag = isPartStr && !/\W/.test(part), + isTag = isPartStr && !/\W/.test( part ), isPartStrNotTag = isPartStr && !isTag; if ( isTag ) { @@ -2950,22 +3372,29 @@ var Expr = Sizzle.selectors = { Sizzle.filter( part, checkSet, true ); } }, - ">": function(checkSet, part){ - var isPartStr = typeof part === "string"; - if ( isPartStr && !/\W/.test(part) ) { + ">": function( checkSet, part ) { + var elem, + isPartStr = typeof part === "string", + i = 0, + l = checkSet.length; + + if ( isPartStr && !/\W/.test( part ) ) { part = part.toLowerCase(); - for ( var i = 0, l = checkSet.length; i < l; i++ ) { - var elem = checkSet[i]; + for ( ; i < l; i++ ) { + elem = checkSet[i]; + if ( elem ) { var parent = elem.parentNode; checkSet[i] = parent.nodeName.toLowerCase() === part ? parent : false; } } + } else { - for ( var i = 0, l = checkSet.length; i < l; i++ ) { - var elem = checkSet[i]; + for ( ; i < l; i++ ) { + elem = checkSet[i]; + if ( elem ) { checkSet[i] = isPartStr ? elem.parentNode : @@ -2978,37 +3407,50 @@ var Expr = Sizzle.selectors = { } } }, + "": function(checkSet, part, isXML){ - var doneName = done++, checkFn = dirCheck; + var nodeCheck, + doneName = done++, + checkFn = dirCheck; if ( typeof part === "string" && !/\W/.test(part) ) { - var nodeCheck = part = part.toLowerCase(); + part = part.toLowerCase(); + nodeCheck = part; checkFn = dirNodeCheck; } - checkFn("parentNode", part, doneName, checkSet, nodeCheck, isXML); + checkFn( "parentNode", part, doneName, checkSet, nodeCheck, isXML ); }, - "~": function(checkSet, part, isXML){ - var doneName = done++, checkFn = dirCheck; - if ( typeof part === "string" && !/\W/.test(part) ) { - var nodeCheck = part = part.toLowerCase(); + "~": function( checkSet, part, isXML ) { + var nodeCheck, + doneName = done++, + checkFn = dirCheck; + + if ( typeof part === "string" && !/\W/.test( part ) ) { + part = part.toLowerCase(); + nodeCheck = part; checkFn = dirNodeCheck; } - checkFn("previousSibling", part, doneName, checkSet, nodeCheck, isXML); + checkFn( "previousSibling", part, doneName, checkSet, nodeCheck, isXML ); } }, + find: { - ID: function(match, context, isXML){ + ID: function( match, context, isXML ) { if ( typeof context.getElementById !== "undefined" && !isXML ) { var m = context.getElementById(match[1]); - return m ? [m] : []; + // Check parentNode to catch when Blackberry 4.6 returns + // nodes that are no longer in the document #6963 + return m && m.parentNode ? [m] : []; } }, - NAME: function(match, context){ + + NAME: function( match, context ) { if ( typeof context.getElementsByName !== "undefined" ) { - var ret = [], results = context.getElementsByName(match[1]); + var ret = [], + results = context.getElementsByName( match[1] ); for ( var i = 0, l = results.length; i < l; i++ ) { if ( results[i].getAttribute("name") === match[1] ) { @@ -3019,12 +3461,13 @@ var Expr = Sizzle.selectors = { return ret.length === 0 ? null : ret; } }, - TAG: function(match, context){ - return context.getElementsByTagName(match[1]); + + TAG: function( match, context ) { + return context.getElementsByTagName( match[1] ); } }, preFilter: { - CLASS: function(match, curLoop, inplace, result, not, isXML){ + CLASS: function( match, curLoop, inplace, result, not, isXML ) { match = " " + match[1].replace(/\\/g, "") + " "; if ( isXML ) { @@ -3037,6 +3480,7 @@ var Expr = Sizzle.selectors = { if ( !inplace ) { result.push( elem ); } + } else if ( inplace ) { curLoop[i] = false; } @@ -3045,13 +3489,16 @@ var Expr = Sizzle.selectors = { return false; }, - ID: function(match){ + + ID: function( match ) { return match[1].replace(/\\/g, ""); }, - TAG: function(match, curLoop){ + + TAG: function( match, curLoop ) { return match[1].toLowerCase(); }, - CHILD: function(match){ + + CHILD: function( match ) { if ( match[1] === "nth" ) { // parse equations like 'even', 'odd', '5', '2n', '3n+2', '4n-1', '-n+6' var test = /(-?)(\d*)n((?:\+|-)?\d*)/.exec( @@ -3068,7 +3515,8 @@ var Expr = Sizzle.selectors = { return match; }, - ATTR: function(match, curLoop, inplace, result, not, isXML){ + + ATTR: function( match, curLoop, inplace, result, not, isXML ) { var name = match[1].replace(/\\/g, ""); if ( !isXML && Expr.attrMap[name] ) { @@ -3081,159 +3529,203 @@ var Expr = Sizzle.selectors = { return match; }, - PSEUDO: function(match, curLoop, inplace, result, not){ + + PSEUDO: function( match, curLoop, inplace, result, not ) { if ( match[1] === "not" ) { // If we're dealing with a complex expression, or a simple one if ( ( chunker.exec(match[3]) || "" ).length > 1 || /^\w/.test(match[3]) ) { match[3] = Sizzle(match[3], null, null, curLoop); + } else { var ret = Sizzle.filter(match[3], curLoop, inplace, true ^ not); + if ( !inplace ) { result.push.apply( result, ret ); } + return false; } + } else if ( Expr.match.POS.test( match[0] ) || Expr.match.CHILD.test( match[0] ) ) { return true; } return match; }, - POS: function(match){ + + POS: function( match ) { match.unshift( true ); + return match; } }, + filters: { - enabled: function(elem){ + enabled: function( elem ) { return elem.disabled === false && elem.type !== "hidden"; }, - disabled: function(elem){ + + disabled: function( elem ) { return elem.disabled === true; }, - checked: function(elem){ + + checked: function( elem ) { return elem.checked === true; }, - selected: function(elem){ + + selected: function( elem ) { // Accessing this property makes selected-by-default // options in Safari work properly elem.parentNode.selectedIndex; + return elem.selected === true; }, - parent: function(elem){ + + parent: function( elem ) { return !!elem.firstChild; }, - empty: function(elem){ + + empty: function( elem ) { return !elem.firstChild; }, - has: function(elem, i, match){ + + has: function( elem, i, match ) { return !!Sizzle( match[3], elem ).length; }, - header: function(elem){ - return /h\d/i.test( elem.nodeName ); + + header: function( elem ) { + return (/h\d/i).test( elem.nodeName ); }, - text: function(elem){ + + text: function( elem ) { return "text" === elem.type; }, - radio: function(elem){ + radio: function( elem ) { return "radio" === elem.type; }, - checkbox: function(elem){ + + checkbox: function( elem ) { return "checkbox" === elem.type; }, - file: function(elem){ + + file: function( elem ) { return "file" === elem.type; }, - password: function(elem){ + password: function( elem ) { return "password" === elem.type; }, - submit: function(elem){ + + submit: function( elem ) { return "submit" === elem.type; }, - image: function(elem){ + + image: function( elem ) { return "image" === elem.type; }, - reset: function(elem){ + + reset: function( elem ) { return "reset" === elem.type; }, - button: function(elem){ + + button: function( elem ) { return "button" === elem.type || elem.nodeName.toLowerCase() === "button"; }, - input: function(elem){ - return /input|select|textarea|button/i.test(elem.nodeName); + + input: function( elem ) { + return (/input|select|textarea|button/i).test( elem.nodeName ); } }, setFilters: { - first: function(elem, i){ + first: function( elem, i ) { return i === 0; }, - last: function(elem, i, match, array){ + + last: function( elem, i, match, array ) { return i === array.length - 1; }, - even: function(elem, i){ + + even: function( elem, i ) { return i % 2 === 0; }, - odd: function(elem, i){ + + odd: function( elem, i ) { return i % 2 === 1; }, - lt: function(elem, i, match){ + + lt: function( elem, i, match ) { return i < match[3] - 0; }, - gt: function(elem, i, match){ + + gt: function( elem, i, match ) { return i > match[3] - 0; }, - nth: function(elem, i, match){ + + nth: function( elem, i, match ) { return match[3] - 0 === i; }, - eq: function(elem, i, match){ + + eq: function( elem, i, match ) { return match[3] - 0 === i; } }, filter: { - PSEUDO: function(elem, match, i, array){ - var name = match[1], filter = Expr.filters[ name ]; + PSEUDO: function( elem, match, i, array ) { + var name = match[1], + filter = Expr.filters[ name ]; if ( filter ) { return filter( elem, i, match, array ); + } else if ( name === "contains" ) { - return (elem.textContent || elem.innerText || getText([ elem ]) || "").indexOf(match[3]) >= 0; + return (elem.textContent || elem.innerText || Sizzle.getText([ elem ]) || "").indexOf(match[3]) >= 0; + } else if ( name === "not" ) { var not = match[3]; - for ( var i = 0, l = not.length; i < l; i++ ) { - if ( not[i] === elem ) { + for ( var j = 0, l = not.length; j < l; j++ ) { + if ( not[j] === elem ) { return false; } } return true; + } else { Sizzle.error( "Syntax error, unrecognized expression: " + name ); } }, - CHILD: function(elem, match){ - var type = match[1], node = elem; - switch (type) { - case 'only': - case 'first': + + CHILD: function( elem, match ) { + var type = match[1], + node = elem; + + switch ( type ) { + case "only": + case "first": while ( (node = node.previousSibling) ) { if ( node.nodeType === 1 ) { return false; } } + if ( type === "first" ) { return true; } + node = elem; - case 'last': + + case "last": while ( (node = node.nextSibling) ) { if ( node.nodeType === 1 ) { return false; } } + return true; - case 'nth': - var first = match[2], last = match[3]; + + case "nth": + var first = match[2], + last = match[3]; if ( first === 1 && last === 0 ) { return true; @@ -3244,33 +3736,41 @@ var Expr = Sizzle.selectors = { if ( parent && (parent.sizcache !== doneName || !elem.nodeIndex) ) { var count = 0; + for ( node = parent.firstChild; node; node = node.nextSibling ) { if ( node.nodeType === 1 ) { node.nodeIndex = ++count; } } + parent.sizcache = doneName; } var diff = elem.nodeIndex - last; + if ( first === 0 ) { return diff === 0; + } else { return ( diff % first === 0 && diff / first >= 0 ); } } }, - ID: function(elem, match){ + + ID: function( elem, match ) { return elem.nodeType === 1 && elem.getAttribute("id") === match; }, - TAG: function(elem, match){ + + TAG: function( elem, match ) { return (match === "*" && elem.nodeType === 1) || elem.nodeName.toLowerCase() === match; }, - CLASS: function(elem, match){ + + CLASS: function( elem, match ) { return (" " + (elem.className || elem.getAttribute("class")) + " ") .indexOf( match ) > -1; }, - ATTR: function(elem, match){ + + ATTR: function( elem, match ) { var name = match[1], result = Expr.attrHandle[ name ] ? Expr.attrHandle[ name ]( elem ) : @@ -3301,8 +3801,10 @@ var Expr = Sizzle.selectors = { value === check || value.substr(0, check.length + 1) === check + "-" : false; }, - POS: function(elem, match, i, array){ - var name = match[2], filter = Expr.setFilters[ name ]; + + POS: function( elem, match, i, array ) { + var name = match[2], + filter = Expr.setFilters[ name ]; if ( filter ) { return filter( elem, i, match, array ); @@ -3311,16 +3813,17 @@ var Expr = Sizzle.selectors = { } }; -var origPOS = Expr.match.POS; +var origPOS = Expr.match.POS, + fescape = function(all, num){ + return "\\" + (num - 0 + 1); + }; for ( var type in Expr.match ) { - Expr.match[ type ] = new RegExp( Expr.match[ type ].source + /(?![^\[]*\])(?![^\(]*\))/.source ); - Expr.leftMatch[ type ] = new RegExp( /(^(?:.|\r|\n)*?)/.source + Expr.match[ type ].source.replace(/\\(\d+)/g, function(all, num){ - return "\\" + (num - 0 + 1); - })); + Expr.match[ type ] = new RegExp( Expr.match[ type ].source + (/(?![^\[]*\])(?![^\(]*\))/.source) ); + Expr.leftMatch[ type ] = new RegExp( /(^(?:.|\r|\n)*?)/.source + Expr.match[ type ].source.replace(/\\(\d+)/g, fescape) ); } -var makeArray = function(array, results) { +var makeArray = function( array, results ) { array = Array.prototype.slice.call( array, 0 ); if ( results ) { @@ -3339,19 +3842,22 @@ try { Array.prototype.slice.call( document.documentElement.childNodes, 0 )[0].nodeType; // Provide a fallback method if it does not work -} catch(e){ - makeArray = function(array, results) { - var ret = results || []; +} catch( e ) { + makeArray = function( array, results ) { + var i = 0, + ret = results || []; if ( toString.call(array) === "[object Array]" ) { Array.prototype.push.apply( ret, array ); + } else { if ( typeof array.length === "number" ) { - for ( var i = 0, l = array.length; i < l; i++ ) { + for ( var l = array.length; i < l; i++ ) { ret.push( array[i] ); } + } else { - for ( var i = 0; array[i]; i++ ) { + for ( ; array[i]; i++ ) { ret.push( array[i] ); } } @@ -3361,62 +3867,99 @@ try { }; } -var sortOrder; +var sortOrder, siblingCheck; if ( document.documentElement.compareDocumentPosition ) { sortOrder = function( a, b ) { + if ( a === b ) { + hasDuplicate = true; + return 0; + } + if ( !a.compareDocumentPosition || !b.compareDocumentPosition ) { - if ( a == b ) { - hasDuplicate = true; - } return a.compareDocumentPosition ? -1 : 1; } - var ret = a.compareDocumentPosition(b) & 4 ? -1 : a === b ? 0 : 1; - if ( ret === 0 ) { - hasDuplicate = true; - } - return ret; + return a.compareDocumentPosition(b) & 4 ? -1 : 1; }; -} else if ( "sourceIndex" in document.documentElement ) { + +} else { sortOrder = function( a, b ) { - if ( !a.sourceIndex || !b.sourceIndex ) { - if ( a == b ) { - hasDuplicate = true; - } - return a.sourceIndex ? -1 : 1; + var al, bl, + ap = [], + bp = [], + aup = a.parentNode, + bup = b.parentNode, + cur = aup; + + // The nodes are identical, we can exit early + if ( a === b ) { + hasDuplicate = true; + return 0; + + // If the nodes are siblings (or identical) we can do a quick check + } else if ( aup === bup ) { + return siblingCheck( a, b ); + + // If no parents were found then the nodes are disconnected + } else if ( !aup ) { + return -1; + + } else if ( !bup ) { + return 1; } - var ret = a.sourceIndex - b.sourceIndex; - if ( ret === 0 ) { - hasDuplicate = true; - } - return ret; - }; -} else if ( document.createRange ) { - sortOrder = function( a, b ) { - if ( !a.ownerDocument || !b.ownerDocument ) { - if ( a == b ) { - hasDuplicate = true; - } - return a.ownerDocument ? -1 : 1; + // Otherwise they're somewhere else in the tree so we need + // to build up a full list of the parentNodes for comparison + while ( cur ) { + ap.unshift( cur ); + cur = cur.parentNode; } - var aRange = a.ownerDocument.createRange(), bRange = b.ownerDocument.createRange(); - aRange.setStart(a, 0); - aRange.setEnd(a, 0); - bRange.setStart(b, 0); - bRange.setEnd(b, 0); - var ret = aRange.compareBoundaryPoints(Range.START_TO_END, bRange); - if ( ret === 0 ) { - hasDuplicate = true; + cur = bup; + + while ( cur ) { + bp.unshift( cur ); + cur = cur.parentNode; } - return ret; + + al = ap.length; + bl = bp.length; + + // Start walking down the tree looking for a discrepancy + for ( var i = 0; i < al && i < bl; i++ ) { + if ( ap[i] !== bp[i] ) { + return siblingCheck( ap[i], bp[i] ); + } + } + + // We ended someplace up the tree so do a sibling check + return i === al ? + siblingCheck( a, bp[i], -1 ) : + siblingCheck( ap[i], b, 1 ); + }; + + siblingCheck = function( a, b, ret ) { + if ( a === b ) { + return ret; + } + + var cur = a.nextSibling; + + while ( cur ) { + if ( cur === b ) { + return -1; + } + + cur = cur.nextSibling; + } + + return 1; }; } // Utility function for retreiving the text value of an array of DOM nodes -function getText( elems ) { +Sizzle.getText = function( elems ) { var ret = "", elem; for ( var i = 0; elems[i]; i++ ) { @@ -3428,43 +3971,52 @@ function getText( elems ) { // Traverse everything else, except comment nodes } else if ( elem.nodeType !== 8 ) { - ret += getText( elem.childNodes ); + ret += Sizzle.getText( elem.childNodes ); } } return ret; -} +}; // Check to see if the browser returns elements by name when // querying by getElementById (and provide a workaround) (function(){ // We're going to inject a fake input element with a specified name var form = document.createElement("div"), - id = "script" + (new Date).getTime(); + id = "script" + (new Date()).getTime(), + root = document.documentElement; + form.innerHTML = ""; // Inject it into the root element, check its status, and remove it quickly - var root = document.documentElement; root.insertBefore( form, root.firstChild ); // The workaround has to do additional checks after a getElementById // Which slows things down for other browsers (hence the branching) if ( document.getElementById( id ) ) { - Expr.find.ID = function(match, context, isXML){ + Expr.find.ID = function( match, context, isXML ) { if ( typeof context.getElementById !== "undefined" && !isXML ) { var m = context.getElementById(match[1]); - return m ? m.id === match[1] || typeof m.getAttributeNode !== "undefined" && m.getAttributeNode("id").nodeValue === match[1] ? [m] : undefined : []; + + return m ? + m.id === match[1] || typeof m.getAttributeNode !== "undefined" && m.getAttributeNode("id").nodeValue === match[1] ? + [m] : + undefined : + []; } }; - Expr.filter.ID = function(elem, match){ + Expr.filter.ID = function( elem, match ) { var node = typeof elem.getAttributeNode !== "undefined" && elem.getAttributeNode("id"); + return elem.nodeType === 1 && node && node.nodeValue === match; }; } root.removeChild( form ); - root = form = null; // release memory in IE + + // release memory in IE + root = form = null; })(); (function(){ @@ -3477,8 +4029,8 @@ function getText( elems ) { // Make sure no comments are found if ( div.getElementsByTagName("*").length > 0 ) { - Expr.find.TAG = function(match, context){ - var results = context.getElementsByTagName(match[1]); + Expr.find.TAG = function( match, context ) { + var results = context.getElementsByTagName( match[1] ); // Filter out possible comments if ( match[1] === "*" ) { @@ -3499,19 +4051,25 @@ function getText( elems ) { // Check to see if an attribute returns normalized href attributes div.innerHTML = ""; + if ( div.firstChild && typeof div.firstChild.getAttribute !== "undefined" && div.firstChild.getAttribute("href") !== "#" ) { - Expr.attrHandle.href = function(elem){ - return elem.getAttribute("href", 2); + + Expr.attrHandle.href = function( elem ) { + return elem.getAttribute( "href", 2 ); }; } - div = null; // release memory in IE + // release memory in IE + div = null; })(); if ( document.querySelectorAll ) { (function(){ - var oldSizzle = Sizzle, div = document.createElement("div"); + var oldSizzle = Sizzle, + div = document.createElement("div"), + id = "__sizzle__"; + div.innerHTML = "

    "; // Safari can't handle uppercase or unicode characters when @@ -3520,15 +4078,42 @@ if ( document.querySelectorAll ) { return; } - Sizzle = function(query, context, extra, seed){ + Sizzle = function( query, context, extra, seed ) { context = context || document; + // Make sure that attribute selectors are quoted + query = query.replace(/\=\s*([^'"\]]*)\s*\]/g, "='$1']"); + // Only use querySelectorAll on non-XML documents // (ID selectors don't work in non-HTML documents) - if ( !seed && context.nodeType === 9 && !isXML(context) ) { - try { - return makeArray( context.querySelectorAll(query), extra ); - } catch(e){} + if ( !seed && !Sizzle.isXML(context) ) { + if ( context.nodeType === 9 ) { + try { + return makeArray( context.querySelectorAll(query), extra ); + } catch(qsaError) {} + + // qSA works strangely on Element-rooted queries + // We can work around this by specifying an extra ID on the root + // and working up from there (Thanks to Andrew Dupont for the technique) + // IE 8 doesn't work on object elements + } else if ( context.nodeType === 1 && context.nodeName.toLowerCase() !== "object" ) { + var old = context.getAttribute( "id" ), + nid = old || id; + + if ( !old ) { + context.setAttribute( "id", nid ); + } + + try { + return makeArray( context.querySelectorAll( "#" + nid + " " + query ), extra ); + + } catch(pseudoError) { + } finally { + if ( !old ) { + context.removeAttribute( "id" ); + } + } + } } return oldSizzle(query, context, extra, seed); @@ -3538,10 +4123,43 @@ if ( document.querySelectorAll ) { Sizzle[ prop ] = oldSizzle[ prop ]; } - div = null; // release memory in IE + // release memory in IE + div = null; })(); } +(function(){ + var html = document.documentElement, + matches = html.matchesSelector || html.mozMatchesSelector || html.webkitMatchesSelector || html.msMatchesSelector, + pseudoWorks = false; + + try { + // This should fail with an exception + // Gecko does not error, returns false instead + matches.call( document.documentElement, "[test!='']:sizzle" ); + + } catch( pseudoError ) { + pseudoWorks = true; + } + + if ( matches ) { + Sizzle.matchesSelector = function( node, expr ) { + // Make sure that attribute selectors are quoted + expr = expr.replace(/\=\s*([^'"\]]*)\s*\]/g, "='$1']"); + + if ( !Sizzle.isXML( node ) ) { + try { + if ( pseudoWorks || !Expr.match.PSEUDO.test( expr ) && !/!=/.test( expr ) ) { + return matches.call( node, expr ); + } + } catch(e) {} + } + + return Sizzle(expr, null, null, [node]).length > 0; + }; + } +})(); + (function(){ var div = document.createElement("div"); @@ -3561,22 +4179,25 @@ if ( document.querySelectorAll ) { } Expr.order.splice(1, 0, "CLASS"); - Expr.find.CLASS = function(match, context, isXML) { + Expr.find.CLASS = function( match, context, isXML ) { if ( typeof context.getElementsByClassName !== "undefined" && !isXML ) { return context.getElementsByClassName(match[1]); } }; - div = null; // release memory in IE + // release memory in IE + div = null; })(); function dirNodeCheck( dir, cur, doneName, checkSet, nodeCheck, isXML ) { for ( var i = 0, l = checkSet.length; i < l; i++ ) { var elem = checkSet[i]; + if ( elem ) { - elem = elem[dir]; var match = false; + elem = elem[dir]; + while ( elem ) { if ( elem.sizcache === doneName ) { match = checkSet[elem.sizset]; @@ -3604,9 +4225,11 @@ function dirNodeCheck( dir, cur, doneName, checkSet, nodeCheck, isXML ) { function dirCheck( dir, cur, doneName, checkSet, nodeCheck, isXML ) { for ( var i = 0, l = checkSet.length; i < l; i++ ) { var elem = checkSet[i]; + if ( elem ) { - elem = elem[dir]; var match = false; + + elem = elem[dir]; while ( elem ) { if ( elem.sizcache === doneName ) { @@ -3619,6 +4242,7 @@ function dirCheck( dir, cur, doneName, checkSet, nodeCheck, isXML ) { elem.sizcache = doneName; elem.sizset = i; } + if ( typeof cur !== "string" ) { if ( elem === cur ) { match = true; @@ -3639,21 +4263,34 @@ function dirCheck( dir, cur, doneName, checkSet, nodeCheck, isXML ) { } } -var contains = document.compareDocumentPosition ? function(a, b){ - return !!(a.compareDocumentPosition(b) & 16); -} : function(a, b){ - return a !== b && (a.contains ? a.contains(b) : true); -}; +if ( document.documentElement.contains ) { + Sizzle.contains = function( a, b ) { + return a !== b && (a.contains ? a.contains(b) : true); + }; -var isXML = function(elem){ +} else if ( document.documentElement.compareDocumentPosition ) { + Sizzle.contains = function( a, b ) { + return !!(a.compareDocumentPosition(b) & 16); + }; + +} else { + Sizzle.contains = function() { + return false; + }; +} + +Sizzle.isXML = function( elem ) { // documentElement is verified for cases where it doesn't yet exist // (such as loading iframes in IE - #4833) var documentElement = (elem ? elem.ownerDocument || elem : 0).documentElement; + return documentElement ? documentElement.nodeName !== "HTML" : false; }; -var posProcess = function(selector, context){ - var tmpSet = [], later = "", match, +var posProcess = function( selector, context ) { + var match, + tmpSet = [], + later = "", root = context.nodeType ? [context] : context; // Position selectors must be done after the filter @@ -3677,53 +4314,26 @@ jQuery.find = Sizzle; jQuery.expr = Sizzle.selectors; jQuery.expr[":"] = jQuery.expr.filters; jQuery.unique = Sizzle.uniqueSort; -jQuery.text = getText; -jQuery.isXMLDoc = isXML; -jQuery.contains = contains; +jQuery.text = Sizzle.getText; +jQuery.isXMLDoc = Sizzle.isXML; +jQuery.contains = Sizzle.contains; -return; - -window.Sizzle = Sizzle; })(); + + var runtil = /Until$/, rparentsprev = /^(?:parents|prevUntil|prevAll)/, // Note: This RegExp should be improved, or likely pulled from Sizzle rmultiselector = /,/, - slice = Array.prototype.slice; - -// Implement the identical functionality for filter and not -var winnow = function( elements, qualifier, keep ) { - if ( jQuery.isFunction( qualifier ) ) { - return jQuery.grep(elements, function( elem, i ) { - return !!qualifier.call( elem, i, elem ) === keep; - }); - - } else if ( qualifier.nodeType ) { - return jQuery.grep(elements, function( elem, i ) { - return (elem === qualifier) === keep; - }); - - } else if ( typeof qualifier === "string" ) { - var filtered = jQuery.grep(elements, function( elem ) { - return elem.nodeType === 1; - }); - - if ( isSimple.test( qualifier ) ) { - return jQuery.filter(qualifier, filtered, !keep); - } else { - qualifier = jQuery.filter( qualifier, filtered ); - } - } - - return jQuery.grep(elements, function( elem, i ) { - return (jQuery.inArray( elem, qualifier ) >= 0) === keep; - }); -}; + isSimple = /^.[^:#\[\.,]*$/, + slice = Array.prototype.slice, + POS = jQuery.expr.match.POS; jQuery.fn.extend({ find: function( selector ) { - var ret = this.pushStack( "", "find", selector ), length = 0; + var ret = this.pushStack( "", "find", selector ), + length = 0; for ( var i = 0, l = this.length; i < l; i++ ) { length = ret.length; @@ -3769,11 +4379,15 @@ jQuery.fn.extend({ }, closest: function( selectors, context ) { + var ret = [], i, l, cur = this[0]; + if ( jQuery.isArray( selectors ) ) { - var ret = [], cur = this[0], match, matches = {}, selector; + var match, selector, + matches = {}, + level = 1; if ( cur && selectors.length ) { - for ( var i = 0, l = selectors.length; i < l; i++ ) { + for ( i = 0, l = selectors.length; i < l; i++ ) { selector = selectors[i]; if ( !matches[selector] ) { @@ -3788,29 +4402,41 @@ jQuery.fn.extend({ match = matches[selector]; if ( match.jquery ? match.index(cur) > -1 : jQuery(cur).is(match) ) { - ret.push({ selector: selector, elem: cur }); - delete matches[selector]; + ret.push({ selector: selector, elem: cur, level: level }); } } + cur = cur.parentNode; + level++; } } return ret; } - var pos = jQuery.expr.match.POS.test( selectors ) ? + var pos = POS.test( selectors ) ? jQuery( selectors, context || this.context ) : null; - return this.map(function( i, cur ) { - while ( cur && cur.ownerDocument && cur !== context ) { - if ( pos ? pos.index(cur) > -1 : jQuery(cur).is(selectors) ) { - return cur; + for ( i = 0, l = this.length; i < l; i++ ) { + cur = this[i]; + + while ( cur ) { + if ( pos ? pos.index(cur) > -1 : jQuery.find.matchesSelector(cur, selectors) ) { + ret.push( cur ); + break; + + } else { + cur = cur.parentNode; + if ( !cur || !cur.ownerDocument || cur === context ) { + break; + } } - cur = cur.parentNode; } - return null; - }); + } + + ret = ret.length > 1 ? jQuery.unique(ret) : ret; + + return this.pushStack( ret, "closest", selectors ); }, // Determine the position of an element within @@ -3918,11 +4544,15 @@ jQuery.extend({ expr = ":not(" + expr + ")"; } - return jQuery.find.matches(expr, elems); + return elems.length === 1 ? + jQuery.find.matchesSelector(elems[0], expr) ? [ elems[0] ] : [] : + jQuery.find.matches(expr, elems); }, dir: function( elem, dir, until ) { - var matched = [], cur = elem[dir]; + var matched = [], + cur = elem[ dir ]; + while ( cur && cur.nodeType !== 9 && (until === undefined || cur.nodeType !== 1 || !jQuery( cur ).is( until )) ) { if ( cur.nodeType === 1 ) { matched.push( cur ); @@ -3957,20 +4587,50 @@ jQuery.extend({ return r; } }); + +// Implement the identical functionality for filter and not +function winnow( elements, qualifier, keep ) { + if ( jQuery.isFunction( qualifier ) ) { + return jQuery.grep(elements, function( elem, i ) { + var retVal = !!qualifier.call( elem, i, elem ); + return retVal === keep; + }); + + } else if ( qualifier.nodeType ) { + return jQuery.grep(elements, function( elem, i ) { + return (elem === qualifier) === keep; + }); + + } else if ( typeof qualifier === "string" ) { + var filtered = jQuery.grep(elements, function( elem ) { + return elem.nodeType === 1; + }); + + if ( isSimple.test( qualifier ) ) { + return jQuery.filter(qualifier, filtered, !keep); + } else { + qualifier = jQuery.filter( qualifier, filtered ); + } + } + + return jQuery.grep(elements, function( elem, i ) { + return (jQuery.inArray( elem, qualifier ) >= 0) === keep; + }); +} + + + + var rinlinejQuery = / jQuery\d+="(?:\d+|null)"/g, rleadingWhitespace = /^\s+/, - rxhtmlTag = /(<([\w:]+)[^>]*?)\/>/g, - rselfClosing = /^(?:area|br|col|embed|hr|img|input|link|meta|param)$/i, + rxhtmlTag = /<(?!area|br|col|embed|hr|img|input|link|meta|param)(([\w:]+)[^>]*)\/>/ig, rtagName = /<([\w:]+)/, rtbody = /"; - }, + rnocache = /<(?:script|object|embed|option|style)/i, + // checked="checked" or checked (html5) + rchecked = /checked\s*(?:[^=]|=\s*.checked.)/i, + raction = /\=([^="'>\s]+\/)>/g, wrapMap = { option: [ 1, "" ], legend: [ 1, "
    ", "
    " ], @@ -3995,7 +4655,8 @@ jQuery.fn.extend({ text: function( text ) { if ( jQuery.isFunction(text) ) { return this.each(function(i) { - var self = jQuery(this); + var self = jQuery( this ); + self.text( text.call(this, i, self.text()) ); }); } @@ -4044,7 +4705,8 @@ jQuery.fn.extend({ } return this.each(function() { - var self = jQuery( this ), contents = self.contents(); + var self = jQuery( this ), + contents = self.contents(); if ( contents.length ) { contents.wrapAll( html ); @@ -4155,7 +4817,9 @@ jQuery.fn.extend({ // attributes in IE that are actually only stored // as properties will not be copied (such as the // the name attribute on an input). - var html = this.outerHTML, ownerDocument = this.ownerDocument; + var html = this.outerHTML, + ownerDocument = this.ownerDocument; + if ( !html ) { var div = ownerDocument.createElement("div"); div.appendChild( this.cloneNode(true) ); @@ -4164,7 +4828,7 @@ jQuery.fn.extend({ return jQuery.clean([html.replace(rinlinejQuery, "") // Handle the case in IE 8 where action=/test/> self-closes a tag - .replace(/=([^="'>\s]+\/)>/g, '="$1">') + .replace(raction, '="$1">') .replace(rleadingWhitespace, "")], ownerDocument)[0]; } else { return this.cloneNode(true); @@ -4192,7 +4856,7 @@ jQuery.fn.extend({ (jQuery.support.leadingWhitespace || !rleadingWhitespace.test( value )) && !wrapMap[ (rtagName.exec( value ) || ["", ""])[1].toLowerCase() ] ) { - value = value.replace(rxhtmlTag, fcloseTag); + value = value.replace(rxhtmlTag, "<$1>"); try { for ( var i = 0, l = this.length; i < l; i++ ) { @@ -4210,10 +4874,9 @@ jQuery.fn.extend({ } else if ( jQuery.isFunction( value ) ) { this.each(function(i){ - var self = jQuery(this), old = self.html(); - self.empty().append(function(){ - return value.call( this, i, old ); - }); + var self = jQuery( this ); + + self.html( value.call(this, i, self.html()) ); }); } else { @@ -4235,13 +4898,14 @@ jQuery.fn.extend({ } if ( typeof value !== "string" ) { - value = jQuery(value).detach(); + value = jQuery( value ).detach(); } return this.each(function() { - var next = this.nextSibling, parent = this.parentNode; + var next = this.nextSibling, + parent = this.parentNode; - jQuery(this).remove(); + jQuery( this ).remove(); if ( next ) { jQuery(next).before( value ); @@ -4259,7 +4923,9 @@ jQuery.fn.extend({ }, domManip: function( args, table, callback ) { - var results, first, value = args[0], scripts = [], fragment, parent; + var results, first, fragment, parent, + value = args[0], + scripts = []; // We can't cloneNode fragments that contain checked, in WebKit if ( !jQuery.support.checkClone && arguments.length === 3 && typeof value === "string" && rchecked.test( value ) ) { @@ -4284,7 +4950,7 @@ jQuery.fn.extend({ results = { fragment: parent }; } else { - results = buildFragment( args, this, scripts ); + results = jQuery.buildFragment( args, this, scripts ); } fragment = results.fragment; @@ -4316,16 +4982,16 @@ jQuery.fn.extend({ } return this; - - function root( elem, cur ) { - return jQuery.nodeName(elem, "table") ? - (elem.getElementsByTagName("tbody")[0] || - elem.appendChild(elem.ownerDocument.createElement("tbody"))) : - elem; - } } }); +function root( elem, cur ) { + return jQuery.nodeName(elem, "table") ? + (elem.getElementsByTagName("tbody")[0] || + elem.appendChild(elem.ownerDocument.createElement("tbody"))) : + elem; +} + function cloneCopyEvent(orig, ret) { var i = 0; @@ -4334,7 +5000,9 @@ function cloneCopyEvent(orig, ret) { return; } - var oldData = jQuery.data( orig[i++] ), curData = jQuery.data( this, oldData ), events = oldData && oldData.events; + var oldData = jQuery.data( orig[i++] ), + curData = jQuery.data( this, oldData ), + events = oldData && oldData.events; if ( events ) { delete curData.handle; @@ -4349,7 +5017,7 @@ function cloneCopyEvent(orig, ret) { }); } -function buildFragment( args, nodes, scripts ) { +jQuery.buildFragment = function( args, nodes, scripts ) { var fragment, cacheable, cacheresults, doc = (nodes && nodes[0] ? nodes[0].ownerDocument || nodes[0] : document); @@ -4379,7 +5047,7 @@ function buildFragment( args, nodes, scripts ) { } return { fragment: fragment, cacheable: cacheable }; -} +}; jQuery.fragments = {}; @@ -4391,7 +5059,8 @@ jQuery.each({ replaceAll: "replaceWith" }, function( name, original ) { jQuery.fn[ name ] = function( selector ) { - var ret = [], insert = jQuery( selector ), + var ret = [], + insert = jQuery( selector ), parent = this.length === 1 && this[0].parentNode; if ( parent && parent.nodeType === 11 && parent.childNodes.length === 1 && insert.length === 1 ) { @@ -4401,7 +5070,7 @@ jQuery.each({ } else { for ( var i = 0, l = insert.length; i < l; i++ ) { var elems = (i > 0 ? this.clone(true) : this).get(); - jQuery.fn[ original ].apply( jQuery(insert[i]), elems ); + jQuery( insert[i] )[ original ]( elems ); ret = ret.concat( elems ); } @@ -4436,7 +5105,7 @@ jQuery.extend({ } else if ( typeof elem === "string" ) { // Fix "XHTML"-style tags in all browsers - elem = elem.replace(rxhtmlTag, fcloseTag); + elem = elem.replace(rxhtmlTag, "<$1>"); // Trim whitespace, otherwise indexOf won't work as expected var tag = (rtagName.exec( elem ) || ["", ""])[1].toLowerCase(), @@ -4489,7 +5158,7 @@ jQuery.extend({ } if ( fragment ) { - for ( var i = 0; ret[i]; i++ ) { + for ( i = 0; ret[i]; i++ ) { if ( scripts && jQuery.nodeName( ret[i], "script" ) && (!ret[i].type || ret[i].type.toLowerCase() === "text/javascript") ) { scripts.push( ret[i].parentNode ? ret[i].parentNode.removeChild( ret[i] ) : ret[i] ); @@ -4511,18 +5180,22 @@ jQuery.extend({ deleteExpando = jQuery.support.deleteExpando; for ( var i = 0, elem; (elem = elems[i]) != null; i++ ) { + if ( elem.nodeName && jQuery.noData[elem.nodeName.toLowerCase()] ) { + continue; + } + id = elem[ jQuery.expando ]; if ( id ) { data = cache[ id ]; - if ( data.events ) { + if ( data && data.events ) { for ( var type in data.events ) { if ( special[ type ] ) { jQuery.event.remove( elem, type ); } else { - removeEvent( elem, type, data.handle ); + jQuery.removeEvent( elem, type, data.handle ); } } } @@ -4539,198 +5212,152 @@ jQuery.extend({ } } }); -// exclude the following css properties to add px -var rexclude = /z-?index|font-?weight|opacity|zoom|line-?height/i, - ralpha = /alpha\([^)]*\)/, + +function evalScript( i, elem ) { + if ( elem.src ) { + jQuery.ajax({ + url: elem.src, + async: false, + dataType: "script" + }); + } else { + jQuery.globalEval( elem.text || elem.textContent || elem.innerHTML || "" ); + } + + if ( elem.parentNode ) { + elem.parentNode.removeChild( elem ); + } +} + + + + +var ralpha = /alpha\([^)]*\)/i, ropacity = /opacity=([^)]*)/, - rfloat = /float/i, rdashAlpha = /-([a-z])/ig, rupper = /([A-Z])/g, rnumpx = /^-?\d+(?:px)?$/i, rnum = /^-?\d/, - cssShow = { position: "absolute", visibility: "hidden", display:"block" }, + cssShow = { position: "absolute", visibility: "hidden", display: "block" }, cssWidth = [ "Left", "Right" ], cssHeight = [ "Top", "Bottom" ], + curCSS, + + getComputedStyle, + currentStyle, - // cache check for defaultView.getComputedStyle - getComputedStyle = document.defaultView && document.defaultView.getComputedStyle, - // normalize float css property - styleFloat = jQuery.support.cssFloat ? "cssFloat" : "styleFloat", fcamelCase = function( all, letter ) { return letter.toUpperCase(); }; jQuery.fn.css = function( name, value ) { - return access( this, name, value, true, function( elem, name, value ) { - if ( value === undefined ) { - return jQuery.curCSS( elem, name ); - } - - if ( typeof value === "number" && !rexclude.test(name) ) { - value += "px"; - } + // Setting 'undefined' is a no-op + if ( arguments.length === 2 && value === undefined ) { + return this; + } - jQuery.style( elem, name, value ); + return jQuery.access( this, name, value, true, function( elem, name, value ) { + return value !== undefined ? + jQuery.style( elem, name, value ) : + jQuery.css( elem, name ); }); }; jQuery.extend({ - style: function( elem, name, value ) { - // don't set styles on text and comment nodes - if ( !elem || elem.nodeType === 3 || elem.nodeType === 8 ) { - return undefined; - } + // Add in style property hooks for overriding the default + // behavior of getting and setting a style property + cssHooks: { + opacity: { + get: function( elem, computed ) { + if ( computed ) { + // We should always get a number back from opacity + var ret = curCSS( elem, "opacity", "opacity" ); + return ret === "" ? "1" : ret; - // ignore negative width and height values #1599 - if ( (name === "width" || name === "height") && parseFloat(value) < 0 ) { - value = undefined; - } - - var style = elem.style || elem, set = value !== undefined; - - // IE uses filters for opacity - if ( !jQuery.support.opacity && name === "opacity" ) { - if ( set ) { - // IE has trouble with opacity if it does not have layout - // Force it by setting the zoom level - style.zoom = 1; - - // Set the alpha filter to set the opacity - var opacity = parseInt( value, 10 ) + "" === "NaN" ? "" : "alpha(opacity=" + value * 100 + ")"; - var filter = style.filter || jQuery.curCSS( elem, "filter" ) || ""; - style.filter = ralpha.test(filter) ? filter.replace(ralpha, opacity) : opacity; - } - - return style.filter && style.filter.indexOf("opacity=") >= 0 ? - (parseFloat( ropacity.exec(style.filter)[1] ) / 100) + "": - ""; - } - - // Make sure we're using the right name for getting the float value - if ( rfloat.test( name ) ) { - name = styleFloat; - } - - name = name.replace(rdashAlpha, fcamelCase); - - if ( set ) { - style[ name ] = value; - } - - return style[ name ]; - }, - - css: function( elem, name, force, extra ) { - if ( name === "width" || name === "height" ) { - var val, props = cssShow, which = name === "width" ? cssWidth : cssHeight; - - function getWH() { - val = name === "width" ? elem.offsetWidth : elem.offsetHeight; - - if ( extra === "border" ) { - return; + } else { + return elem.style.opacity; } - - jQuery.each( which, function() { - if ( !extra ) { - val -= parseFloat(jQuery.curCSS( elem, "padding" + this, true)) || 0; - } - - if ( extra === "margin" ) { - val += parseFloat(jQuery.curCSS( elem, "margin" + this, true)) || 0; - } else { - val -= parseFloat(jQuery.curCSS( elem, "border" + this + "Width", true)) || 0; - } - }); } - - if ( elem.offsetWidth !== 0 ) { - getWH(); - } else { - jQuery.swap( elem, props, getWH ); - } - - return Math.max(0, Math.round(val)); } - - return jQuery.curCSS( elem, name, force ); }, - curCSS: function( elem, name, force ) { - var ret, style = elem.style, filter; + // Exclude the following css properties to add px + cssNumber: { + "zIndex": true, + "fontWeight": true, + "opacity": true, + "zoom": true, + "lineHeight": true + }, - // IE uses filters for opacity - if ( !jQuery.support.opacity && name === "opacity" && elem.currentStyle ) { - ret = ropacity.test(elem.currentStyle.filter || "") ? - (parseFloat(RegExp.$1) / 100) + "" : - ""; + // Add in properties whose names you wish to fix before + // setting or getting the value + cssProps: { + // normalize float css property + "float": jQuery.support.cssFloat ? "cssFloat" : "styleFloat" + }, - return ret === "" ? - "1" : - ret; + // Get and set the style property on a DOM Node + style: function( elem, name, value, extra ) { + // Don't set styles on text and comment nodes + if ( !elem || elem.nodeType === 3 || elem.nodeType === 8 || !elem.style ) { + return; } - // Make sure we're using the right name for getting the float value - if ( rfloat.test( name ) ) { - name = styleFloat; + // Make sure that we're working with the right name + var ret, origName = jQuery.camelCase( name ), + style = elem.style, hooks = jQuery.cssHooks[ origName ]; + + name = jQuery.cssProps[ origName ] || origName; + + // Check if we're setting a value + if ( value !== undefined ) { + // Make sure that NaN and null values aren't set. See: #7116 + if ( typeof value === "number" && isNaN( value ) || value == null ) { + return; + } + + // If a number was passed in, add 'px' to the (except for certain CSS properties) + if ( typeof value === "number" && !jQuery.cssNumber[ origName ] ) { + value += "px"; + } + + // If a hook was provided, use that value, otherwise just set the specified value + if ( !hooks || !("set" in hooks) || (value = hooks.set( elem, value )) !== undefined ) { + // Wrapped to prevent IE from throwing errors when 'invalid' values are provided + // Fixes bug #5509 + try { + style[ name ] = value; + } catch(e) {} + } + + } else { + // If a hook was provided get the non-computed value from there + if ( hooks && "get" in hooks && (ret = hooks.get( elem, false, extra )) !== undefined ) { + return ret; + } + + // Otherwise just get the value from the style object + return style[ name ]; } + }, - if ( !force && style && style[ name ] ) { - ret = style[ name ]; + css: function( elem, name, extra ) { + // Make sure that we're working with the right name + var ret, origName = jQuery.camelCase( name ), + hooks = jQuery.cssHooks[ origName ]; - } else if ( getComputedStyle ) { + name = jQuery.cssProps[ origName ] || origName; - // Only "float" is needed here - if ( rfloat.test( name ) ) { - name = "float"; - } + // If a hook was provided get the computed value from there + if ( hooks && "get" in hooks && (ret = hooks.get( elem, true, extra )) !== undefined ) { + return ret; - name = name.replace( rupper, "-$1" ).toLowerCase(); - - var defaultView = elem.ownerDocument.defaultView; - - if ( !defaultView ) { - return null; - } - - var computedStyle = defaultView.getComputedStyle( elem, null ); - - if ( computedStyle ) { - ret = computedStyle.getPropertyValue( name ); - } - - // We should always get a number back from opacity - if ( name === "opacity" && ret === "" ) { - ret = "1"; - } - - } else if ( elem.currentStyle ) { - var camelCase = name.replace(rdashAlpha, fcamelCase); - - ret = elem.currentStyle[ name ] || elem.currentStyle[ camelCase ]; - - // From the awesome hack by Dean Edwards - // http://erik.eae.net/archives/2007/07/27/18.54.15/#comment-102291 - - // If we're not dealing with a regular pixel number - // but a number that has a weird ending, we need to convert it to pixels - if ( !rnumpx.test( ret ) && rnum.test( ret ) ) { - // Remember the original values - var left = style.left, rsLeft = elem.runtimeStyle.left; - - // Put in the new values to get a computed value out - elem.runtimeStyle.left = elem.currentStyle.left; - style.left = camelCase === "fontSize" ? "1em" : (ret || 0); - ret = style.pixelLeft + "px"; - - // Revert the changed values - style.left = left; - elem.runtimeStyle.left = rsLeft; - } + // Otherwise, if a way to get the computed value exists, use that + } else if ( curCSS ) { + return curCSS( elem, name, origName ); } - - return ret; }, // A method for quickly swapping in/out CSS properties to get correct calculations @@ -4746,45 +5373,218 @@ jQuery.extend({ callback.call( elem ); // Revert the old values - for ( var name in options ) { + for ( name in options ) { elem.style[ name ] = old[ name ]; } + }, + + camelCase: function( string ) { + return string.replace( rdashAlpha, fcamelCase ); } }); +// DEPRECATED, Use jQuery.css() instead +jQuery.curCSS = jQuery.css; + +jQuery.each(["height", "width"], function( i, name ) { + jQuery.cssHooks[ name ] = { + get: function( elem, computed, extra ) { + var val; + + if ( computed ) { + if ( elem.offsetWidth !== 0 ) { + val = getWH( elem, name, extra ); + + } else { + jQuery.swap( elem, cssShow, function() { + val = getWH( elem, name, extra ); + }); + } + + if ( val <= 0 ) { + val = curCSS( elem, name, name ); + + if ( val === "0px" && currentStyle ) { + val = currentStyle( elem, name, name ); + } + + if ( val != null ) { + // Should return "auto" instead of 0, use 0 for + // temporary backwards-compat + return val === "" || val === "auto" ? "0px" : val; + } + } + + if ( val < 0 || val == null ) { + val = elem.style[ name ]; + + // Should return "auto" instead of 0, use 0 for + // temporary backwards-compat + return val === "" || val === "auto" ? "0px" : val; + } + + return typeof val === "string" ? val : val + "px"; + } + }, + + set: function( elem, value ) { + if ( rnumpx.test( value ) ) { + // ignore negative width and height values #1599 + value = parseFloat(value); + + if ( value >= 0 ) { + return value + "px"; + } + + } else { + return value; + } + } + }; +}); + +if ( !jQuery.support.opacity ) { + jQuery.cssHooks.opacity = { + get: function( elem, computed ) { + // IE uses filters for opacity + return ropacity.test((computed && elem.currentStyle ? elem.currentStyle.filter : elem.style.filter) || "") ? + (parseFloat(RegExp.$1) / 100) + "" : + computed ? "1" : ""; + }, + + set: function( elem, value ) { + var style = elem.style; + + // IE has trouble with opacity if it does not have layout + // Force it by setting the zoom level + style.zoom = 1; + + // Set the alpha filter to set the opacity + var opacity = jQuery.isNaN(value) ? + "" : + "alpha(opacity=" + value * 100 + ")", + filter = style.filter || ""; + + style.filter = ralpha.test(filter) ? + filter.replace(ralpha, opacity) : + style.filter + ' ' + opacity; + } + }; +} + +if ( document.defaultView && document.defaultView.getComputedStyle ) { + getComputedStyle = function( elem, newName, name ) { + var ret, defaultView, computedStyle; + + name = name.replace( rupper, "-$1" ).toLowerCase(); + + if ( !(defaultView = elem.ownerDocument.defaultView) ) { + return undefined; + } + + if ( (computedStyle = defaultView.getComputedStyle( elem, null )) ) { + ret = computedStyle.getPropertyValue( name ); + if ( ret === "" && !jQuery.contains( elem.ownerDocument.documentElement, elem ) ) { + ret = jQuery.style( elem, name ); + } + } + + return ret; + }; +} + +if ( document.documentElement.currentStyle ) { + currentStyle = function( elem, name ) { + var left, rsLeft, + ret = elem.currentStyle && elem.currentStyle[ name ], + style = elem.style; + + // From the awesome hack by Dean Edwards + // http://erik.eae.net/archives/2007/07/27/18.54.15/#comment-102291 + + // If we're not dealing with a regular pixel number + // but a number that has a weird ending, we need to convert it to pixels + if ( !rnumpx.test( ret ) && rnum.test( ret ) ) { + // Remember the original values + left = style.left; + rsLeft = elem.runtimeStyle.left; + + // Put in the new values to get a computed value out + elem.runtimeStyle.left = elem.currentStyle.left; + style.left = name === "fontSize" ? "1em" : (ret || 0); + ret = style.pixelLeft + "px"; + + // Revert the changed values + style.left = left; + elem.runtimeStyle.left = rsLeft; + } + + return ret === "" ? "auto" : ret; + }; +} + +curCSS = getComputedStyle || currentStyle; + +function getWH( elem, name, extra ) { + var which = name === "width" ? cssWidth : cssHeight, + val = name === "width" ? elem.offsetWidth : elem.offsetHeight; + + if ( extra === "border" ) { + return val; + } + + jQuery.each( which, function() { + if ( !extra ) { + val -= parseFloat(jQuery.css( elem, "padding" + this )) || 0; + } + + if ( extra === "margin" ) { + val += parseFloat(jQuery.css( elem, "margin" + this )) || 0; + + } else { + val -= parseFloat(jQuery.css( elem, "border" + this + "Width" )) || 0; + } + }); + + return val; +} + if ( jQuery.expr && jQuery.expr.filters ) { jQuery.expr.filters.hidden = function( elem ) { - var width = elem.offsetWidth, height = elem.offsetHeight, - skip = elem.nodeName.toLowerCase() === "tr"; + var width = elem.offsetWidth, + height = elem.offsetHeight; - return width === 0 && height === 0 && !skip ? - true : - width > 0 && height > 0 && !skip ? - false : - jQuery.curCSS(elem, "display") === "none"; + return (width === 0 && height === 0) || (!jQuery.support.reliableHiddenOffsets && (elem.style.display || jQuery.css( elem, "display" )) === "none"); }; jQuery.expr.filters.visible = function( elem ) { return !jQuery.expr.filters.hidden( elem ); }; } -var jsc = now(), - rscript = //gi, - rselectTextarea = /select|textarea/i, - rinput = /color|date|datetime|email|hidden|month|number|password|range|search|tel|text|time|url|week/i, - jsre = /=\?(&|$)/, + + + + +var jsc = jQuery.now(), + rscript = /)<[^<]*)*<\/script>/gi, + rselectTextarea = /^(?:select|textarea)/i, + rinput = /^(?:color|date|datetime|email|hidden|month|number|password|range|search|tel|text|time|url|week)$/i, + rnoContent = /^(?:GET|HEAD)$/, + rbracket = /\[\]$/, + jsre = /\=\?(&|$)/, rquery = /\?/, - rts = /(\?|&)_=.*?(&|$)/, + rts = /([?&])_=[^&]*/, rurl = /^(\w+:)?\/\/([^\/?#]+)/, r20 = /%20/g, + rhash = /#.*$/, // Keep a copy of the old load method _load = jQuery.fn.load; jQuery.fn.extend({ load: function( url, params, callback ) { - if ( typeof url !== "string" ) { - return _load.call( this, url ); + if ( typeof url !== "string" && _load ) { + return _load.apply( this, arguments ); // Don't do a request if no elements are being requested } else if ( !this.length ) { @@ -4829,7 +5629,7 @@ jQuery.fn.extend({ // See if a selector was specified self.html( selector ? // Create a dummy div to hold the results - jQuery("
    ") + jQuery("
    ") // inject the contents of the document in, removing the scripts // to avoid any 'Permission Denied' errors in IE .append(res.responseText.replace(rscript, "")) @@ -4853,6 +5653,7 @@ jQuery.fn.extend({ serialize: function() { return jQuery.param(this.serializeArray()); }, + serializeArray: function() { return this.map(function() { return this.elements ? jQuery.makeArray(this.elements) : this; @@ -4884,7 +5685,6 @@ jQuery.each( "ajaxStart ajaxStop ajaxComplete ajaxError ajaxSuccess ajaxSend".sp }); jQuery.extend({ - get: function( url, data, callback, type ) { // shift arguments if data argument was omited if ( jQuery.isFunction( data ) ) { @@ -4945,19 +5745,10 @@ jQuery.extend({ password: null, traditional: false, */ - // Create the request object; Microsoft failed to properly - // implement the XMLHttpRequest in IE7 (can't request local files), - // so we use the ActiveXObject when it is available // This function can be overriden by calling jQuery.ajaxSetup - xhr: window.XMLHttpRequest && (window.location.protocol !== "file:" || !window.ActiveXObject) ? - function() { - return new window.XMLHttpRequest(); - } : - function() { - try { - return new window.ActiveXObject("Microsoft.XMLHTTP"); - } catch(e) {} - }, + xhr: function() { + return new window.XMLHttpRequest(); + }, accepts: { xml: "application/xml, text/xml", html: "text/html", @@ -4968,16 +5759,14 @@ jQuery.extend({ } }, - // Last-Modified header cache for next request - lastModified: {}, - etag: {}, - ajax: function( origSettings ) { - var s = jQuery.extend(true, {}, jQuery.ajaxSettings, origSettings); - - var jsonp, status, data, - callbackContext = origSettings && origSettings.context || s, - type = s.type.toUpperCase(); + var s = jQuery.extend(true, {}, jQuery.ajaxSettings, origSettings), + jsonp, status, data, type = s.type.toUpperCase(), noContent = rnoContent.test(type); + + s.url = s.url.replace( rhash, "" ); + + // Use original (not extended) context object if it was provided + s.context = origSettings && origSettings.context != null ? origSettings.context : s; // convert data if not already a string if ( s.data && s.processData && typeof s.data !== "string" ) { @@ -5012,17 +5801,25 @@ jQuery.extend({ s.dataType = "script"; // Handle JSONP-style loading - window[ jsonp ] = window[ jsonp ] || function( tmp ) { + var customJsonp = window[ jsonp ]; + + window[ jsonp ] = function( tmp ) { + if ( jQuery.isFunction( customJsonp ) ) { + customJsonp( tmp ); + + } else { + // Garbage collect + window[ jsonp ] = undefined; + + try { + delete window[ jsonp ]; + } catch( jsonpError ) {} + } + data = tmp; - success(); - complete(); - // Garbage collect - window[ jsonp ] = undefined; - - try { - delete window[ jsonp ]; - } catch(e) {} - + jQuery.handleSuccess( s, xhr, status, data ); + jQuery.handleComplete( s, xhr, status, data ); + if ( head ) { head.removeChild( script ); } @@ -5033,39 +5830,39 @@ jQuery.extend({ s.cache = false; } - if ( s.cache === false && type === "GET" ) { - var ts = now(); + if ( s.cache === false && noContent ) { + var ts = jQuery.now(); // try replacing _= if it is there - var ret = s.url.replace(rts, "$1_=" + ts + "$2"); + var ret = s.url.replace(rts, "$1_=" + ts); // if nothing was replaced, add timestamp to the end s.url = ret + ((ret === s.url) ? (rquery.test(s.url) ? "&" : "?") + "_=" + ts : ""); } - // If data is available, append data to url for get requests - if ( s.data && type === "GET" ) { + // If data is available, append data to url for GET/HEAD requests + if ( s.data && noContent ) { s.url += (rquery.test(s.url) ? "&" : "?") + s.data; } // Watch for a new set of requests - if ( s.global && ! jQuery.active++ ) { + if ( s.global && jQuery.active++ === 0 ) { jQuery.event.trigger( "ajaxStart" ); } // Matches an absolute URL, and saves the domain var parts = rurl.exec( s.url ), - remote = parts && (parts[1] && parts[1] !== location.protocol || parts[2] !== location.host); + remote = parts && (parts[1] && parts[1].toLowerCase() !== location.protocol || parts[2].toLowerCase() !== location.host); // If we're requesting a remote document // and trying to load JSON or Script with a GET if ( s.dataType === "script" && type === "GET" && remote ) { var head = document.getElementsByTagName("head")[0] || document.documentElement; var script = document.createElement("script"); - script.src = s.url; if ( s.scriptCharset ) { script.charset = s.scriptCharset; } + script.src = s.url; // Handle Script loading if ( !jsonp ) { @@ -5076,8 +5873,8 @@ jQuery.extend({ if ( !done && (!this.readyState || this.readyState === "loaded" || this.readyState === "complete") ) { done = true; - success(); - complete(); + jQuery.handleSuccess( s, xhr, status, data ); + jQuery.handleComplete( s, xhr, status, data ); // Handle memory leak in IE script.onload = script.onreadystatechange = null; @@ -5115,8 +5912,8 @@ jQuery.extend({ // Need an extra try/catch for cross domain requests in Firefox 3 try { - // Set the correct header, if data is being sent - if ( s.data || origSettings && origSettings.contentType ) { + // Set content-type if data specified and content-body is valid for this type + if ( (s.data != null && !noContent) || (origSettings && origSettings.contentType) ) { xhr.setRequestHeader("Content-Type", s.contentType); } @@ -5139,14 +5936,14 @@ jQuery.extend({ // Set the Accepts header for the server, depending on the dataType xhr.setRequestHeader("Accept", s.dataType && s.accepts[ s.dataType ] ? - s.accepts[ s.dataType ] + ", */*" : + s.accepts[ s.dataType ] + ", */*; q=0.01" : s.accepts._default ); - } catch(e) {} + } catch( headerError ) {} // Allow custom headers/mimetypes and early abort - if ( s.beforeSend && s.beforeSend.call(callbackContext, xhr, s) === false ) { + if ( s.beforeSend && s.beforeSend.call(s.context, xhr, s) === false ) { // Handle the global AJAX counter - if ( s.global && ! --jQuery.active ) { + if ( s.global && jQuery.active-- === 1 ) { jQuery.event.trigger( "ajaxStop" ); } @@ -5156,7 +5953,7 @@ jQuery.extend({ } if ( s.global ) { - trigger("ajaxSend", [xhr, s]); + jQuery.triggerGlobal( s, "ajaxSend", [xhr, s] ); } // Wait for a response to come back @@ -5166,7 +5963,7 @@ jQuery.extend({ // Opera doesn't call onreadystatechange before this point // so we simulate the call if ( !requestDone ) { - complete(); + jQuery.handleComplete( s, xhr, status, data ); } requestDone = true; @@ -5194,9 +5991,9 @@ jQuery.extend({ try { // process the data (runs the xml through httpData regardless of callback) data = jQuery.httpData( xhr, s.dataType, s ); - } catch(err) { + } catch( parserError ) { status = "parsererror"; - errMsg = err; + errMsg = parserError; } } @@ -5204,14 +6001,16 @@ jQuery.extend({ if ( status === "success" || status === "notmodified" ) { // JSONP handles its own success callback if ( !jsonp ) { - success(); + jQuery.handleSuccess( s, xhr, status, data ); } } else { - jQuery.handleError(s, xhr, status, errMsg); + jQuery.handleError( s, xhr, status, errMsg ); } // Fire the complete handlers - complete(); + if ( !jsonp ) { + jQuery.handleComplete( s, xhr, status, data ); + } if ( isTimeout === "timeout" ) { xhr.abort(); @@ -5224,18 +6023,21 @@ jQuery.extend({ } }; - // Override the abort handler, if we can (IE doesn't allow it, but that's OK) + // Override the abort handler, if we can (IE 6 doesn't allow it, but that's OK) // Opera doesn't fire onreadystatechange at all on abort try { var oldAbort = xhr.abort; xhr.abort = function() { if ( xhr ) { - oldAbort.call( xhr ); + // oldAbort has no call property in IE7 so + // just do it this way, which works in all + // browsers + Function.prototype.call.call( oldAbort, xhr ); } onreadystatechange( "abort" ); }; - } catch(e) { } + } catch( abortError ) {} // Timeout checker if ( s.async && s.timeout > 0 ) { @@ -5249,11 +6051,13 @@ jQuery.extend({ // Send the data try { - xhr.send( type === "POST" || type === "PUT" || type === "DELETE" ? s.data : null ); - } catch(e) { - jQuery.handleError(s, xhr, null, e); + xhr.send( noContent || s.data == null ? null : s.data ); + + } catch( sendError ) { + jQuery.handleError( s, xhr, null, sendError ); + // Fire the complete handlers - complete(); + jQuery.handleComplete( s, xhr, status, data ); } // firefox 1.5 doesn't fire statechange for sync requests @@ -5261,66 +6065,145 @@ jQuery.extend({ onreadystatechange(); } - function success() { - // If a local callback was specified, fire it and pass it the data - if ( s.success ) { - s.success.call( callbackContext, data, status, xhr ); - } - - // Fire the global callback - if ( s.global ) { - trigger( "ajaxSuccess", [xhr, s] ); - } - } - - function complete() { - // Process result - if ( s.complete ) { - s.complete.call( callbackContext, xhr, status); - } - - // The request was completed - if ( s.global ) { - trigger( "ajaxComplete", [xhr, s] ); - } - - // Handle the global AJAX counter - if ( s.global && ! --jQuery.active ) { - jQuery.event.trigger( "ajaxStop" ); - } - } - - function trigger(type, args) { - (s.context ? jQuery(s.context) : jQuery.event).trigger(type, args); - } - // return XMLHttpRequest to allow aborting the request etc. return xhr; }, + // Serialize an array of form elements or a set of + // key/values into a query string + param: function( a, traditional ) { + var s = [], + add = function( key, value ) { + // If value is a function, invoke it and return its value + value = jQuery.isFunction(value) ? value() : value; + s[ s.length ] = encodeURIComponent(key) + "=" + encodeURIComponent(value); + }; + + // Set traditional to true for jQuery <= 1.3.2 behavior. + if ( traditional === undefined ) { + traditional = jQuery.ajaxSettings.traditional; + } + + // If an array was passed in, assume that it is an array of form elements. + if ( jQuery.isArray(a) || a.jquery ) { + // Serialize the form elements + jQuery.each( a, function() { + add( this.name, this.value ); + }); + + } else { + // If traditional, encode the "old" way (the way 1.3.2 or older + // did it), otherwise encode params recursively. + for ( var prefix in a ) { + buildParams( prefix, a[prefix], traditional, add ); + } + } + + // Return the resulting serialization + return s.join("&").replace(r20, "+"); + } +}); + +function buildParams( prefix, obj, traditional, add ) { + if ( jQuery.isArray(obj) && obj.length ) { + // Serialize array item. + jQuery.each( obj, function( i, v ) { + if ( traditional || rbracket.test( prefix ) ) { + // Treat each array item as a scalar. + add( prefix, v ); + + } else { + // If array item is non-scalar (array or object), encode its + // numeric index to resolve deserialization ambiguity issues. + // Note that rack (as of 1.0.0) can't currently deserialize + // nested arrays properly, and attempting to do so may cause + // a server error. Possible fixes are to modify rack's + // deserialization algorithm or to provide an option or flag + // to force array serialization to be shallow. + buildParams( prefix + "[" + ( typeof v === "object" || jQuery.isArray(v) ? i : "" ) + "]", v, traditional, add ); + } + }); + + } else if ( !traditional && obj != null && typeof obj === "object" ) { + if ( jQuery.isEmptyObject( obj ) ) { + add( prefix, "" ); + + // Serialize object item. + } else { + jQuery.each( obj, function( k, v ) { + buildParams( prefix + "[" + k + "]", v, traditional, add ); + }); + } + + } else { + // Serialize scalar item. + add( prefix, obj ); + } +} + +// This is still on the jQuery object... for now +// Want to move this to jQuery.ajax some day +jQuery.extend({ + + // Counter for holding the number of active queries + active: 0, + + // Last-Modified header cache for next request + lastModified: {}, + etag: {}, + handleError: function( s, xhr, status, e ) { // If a local callback was specified, fire it if ( s.error ) { - s.error.call( s.context || s, xhr, status, e ); + s.error.call( s.context, xhr, status, e ); } // Fire the global callback if ( s.global ) { - (s.context ? jQuery(s.context) : jQuery.event).trigger( "ajaxError", [xhr, s, e] ); + jQuery.triggerGlobal( s, "ajaxError", [xhr, s, e] ); } }, - // Counter for holding the number of active queries - active: 0, + handleSuccess: function( s, xhr, status, data ) { + // If a local callback was specified, fire it and pass it the data + if ( s.success ) { + s.success.call( s.context, data, status, xhr ); + } + + // Fire the global callback + if ( s.global ) { + jQuery.triggerGlobal( s, "ajaxSuccess", [xhr, s] ); + } + }, + + handleComplete: function( s, xhr, status ) { + // Process result + if ( s.complete ) { + s.complete.call( s.context, xhr, status ); + } + + // The request was completed + if ( s.global ) { + jQuery.triggerGlobal( s, "ajaxComplete", [xhr, s] ); + } + + // Handle the global AJAX counter + if ( s.global && jQuery.active-- === 1 ) { + jQuery.event.trigger( "ajaxStop" ); + } + }, + + triggerGlobal: function( s, type, args ) { + (s.context && s.context.url == null ? jQuery(s.context) : jQuery.event).trigger(type, args); + }, // Determines if an XMLHttpRequest was successful or not httpSuccess: function( xhr ) { try { // IE error sometimes returns 1223 when it should be 204 so treat it as success, see #1450 return !xhr.status && location.protocol === "file:" || - // Opera returns 0 when status is 304 - ( xhr.status >= 200 && xhr.status < 300 ) || - xhr.status === 304 || xhr.status === 1223 || xhr.status === 0; + xhr.status >= 200 && xhr.status < 300 || + xhr.status === 304 || xhr.status === 1223; } catch(e) {} return false; @@ -5339,8 +6222,7 @@ jQuery.extend({ jQuery.etag[url] = etag; } - // Opera returns 0 when status is 304 - return xhr.status === 304 || xhr.status === 0; + return xhr.status === 304; }, httpData: function( xhr, type, s ) { @@ -5371,77 +6253,40 @@ jQuery.extend({ } return data; - }, - - // Serialize an array of form elements or a set of - // key/values into a query string - param: function( a, traditional ) { - var s = []; - - // Set traditional to true for jQuery <= 1.3.2 behavior. - if ( traditional === undefined ) { - traditional = jQuery.ajaxSettings.traditional; - } - - // If an array was passed in, assume that it is an array of form elements. - if ( jQuery.isArray(a) || a.jquery ) { - // Serialize the form elements - jQuery.each( a, function() { - add( this.name, this.value ); - }); - - } else { - // If traditional, encode the "old" way (the way 1.3.2 or older - // did it), otherwise encode params recursively. - for ( var prefix in a ) { - buildParams( prefix, a[prefix] ); - } - } - - // Return the resulting serialization - return s.join("&").replace(r20, "+"); - - function buildParams( prefix, obj ) { - if ( jQuery.isArray(obj) ) { - // Serialize array item. - jQuery.each( obj, function( i, v ) { - if ( traditional || /\[\]$/.test( prefix ) ) { - // Treat each array item as a scalar. - add( prefix, v ); - } else { - // If array item is non-scalar (array or object), encode its - // numeric index to resolve deserialization ambiguity issues. - // Note that rack (as of 1.0.0) can't currently deserialize - // nested arrays properly, and attempting to do so may cause - // a server error. Possible fixes are to modify rack's - // deserialization algorithm or to provide an option or flag - // to force array serialization to be shallow. - buildParams( prefix + "[" + ( typeof v === "object" || jQuery.isArray(v) ? i : "" ) + "]", v ); - } - }); - - } else if ( !traditional && obj != null && typeof obj === "object" ) { - // Serialize object item. - jQuery.each( obj, function( k, v ) { - buildParams( prefix + "[" + k + "]", v ); - }); - - } else { - // Serialize scalar item. - add( prefix, obj ); - } - } - - function add( key, value ) { - // If value is a function, invoke it and return its value - value = jQuery.isFunction(value) ? value() : value; - s[ s.length ] = encodeURIComponent(key) + "=" + encodeURIComponent(value); - } } + }); + +/* + * Create the request object; Microsoft failed to properly + * implement the XMLHttpRequest in IE7 (can't request local files), + * so we use the ActiveXObject when it is available + * Additionally XMLHttpRequest can be disabled in IE7/IE8 so + * we need a fallback. + */ +if ( window.ActiveXObject ) { + jQuery.ajaxSettings.xhr = function() { + if ( window.location.protocol !== "file:" ) { + try { + return new window.XMLHttpRequest(); + } catch(xhrError) {} + } + + try { + return new window.ActiveXObject("Microsoft.XMLHTTP"); + } catch(activeError) {} + }; +} + +// Does this browser support XHR requests? +jQuery.support.ajax = !!jQuery.ajaxSettings.xhr(); + + + + var elemdisplay = {}, - rfxtypes = /toggle|show|hide/, - rfxnum = /^([+-]=)?([\d+-.]+)(.*)$/, + rfxtypes = /^(?:toggle|show|hide)$/, + rfxnum = /^([+\-]=)?([\d+.\-]+)(.*)$/, timerId, fxAttrs = [ // height animations @@ -5453,66 +6298,63 @@ var elemdisplay = {}, ]; jQuery.fn.extend({ - show: function( speed, callback ) { - if ( speed || speed === 0) { - return this.animate( genFx("show", 3), speed, callback); + show: function( speed, easing, callback ) { + var elem, display; + + if ( speed || speed === 0 ) { + return this.animate( genFx("show", 3), speed, easing, callback); } else { - for ( var i = 0, l = this.length; i < l; i++ ) { - var old = jQuery.data(this[i], "olddisplay"); + for ( var i = 0, j = this.length; i < j; i++ ) { + elem = this[i]; + display = elem.style.display; - this[i].style.display = old || ""; + // Reset the inline display of this element to learn if it is + // being hidden by cascaded rules or not + if ( !jQuery.data(elem, "olddisplay") && display === "none" ) { + display = elem.style.display = ""; + } - if ( jQuery.css(this[i], "display") === "none" ) { - var nodeName = this[i].nodeName, display; - - if ( elemdisplay[ nodeName ] ) { - display = elemdisplay[ nodeName ]; - - } else { - var elem = jQuery("<" + nodeName + " />").appendTo("body"); - - display = elem.css("display"); - - if ( display === "none" ) { - display = "block"; - } - - elem.remove(); - - elemdisplay[ nodeName ] = display; - } - - jQuery.data(this[i], "olddisplay", display); + // Set elements which have been overridden with display: none + // in a stylesheet to whatever the default browser style is + // for such an element + if ( display === "" && jQuery.css( elem, "display" ) === "none" ) { + jQuery.data(elem, "olddisplay", defaultDisplay(elem.nodeName)); } } - // Set the display of the elements in a second loop + // Set the display of most of the elements in a second loop // to avoid the constant reflow - for ( var j = 0, k = this.length; j < k; j++ ) { - this[j].style.display = jQuery.data(this[j], "olddisplay") || ""; + for ( i = 0; i < j; i++ ) { + elem = this[i]; + display = elem.style.display; + + if ( display === "" || display === "none" ) { + elem.style.display = jQuery.data(elem, "olddisplay") || ""; + } } return this; } }, - hide: function( speed, callback ) { + hide: function( speed, easing, callback ) { if ( speed || speed === 0 ) { - return this.animate( genFx("hide", 3), speed, callback); + return this.animate( genFx("hide", 3), speed, easing, callback); } else { - for ( var i = 0, l = this.length; i < l; i++ ) { - var old = jQuery.data(this[i], "olddisplay"); - if ( !old && old !== "none" ) { - jQuery.data(this[i], "olddisplay", jQuery.css(this[i], "display")); + for ( var i = 0, j = this.length; i < j; i++ ) { + var display = jQuery.css( this[i], "display" ); + + if ( display !== "none" ) { + jQuery.data( this[i], "olddisplay", display ); } } // Set the display of the elements in a second loop // to avoid the constant reflow - for ( var j = 0, k = this.length; j < k; j++ ) { - this[j].style.display = "none"; + for ( i = 0; i < j; i++ ) { + this[i].style.display = "none"; } return this; @@ -5522,7 +6364,7 @@ jQuery.fn.extend({ // Save the old toggle function _toggle: jQuery.fn.toggle, - toggle: function( fn, fn2 ) { + toggle: function( fn, fn2, callback ) { var bool = typeof fn === "boolean"; if ( jQuery.isFunction(fn) && jQuery.isFunction(fn2) ) { @@ -5535,15 +6377,15 @@ jQuery.fn.extend({ }); } else { - this.animate(genFx("toggle", 3), fn, fn2); + this.animate(genFx("toggle", 3), fn, fn2, callback); } return this; }, - fadeTo: function( speed, to, callback ) { + fadeTo: function( speed, to, easing, callback ) { return this.filter(":hidden").css("opacity", 0).show().end() - .animate({opacity: to}, speed, callback); + .animate({opacity: to}, speed, easing, callback); }, animate: function( prop, speed, easing, callback ) { @@ -5554,12 +6396,16 @@ jQuery.fn.extend({ } return this[ optall.queue === false ? "each" : "queue" ](function() { + // XXX 'this' does not always have a nodeName when running the + // test suite + var opt = jQuery.extend({}, optall), p, - hidden = this.nodeType === 1 && jQuery(this).is(":hidden"), + isElement = this.nodeType === 1, + hidden = isElement && jQuery(this).is(":hidden"), self = this; for ( p in prop ) { - var name = p.replace(rdashAlpha, fcamelCase); + var name = jQuery.camelCase( p ); if ( p !== name ) { prop[ name ] = prop[ p ]; @@ -5571,12 +6417,35 @@ jQuery.fn.extend({ return opt.complete.call(this); } - if ( ( p === "height" || p === "width" ) && this.style ) { - // Store display property - opt.display = jQuery.css(this, "display"); - + if ( isElement && ( p === "height" || p === "width" ) ) { // Make sure that nothing sneaks out - opt.overflow = this.style.overflow; + // Record all 3 overflow attributes because IE does not + // change the overflow attribute when overflowX and + // overflowY are set to the same value + opt.overflow = [ this.style.overflow, this.style.overflowX, this.style.overflowY ]; + + // Set display property to inline-block for height/width + // animations on inline elements that are having width/height + // animated + if ( jQuery.css( this, "display" ) === "inline" && + jQuery.css( this, "float" ) === "none" ) { + if ( !jQuery.support.inlineBlockNeedsLayout ) { + this.style.display = "inline-block"; + + } else { + var display = defaultDisplay(this.nodeName); + + // inline-level elements accept inline-block; + // block-level elements need to be inline with layout + if ( display === "inline" ) { + this.style.display = "inline-block"; + + } else { + this.style.display = "inline"; + this.style.zoom = 1; + } + } + } } if ( jQuery.isArray( prop[p] ) ) { @@ -5600,7 +6469,7 @@ jQuery.fn.extend({ } else { var parts = rfxnum.exec(val), - start = e.cur(true) || 0; + start = e.cur() || 0; if ( parts ) { var end = parseFloat( parts[2] ), @@ -5608,9 +6477,9 @@ jQuery.fn.extend({ // We need to compute starting value if ( unit !== "px" ) { - self.style[ name ] = (end || 1) + unit; - start = ((end || 1) / e.cur(true)) * start; - self.style[ name ] = start + unit; + jQuery.style( self, name, (end || 1) + unit); + start = ((end || 1) / e.cur()) * start; + jQuery.style( self, name, start + unit); } // If a +=/-= token was provided, we're doing a relative animation @@ -5662,22 +6531,33 @@ jQuery.fn.extend({ }); +function genFx( type, num ) { + var obj = {}; + + jQuery.each( fxAttrs.concat.apply([], fxAttrs.slice(0,num)), function() { + obj[ this ] = type; + }); + + return obj; +} + // Generate shortcuts for custom animations jQuery.each({ slideDown: genFx("show", 1), slideUp: genFx("hide", 1), slideToggle: genFx("toggle", 1), fadeIn: { opacity: "show" }, - fadeOut: { opacity: "hide" } + fadeOut: { opacity: "hide" }, + fadeToggle: { opacity: "toggle" } }, function( name, props ) { - jQuery.fn[ name ] = function( speed, callback ) { - return this.animate( props, speed, callback ); + jQuery.fn[ name ] = function( speed, easing, callback ) { + return this.animate( props, speed, easing, callback ); }; }); jQuery.extend({ speed: function( speed, easing, fn ) { - var opt = speed && typeof speed === "object" ? speed : { + var opt = speed && typeof speed === "object" ? jQuery.extend({}, speed) : { complete: fn || !fn && easing || jQuery.isFunction( speed ) && speed, duration: speed, @@ -5685,7 +6565,7 @@ jQuery.extend({ }; opt.duration = jQuery.fx.off ? 0 : typeof opt.duration === "number" ? opt.duration : - jQuery.fx.speeds[opt.duration] || jQuery.fx.speeds._default; + opt.duration in jQuery.fx.speeds ? jQuery.fx.speeds[opt.duration] : jQuery.fx.speeds._default; // Queueing opt.old = opt.complete; @@ -5732,33 +6612,30 @@ jQuery.fx.prototype = { } (jQuery.fx.step[this.prop] || jQuery.fx.step._default)( this ); - - // Set display property to block for height/width animations - if ( ( this.prop === "height" || this.prop === "width" ) && this.elem.style ) { - this.elem.style.display = "block"; - } }, // Get the current size - cur: function( force ) { + cur: function() { if ( this.elem[this.prop] != null && (!this.elem.style || this.elem.style[this.prop] == null) ) { return this.elem[ this.prop ]; } - var r = parseFloat(jQuery.css(this.elem, this.prop, force)); - return r && r > -10000 ? r : parseFloat(jQuery.curCSS(this.elem, this.prop)) || 0; + var r = parseFloat( jQuery.css( this.elem, this.prop ) ); + return r && r > -10000 ? r : 0; }, // Start an animation from one number to another custom: function( from, to, unit ) { - this.startTime = now(); + var self = this, + fx = jQuery.fx; + + this.startTime = jQuery.now(); this.start = from; this.end = to; this.unit = unit || this.unit || "px"; this.now = this.start; this.pos = this.state = 0; - var self = this; function t( gotoEnd ) { return self.step(gotoEnd); } @@ -5766,7 +6643,7 @@ jQuery.fx.prototype = { t.elem = this.elem; if ( t() && jQuery.timers.push(t) && !timerId ) { - timerId = setInterval(jQuery.fx.tick, 13); + timerId = setInterval(fx.tick, fx.interval); } }, @@ -5797,7 +6674,7 @@ jQuery.fx.prototype = { // Each step of an animation step: function( gotoEnd ) { - var t = now(), done = true; + var t = jQuery.now(), done = true; if ( gotoEnd || t >= this.options.duration + this.startTime ) { this.now = this.end; @@ -5813,17 +6690,14 @@ jQuery.fx.prototype = { } if ( done ) { - if ( this.options.display != null ) { - // Reset the overflow - this.elem.style.overflow = this.options.overflow; + // Reset the overflow + if ( this.options.overflow != null && !jQuery.support.shrinkWrapBlocks ) { + var elem = this.elem, + options = this.options; - // Reset the display - var old = jQuery.data(this.elem, "olddisplay"); - this.elem.style.display = old ? old : this.options.display; - - if ( jQuery.css(this.elem, "display") === "none" ) { - this.elem.style.display = "block"; - } + jQuery.each( [ "", "X", "Y" ], function (index, value) { + elem.style[ "overflow" + value ] = options.overflow[index]; + } ); } // Hide the element if the "hide" operation was done @@ -5834,7 +6708,7 @@ jQuery.fx.prototype = { // Reset the properties, if the item has been hidden or shown if ( this.options.hide || this.options.show ) { for ( var p in this.options.curAnim ) { - jQuery.style(this.elem, p, this.options.orig[p]); + jQuery.style( this.elem, p, this.options.orig[p] ); } } @@ -5876,22 +6750,24 @@ jQuery.extend( jQuery.fx, { jQuery.fx.stop(); } }, - + + interval: 13, + stop: function() { clearInterval( timerId ); timerId = null; }, - + speeds: { slow: 600, - fast: 200, - // Default speed - _default: 400 + fast: 200, + // Default speed + _default: 400 }, step: { opacity: function( fx ) { - jQuery.style(fx.elem, "opacity", fx.now); + jQuery.style( fx.elem, "opacity", fx.now ); }, _default: function( fx ) { @@ -5912,18 +6788,32 @@ if ( jQuery.expr && jQuery.expr.filters ) { }; } -function genFx( type, num ) { - var obj = {}; +function defaultDisplay( nodeName ) { + if ( !elemdisplay[ nodeName ] ) { + var elem = jQuery("<" + nodeName + ">").appendTo("body"), + display = elem.css("display"); - jQuery.each( fxAttrs.concat.apply([], fxAttrs.slice(0,num)), function() { - obj[ this ] = type; - }); + elem.remove(); - return obj; + if ( display === "none" || display === "" ) { + display = "block"; + } + + elemdisplay[ nodeName ] = display; + } + + return elemdisplay[ nodeName ]; } + + + + +var rtable = /^t(?:able|d|h)$/i, + rroot = /^(?:body|html)$/i; + if ( "getBoundingClientRect" in document.documentElement ) { jQuery.fn.offset = function( options ) { - var elem = this[0]; + var elem = this[0], box; if ( options ) { return this.each(function( i ) { @@ -5939,10 +6829,26 @@ if ( "getBoundingClientRect" in document.documentElement ) { return jQuery.offset.bodyOffset( elem ); } - var box = elem.getBoundingClientRect(), doc = elem.ownerDocument, body = doc.body, docElem = doc.documentElement, - clientTop = docElem.clientTop || body.clientTop || 0, clientLeft = docElem.clientLeft || body.clientLeft || 0, - top = box.top + (self.pageYOffset || jQuery.support.boxModel && docElem.scrollTop || body.scrollTop ) - clientTop, - left = box.left + (self.pageXOffset || jQuery.support.boxModel && docElem.scrollLeft || body.scrollLeft) - clientLeft; + try { + box = elem.getBoundingClientRect(); + } catch(e) {} + + var doc = elem.ownerDocument, + docElem = doc.documentElement; + + // Make sure we're not dealing with a disconnected DOM node + if ( !box || !jQuery.contains( docElem, elem ) ) { + return box || { top: 0, left: 0 }; + } + + var body = doc.body, + win = getWindow(doc), + clientTop = docElem.clientTop || body.clientTop || 0, + clientLeft = docElem.clientLeft || body.clientLeft || 0, + scrollTop = (win.pageYOffset || jQuery.support.boxModel && docElem.scrollTop || body.scrollTop ), + scrollLeft = (win.pageXOffset || jQuery.support.boxModel && docElem.scrollLeft || body.scrollLeft), + top = box.top + scrollTop - clientTop, + left = box.left + scrollLeft - clientLeft; return { top: top, left: left }; }; @@ -5967,11 +6873,16 @@ if ( "getBoundingClientRect" in document.documentElement ) { jQuery.offset.initialize(); - var offsetParent = elem.offsetParent, prevOffsetParent = elem, - doc = elem.ownerDocument, computedStyle, docElem = doc.documentElement, - body = doc.body, defaultView = doc.defaultView, + var computedStyle, + offsetParent = elem.offsetParent, + prevOffsetParent = elem, + doc = elem.ownerDocument, + docElem = doc.documentElement, + body = doc.body, + defaultView = doc.defaultView, prevComputedStyle = defaultView ? defaultView.getComputedStyle( elem, null ) : elem.currentStyle, - top = elem.offsetTop, left = elem.offsetLeft; + top = elem.offsetTop, + left = elem.offsetLeft; while ( (elem = elem.parentNode) && elem !== body && elem !== docElem ) { if ( jQuery.offset.supportsFixedPosition && prevComputedStyle.position === "fixed" ) { @@ -5986,12 +6897,13 @@ if ( "getBoundingClientRect" in document.documentElement ) { top += elem.offsetTop; left += elem.offsetLeft; - if ( jQuery.offset.doesNotAddBorder && !(jQuery.offset.doesAddBorderForTableAndCells && /^t(able|d|h)$/i.test(elem.nodeName)) ) { + if ( jQuery.offset.doesNotAddBorder && !(jQuery.offset.doesAddBorderForTableAndCells && rtable.test(elem.nodeName)) ) { top += parseFloat( computedStyle.borderTopWidth ) || 0; left += parseFloat( computedStyle.borderLeftWidth ) || 0; } - prevOffsetParent = offsetParent, offsetParent = elem.offsetParent; + prevOffsetParent = offsetParent; + offsetParent = elem.offsetParent; } if ( jQuery.offset.subtractsBorderForOverflowNotVisible && computedStyle.overflow !== "visible" ) { @@ -6018,7 +6930,7 @@ if ( "getBoundingClientRect" in document.documentElement ) { jQuery.offset = { initialize: function() { - var body = document.body, container = document.createElement("div"), innerDiv, checkDiv, table, td, bodyMarginTop = parseFloat( jQuery.curCSS(body, "marginTop", true) ) || 0, + var body = document.body, container = document.createElement("div"), innerDiv, checkDiv, table, td, bodyMarginTop = parseFloat( jQuery.css(body, "marginTop") ) || 0, html = "
    "; jQuery.extend( container.style, { position: "absolute", top: 0, left: 0, margin: 0, border: 0, width: "1px", height: "1px", visibility: "hidden" } ); @@ -6032,12 +6944,16 @@ jQuery.offset = { this.doesNotAddBorder = (checkDiv.offsetTop !== 5); this.doesAddBorderForTableAndCells = (td.offsetTop === 5); - checkDiv.style.position = "fixed", checkDiv.style.top = "20px"; + checkDiv.style.position = "fixed"; + checkDiv.style.top = "20px"; + // safari subtracts parent border width here which is 5px this.supportsFixedPosition = (checkDiv.offsetTop === 20 || checkDiv.offsetTop === 15); checkDiv.style.position = checkDiv.style.top = ""; - innerDiv.style.overflow = "hidden", innerDiv.style.position = "relative"; + innerDiv.style.overflow = "hidden"; + innerDiv.style.position = "relative"; + this.subtractsBorderForOverflowNotVisible = (checkDiv.offsetTop === -5); this.doesNotIncludeMarginInBodyOffset = (body.offsetTop !== bodyMarginTop); @@ -6048,36 +6964,52 @@ jQuery.offset = { }, bodyOffset: function( body ) { - var top = body.offsetTop, left = body.offsetLeft; + var top = body.offsetTop, + left = body.offsetLeft; jQuery.offset.initialize(); if ( jQuery.offset.doesNotIncludeMarginInBodyOffset ) { - top += parseFloat( jQuery.curCSS(body, "marginTop", true) ) || 0; - left += parseFloat( jQuery.curCSS(body, "marginLeft", true) ) || 0; + top += parseFloat( jQuery.css(body, "marginTop") ) || 0; + left += parseFloat( jQuery.css(body, "marginLeft") ) || 0; } return { top: top, left: left }; }, setOffset: function( elem, options, i ) { + var position = jQuery.css( elem, "position" ); + // set position first, in-case top/left are set even on static elem - if ( /static/.test( jQuery.curCSS( elem, "position" ) ) ) { + if ( position === "static" ) { elem.style.position = "relative"; } - var curElem = jQuery( elem ), + + var curElem = jQuery( elem ), curOffset = curElem.offset(), - curTop = parseInt( jQuery.curCSS( elem, "top", true ), 10 ) || 0, - curLeft = parseInt( jQuery.curCSS( elem, "left", true ), 10 ) || 0; + curCSSTop = jQuery.css( elem, "top" ), + curCSSLeft = jQuery.css( elem, "left" ), + calculatePosition = (position === "absolute" && jQuery.inArray('auto', [curCSSTop, curCSSLeft]) > -1), + props = {}, curPosition = {}, curTop, curLeft; + + // need to be able to calculate position if either top or left is auto and position is absolute + if ( calculatePosition ) { + curPosition = curElem.position(); + } + + curTop = calculatePosition ? curPosition.top : parseInt( curCSSTop, 10 ) || 0; + curLeft = calculatePosition ? curPosition.left : parseInt( curCSSLeft, 10 ) || 0; if ( jQuery.isFunction( options ) ) { options = options.call( elem, i, curOffset ); } - var props = { - top: (options.top - curOffset.top) + curTop, - left: (options.left - curOffset.left) + curLeft - }; + if (options.top != null) { + props.top = (options.top - curOffset.top) + curTop; + } + if (options.left != null) { + props.left = (options.left - curOffset.left) + curLeft; + } if ( "using" in options ) { options.using.call( elem, props ); @@ -6101,17 +7033,17 @@ jQuery.fn.extend({ // Get correct offsets offset = this.offset(), - parentOffset = /^body|html$/i.test(offsetParent[0].nodeName) ? { top: 0, left: 0 } : offsetParent.offset(); + parentOffset = rroot.test(offsetParent[0].nodeName) ? { top: 0, left: 0 } : offsetParent.offset(); // Subtract element margins // note: when an element has margin: auto the offsetLeft and marginLeft // are the same in Safari causing offset.left to incorrectly be 0 - offset.top -= parseFloat( jQuery.curCSS(elem, "marginTop", true) ) || 0; - offset.left -= parseFloat( jQuery.curCSS(elem, "marginLeft", true) ) || 0; + offset.top -= parseFloat( jQuery.css(elem, "marginTop") ) || 0; + offset.left -= parseFloat( jQuery.css(elem, "marginLeft") ) || 0; // Add offsetParent borders - parentOffset.top += parseFloat( jQuery.curCSS(offsetParent[0], "borderTopWidth", true) ) || 0; - parentOffset.left += parseFloat( jQuery.curCSS(offsetParent[0], "borderLeftWidth", true) ) || 0; + parentOffset.top += parseFloat( jQuery.css(offsetParent[0], "borderTopWidth") ) || 0; + parentOffset.left += parseFloat( jQuery.css(offsetParent[0], "borderLeftWidth") ) || 0; // Subtract the two offsets return { @@ -6123,7 +7055,7 @@ jQuery.fn.extend({ offsetParent: function() { return this.map(function() { var offsetParent = this.offsetParent || document.body; - while ( offsetParent && (!/^body|html$/i.test(offsetParent.nodeName) && jQuery.css(offsetParent, "position") === "static") ) { + while ( offsetParent && (!rroot.test(offsetParent.nodeName) && jQuery.css(offsetParent, "position") === "static") ) { offsetParent = offsetParent.offsetParent; } return offsetParent; @@ -6171,12 +7103,16 @@ jQuery.each( ["Left", "Top"], function( i, name ) { }); function getWindow( elem ) { - return ("scrollTo" in elem && elem.document) ? + return jQuery.isWindow( elem ) ? elem : elem.nodeType === 9 ? elem.defaultView || elem.parentWindow : false; } + + + + // Create innerHeight, innerWidth, outerHeight and outerWidth methods jQuery.each([ "Height", "Width" ], function( i, name ) { @@ -6185,14 +7121,14 @@ jQuery.each([ "Height", "Width" ], function( i, name ) { // innerHeight and innerWidth jQuery.fn["inner" + name] = function() { return this[0] ? - jQuery.css( this[0], type, false, "padding" ) : + parseFloat( jQuery.css( this[0], type, "padding" ) ) : null; }; // outerHeight and outerWidth jQuery.fn["outer" + name] = function( margin ) { return this[0] ? - jQuery.css( this[0], type, false, margin ? "margin" : "border" ) : + parseFloat( jQuery.css( this[0], type, margin ? "margin" : "border" ) ) : null; }; @@ -6210,32 +7146,34 @@ jQuery.each([ "Height", "Width" ], function( i, name ) { }); } - return ("scrollTo" in elem && elem.document) ? // does it walk and quack like a window? + if ( jQuery.isWindow( elem ) ) { // Everyone else use document.documentElement or document.body depending on Quirks vs Standards mode - elem.document.compatMode === "CSS1Compat" && elem.document.documentElement[ "client" + name ] || - elem.document.body[ "client" + name ] : + return elem.document.compatMode === "CSS1Compat" && elem.document.documentElement[ "client" + name ] || + elem.document.body[ "client" + name ]; - // Get document width or height - (elem.nodeType === 9) ? // is it a document - // Either scroll[Width/Height] or offset[Width/Height], whichever is greater - Math.max( - elem.documentElement["client" + name], - elem.body["scroll" + name], elem.documentElement["scroll" + name], - elem.body["offset" + name], elem.documentElement["offset" + name] - ) : + // Get document width or height + } else if ( elem.nodeType === 9 ) { + // Either scroll[Width/Height] or offset[Width/Height], whichever is greater + return Math.max( + elem.documentElement["client" + name], + elem.body["scroll" + name], elem.documentElement["scroll" + name], + elem.body["offset" + name], elem.documentElement["offset" + name] + ); - // Get or set width or height on the element - size === undefined ? - // Get width or height on the element - jQuery.css( elem, type ) : + // Get or set width or height on the element + } else if ( size === undefined ) { + var orig = jQuery.css( elem, type ), + ret = parseFloat( orig ); - // Set the width or height on the element (default to pixels if value is unitless) - this.css( type, typeof size === "string" ? size : size + "px" ); + return jQuery.isNaN( ret ) ? orig : ret; + + // Set the width or height on the element (default to pixels if value is unitless) + } else { + return this.css( type, typeof size === "string" ? size : size + "px" ); + } }; }); -// Expose jQuery to the global object -window.jQuery = window.$ = jQuery; + })(window); - diff --git a/js/jquery.min.js b/js/jquery.min.js index b170a78f8f..8f3ca2e2da 100644 --- a/js/jquery.min.js +++ b/js/jquery.min.js @@ -1,5 +1,5 @@ /*! - * jQuery JavaScript Library v1.4.2 + * jQuery JavaScript Library v1.4.4 * http://jquery.com/ * * Copyright 2010, John Resig @@ -11,145 +11,157 @@ * Copyright 2010, The Dojo Foundation * Released under the MIT, BSD, and GPL Licenses. * - * Date: Sat Feb 13 22:33:48 2010 -0500 + * Date: Thu Nov 11 19:04:53 2010 -0500 */ -(function(A,w){function ma(){if(!c.isReady){try{s.documentElement.doScroll("left")}catch(a){setTimeout(ma,1);return}c.ready()}}function Qa(a,b){b.src?c.ajax({url:b.src,async:false,dataType:"script"}):c.globalEval(b.text||b.textContent||b.innerHTML||"");b.parentNode&&b.parentNode.removeChild(b)}function X(a,b,d,f,e,j){var i=a.length;if(typeof b==="object"){for(var o in b)X(a,o,b[o],f,e,d);return a}if(d!==w){f=!j&&f&&c.isFunction(d);for(o=0;o)[^>]*$|^#([\w-]+)$/,Ua=/^.[^:#\[\.,]*$/,Va=/\S/, -Wa=/^(\s|\u00A0)+|(\s|\u00A0)+$/g,Xa=/^<(\w+)\s*\/?>(?:<\/\1>)?$/,P=navigator.userAgent,xa=false,Q=[],L,$=Object.prototype.toString,aa=Object.prototype.hasOwnProperty,ba=Array.prototype.push,R=Array.prototype.slice,ya=Array.prototype.indexOf;c.fn=c.prototype={init:function(a,b){var d,f;if(!a)return this;if(a.nodeType){this.context=this[0]=a;this.length=1;return this}if(a==="body"&&!b){this.context=s;this[0]=s.body;this.selector="body";this.length=1;return this}if(typeof a==="string")if((d=Ta.exec(a))&& -(d[1]||!b))if(d[1]){f=b?b.ownerDocument||b:s;if(a=Xa.exec(a))if(c.isPlainObject(b)){a=[s.createElement(a[1])];c.fn.attr.call(a,b,true)}else a=[f.createElement(a[1])];else{a=sa([d[1]],[f]);a=(a.cacheable?a.fragment.cloneNode(true):a.fragment).childNodes}return c.merge(this,a)}else{if(b=s.getElementById(d[2])){if(b.id!==d[2])return T.find(a);this.length=1;this[0]=b}this.context=s;this.selector=a;return this}else if(!b&&/^\w+$/.test(a)){this.selector=a;this.context=s;a=s.getElementsByTagName(a);return c.merge(this, -a)}else return!b||b.jquery?(b||T).find(a):c(b).find(a);else if(c.isFunction(a))return T.ready(a);if(a.selector!==w){this.selector=a.selector;this.context=a.context}return c.makeArray(a,this)},selector:"",jquery:"1.4.2",length:0,size:function(){return this.length},toArray:function(){return R.call(this,0)},get:function(a){return a==null?this.toArray():a<0?this.slice(a)[0]:this[a]},pushStack:function(a,b,d){var f=c();c.isArray(a)?ba.apply(f,a):c.merge(f,a);f.prevObject=this;f.context=this.context;if(b=== -"find")f.selector=this.selector+(this.selector?" ":"")+d;else if(b)f.selector=this.selector+"."+b+"("+d+")";return f},each:function(a,b){return c.each(this,a,b)},ready:function(a){c.bindReady();if(c.isReady)a.call(s,c);else Q&&Q.push(a);return this},eq:function(a){return a===-1?this.slice(a):this.slice(a,+a+1)},first:function(){return this.eq(0)},last:function(){return this.eq(-1)},slice:function(){return this.pushStack(R.apply(this,arguments),"slice",R.call(arguments).join(","))},map:function(a){return this.pushStack(c.map(this, -function(b,d){return a.call(b,d,b)}))},end:function(){return this.prevObject||c(null)},push:ba,sort:[].sort,splice:[].splice};c.fn.init.prototype=c.fn;c.extend=c.fn.extend=function(){var a=arguments[0]||{},b=1,d=arguments.length,f=false,e,j,i,o;if(typeof a==="boolean"){f=a;a=arguments[1]||{};b=2}if(typeof a!=="object"&&!c.isFunction(a))a={};if(d===b){a=this;--b}for(;b
    a"; -var e=d.getElementsByTagName("*"),j=d.getElementsByTagName("a")[0];if(!(!e||!e.length||!j)){c.support={leadingWhitespace:d.firstChild.nodeType===3,tbody:!d.getElementsByTagName("tbody").length,htmlSerialize:!!d.getElementsByTagName("link").length,style:/red/.test(j.getAttribute("style")),hrefNormalized:j.getAttribute("href")==="/a",opacity:/^0.55$/.test(j.style.opacity),cssFloat:!!j.style.cssFloat,checkOn:d.getElementsByTagName("input")[0].value==="on",optSelected:s.createElement("select").appendChild(s.createElement("option")).selected, -parentNode:d.removeChild(d.appendChild(s.createElement("div"))).parentNode===null,deleteExpando:true,checkClone:false,scriptEval:false,noCloneEvent:true,boxModel:null};b.type="text/javascript";try{b.appendChild(s.createTextNode("window."+f+"=1;"))}catch(i){}a.insertBefore(b,a.firstChild);if(A[f]){c.support.scriptEval=true;delete A[f]}try{delete b.test}catch(o){c.support.deleteExpando=false}a.removeChild(b);if(d.attachEvent&&d.fireEvent){d.attachEvent("onclick",function k(){c.support.noCloneEvent= -false;d.detachEvent("onclick",k)});d.cloneNode(true).fireEvent("onclick")}d=s.createElement("div");d.innerHTML="";a=s.createDocumentFragment();a.appendChild(d.firstChild);c.support.checkClone=a.cloneNode(true).cloneNode(true).lastChild.checked;c(function(){var k=s.createElement("div");k.style.width=k.style.paddingLeft="1px";s.body.appendChild(k);c.boxModel=c.support.boxModel=k.offsetWidth===2;s.body.removeChild(k).style.display="none"});a=function(k){var n= -s.createElement("div");k="on"+k;var r=k in n;if(!r){n.setAttribute(k,"return;");r=typeof n[k]==="function"}return r};c.support.submitBubbles=a("submit");c.support.changeBubbles=a("change");a=b=d=e=j=null}})();c.props={"for":"htmlFor","class":"className",readonly:"readOnly",maxlength:"maxLength",cellspacing:"cellSpacing",rowspan:"rowSpan",colspan:"colSpan",tabindex:"tabIndex",usemap:"useMap",frameborder:"frameBorder"};var G="jQuery"+J(),Ya=0,za={};c.extend({cache:{},expando:G,noData:{embed:true,object:true, -applet:true},data:function(a,b,d){if(!(a.nodeName&&c.noData[a.nodeName.toLowerCase()])){a=a==A?za:a;var f=a[G],e=c.cache;if(!f&&typeof b==="string"&&d===w)return null;f||(f=++Ya);if(typeof b==="object"){a[G]=f;e[f]=c.extend(true,{},b)}else if(!e[f]){a[G]=f;e[f]={}}a=e[f];if(d!==w)a[b]=d;return typeof b==="string"?a[b]:a}},removeData:function(a,b){if(!(a.nodeName&&c.noData[a.nodeName.toLowerCase()])){a=a==A?za:a;var d=a[G],f=c.cache,e=f[d];if(b){if(e){delete e[b];c.isEmptyObject(e)&&c.removeData(a)}}else{if(c.support.deleteExpando)delete a[c.expando]; -else a.removeAttribute&&a.removeAttribute(c.expando);delete f[d]}}}});c.fn.extend({data:function(a,b){if(typeof a==="undefined"&&this.length)return c.data(this[0]);else if(typeof a==="object")return this.each(function(){c.data(this,a)});var d=a.split(".");d[1]=d[1]?"."+d[1]:"";if(b===w){var f=this.triggerHandler("getData"+d[1]+"!",[d[0]]);if(f===w&&this.length)f=c.data(this[0],a);return f===w&&d[1]?this.data(d[0]):f}else return this.trigger("setData"+d[1]+"!",[d[0],b]).each(function(){c.data(this, -a,b)})},removeData:function(a){return this.each(function(){c.removeData(this,a)})}});c.extend({queue:function(a,b,d){if(a){b=(b||"fx")+"queue";var f=c.data(a,b);if(!d)return f||[];if(!f||c.isArray(d))f=c.data(a,b,c.makeArray(d));else f.push(d);return f}},dequeue:function(a,b){b=b||"fx";var d=c.queue(a,b),f=d.shift();if(f==="inprogress")f=d.shift();if(f){b==="fx"&&d.unshift("inprogress");f.call(a,function(){c.dequeue(a,b)})}}});c.fn.extend({queue:function(a,b){if(typeof a!=="string"){b=a;a="fx"}if(b=== -w)return c.queue(this[0],a);return this.each(function(){var d=c.queue(this,a,b);a==="fx"&&d[0]!=="inprogress"&&c.dequeue(this,a)})},dequeue:function(a){return this.each(function(){c.dequeue(this,a)})},delay:function(a,b){a=c.fx?c.fx.speeds[a]||a:a;b=b||"fx";return this.queue(b,function(){var d=this;setTimeout(function(){c.dequeue(d,b)},a)})},clearQueue:function(a){return this.queue(a||"fx",[])}});var Aa=/[\n\t]/g,ca=/\s+/,Za=/\r/g,$a=/href|src|style/,ab=/(button|input)/i,bb=/(button|input|object|select|textarea)/i, -cb=/^(a|area)$/i,Ba=/radio|checkbox/;c.fn.extend({attr:function(a,b){return X(this,a,b,true,c.attr)},removeAttr:function(a){return this.each(function(){c.attr(this,a,"");this.nodeType===1&&this.removeAttribute(a)})},addClass:function(a){if(c.isFunction(a))return this.each(function(n){var r=c(this);r.addClass(a.call(this,n,r.attr("class")))});if(a&&typeof a==="string")for(var b=(a||"").split(ca),d=0,f=this.length;d-1)return true;return false},val:function(a){if(a===w){var b=this[0];if(b){if(c.nodeName(b,"option"))return(b.attributes.value||{}).specified?b.value:b.text;if(c.nodeName(b,"select")){var d=b.selectedIndex,f=[],e=b.options;b=b.type==="select-one";if(d<0)return null;var j=b?d:0;for(d=b?d+1:e.length;j=0;else if(c.nodeName(this,"select")){var u=c.makeArray(r);c("option",this).each(function(){this.selected= -c.inArray(c(this).val(),u)>=0});if(!u.length)this.selectedIndex=-1}else this.value=r}})}});c.extend({attrFn:{val:true,css:true,html:true,text:true,data:true,width:true,height:true,offset:true},attr:function(a,b,d,f){if(!a||a.nodeType===3||a.nodeType===8)return w;if(f&&b in c.attrFn)return c(a)[b](d);f=a.nodeType!==1||!c.isXMLDoc(a);var e=d!==w;b=f&&c.props[b]||b;if(a.nodeType===1){var j=$a.test(b);if(b in a&&f&&!j){if(e){b==="type"&&ab.test(a.nodeName)&&a.parentNode&&c.error("type property can't be changed"); -a[b]=d}if(c.nodeName(a,"form")&&a.getAttributeNode(b))return a.getAttributeNode(b).nodeValue;if(b==="tabIndex")return(b=a.getAttributeNode("tabIndex"))&&b.specified?b.value:bb.test(a.nodeName)||cb.test(a.nodeName)&&a.href?0:w;return a[b]}if(!c.support.style&&f&&b==="style"){if(e)a.style.cssText=""+d;return a.style.cssText}e&&a.setAttribute(b,""+d);a=!c.support.hrefNormalized&&f&&j?a.getAttribute(b,2):a.getAttribute(b);return a===null?w:a}return c.style(a,b,d)}});var O=/\.(.*)$/,db=function(a){return a.replace(/[^\w\s\.\|`]/g, -function(b){return"\\"+b})};c.event={add:function(a,b,d,f){if(!(a.nodeType===3||a.nodeType===8)){if(a.setInterval&&a!==A&&!a.frameElement)a=A;var e,j;if(d.handler){e=d;d=e.handler}if(!d.guid)d.guid=c.guid++;if(j=c.data(a)){var i=j.events=j.events||{},o=j.handle;if(!o)j.handle=o=function(){return typeof c!=="undefined"&&!c.event.triggered?c.event.handle.apply(o.elem,arguments):w};o.elem=a;b=b.split(" ");for(var k,n=0,r;k=b[n++];){j=e?c.extend({},e):{handler:d,data:f};if(k.indexOf(".")>-1){r=k.split("."); -k=r.shift();j.namespace=r.slice(0).sort().join(".")}else{r=[];j.namespace=""}j.type=k;j.guid=d.guid;var u=i[k],z=c.event.special[k]||{};if(!u){u=i[k]=[];if(!z.setup||z.setup.call(a,f,r,o)===false)if(a.addEventListener)a.addEventListener(k,o,false);else a.attachEvent&&a.attachEvent("on"+k,o)}if(z.add){z.add.call(a,j);if(!j.handler.guid)j.handler.guid=d.guid}u.push(j);c.event.global[k]=true}a=null}}},global:{},remove:function(a,b,d,f){if(!(a.nodeType===3||a.nodeType===8)){var e,j=0,i,o,k,n,r,u,z=c.data(a), -C=z&&z.events;if(z&&C){if(b&&b.type){d=b.handler;b=b.type}if(!b||typeof b==="string"&&b.charAt(0)==="."){b=b||"";for(e in C)c.event.remove(a,e+b)}else{for(b=b.split(" ");e=b[j++];){n=e;i=e.indexOf(".")<0;o=[];if(!i){o=e.split(".");e=o.shift();k=new RegExp("(^|\\.)"+c.map(o.slice(0).sort(),db).join("\\.(?:.*\\.)?")+"(\\.|$)")}if(r=C[e])if(d){n=c.event.special[e]||{};for(B=f||0;B=0){a.type= -e=e.slice(0,-1);a.exclusive=true}if(!d){a.stopPropagation();c.event.global[e]&&c.each(c.cache,function(){this.events&&this.events[e]&&c.event.trigger(a,b,this.handle.elem)})}if(!d||d.nodeType===3||d.nodeType===8)return w;a.result=w;a.target=d;b=c.makeArray(b);b.unshift(a)}a.currentTarget=d;(f=c.data(d,"handle"))&&f.apply(d,b);f=d.parentNode||d.ownerDocument;try{if(!(d&&d.nodeName&&c.noData[d.nodeName.toLowerCase()]))if(d["on"+e]&&d["on"+e].apply(d,b)===false)a.result=false}catch(j){}if(!a.isPropagationStopped()&& -f)c.event.trigger(a,b,f,true);else if(!a.isDefaultPrevented()){f=a.target;var i,o=c.nodeName(f,"a")&&e==="click",k=c.event.special[e]||{};if((!k._default||k._default.call(d,a)===false)&&!o&&!(f&&f.nodeName&&c.noData[f.nodeName.toLowerCase()])){try{if(f[e]){if(i=f["on"+e])f["on"+e]=null;c.event.triggered=true;f[e]()}}catch(n){}if(i)f["on"+e]=i;c.event.triggered=false}}},handle:function(a){var b,d,f,e;a=arguments[0]=c.event.fix(a||A.event);a.currentTarget=this;b=a.type.indexOf(".")<0&&!a.exclusive; -if(!b){d=a.type.split(".");a.type=d.shift();f=new RegExp("(^|\\.)"+d.slice(0).sort().join("\\.(?:.*\\.)?")+"(\\.|$)")}e=c.data(this,"events");d=e[a.type];if(e&&d){d=d.slice(0);e=0;for(var j=d.length;e-1?c.map(a.options,function(f){return f.selected}).join("-"):"";else if(a.nodeName.toLowerCase()==="select")d=a.selectedIndex;return d},fa=function(a,b){var d=a.target,f,e;if(!(!da.test(d.nodeName)||d.readOnly)){f=c.data(d,"_change_data");e=Fa(d);if(a.type!=="focusout"||d.type!=="radio")c.data(d,"_change_data", -e);if(!(f===w||e===f))if(f!=null||e){a.type="change";return c.event.trigger(a,b,d)}}};c.event.special.change={filters:{focusout:fa,click:function(a){var b=a.target,d=b.type;if(d==="radio"||d==="checkbox"||b.nodeName.toLowerCase()==="select")return fa.call(this,a)},keydown:function(a){var b=a.target,d=b.type;if(a.keyCode===13&&b.nodeName.toLowerCase()!=="textarea"||a.keyCode===32&&(d==="checkbox"||d==="radio")||d==="select-multiple")return fa.call(this,a)},beforeactivate:function(a){a=a.target;c.data(a, -"_change_data",Fa(a))}},setup:function(){if(this.type==="file")return false;for(var a in ea)c.event.add(this,a+".specialChange",ea[a]);return da.test(this.nodeName)},teardown:function(){c.event.remove(this,".specialChange");return da.test(this.nodeName)}};ea=c.event.special.change.filters}s.addEventListener&&c.each({focus:"focusin",blur:"focusout"},function(a,b){function d(f){f=c.event.fix(f);f.type=b;return c.event.handle.call(this,f)}c.event.special[b]={setup:function(){this.addEventListener(a, -d,true)},teardown:function(){this.removeEventListener(a,d,true)}}});c.each(["bind","one"],function(a,b){c.fn[b]=function(d,f,e){if(typeof d==="object"){for(var j in d)this[b](j,f,d[j],e);return this}if(c.isFunction(f)){e=f;f=w}var i=b==="one"?c.proxy(e,function(k){c(this).unbind(k,i);return e.apply(this,arguments)}):e;if(d==="unload"&&b!=="one")this.one(d,f,e);else{j=0;for(var o=this.length;j0){y=t;break}}t=t[g]}m[q]=y}}}var f=/((?:\((?:\([^()]+\)|[^()]+)+\)|\[(?:\[[^[\]]*\]|['"][^'"]*['"]|[^[\]'"]+)+\]|\\.|[^ >+~,(\[\\]+)+|[>+~])(\s*,\s*)?((?:.|\r|\n)*)/g, -e=0,j=Object.prototype.toString,i=false,o=true;[0,0].sort(function(){o=false;return 0});var k=function(g,h,l,m){l=l||[];var q=h=h||s;if(h.nodeType!==1&&h.nodeType!==9)return[];if(!g||typeof g!=="string")return l;for(var p=[],v,t,y,S,H=true,M=x(h),I=g;(f.exec(""),v=f.exec(I))!==null;){I=v[3];p.push(v[1]);if(v[2]){S=v[3];break}}if(p.length>1&&r.exec(g))if(p.length===2&&n.relative[p[0]])t=ga(p[0]+p[1],h);else for(t=n.relative[p[0]]?[h]:k(p.shift(),h);p.length;){g=p.shift();if(n.relative[g])g+=p.shift(); -t=ga(g,t)}else{if(!m&&p.length>1&&h.nodeType===9&&!M&&n.match.ID.test(p[0])&&!n.match.ID.test(p[p.length-1])){v=k.find(p.shift(),h,M);h=v.expr?k.filter(v.expr,v.set)[0]:v.set[0]}if(h){v=m?{expr:p.pop(),set:z(m)}:k.find(p.pop(),p.length===1&&(p[0]==="~"||p[0]==="+")&&h.parentNode?h.parentNode:h,M);t=v.expr?k.filter(v.expr,v.set):v.set;if(p.length>0)y=z(t);else H=false;for(;p.length;){var D=p.pop();v=D;if(n.relative[D])v=p.pop();else D="";if(v==null)v=h;n.relative[D](y,v,M)}}else y=[]}y||(y=t);y||k.error(D|| -g);if(j.call(y)==="[object Array]")if(H)if(h&&h.nodeType===1)for(g=0;y[g]!=null;g++){if(y[g]&&(y[g]===true||y[g].nodeType===1&&E(h,y[g])))l.push(t[g])}else for(g=0;y[g]!=null;g++)y[g]&&y[g].nodeType===1&&l.push(t[g]);else l.push.apply(l,y);else z(y,l);if(S){k(S,q,l,m);k.uniqueSort(l)}return l};k.uniqueSort=function(g){if(B){i=o;g.sort(B);if(i)for(var h=1;h":function(g,h){var l=typeof h==="string";if(l&&!/\W/.test(h)){h=h.toLowerCase();for(var m=0,q=g.length;m=0))l||m.push(v);else if(l)h[p]=false;return false},ID:function(g){return g[1].replace(/\\/g,"")},TAG:function(g){return g[1].toLowerCase()}, -CHILD:function(g){if(g[1]==="nth"){var h=/(-?)(\d*)n((?:\+|-)?\d*)/.exec(g[2]==="even"&&"2n"||g[2]==="odd"&&"2n+1"||!/\D/.test(g[2])&&"0n+"+g[2]||g[2]);g[2]=h[1]+(h[2]||1)-0;g[3]=h[3]-0}g[0]=e++;return g},ATTR:function(g,h,l,m,q,p){h=g[1].replace(/\\/g,"");if(!p&&n.attrMap[h])g[1]=n.attrMap[h];if(g[2]==="~=")g[4]=" "+g[4]+" ";return g},PSEUDO:function(g,h,l,m,q){if(g[1]==="not")if((f.exec(g[3])||"").length>1||/^\w/.test(g[3]))g[3]=k(g[3],null,null,h);else{g=k.filter(g[3],h,l,true^q);l||m.push.apply(m, -g);return false}else if(n.match.POS.test(g[0])||n.match.CHILD.test(g[0]))return true;return g},POS:function(g){g.unshift(true);return g}},filters:{enabled:function(g){return g.disabled===false&&g.type!=="hidden"},disabled:function(g){return g.disabled===true},checked:function(g){return g.checked===true},selected:function(g){return g.selected===true},parent:function(g){return!!g.firstChild},empty:function(g){return!g.firstChild},has:function(g,h,l){return!!k(l[3],g).length},header:function(g){return/h\d/i.test(g.nodeName)}, -text:function(g){return"text"===g.type},radio:function(g){return"radio"===g.type},checkbox:function(g){return"checkbox"===g.type},file:function(g){return"file"===g.type},password:function(g){return"password"===g.type},submit:function(g){return"submit"===g.type},image:function(g){return"image"===g.type},reset:function(g){return"reset"===g.type},button:function(g){return"button"===g.type||g.nodeName.toLowerCase()==="button"},input:function(g){return/input|select|textarea|button/i.test(g.nodeName)}}, -setFilters:{first:function(g,h){return h===0},last:function(g,h,l,m){return h===m.length-1},even:function(g,h){return h%2===0},odd:function(g,h){return h%2===1},lt:function(g,h,l){return hl[3]-0},nth:function(g,h,l){return l[3]-0===h},eq:function(g,h,l){return l[3]-0===h}},filter:{PSEUDO:function(g,h,l,m){var q=h[1],p=n.filters[q];if(p)return p(g,l,h,m);else if(q==="contains")return(g.textContent||g.innerText||a([g])||"").indexOf(h[3])>=0;else if(q==="not"){h= -h[3];l=0;for(m=h.length;l=0}},ID:function(g,h){return g.nodeType===1&&g.getAttribute("id")===h},TAG:function(g,h){return h==="*"&&g.nodeType===1||g.nodeName.toLowerCase()===h},CLASS:function(g,h){return(" "+(g.className||g.getAttribute("class"))+" ").indexOf(h)>-1},ATTR:function(g,h){var l=h[1];g=n.attrHandle[l]?n.attrHandle[l](g):g[l]!=null?g[l]:g.getAttribute(l);l=g+"";var m=h[2];h=h[4];return g==null?m==="!=":m=== -"="?l===h:m==="*="?l.indexOf(h)>=0:m==="~="?(" "+l+" ").indexOf(h)>=0:!h?l&&g!==false:m==="!="?l!==h:m==="^="?l.indexOf(h)===0:m==="$="?l.substr(l.length-h.length)===h:m==="|="?l===h||l.substr(0,h.length+1)===h+"-":false},POS:function(g,h,l,m){var q=n.setFilters[h[2]];if(q)return q(g,l,h,m)}}},r=n.match.POS;for(var u in n.match){n.match[u]=new RegExp(n.match[u].source+/(?![^\[]*\])(?![^\(]*\))/.source);n.leftMatch[u]=new RegExp(/(^(?:.|\r|\n)*?)/.source+n.match[u].source.replace(/\\(\d+)/g,function(g, -h){return"\\"+(h-0+1)}))}var z=function(g,h){g=Array.prototype.slice.call(g,0);if(h){h.push.apply(h,g);return h}return g};try{Array.prototype.slice.call(s.documentElement.childNodes,0)}catch(C){z=function(g,h){h=h||[];if(j.call(g)==="[object Array]")Array.prototype.push.apply(h,g);else if(typeof g.length==="number")for(var l=0,m=g.length;l";var l=s.documentElement;l.insertBefore(g,l.firstChild);if(s.getElementById(h)){n.find.ID=function(m,q,p){if(typeof q.getElementById!=="undefined"&&!p)return(q=q.getElementById(m[1]))?q.id===m[1]||typeof q.getAttributeNode!=="undefined"&& -q.getAttributeNode("id").nodeValue===m[1]?[q]:w:[]};n.filter.ID=function(m,q){var p=typeof m.getAttributeNode!=="undefined"&&m.getAttributeNode("id");return m.nodeType===1&&p&&p.nodeValue===q}}l.removeChild(g);l=g=null})();(function(){var g=s.createElement("div");g.appendChild(s.createComment(""));if(g.getElementsByTagName("*").length>0)n.find.TAG=function(h,l){l=l.getElementsByTagName(h[1]);if(h[1]==="*"){h=[];for(var m=0;l[m];m++)l[m].nodeType===1&&h.push(l[m]);l=h}return l};g.innerHTML=""; -if(g.firstChild&&typeof g.firstChild.getAttribute!=="undefined"&&g.firstChild.getAttribute("href")!=="#")n.attrHandle.href=function(h){return h.getAttribute("href",2)};g=null})();s.querySelectorAll&&function(){var g=k,h=s.createElement("div");h.innerHTML="

    ";if(!(h.querySelectorAll&&h.querySelectorAll(".TEST").length===0)){k=function(m,q,p,v){q=q||s;if(!v&&q.nodeType===9&&!x(q))try{return z(q.querySelectorAll(m),p)}catch(t){}return g(m,q,p,v)};for(var l in g)k[l]=g[l];h=null}}(); -(function(){var g=s.createElement("div");g.innerHTML="
    ";if(!(!g.getElementsByClassName||g.getElementsByClassName("e").length===0)){g.lastChild.className="e";if(g.getElementsByClassName("e").length!==1){n.order.splice(1,0,"CLASS");n.find.CLASS=function(h,l,m){if(typeof l.getElementsByClassName!=="undefined"&&!m)return l.getElementsByClassName(h[1])};g=null}}})();var E=s.compareDocumentPosition?function(g,h){return!!(g.compareDocumentPosition(h)&16)}: -function(g,h){return g!==h&&(g.contains?g.contains(h):true)},x=function(g){return(g=(g?g.ownerDocument||g:0).documentElement)?g.nodeName!=="HTML":false},ga=function(g,h){var l=[],m="",q;for(h=h.nodeType?[h]:h;q=n.match.PSEUDO.exec(g);){m+=q[0];g=g.replace(n.match.PSEUDO,"")}g=n.relative[g]?g+"*":g;q=0;for(var p=h.length;q=0===d})};c.fn.extend({find:function(a){for(var b=this.pushStack("","find",a),d=0,f=0,e=this.length;f0)for(var j=d;j0},closest:function(a,b){if(c.isArray(a)){var d=[],f=this[0],e,j= -{},i;if(f&&a.length){e=0;for(var o=a.length;e-1:c(f).is(e)){d.push({selector:i,elem:f});delete j[i]}}f=f.parentNode}}return d}var k=c.expr.match.POS.test(a)?c(a,b||this.context):null;return this.map(function(n,r){for(;r&&r.ownerDocument&&r!==b;){if(k?k.index(r)>-1:c(r).is(a))return r;r=r.parentNode}return null})},index:function(a){if(!a||typeof a=== -"string")return c.inArray(this[0],a?c(a):this.parent().children());return c.inArray(a.jquery?a[0]:a,this)},add:function(a,b){a=typeof a==="string"?c(a,b||this.context):c.makeArray(a);b=c.merge(this.get(),a);return this.pushStack(qa(a[0])||qa(b[0])?b:c.unique(b))},andSelf:function(){return this.add(this.prevObject)}});c.each({parent:function(a){return(a=a.parentNode)&&a.nodeType!==11?a:null},parents:function(a){return c.dir(a,"parentNode")},parentsUntil:function(a,b,d){return c.dir(a,"parentNode", -d)},next:function(a){return c.nth(a,2,"nextSibling")},prev:function(a){return c.nth(a,2,"previousSibling")},nextAll:function(a){return c.dir(a,"nextSibling")},prevAll:function(a){return c.dir(a,"previousSibling")},nextUntil:function(a,b,d){return c.dir(a,"nextSibling",d)},prevUntil:function(a,b,d){return c.dir(a,"previousSibling",d)},siblings:function(a){return c.sibling(a.parentNode.firstChild,a)},children:function(a){return c.sibling(a.firstChild)},contents:function(a){return c.nodeName(a,"iframe")? -a.contentDocument||a.contentWindow.document:c.makeArray(a.childNodes)}},function(a,b){c.fn[a]=function(d,f){var e=c.map(this,b,d);eb.test(a)||(f=d);if(f&&typeof f==="string")e=c.filter(f,e);e=this.length>1?c.unique(e):e;if((this.length>1||gb.test(f))&&fb.test(a))e=e.reverse();return this.pushStack(e,a,R.call(arguments).join(","))}});c.extend({filter:function(a,b,d){if(d)a=":not("+a+")";return c.find.matches(a,b)},dir:function(a,b,d){var f=[];for(a=a[b];a&&a.nodeType!==9&&(d===w||a.nodeType!==1||!c(a).is(d));){a.nodeType=== -1&&f.push(a);a=a[b]}return f},nth:function(a,b,d){b=b||1;for(var f=0;a;a=a[d])if(a.nodeType===1&&++f===b)break;return a},sibling:function(a,b){for(var d=[];a;a=a.nextSibling)a.nodeType===1&&a!==b&&d.push(a);return d}});var Ja=/ jQuery\d+="(?:\d+|null)"/g,V=/^\s+/,Ka=/(<([\w:]+)[^>]*?)\/>/g,hb=/^(?:area|br|col|embed|hr|img|input|link|meta|param)$/i,La=/<([\w:]+)/,ib=/"},F={option:[1,""],legend:[1,"
    ","
    "],thead:[1,"","
    "],tr:[2,"","
    "],td:[3,"","
    "],col:[2,"","
    "],area:[1,"",""],_default:[0,"",""]};F.optgroup=F.option;F.tbody=F.tfoot=F.colgroup=F.caption=F.thead;F.th=F.td;if(!c.support.htmlSerialize)F._default=[1,"div
    ","
    "];c.fn.extend({text:function(a){if(c.isFunction(a))return this.each(function(b){var d= -c(this);d.text(a.call(this,b,d.text()))});if(typeof a!=="object"&&a!==w)return this.empty().append((this[0]&&this[0].ownerDocument||s).createTextNode(a));return c.text(this)},wrapAll:function(a){if(c.isFunction(a))return this.each(function(d){c(this).wrapAll(a.call(this,d))});if(this[0]){var b=c(a,this[0].ownerDocument).eq(0).clone(true);this[0].parentNode&&b.insertBefore(this[0]);b.map(function(){for(var d=this;d.firstChild&&d.firstChild.nodeType===1;)d=d.firstChild;return d}).append(this)}return this}, +(function(E,B){function ka(a,b,d){if(d===B&&a.nodeType===1){d=a.getAttribute("data-"+b);if(typeof d==="string"){try{d=d==="true"?true:d==="false"?false:d==="null"?null:!c.isNaN(d)?parseFloat(d):Ja.test(d)?c.parseJSON(d):d}catch(e){}c.data(a,b,d)}else d=B}return d}function U(){return false}function ca(){return true}function la(a,b,d){d[0].type=a;return c.event.handle.apply(b,d)}function Ka(a){var b,d,e,f,h,l,k,o,x,r,A,C=[];f=[];h=c.data(this,this.nodeType?"events":"__events__");if(typeof h==="function")h= +h.events;if(!(a.liveFired===this||!h||!h.live||a.button&&a.type==="click")){if(a.namespace)A=RegExp("(^|\\.)"+a.namespace.split(".").join("\\.(?:.*\\.)?")+"(\\.|$)");a.liveFired=this;var J=h.live.slice(0);for(k=0;kd)break;a.currentTarget=f.elem;a.data=f.handleObj.data;a.handleObj=f.handleObj;A=f.handleObj.origHandler.apply(f.elem,arguments);if(A===false||a.isPropagationStopped()){d=f.level;if(A===false)b=false;if(a.isImmediatePropagationStopped())break}}return b}}function Y(a,b){return(a&&a!=="*"?a+".":"")+b.replace(La, +"`").replace(Ma,"&")}function ma(a,b,d){if(c.isFunction(b))return c.grep(a,function(f,h){return!!b.call(f,h,f)===d});else if(b.nodeType)return c.grep(a,function(f){return f===b===d});else if(typeof b==="string"){var e=c.grep(a,function(f){return f.nodeType===1});if(Na.test(b))return c.filter(b,e,!d);else b=c.filter(b,e)}return c.grep(a,function(f){return c.inArray(f,b)>=0===d})}function na(a,b){var d=0;b.each(function(){if(this.nodeName===(a[d]&&a[d].nodeName)){var e=c.data(a[d++]),f=c.data(this, +e);if(e=e&&e.events){delete f.handle;f.events={};for(var h in e)for(var l in e[h])c.event.add(this,h,e[h][l],e[h][l].data)}}})}function Oa(a,b){b.src?c.ajax({url:b.src,async:false,dataType:"script"}):c.globalEval(b.text||b.textContent||b.innerHTML||"");b.parentNode&&b.parentNode.removeChild(b)}function oa(a,b,d){var e=b==="width"?a.offsetWidth:a.offsetHeight;if(d==="border")return e;c.each(b==="width"?Pa:Qa,function(){d||(e-=parseFloat(c.css(a,"padding"+this))||0);if(d==="margin")e+=parseFloat(c.css(a, +"margin"+this))||0;else e-=parseFloat(c.css(a,"border"+this+"Width"))||0});return e}function da(a,b,d,e){if(c.isArray(b)&&b.length)c.each(b,function(f,h){d||Ra.test(a)?e(a,h):da(a+"["+(typeof h==="object"||c.isArray(h)?f:"")+"]",h,d,e)});else if(!d&&b!=null&&typeof b==="object")c.isEmptyObject(b)?e(a,""):c.each(b,function(f,h){da(a+"["+f+"]",h,d,e)});else e(a,b)}function S(a,b){var d={};c.each(pa.concat.apply([],pa.slice(0,b)),function(){d[this]=a});return d}function qa(a){if(!ea[a]){var b=c("<"+ +a+">").appendTo("body"),d=b.css("display");b.remove();if(d==="none"||d==="")d="block";ea[a]=d}return ea[a]}function fa(a){return c.isWindow(a)?a:a.nodeType===9?a.defaultView||a.parentWindow:false}var t=E.document,c=function(){function a(){if(!b.isReady){try{t.documentElement.doScroll("left")}catch(j){setTimeout(a,1);return}b.ready()}}var b=function(j,s){return new b.fn.init(j,s)},d=E.jQuery,e=E.$,f,h=/^(?:[^<]*(<[\w\W]+>)[^>]*$|#([\w\-]+)$)/,l=/\S/,k=/^\s+/,o=/\s+$/,x=/\W/,r=/\d/,A=/^<(\w+)\s*\/?>(?:<\/\1>)?$/, +C=/^[\],:{}\s]*$/,J=/\\(?:["\\\/bfnrt]|u[0-9a-fA-F]{4})/g,w=/"[^"\\\n\r]*"|true|false|null|-?\d+(?:\.\d*)?(?:[eE][+\-]?\d+)?/g,I=/(?:^|:|,)(?:\s*\[)+/g,L=/(webkit)[ \/]([\w.]+)/,g=/(opera)(?:.*version)?[ \/]([\w.]+)/,i=/(msie) ([\w.]+)/,n=/(mozilla)(?:.*? rv:([\w.]+))?/,m=navigator.userAgent,p=false,q=[],u,y=Object.prototype.toString,F=Object.prototype.hasOwnProperty,M=Array.prototype.push,N=Array.prototype.slice,O=String.prototype.trim,D=Array.prototype.indexOf,R={};b.fn=b.prototype={init:function(j, +s){var v,z,H;if(!j)return this;if(j.nodeType){this.context=this[0]=j;this.length=1;return this}if(j==="body"&&!s&&t.body){this.context=t;this[0]=t.body;this.selector="body";this.length=1;return this}if(typeof j==="string")if((v=h.exec(j))&&(v[1]||!s))if(v[1]){H=s?s.ownerDocument||s:t;if(z=A.exec(j))if(b.isPlainObject(s)){j=[t.createElement(z[1])];b.fn.attr.call(j,s,true)}else j=[H.createElement(z[1])];else{z=b.buildFragment([v[1]],[H]);j=(z.cacheable?z.fragment.cloneNode(true):z.fragment).childNodes}return b.merge(this, +j)}else{if((z=t.getElementById(v[2]))&&z.parentNode){if(z.id!==v[2])return f.find(j);this.length=1;this[0]=z}this.context=t;this.selector=j;return this}else if(!s&&!x.test(j)){this.selector=j;this.context=t;j=t.getElementsByTagName(j);return b.merge(this,j)}else return!s||s.jquery?(s||f).find(j):b(s).find(j);else if(b.isFunction(j))return f.ready(j);if(j.selector!==B){this.selector=j.selector;this.context=j.context}return b.makeArray(j,this)},selector:"",jquery:"1.4.4",length:0,size:function(){return this.length}, +toArray:function(){return N.call(this,0)},get:function(j){return j==null?this.toArray():j<0?this.slice(j)[0]:this[j]},pushStack:function(j,s,v){var z=b();b.isArray(j)?M.apply(z,j):b.merge(z,j);z.prevObject=this;z.context=this.context;if(s==="find")z.selector=this.selector+(this.selector?" ":"")+v;else if(s)z.selector=this.selector+"."+s+"("+v+")";return z},each:function(j,s){return b.each(this,j,s)},ready:function(j){b.bindReady();if(b.isReady)j.call(t,b);else q&&q.push(j);return this},eq:function(j){return j=== +-1?this.slice(j):this.slice(j,+j+1)},first:function(){return this.eq(0)},last:function(){return this.eq(-1)},slice:function(){return this.pushStack(N.apply(this,arguments),"slice",N.call(arguments).join(","))},map:function(j){return this.pushStack(b.map(this,function(s,v){return j.call(s,v,s)}))},end:function(){return this.prevObject||b(null)},push:M,sort:[].sort,splice:[].splice};b.fn.init.prototype=b.fn;b.extend=b.fn.extend=function(){var j,s,v,z,H,G=arguments[0]||{},K=1,Q=arguments.length,ga=false; +if(typeof G==="boolean"){ga=G;G=arguments[1]||{};K=2}if(typeof G!=="object"&&!b.isFunction(G))G={};if(Q===K){G=this;--K}for(;K0))if(q){var s=0,v=q;for(q=null;j=v[s++];)j.call(t,b);b.fn.trigger&&b(t).trigger("ready").unbind("ready")}}},bindReady:function(){if(!p){p=true;if(t.readyState==="complete")return setTimeout(b.ready,1);if(t.addEventListener){t.addEventListener("DOMContentLoaded",u,false);E.addEventListener("load",b.ready,false)}else if(t.attachEvent){t.attachEvent("onreadystatechange",u);E.attachEvent("onload", +b.ready);var j=false;try{j=E.frameElement==null}catch(s){}t.documentElement.doScroll&&j&&a()}}},isFunction:function(j){return b.type(j)==="function"},isArray:Array.isArray||function(j){return b.type(j)==="array"},isWindow:function(j){return j&&typeof j==="object"&&"setInterval"in j},isNaN:function(j){return j==null||!r.test(j)||isNaN(j)},type:function(j){return j==null?String(j):R[y.call(j)]||"object"},isPlainObject:function(j){if(!j||b.type(j)!=="object"||j.nodeType||b.isWindow(j))return false;if(j.constructor&& +!F.call(j,"constructor")&&!F.call(j.constructor.prototype,"isPrototypeOf"))return false;for(var s in j);return s===B||F.call(j,s)},isEmptyObject:function(j){for(var s in j)return false;return true},error:function(j){throw j;},parseJSON:function(j){if(typeof j!=="string"||!j)return null;j=b.trim(j);if(C.test(j.replace(J,"@").replace(w,"]").replace(I,"")))return E.JSON&&E.JSON.parse?E.JSON.parse(j):(new Function("return "+j))();else b.error("Invalid JSON: "+j)},noop:function(){},globalEval:function(j){if(j&& +l.test(j)){var s=t.getElementsByTagName("head")[0]||t.documentElement,v=t.createElement("script");v.type="text/javascript";if(b.support.scriptEval)v.appendChild(t.createTextNode(j));else v.text=j;s.insertBefore(v,s.firstChild);s.removeChild(v)}},nodeName:function(j,s){return j.nodeName&&j.nodeName.toUpperCase()===s.toUpperCase()},each:function(j,s,v){var z,H=0,G=j.length,K=G===B||b.isFunction(j);if(v)if(K)for(z in j){if(s.apply(j[z],v)===false)break}else for(;H
    a";var f=d.getElementsByTagName("*"),h=d.getElementsByTagName("a")[0],l=t.createElement("select"), +k=l.appendChild(t.createElement("option"));if(!(!f||!f.length||!h)){c.support={leadingWhitespace:d.firstChild.nodeType===3,tbody:!d.getElementsByTagName("tbody").length,htmlSerialize:!!d.getElementsByTagName("link").length,style:/red/.test(h.getAttribute("style")),hrefNormalized:h.getAttribute("href")==="/a",opacity:/^0.55$/.test(h.style.opacity),cssFloat:!!h.style.cssFloat,checkOn:d.getElementsByTagName("input")[0].value==="on",optSelected:k.selected,deleteExpando:true,optDisabled:false,checkClone:false, +scriptEval:false,noCloneEvent:true,boxModel:null,inlineBlockNeedsLayout:false,shrinkWrapBlocks:false,reliableHiddenOffsets:true};l.disabled=true;c.support.optDisabled=!k.disabled;b.type="text/javascript";try{b.appendChild(t.createTextNode("window."+e+"=1;"))}catch(o){}a.insertBefore(b,a.firstChild);if(E[e]){c.support.scriptEval=true;delete E[e]}try{delete b.test}catch(x){c.support.deleteExpando=false}a.removeChild(b);if(d.attachEvent&&d.fireEvent){d.attachEvent("onclick",function r(){c.support.noCloneEvent= +false;d.detachEvent("onclick",r)});d.cloneNode(true).fireEvent("onclick")}d=t.createElement("div");d.innerHTML="";a=t.createDocumentFragment();a.appendChild(d.firstChild);c.support.checkClone=a.cloneNode(true).cloneNode(true).lastChild.checked;c(function(){var r=t.createElement("div");r.style.width=r.style.paddingLeft="1px";t.body.appendChild(r);c.boxModel=c.support.boxModel=r.offsetWidth===2;if("zoom"in r.style){r.style.display="inline";r.style.zoom= +1;c.support.inlineBlockNeedsLayout=r.offsetWidth===2;r.style.display="";r.innerHTML="
    ";c.support.shrinkWrapBlocks=r.offsetWidth!==2}r.innerHTML="
    t
    ";var A=r.getElementsByTagName("td");c.support.reliableHiddenOffsets=A[0].offsetHeight===0;A[0].style.display="";A[1].style.display="none";c.support.reliableHiddenOffsets=c.support.reliableHiddenOffsets&&A[0].offsetHeight===0;r.innerHTML="";t.body.removeChild(r).style.display= +"none"});a=function(r){var A=t.createElement("div");r="on"+r;var C=r in A;if(!C){A.setAttribute(r,"return;");C=typeof A[r]==="function"}return C};c.support.submitBubbles=a("submit");c.support.changeBubbles=a("change");a=b=d=f=h=null}})();var ra={},Ja=/^(?:\{.*\}|\[.*\])$/;c.extend({cache:{},uuid:0,expando:"jQuery"+c.now(),noData:{embed:true,object:"clsid:D27CDB6E-AE6D-11cf-96B8-444553540000",applet:true},data:function(a,b,d){if(c.acceptData(a)){a=a==E?ra:a;var e=a.nodeType,f=e?a[c.expando]:null,h= +c.cache;if(!(e&&!f&&typeof b==="string"&&d===B)){if(e)f||(a[c.expando]=f=++c.uuid);else h=a;if(typeof b==="object")if(e)h[f]=c.extend(h[f],b);else c.extend(h,b);else if(e&&!h[f])h[f]={};a=e?h[f]:h;if(d!==B)a[b]=d;return typeof b==="string"?a[b]:a}}},removeData:function(a,b){if(c.acceptData(a)){a=a==E?ra:a;var d=a.nodeType,e=d?a[c.expando]:a,f=c.cache,h=d?f[e]:e;if(b){if(h){delete h[b];d&&c.isEmptyObject(h)&&c.removeData(a)}}else if(d&&c.support.deleteExpando)delete a[c.expando];else if(a.removeAttribute)a.removeAttribute(c.expando); +else if(d)delete f[e];else for(var l in a)delete a[l]}},acceptData:function(a){if(a.nodeName){var b=c.noData[a.nodeName.toLowerCase()];if(b)return!(b===true||a.getAttribute("classid")!==b)}return true}});c.fn.extend({data:function(a,b){var d=null;if(typeof a==="undefined"){if(this.length){var e=this[0].attributes,f;d=c.data(this[0]);for(var h=0,l=e.length;h-1)return true;return false},val:function(a){if(!arguments.length){var b=this[0];if(b){if(c.nodeName(b,"option")){var d=b.attributes.value;return!d||d.specified?b.value:b.text}if(c.nodeName(b,"select")){var e=b.selectedIndex;d=[];var f=b.options;b=b.type==="select-one"; +if(e<0)return null;var h=b?e:0;for(e=b?e+1:f.length;h=0;else if(c.nodeName(this,"select")){var A=c.makeArray(r);c("option",this).each(function(){this.selected=c.inArray(c(this).val(),A)>=0});if(!A.length)this.selectedIndex=-1}else this.value=r}})}});c.extend({attrFn:{val:true,css:true,html:true,text:true,data:true,width:true,height:true,offset:true}, +attr:function(a,b,d,e){if(!a||a.nodeType===3||a.nodeType===8)return B;if(e&&b in c.attrFn)return c(a)[b](d);e=a.nodeType!==1||!c.isXMLDoc(a);var f=d!==B;b=e&&c.props[b]||b;var h=Ta.test(b);if((b in a||a[b]!==B)&&e&&!h){if(f){b==="type"&&Ua.test(a.nodeName)&&a.parentNode&&c.error("type property can't be changed");if(d===null)a.nodeType===1&&a.removeAttribute(b);else a[b]=d}if(c.nodeName(a,"form")&&a.getAttributeNode(b))return a.getAttributeNode(b).nodeValue;if(b==="tabIndex")return(b=a.getAttributeNode("tabIndex"))&& +b.specified?b.value:Va.test(a.nodeName)||Wa.test(a.nodeName)&&a.href?0:B;return a[b]}if(!c.support.style&&e&&b==="style"){if(f)a.style.cssText=""+d;return a.style.cssText}f&&a.setAttribute(b,""+d);if(!a.attributes[b]&&a.hasAttribute&&!a.hasAttribute(b))return B;a=!c.support.hrefNormalized&&e&&h?a.getAttribute(b,2):a.getAttribute(b);return a===null?B:a}});var X=/\.(.*)$/,ia=/^(?:textarea|input|select)$/i,La=/\./g,Ma=/ /g,Xa=/[^\w\s.|`]/g,Ya=function(a){return a.replace(Xa,"\\$&")},ua={focusin:0,focusout:0}; +c.event={add:function(a,b,d,e){if(!(a.nodeType===3||a.nodeType===8)){if(c.isWindow(a)&&a!==E&&!a.frameElement)a=E;if(d===false)d=U;else if(!d)return;var f,h;if(d.handler){f=d;d=f.handler}if(!d.guid)d.guid=c.guid++;if(h=c.data(a)){var l=a.nodeType?"events":"__events__",k=h[l],o=h.handle;if(typeof k==="function"){o=k.handle;k=k.events}else if(!k){a.nodeType||(h[l]=h=function(){});h.events=k={}}if(!o)h.handle=o=function(){return typeof c!=="undefined"&&!c.event.triggered?c.event.handle.apply(o.elem, +arguments):B};o.elem=a;b=b.split(" ");for(var x=0,r;l=b[x++];){h=f?c.extend({},f):{handler:d,data:e};if(l.indexOf(".")>-1){r=l.split(".");l=r.shift();h.namespace=r.slice(0).sort().join(".")}else{r=[];h.namespace=""}h.type=l;if(!h.guid)h.guid=d.guid;var A=k[l],C=c.event.special[l]||{};if(!A){A=k[l]=[];if(!C.setup||C.setup.call(a,e,r,o)===false)if(a.addEventListener)a.addEventListener(l,o,false);else a.attachEvent&&a.attachEvent("on"+l,o)}if(C.add){C.add.call(a,h);if(!h.handler.guid)h.handler.guid= +d.guid}A.push(h);c.event.global[l]=true}a=null}}},global:{},remove:function(a,b,d,e){if(!(a.nodeType===3||a.nodeType===8)){if(d===false)d=U;var f,h,l=0,k,o,x,r,A,C,J=a.nodeType?"events":"__events__",w=c.data(a),I=w&&w[J];if(w&&I){if(typeof I==="function"){w=I;I=I.events}if(b&&b.type){d=b.handler;b=b.type}if(!b||typeof b==="string"&&b.charAt(0)==="."){b=b||"";for(f in I)c.event.remove(a,f+b)}else{for(b=b.split(" ");f=b[l++];){r=f;k=f.indexOf(".")<0;o=[];if(!k){o=f.split(".");f=o.shift();x=RegExp("(^|\\.)"+ +c.map(o.slice(0).sort(),Ya).join("\\.(?:.*\\.)?")+"(\\.|$)")}if(A=I[f])if(d){r=c.event.special[f]||{};for(h=e||0;h=0){a.type=f=f.slice(0,-1);a.exclusive=true}if(!d){a.stopPropagation();c.event.global[f]&&c.each(c.cache,function(){this.events&&this.events[f]&&c.event.trigger(a,b,this.handle.elem)})}if(!d||d.nodeType===3||d.nodeType=== +8)return B;a.result=B;a.target=d;b=c.makeArray(b);b.unshift(a)}a.currentTarget=d;(e=d.nodeType?c.data(d,"handle"):(c.data(d,"__events__")||{}).handle)&&e.apply(d,b);e=d.parentNode||d.ownerDocument;try{if(!(d&&d.nodeName&&c.noData[d.nodeName.toLowerCase()]))if(d["on"+f]&&d["on"+f].apply(d,b)===false){a.result=false;a.preventDefault()}}catch(h){}if(!a.isPropagationStopped()&&e)c.event.trigger(a,b,e,true);else if(!a.isDefaultPrevented()){var l;e=a.target;var k=f.replace(X,""),o=c.nodeName(e,"a")&&k=== +"click",x=c.event.special[k]||{};if((!x._default||x._default.call(d,a)===false)&&!o&&!(e&&e.nodeName&&c.noData[e.nodeName.toLowerCase()])){try{if(e[k]){if(l=e["on"+k])e["on"+k]=null;c.event.triggered=true;e[k]()}}catch(r){}if(l)e["on"+k]=l;c.event.triggered=false}}},handle:function(a){var b,d,e,f;d=[];var h=c.makeArray(arguments);a=h[0]=c.event.fix(a||E.event);a.currentTarget=this;b=a.type.indexOf(".")<0&&!a.exclusive;if(!b){e=a.type.split(".");a.type=e.shift();d=e.slice(0).sort();e=RegExp("(^|\\.)"+ +d.join("\\.(?:.*\\.)?")+"(\\.|$)")}a.namespace=a.namespace||d.join(".");f=c.data(this,this.nodeType?"events":"__events__");if(typeof f==="function")f=f.events;d=(f||{})[a.type];if(f&&d){d=d.slice(0);f=0;for(var l=d.length;f-1?c.map(a.options,function(e){return e.selected}).join("-"):"";else if(a.nodeName.toLowerCase()==="select")d=a.selectedIndex;return d},Z=function(a,b){var d=a.target,e,f;if(!(!ia.test(d.nodeName)||d.readOnly)){e=c.data(d,"_change_data");f=xa(d);if(a.type!=="focusout"||d.type!=="radio")c.data(d,"_change_data",f);if(!(e===B||f===e))if(e!=null||f){a.type="change";a.liveFired= +B;return c.event.trigger(a,b,d)}}};c.event.special.change={filters:{focusout:Z,beforedeactivate:Z,click:function(a){var b=a.target,d=b.type;if(d==="radio"||d==="checkbox"||b.nodeName.toLowerCase()==="select")return Z.call(this,a)},keydown:function(a){var b=a.target,d=b.type;if(a.keyCode===13&&b.nodeName.toLowerCase()!=="textarea"||a.keyCode===32&&(d==="checkbox"||d==="radio")||d==="select-multiple")return Z.call(this,a)},beforeactivate:function(a){a=a.target;c.data(a,"_change_data",xa(a))}},setup:function(){if(this.type=== +"file")return false;for(var a in V)c.event.add(this,a+".specialChange",V[a]);return ia.test(this.nodeName)},teardown:function(){c.event.remove(this,".specialChange");return ia.test(this.nodeName)}};V=c.event.special.change.filters;V.focus=V.beforeactivate}t.addEventListener&&c.each({focus:"focusin",blur:"focusout"},function(a,b){function d(e){e=c.event.fix(e);e.type=b;return c.event.trigger(e,null,e.target)}c.event.special[b]={setup:function(){ua[b]++===0&&t.addEventListener(a,d,true)},teardown:function(){--ua[b]=== +0&&t.removeEventListener(a,d,true)}}});c.each(["bind","one"],function(a,b){c.fn[b]=function(d,e,f){if(typeof d==="object"){for(var h in d)this[b](h,e,d[h],f);return this}if(c.isFunction(e)||e===false){f=e;e=B}var l=b==="one"?c.proxy(f,function(o){c(this).unbind(o,l);return f.apply(this,arguments)}):f;if(d==="unload"&&b!=="one")this.one(d,e,f);else{h=0;for(var k=this.length;h0?this.bind(b,d,e):this.trigger(b)};if(c.attrFn)c.attrFn[b]=true});E.attachEvent&&!E.addEventListener&&c(E).bind("unload",function(){for(var a in c.cache)if(c.cache[a].handle)try{c.event.remove(c.cache[a].handle.elem)}catch(b){}}); +(function(){function a(g,i,n,m,p,q){p=0;for(var u=m.length;p0){F=y;break}}y=y[g]}m[p]=F}}}var d=/((?:\((?:\([^()]+\)|[^()]+)+\)|\[(?:\[[^\[\]]*\]|['"][^'"]*['"]|[^\[\]'"]+)+\]|\\.|[^ >+~,(\[\\]+)+|[>+~])(\s*,\s*)?((?:.|\r|\n)*)/g,e=0,f=Object.prototype.toString,h=false,l=true;[0,0].sort(function(){l=false;return 0});var k=function(g,i,n,m){n=n||[];var p=i=i||t;if(i.nodeType!==1&&i.nodeType!==9)return[];if(!g||typeof g!=="string")return n;var q,u,y,F,M,N=true,O=k.isXML(i),D=[],R=g;do{d.exec("");if(q=d.exec(R)){R=q[3];D.push(q[1]);if(q[2]){F=q[3]; +break}}}while(q);if(D.length>1&&x.exec(g))if(D.length===2&&o.relative[D[0]])u=L(D[0]+D[1],i);else for(u=o.relative[D[0]]?[i]:k(D.shift(),i);D.length;){g=D.shift();if(o.relative[g])g+=D.shift();u=L(g,u)}else{if(!m&&D.length>1&&i.nodeType===9&&!O&&o.match.ID.test(D[0])&&!o.match.ID.test(D[D.length-1])){q=k.find(D.shift(),i,O);i=q.expr?k.filter(q.expr,q.set)[0]:q.set[0]}if(i){q=m?{expr:D.pop(),set:C(m)}:k.find(D.pop(),D.length===1&&(D[0]==="~"||D[0]==="+")&&i.parentNode?i.parentNode:i,O);u=q.expr?k.filter(q.expr, +q.set):q.set;if(D.length>0)y=C(u);else N=false;for(;D.length;){q=M=D.pop();if(o.relative[M])q=D.pop();else M="";if(q==null)q=i;o.relative[M](y,q,O)}}else y=[]}y||(y=u);y||k.error(M||g);if(f.call(y)==="[object Array]")if(N)if(i&&i.nodeType===1)for(g=0;y[g]!=null;g++){if(y[g]&&(y[g]===true||y[g].nodeType===1&&k.contains(i,y[g])))n.push(u[g])}else for(g=0;y[g]!=null;g++)y[g]&&y[g].nodeType===1&&n.push(u[g]);else n.push.apply(n,y);else C(y,n);if(F){k(F,p,n,m);k.uniqueSort(n)}return n};k.uniqueSort=function(g){if(w){h= +l;g.sort(w);if(h)for(var i=1;i0};k.find=function(g,i,n){var m;if(!g)return[];for(var p=0,q=o.order.length;p":function(g,i){var n,m=typeof i==="string",p=0,q=g.length;if(m&&!/\W/.test(i))for(i=i.toLowerCase();p=0))n||m.push(u);else if(n)i[q]=false;return false},ID:function(g){return g[1].replace(/\\/g,"")},TAG:function(g){return g[1].toLowerCase()},CHILD:function(g){if(g[1]==="nth"){var i=/(-?)(\d*)n((?:\+|-)?\d*)/.exec(g[2]==="even"&&"2n"||g[2]==="odd"&&"2n+1"||!/\D/.test(g[2])&&"0n+"+g[2]||g[2]);g[2]=i[1]+(i[2]||1)-0;g[3]=i[3]-0}g[0]=e++;return g},ATTR:function(g,i,n, +m,p,q){i=g[1].replace(/\\/g,"");if(!q&&o.attrMap[i])g[1]=o.attrMap[i];if(g[2]==="~=")g[4]=" "+g[4]+" ";return g},PSEUDO:function(g,i,n,m,p){if(g[1]==="not")if((d.exec(g[3])||"").length>1||/^\w/.test(g[3]))g[3]=k(g[3],null,null,i);else{g=k.filter(g[3],i,n,true^p);n||m.push.apply(m,g);return false}else if(o.match.POS.test(g[0])||o.match.CHILD.test(g[0]))return true;return g},POS:function(g){g.unshift(true);return g}},filters:{enabled:function(g){return g.disabled===false&&g.type!=="hidden"},disabled:function(g){return g.disabled=== +true},checked:function(g){return g.checked===true},selected:function(g){return g.selected===true},parent:function(g){return!!g.firstChild},empty:function(g){return!g.firstChild},has:function(g,i,n){return!!k(n[3],g).length},header:function(g){return/h\d/i.test(g.nodeName)},text:function(g){return"text"===g.type},radio:function(g){return"radio"===g.type},checkbox:function(g){return"checkbox"===g.type},file:function(g){return"file"===g.type},password:function(g){return"password"===g.type},submit:function(g){return"submit"=== +g.type},image:function(g){return"image"===g.type},reset:function(g){return"reset"===g.type},button:function(g){return"button"===g.type||g.nodeName.toLowerCase()==="button"},input:function(g){return/input|select|textarea|button/i.test(g.nodeName)}},setFilters:{first:function(g,i){return i===0},last:function(g,i,n,m){return i===m.length-1},even:function(g,i){return i%2===0},odd:function(g,i){return i%2===1},lt:function(g,i,n){return in[3]-0},nth:function(g,i,n){return n[3]- +0===i},eq:function(g,i,n){return n[3]-0===i}},filter:{PSEUDO:function(g,i,n,m){var p=i[1],q=o.filters[p];if(q)return q(g,n,i,m);else if(p==="contains")return(g.textContent||g.innerText||k.getText([g])||"").indexOf(i[3])>=0;else if(p==="not"){i=i[3];n=0;for(m=i.length;n=0}},ID:function(g,i){return g.nodeType===1&&g.getAttribute("id")===i},TAG:function(g,i){return i==="*"&&g.nodeType===1||g.nodeName.toLowerCase()=== +i},CLASS:function(g,i){return(" "+(g.className||g.getAttribute("class"))+" ").indexOf(i)>-1},ATTR:function(g,i){var n=i[1];n=o.attrHandle[n]?o.attrHandle[n](g):g[n]!=null?g[n]:g.getAttribute(n);var m=n+"",p=i[2],q=i[4];return n==null?p==="!=":p==="="?m===q:p==="*="?m.indexOf(q)>=0:p==="~="?(" "+m+" ").indexOf(q)>=0:!q?m&&n!==false:p==="!="?m!==q:p==="^="?m.indexOf(q)===0:p==="$="?m.substr(m.length-q.length)===q:p==="|="?m===q||m.substr(0,q.length+1)===q+"-":false},POS:function(g,i,n,m){var p=o.setFilters[i[2]]; +if(p)return p(g,n,i,m)}}},x=o.match.POS,r=function(g,i){return"\\"+(i-0+1)},A;for(A in o.match){o.match[A]=RegExp(o.match[A].source+/(?![^\[]*\])(?![^\(]*\))/.source);o.leftMatch[A]=RegExp(/(^(?:.|\r|\n)*?)/.source+o.match[A].source.replace(/\\(\d+)/g,r))}var C=function(g,i){g=Array.prototype.slice.call(g,0);if(i){i.push.apply(i,g);return i}return g};try{Array.prototype.slice.call(t.documentElement.childNodes,0)}catch(J){C=function(g,i){var n=0,m=i||[];if(f.call(g)==="[object Array]")Array.prototype.push.apply(m, +g);else if(typeof g.length==="number")for(var p=g.length;n";n.insertBefore(g,n.firstChild);if(t.getElementById(i)){o.find.ID=function(m,p,q){if(typeof p.getElementById!=="undefined"&&!q)return(p=p.getElementById(m[1]))?p.id===m[1]||typeof p.getAttributeNode!=="undefined"&&p.getAttributeNode("id").nodeValue===m[1]?[p]:B:[]};o.filter.ID=function(m,p){var q=typeof m.getAttributeNode!=="undefined"&&m.getAttributeNode("id");return m.nodeType===1&&q&&q.nodeValue===p}}n.removeChild(g); +n=g=null})();(function(){var g=t.createElement("div");g.appendChild(t.createComment(""));if(g.getElementsByTagName("*").length>0)o.find.TAG=function(i,n){var m=n.getElementsByTagName(i[1]);if(i[1]==="*"){for(var p=[],q=0;m[q];q++)m[q].nodeType===1&&p.push(m[q]);m=p}return m};g.innerHTML="";if(g.firstChild&&typeof g.firstChild.getAttribute!=="undefined"&&g.firstChild.getAttribute("href")!=="#")o.attrHandle.href=function(i){return i.getAttribute("href",2)};g=null})();t.querySelectorAll&& +function(){var g=k,i=t.createElement("div");i.innerHTML="

    ";if(!(i.querySelectorAll&&i.querySelectorAll(".TEST").length===0)){k=function(m,p,q,u){p=p||t;m=m.replace(/\=\s*([^'"\]]*)\s*\]/g,"='$1']");if(!u&&!k.isXML(p))if(p.nodeType===9)try{return C(p.querySelectorAll(m),q)}catch(y){}else if(p.nodeType===1&&p.nodeName.toLowerCase()!=="object"){var F=p.getAttribute("id"),M=F||"__sizzle__";F||p.setAttribute("id",M);try{return C(p.querySelectorAll("#"+M+" "+m),q)}catch(N){}finally{F|| +p.removeAttribute("id")}}return g(m,p,q,u)};for(var n in g)k[n]=g[n];i=null}}();(function(){var g=t.documentElement,i=g.matchesSelector||g.mozMatchesSelector||g.webkitMatchesSelector||g.msMatchesSelector,n=false;try{i.call(t.documentElement,"[test!='']:sizzle")}catch(m){n=true}if(i)k.matchesSelector=function(p,q){q=q.replace(/\=\s*([^'"\]]*)\s*\]/g,"='$1']");if(!k.isXML(p))try{if(n||!o.match.PSEUDO.test(q)&&!/!=/.test(q))return i.call(p,q)}catch(u){}return k(q,null,null,[p]).length>0}})();(function(){var g= +t.createElement("div");g.innerHTML="
    ";if(!(!g.getElementsByClassName||g.getElementsByClassName("e").length===0)){g.lastChild.className="e";if(g.getElementsByClassName("e").length!==1){o.order.splice(1,0,"CLASS");o.find.CLASS=function(i,n,m){if(typeof n.getElementsByClassName!=="undefined"&&!m)return n.getElementsByClassName(i[1])};g=null}}})();k.contains=t.documentElement.contains?function(g,i){return g!==i&&(g.contains?g.contains(i):true)}:t.documentElement.compareDocumentPosition? +function(g,i){return!!(g.compareDocumentPosition(i)&16)}:function(){return false};k.isXML=function(g){return(g=(g?g.ownerDocument||g:0).documentElement)?g.nodeName!=="HTML":false};var L=function(g,i){for(var n,m=[],p="",q=i.nodeType?[i]:i;n=o.match.PSEUDO.exec(g);){p+=n[0];g=g.replace(o.match.PSEUDO,"")}g=o.relative[g]?g+"*":g;n=0;for(var u=q.length;n0)for(var h=d;h0},closest:function(a,b){var d=[],e,f,h=this[0];if(c.isArray(a)){var l,k={},o=1;if(h&&a.length){e=0;for(f=a.length;e-1:c(h).is(e))d.push({selector:l,elem:h,level:o})}h= +h.parentNode;o++}}return d}l=cb.test(a)?c(a,b||this.context):null;e=0;for(f=this.length;e-1:c.find.matchesSelector(h,a)){d.push(h);break}else{h=h.parentNode;if(!h||!h.ownerDocument||h===b)break}d=d.length>1?c.unique(d):d;return this.pushStack(d,"closest",a)},index:function(a){if(!a||typeof a==="string")return c.inArray(this[0],a?c(a):this.parent().children());return c.inArray(a.jquery?a[0]:a,this)},add:function(a,b){var d=typeof a==="string"?c(a,b||this.context): +c.makeArray(a),e=c.merge(this.get(),d);return this.pushStack(!d[0]||!d[0].parentNode||d[0].parentNode.nodeType===11||!e[0]||!e[0].parentNode||e[0].parentNode.nodeType===11?e:c.unique(e))},andSelf:function(){return this.add(this.prevObject)}});c.each({parent:function(a){return(a=a.parentNode)&&a.nodeType!==11?a:null},parents:function(a){return c.dir(a,"parentNode")},parentsUntil:function(a,b,d){return c.dir(a,"parentNode",d)},next:function(a){return c.nth(a,2,"nextSibling")},prev:function(a){return c.nth(a, +2,"previousSibling")},nextAll:function(a){return c.dir(a,"nextSibling")},prevAll:function(a){return c.dir(a,"previousSibling")},nextUntil:function(a,b,d){return c.dir(a,"nextSibling",d)},prevUntil:function(a,b,d){return c.dir(a,"previousSibling",d)},siblings:function(a){return c.sibling(a.parentNode.firstChild,a)},children:function(a){return c.sibling(a.firstChild)},contents:function(a){return c.nodeName(a,"iframe")?a.contentDocument||a.contentWindow.document:c.makeArray(a.childNodes)}},function(a, +b){c.fn[a]=function(d,e){var f=c.map(this,b,d);Za.test(a)||(e=d);if(e&&typeof e==="string")f=c.filter(e,f);f=this.length>1?c.unique(f):f;if((this.length>1||ab.test(e))&&$a.test(a))f=f.reverse();return this.pushStack(f,a,bb.call(arguments).join(","))}});c.extend({filter:function(a,b,d){if(d)a=":not("+a+")";return b.length===1?c.find.matchesSelector(b[0],a)?[b[0]]:[]:c.find.matches(a,b)},dir:function(a,b,d){var e=[];for(a=a[b];a&&a.nodeType!==9&&(d===B||a.nodeType!==1||!c(a).is(d));){a.nodeType===1&& +e.push(a);a=a[b]}return e},nth:function(a,b,d){b=b||1;for(var e=0;a;a=a[d])if(a.nodeType===1&&++e===b)break;return a},sibling:function(a,b){for(var d=[];a;a=a.nextSibling)a.nodeType===1&&a!==b&&d.push(a);return d}});var za=/ jQuery\d+="(?:\d+|null)"/g,$=/^\s+/,Aa=/<(?!area|br|col|embed|hr|img|input|link|meta|param)(([\w:]+)[^>]*)\/>/ig,Ba=/<([\w:]+)/,db=/\s]+\/)>/g,P={option:[1, +""],legend:[1,"
    ","
    "],thead:[1,"","
    "],tr:[2,"","
    "],td:[3,"","
    "],col:[2,"","
    "],area:[1,"",""],_default:[0,"",""]};P.optgroup=P.option;P.tbody=P.tfoot=P.colgroup=P.caption=P.thead;P.th=P.td;if(!c.support.htmlSerialize)P._default=[1,"div
    ","
    "];c.fn.extend({text:function(a){if(c.isFunction(a))return this.each(function(b){var d= +c(this);d.text(a.call(this,b,d.text()))});if(typeof a!=="object"&&a!==B)return this.empty().append((this[0]&&this[0].ownerDocument||t).createTextNode(a));return c.text(this)},wrapAll:function(a){if(c.isFunction(a))return this.each(function(d){c(this).wrapAll(a.call(this,d))});if(this[0]){var b=c(a,this[0].ownerDocument).eq(0).clone(true);this[0].parentNode&&b.insertBefore(this[0]);b.map(function(){for(var d=this;d.firstChild&&d.firstChild.nodeType===1;)d=d.firstChild;return d}).append(this)}return this}, wrapInner:function(a){if(c.isFunction(a))return this.each(function(b){c(this).wrapInner(a.call(this,b))});return this.each(function(){var b=c(this),d=b.contents();d.length?d.wrapAll(a):b.append(a)})},wrap:function(a){return this.each(function(){c(this).wrapAll(a)})},unwrap:function(){return this.parent().each(function(){c.nodeName(this,"body")||c(this).replaceWith(this.childNodes)}).end()},append:function(){return this.domManip(arguments,true,function(a){this.nodeType===1&&this.appendChild(a)})}, prepend:function(){return this.domManip(arguments,true,function(a){this.nodeType===1&&this.insertBefore(a,this.firstChild)})},before:function(){if(this[0]&&this[0].parentNode)return this.domManip(arguments,false,function(b){this.parentNode.insertBefore(b,this)});else if(arguments.length){var a=c(arguments[0]);a.push.apply(a,this.toArray());return this.pushStack(a,"before",arguments)}},after:function(){if(this[0]&&this[0].parentNode)return this.domManip(arguments,false,function(b){this.parentNode.insertBefore(b, -this.nextSibling)});else if(arguments.length){var a=this.pushStack(this,"after",arguments);a.push.apply(a,c(arguments[0]).toArray());return a}},remove:function(a,b){for(var d=0,f;(f=this[d])!=null;d++)if(!a||c.filter(a,[f]).length){if(!b&&f.nodeType===1){c.cleanData(f.getElementsByTagName("*"));c.cleanData([f])}f.parentNode&&f.parentNode.removeChild(f)}return this},empty:function(){for(var a=0,b;(b=this[a])!=null;a++)for(b.nodeType===1&&c.cleanData(b.getElementsByTagName("*"));b.firstChild;)b.removeChild(b.firstChild); -return this},clone:function(a){var b=this.map(function(){if(!c.support.noCloneEvent&&!c.isXMLDoc(this)){var d=this.outerHTML,f=this.ownerDocument;if(!d){d=f.createElement("div");d.appendChild(this.cloneNode(true));d=d.innerHTML}return c.clean([d.replace(Ja,"").replace(/=([^="'>\s]+\/)>/g,'="$1">').replace(V,"")],f)[0]}else return this.cloneNode(true)});if(a===true){ra(this,b);ra(this.find("*"),b.find("*"))}return b},html:function(a){if(a===w)return this[0]&&this[0].nodeType===1?this[0].innerHTML.replace(Ja, -""):null;else if(typeof a==="string"&&!ta.test(a)&&(c.support.leadingWhitespace||!V.test(a))&&!F[(La.exec(a)||["",""])[1].toLowerCase()]){a=a.replace(Ka,Ma);try{for(var b=0,d=this.length;b0||e.cacheable||this.length>1?k.cloneNode(true):k)}o.length&&c.each(o,Qa)}return this}});c.fragments={};c.each({appendTo:"append",prependTo:"prepend",insertBefore:"before",insertAfter:"after",replaceAll:"replaceWith"},function(a,b){c.fn[a]=function(d){var f=[];d=c(d);var e=this.length===1&&this[0].parentNode;if(e&&e.nodeType===11&&e.childNodes.length===1&&d.length===1){d[b](this[0]); -return this}else{e=0;for(var j=d.length;e0?this.clone(true):this).get();c.fn[b].apply(c(d[e]),i);f=f.concat(i)}return this.pushStack(f,a,d.selector)}}});c.extend({clean:function(a,b,d,f){b=b||s;if(typeof b.createElement==="undefined")b=b.ownerDocument||b[0]&&b[0].ownerDocument||s;for(var e=[],j=0,i;(i=a[j])!=null;j++){if(typeof i==="number")i+="";if(i){if(typeof i==="string"&&!jb.test(i))i=b.createTextNode(i);else if(typeof i==="string"){i=i.replace(Ka,Ma);var o=(La.exec(i)||["", -""])[1].toLowerCase(),k=F[o]||F._default,n=k[0],r=b.createElement("div");for(r.innerHTML=k[1]+i+k[2];n--;)r=r.lastChild;if(!c.support.tbody){n=ib.test(i);o=o==="table"&&!n?r.firstChild&&r.firstChild.childNodes:k[1]===""&&!n?r.childNodes:[];for(k=o.length-1;k>=0;--k)c.nodeName(o[k],"tbody")&&!o[k].childNodes.length&&o[k].parentNode.removeChild(o[k])}!c.support.leadingWhitespace&&V.test(i)&&r.insertBefore(b.createTextNode(V.exec(i)[0]),r.firstChild);i=r.childNodes}if(i.nodeType)e.push(i);else e= -c.merge(e,i)}}if(d)for(j=0;e[j];j++)if(f&&c.nodeName(e[j],"script")&&(!e[j].type||e[j].type.toLowerCase()==="text/javascript"))f.push(e[j].parentNode?e[j].parentNode.removeChild(e[j]):e[j]);else{e[j].nodeType===1&&e.splice.apply(e,[j+1,0].concat(c.makeArray(e[j].getElementsByTagName("script"))));d.appendChild(e[j])}return e},cleanData:function(a){for(var b,d,f=c.cache,e=c.event.special,j=c.support.deleteExpando,i=0,o;(o=a[i])!=null;i++)if(d=o[c.expando]){b=f[d];if(b.events)for(var k in b.events)e[k]? -c.event.remove(o,k):Ca(o,k,b.handle);if(j)delete o[c.expando];else o.removeAttribute&&o.removeAttribute(c.expando);delete f[d]}}});var kb=/z-?index|font-?weight|opacity|zoom|line-?height/i,Na=/alpha\([^)]*\)/,Oa=/opacity=([^)]*)/,ha=/float/i,ia=/-([a-z])/ig,lb=/([A-Z])/g,mb=/^-?\d+(?:px)?$/i,nb=/^-?\d/,ob={position:"absolute",visibility:"hidden",display:"block"},pb=["Left","Right"],qb=["Top","Bottom"],rb=s.defaultView&&s.defaultView.getComputedStyle,Pa=c.support.cssFloat?"cssFloat":"styleFloat",ja= -function(a,b){return b.toUpperCase()};c.fn.css=function(a,b){return X(this,a,b,true,function(d,f,e){if(e===w)return c.curCSS(d,f);if(typeof e==="number"&&!kb.test(f))e+="px";c.style(d,f,e)})};c.extend({style:function(a,b,d){if(!a||a.nodeType===3||a.nodeType===8)return w;if((b==="width"||b==="height")&&parseFloat(d)<0)d=w;var f=a.style||a,e=d!==w;if(!c.support.opacity&&b==="opacity"){if(e){f.zoom=1;b=parseInt(d,10)+""==="NaN"?"":"alpha(opacity="+d*100+")";a=f.filter||c.curCSS(a,"filter")||"";f.filter= -Na.test(a)?a.replace(Na,b):b}return f.filter&&f.filter.indexOf("opacity=")>=0?parseFloat(Oa.exec(f.filter)[1])/100+"":""}if(ha.test(b))b=Pa;b=b.replace(ia,ja);if(e)f[b]=d;return f[b]},css:function(a,b,d,f){if(b==="width"||b==="height"){var e,j=b==="width"?pb:qb;function i(){e=b==="width"?a.offsetWidth:a.offsetHeight;f!=="border"&&c.each(j,function(){f||(e-=parseFloat(c.curCSS(a,"padding"+this,true))||0);if(f==="margin")e+=parseFloat(c.curCSS(a,"margin"+this,true))||0;else e-=parseFloat(c.curCSS(a, -"border"+this+"Width",true))||0})}a.offsetWidth!==0?i():c.swap(a,ob,i);return Math.max(0,Math.round(e))}return c.curCSS(a,b,d)},curCSS:function(a,b,d){var f,e=a.style;if(!c.support.opacity&&b==="opacity"&&a.currentStyle){f=Oa.test(a.currentStyle.filter||"")?parseFloat(RegExp.$1)/100+"":"";return f===""?"1":f}if(ha.test(b))b=Pa;if(!d&&e&&e[b])f=e[b];else if(rb){if(ha.test(b))b="float";b=b.replace(lb,"-$1").toLowerCase();e=a.ownerDocument.defaultView;if(!e)return null;if(a=e.getComputedStyle(a,null))f= -a.getPropertyValue(b);if(b==="opacity"&&f==="")f="1"}else if(a.currentStyle){d=b.replace(ia,ja);f=a.currentStyle[b]||a.currentStyle[d];if(!mb.test(f)&&nb.test(f)){b=e.left;var j=a.runtimeStyle.left;a.runtimeStyle.left=a.currentStyle.left;e.left=d==="fontSize"?"1em":f||0;f=e.pixelLeft+"px";e.left=b;a.runtimeStyle.left=j}}return f},swap:function(a,b,d){var f={};for(var e in b){f[e]=a.style[e];a.style[e]=b[e]}d.call(a);for(e in b)a.style[e]=f[e]}});if(c.expr&&c.expr.filters){c.expr.filters.hidden=function(a){var b= -a.offsetWidth,d=a.offsetHeight,f=a.nodeName.toLowerCase()==="tr";return b===0&&d===0&&!f?true:b>0&&d>0&&!f?false:c.curCSS(a,"display")==="none"};c.expr.filters.visible=function(a){return!c.expr.filters.hidden(a)}}var sb=J(),tb=//gi,ub=/select|textarea/i,vb=/color|date|datetime|email|hidden|month|number|password|range|search|tel|text|time|url|week/i,N=/=\?(&|$)/,ka=/\?/,wb=/(\?|&)_=.*?(&|$)/,xb=/^(\w+:)?\/\/([^\/?#]+)/,yb=/%20/g,zb=c.fn.load;c.fn.extend({load:function(a,b,d){if(typeof a!== -"string")return zb.call(this,a);else if(!this.length)return this;var f=a.indexOf(" ");if(f>=0){var e=a.slice(f,a.length);a=a.slice(0,f)}f="GET";if(b)if(c.isFunction(b)){d=b;b=null}else if(typeof b==="object"){b=c.param(b,c.ajaxSettings.traditional);f="POST"}var j=this;c.ajax({url:a,type:f,dataType:"html",data:b,complete:function(i,o){if(o==="success"||o==="notmodified")j.html(e?c("
    ").append(i.responseText.replace(tb,"")).find(e):i.responseText);d&&j.each(d,[i.responseText,o,i])}});return this}, -serialize:function(){return c.param(this.serializeArray())},serializeArray:function(){return this.map(function(){return this.elements?c.makeArray(this.elements):this}).filter(function(){return this.name&&!this.disabled&&(this.checked||ub.test(this.nodeName)||vb.test(this.type))}).map(function(a,b){a=c(this).val();return a==null?null:c.isArray(a)?c.map(a,function(d){return{name:b.name,value:d}}):{name:b.name,value:a}}).get()}});c.each("ajaxStart ajaxStop ajaxComplete ajaxError ajaxSuccess ajaxSend".split(" "), -function(a,b){c.fn[b]=function(d){return this.bind(b,d)}});c.extend({get:function(a,b,d,f){if(c.isFunction(b)){f=f||d;d=b;b=null}return c.ajax({type:"GET",url:a,data:b,success:d,dataType:f})},getScript:function(a,b){return c.get(a,null,b,"script")},getJSON:function(a,b,d){return c.get(a,b,d,"json")},post:function(a,b,d,f){if(c.isFunction(b)){f=f||d;d=b;b={}}return c.ajax({type:"POST",url:a,data:b,success:d,dataType:f})},ajaxSetup:function(a){c.extend(c.ajaxSettings,a)},ajaxSettings:{url:location.href, -global:true,type:"GET",contentType:"application/x-www-form-urlencoded",processData:true,async:true,xhr:A.XMLHttpRequest&&(A.location.protocol!=="file:"||!A.ActiveXObject)?function(){return new A.XMLHttpRequest}:function(){try{return new A.ActiveXObject("Microsoft.XMLHTTP")}catch(a){}},accepts:{xml:"application/xml, text/xml",html:"text/html",script:"text/javascript, application/javascript",json:"application/json, text/javascript",text:"text/plain",_default:"*/*"}},lastModified:{},etag:{},ajax:function(a){function b(){e.success&& -e.success.call(k,o,i,x);e.global&&f("ajaxSuccess",[x,e])}function d(){e.complete&&e.complete.call(k,x,i);e.global&&f("ajaxComplete",[x,e]);e.global&&!--c.active&&c.event.trigger("ajaxStop")}function f(q,p){(e.context?c(e.context):c.event).trigger(q,p)}var e=c.extend(true,{},c.ajaxSettings,a),j,i,o,k=a&&a.context||e,n=e.type.toUpperCase();if(e.data&&e.processData&&typeof e.data!=="string")e.data=c.param(e.data,e.traditional);if(e.dataType==="jsonp"){if(n==="GET")N.test(e.url)||(e.url+=(ka.test(e.url)? -"&":"?")+(e.jsonp||"callback")+"=?");else if(!e.data||!N.test(e.data))e.data=(e.data?e.data+"&":"")+(e.jsonp||"callback")+"=?";e.dataType="json"}if(e.dataType==="json"&&(e.data&&N.test(e.data)||N.test(e.url))){j=e.jsonpCallback||"jsonp"+sb++;if(e.data)e.data=(e.data+"").replace(N,"="+j+"$1");e.url=e.url.replace(N,"="+j+"$1");e.dataType="script";A[j]=A[j]||function(q){o=q;b();d();A[j]=w;try{delete A[j]}catch(p){}z&&z.removeChild(C)}}if(e.dataType==="script"&&e.cache===null)e.cache=false;if(e.cache=== -false&&n==="GET"){var r=J(),u=e.url.replace(wb,"$1_="+r+"$2");e.url=u+(u===e.url?(ka.test(e.url)?"&":"?")+"_="+r:"")}if(e.data&&n==="GET")e.url+=(ka.test(e.url)?"&":"?")+e.data;e.global&&!c.active++&&c.event.trigger("ajaxStart");r=(r=xb.exec(e.url))&&(r[1]&&r[1]!==location.protocol||r[2]!==location.host);if(e.dataType==="script"&&n==="GET"&&r){var z=s.getElementsByTagName("head")[0]||s.documentElement,C=s.createElement("script");C.src=e.url;if(e.scriptCharset)C.charset=e.scriptCharset;if(!j){var B= -false;C.onload=C.onreadystatechange=function(){if(!B&&(!this.readyState||this.readyState==="loaded"||this.readyState==="complete")){B=true;b();d();C.onload=C.onreadystatechange=null;z&&C.parentNode&&z.removeChild(C)}}}z.insertBefore(C,z.firstChild);return w}var E=false,x=e.xhr();if(x){e.username?x.open(n,e.url,e.async,e.username,e.password):x.open(n,e.url,e.async);try{if(e.data||a&&a.contentType)x.setRequestHeader("Content-Type",e.contentType);if(e.ifModified){c.lastModified[e.url]&&x.setRequestHeader("If-Modified-Since", -c.lastModified[e.url]);c.etag[e.url]&&x.setRequestHeader("If-None-Match",c.etag[e.url])}r||x.setRequestHeader("X-Requested-With","XMLHttpRequest");x.setRequestHeader("Accept",e.dataType&&e.accepts[e.dataType]?e.accepts[e.dataType]+", */*":e.accepts._default)}catch(ga){}if(e.beforeSend&&e.beforeSend.call(k,x,e)===false){e.global&&!--c.active&&c.event.trigger("ajaxStop");x.abort();return false}e.global&&f("ajaxSend",[x,e]);var g=x.onreadystatechange=function(q){if(!x||x.readyState===0||q==="abort"){E|| -d();E=true;if(x)x.onreadystatechange=c.noop}else if(!E&&x&&(x.readyState===4||q==="timeout")){E=true;x.onreadystatechange=c.noop;i=q==="timeout"?"timeout":!c.httpSuccess(x)?"error":e.ifModified&&c.httpNotModified(x,e.url)?"notmodified":"success";var p;if(i==="success")try{o=c.httpData(x,e.dataType,e)}catch(v){i="parsererror";p=v}if(i==="success"||i==="notmodified")j||b();else c.handleError(e,x,i,p);d();q==="timeout"&&x.abort();if(e.async)x=null}};try{var h=x.abort;x.abort=function(){x&&h.call(x); -g("abort")}}catch(l){}e.async&&e.timeout>0&&setTimeout(function(){x&&!E&&g("timeout")},e.timeout);try{x.send(n==="POST"||n==="PUT"||n==="DELETE"?e.data:null)}catch(m){c.handleError(e,x,null,m);d()}e.async||g();return x}},handleError:function(a,b,d,f){if(a.error)a.error.call(a.context||a,b,d,f);if(a.global)(a.context?c(a.context):c.event).trigger("ajaxError",[b,a,f])},active:0,httpSuccess:function(a){try{return!a.status&&location.protocol==="file:"||a.status>=200&&a.status<300||a.status===304||a.status=== -1223||a.status===0}catch(b){}return false},httpNotModified:function(a,b){var d=a.getResponseHeader("Last-Modified"),f=a.getResponseHeader("Etag");if(d)c.lastModified[b]=d;if(f)c.etag[b]=f;return a.status===304||a.status===0},httpData:function(a,b,d){var f=a.getResponseHeader("content-type")||"",e=b==="xml"||!b&&f.indexOf("xml")>=0;a=e?a.responseXML:a.responseText;e&&a.documentElement.nodeName==="parsererror"&&c.error("parsererror");if(d&&d.dataFilter)a=d.dataFilter(a,b);if(typeof a==="string")if(b=== -"json"||!b&&f.indexOf("json")>=0)a=c.parseJSON(a);else if(b==="script"||!b&&f.indexOf("javascript")>=0)c.globalEval(a);return a},param:function(a,b){function d(i,o){if(c.isArray(o))c.each(o,function(k,n){b||/\[\]$/.test(i)?f(i,n):d(i+"["+(typeof n==="object"||c.isArray(n)?k:"")+"]",n)});else!b&&o!=null&&typeof o==="object"?c.each(o,function(k,n){d(i+"["+k+"]",n)}):f(i,o)}function f(i,o){o=c.isFunction(o)?o():o;e[e.length]=encodeURIComponent(i)+"="+encodeURIComponent(o)}var e=[];if(b===w)b=c.ajaxSettings.traditional; -if(c.isArray(a)||a.jquery)c.each(a,function(){f(this.name,this.value)});else for(var j in a)d(j,a[j]);return e.join("&").replace(yb,"+")}});var la={},Ab=/toggle|show|hide/,Bb=/^([+-]=)?([\d+-.]+)(.*)$/,W,va=[["height","marginTop","marginBottom","paddingTop","paddingBottom"],["width","marginLeft","marginRight","paddingLeft","paddingRight"],["opacity"]];c.fn.extend({show:function(a,b){if(a||a===0)return this.animate(K("show",3),a,b);else{a=0;for(b=this.length;a").appendTo("body");f=e.css("display");if(f==="none")f="block";e.remove();la[d]=f}c.data(this[a],"olddisplay",f)}}a=0;for(b=this.length;a=0;f--)if(d[f].elem===this){b&&d[f](true);d.splice(f,1)}});b||this.dequeue();return this}});c.each({slideDown:K("show",1),slideUp:K("hide",1),slideToggle:K("toggle",1),fadeIn:{opacity:"show"},fadeOut:{opacity:"hide"}},function(a,b){c.fn[a]=function(d,f){return this.animate(b,d,f)}});c.extend({speed:function(a,b,d){var f=a&&typeof a==="object"?a:{complete:d||!d&&b||c.isFunction(a)&&a,duration:a,easing:d&&b||b&&!c.isFunction(b)&&b};f.duration=c.fx.off?0:typeof f.duration=== -"number"?f.duration:c.fx.speeds[f.duration]||c.fx.speeds._default;f.old=f.complete;f.complete=function(){f.queue!==false&&c(this).dequeue();c.isFunction(f.old)&&f.old.call(this)};return f},easing:{linear:function(a,b,d,f){return d+f*a},swing:function(a,b,d,f){return(-Math.cos(a*Math.PI)/2+0.5)*f+d}},timers:[],fx:function(a,b,d){this.options=b;this.elem=a;this.prop=d;if(!b.orig)b.orig={}}});c.fx.prototype={update:function(){this.options.step&&this.options.step.call(this.elem,this.now,this);(c.fx.step[this.prop]|| -c.fx.step._default)(this);if((this.prop==="height"||this.prop==="width")&&this.elem.style)this.elem.style.display="block"},cur:function(a){if(this.elem[this.prop]!=null&&(!this.elem.style||this.elem.style[this.prop]==null))return this.elem[this.prop];return(a=parseFloat(c.css(this.elem,this.prop,a)))&&a>-10000?a:parseFloat(c.curCSS(this.elem,this.prop))||0},custom:function(a,b,d){function f(j){return e.step(j)}this.startTime=J();this.start=a;this.end=b;this.unit=d||this.unit||"px";this.now=this.start; -this.pos=this.state=0;var e=this;f.elem=this.elem;if(f()&&c.timers.push(f)&&!W)W=setInterval(c.fx.tick,13)},show:function(){this.options.orig[this.prop]=c.style(this.elem,this.prop);this.options.show=true;this.custom(this.prop==="width"||this.prop==="height"?1:0,this.cur());c(this.elem).show()},hide:function(){this.options.orig[this.prop]=c.style(this.elem,this.prop);this.options.hide=true;this.custom(this.cur(),0)},step:function(a){var b=J(),d=true;if(a||b>=this.options.duration+this.startTime){this.now= -this.end;this.pos=this.state=1;this.update();this.options.curAnim[this.prop]=true;for(var f in this.options.curAnim)if(this.options.curAnim[f]!==true)d=false;if(d){if(this.options.display!=null){this.elem.style.overflow=this.options.overflow;a=c.data(this.elem,"olddisplay");this.elem.style.display=a?a:this.options.display;if(c.css(this.elem,"display")==="none")this.elem.style.display="block"}this.options.hide&&c(this.elem).hide();if(this.options.hide||this.options.show)for(var e in this.options.curAnim)c.style(this.elem, -e,this.options.orig[e]);this.options.complete.call(this.elem)}return false}else{e=b-this.startTime;this.state=e/this.options.duration;a=this.options.easing||(c.easing.swing?"swing":"linear");this.pos=c.easing[this.options.specialEasing&&this.options.specialEasing[this.prop]||a](this.state,e,0,1,this.options.duration);this.now=this.start+(this.end-this.start)*this.pos;this.update()}return true}};c.extend(c.fx,{tick:function(){for(var a=c.timers,b=0;b
    "; -a.insertBefore(b,a.firstChild);d=b.firstChild;f=d.firstChild;e=d.nextSibling.firstChild.firstChild;this.doesNotAddBorder=f.offsetTop!==5;this.doesAddBorderForTableAndCells=e.offsetTop===5;f.style.position="fixed";f.style.top="20px";this.supportsFixedPosition=f.offsetTop===20||f.offsetTop===15;f.style.position=f.style.top="";d.style.overflow="hidden";d.style.position="relative";this.subtractsBorderForOverflowNotVisible=f.offsetTop===-5;this.doesNotIncludeMarginInBodyOffset=a.offsetTop!==j;a.removeChild(b); -c.offset.initialize=c.noop},bodyOffset:function(a){var b=a.offsetTop,d=a.offsetLeft;c.offset.initialize();if(c.offset.doesNotIncludeMarginInBodyOffset){b+=parseFloat(c.curCSS(a,"marginTop",true))||0;d+=parseFloat(c.curCSS(a,"marginLeft",true))||0}return{top:b,left:d}},setOffset:function(a,b,d){if(/static/.test(c.curCSS(a,"position")))a.style.position="relative";var f=c(a),e=f.offset(),j=parseInt(c.curCSS(a,"top",true),10)||0,i=parseInt(c.curCSS(a,"left",true),10)||0;if(c.isFunction(b))b=b.call(a, -d,e);d={top:b.top-e.top+j,left:b.left-e.left+i};"using"in b?b.using.call(a,d):f.css(d)}};c.fn.extend({position:function(){if(!this[0])return null;var a=this[0],b=this.offsetParent(),d=this.offset(),f=/^body|html$/i.test(b[0].nodeName)?{top:0,left:0}:b.offset();d.top-=parseFloat(c.curCSS(a,"marginTop",true))||0;d.left-=parseFloat(c.curCSS(a,"marginLeft",true))||0;f.top+=parseFloat(c.curCSS(b[0],"borderTopWidth",true))||0;f.left+=parseFloat(c.curCSS(b[0],"borderLeftWidth",true))||0;return{top:d.top- -f.top,left:d.left-f.left}},offsetParent:function(){return this.map(function(){for(var a=this.offsetParent||s.body;a&&!/^body|html$/i.test(a.nodeName)&&c.css(a,"position")==="static";)a=a.offsetParent;return a})}});c.each(["Left","Top"],function(a,b){var d="scroll"+b;c.fn[d]=function(f){var e=this[0],j;if(!e)return null;if(f!==w)return this.each(function(){if(j=wa(this))j.scrollTo(!a?f:c(j).scrollLeft(),a?f:c(j).scrollTop());else this[d]=f});else return(j=wa(e))?"pageXOffset"in j?j[a?"pageYOffset": -"pageXOffset"]:c.support.boxModel&&j.document.documentElement[d]||j.document.body[d]:e[d]}});c.each(["Height","Width"],function(a,b){var d=b.toLowerCase();c.fn["inner"+b]=function(){return this[0]?c.css(this[0],d,false,"padding"):null};c.fn["outer"+b]=function(f){return this[0]?c.css(this[0],d,false,f?"margin":"border"):null};c.fn[d]=function(f){var e=this[0];if(!e)return f==null?null:this;if(c.isFunction(f))return this.each(function(j){var i=c(this);i[d](f.call(this,j,i[d]()))});return"scrollTo"in -e&&e.document?e.document.compatMode==="CSS1Compat"&&e.document.documentElement["client"+b]||e.document.body["client"+b]:e.nodeType===9?Math.max(e.documentElement["client"+b],e.body["scroll"+b],e.documentElement["scroll"+b],e.body["offset"+b],e.documentElement["offset"+b]):f===w?c.css(e,d):this.css(d,typeof f==="string"?f:f+"px")}});A.jQuery=A.$=c})(window); - +this.nextSibling)});else if(arguments.length){var a=this.pushStack(this,"after",arguments);a.push.apply(a,c(arguments[0]).toArray());return a}},remove:function(a,b){for(var d=0,e;(e=this[d])!=null;d++)if(!a||c.filter(a,[e]).length){if(!b&&e.nodeType===1){c.cleanData(e.getElementsByTagName("*"));c.cleanData([e])}e.parentNode&&e.parentNode.removeChild(e)}return this},empty:function(){for(var a=0,b;(b=this[a])!=null;a++)for(b.nodeType===1&&c.cleanData(b.getElementsByTagName("*"));b.firstChild;)b.removeChild(b.firstChild); +return this},clone:function(a){var b=this.map(function(){if(!c.support.noCloneEvent&&!c.isXMLDoc(this)){var d=this.outerHTML,e=this.ownerDocument;if(!d){d=e.createElement("div");d.appendChild(this.cloneNode(true));d=d.innerHTML}return c.clean([d.replace(za,"").replace(fb,'="$1">').replace($,"")],e)[0]}else return this.cloneNode(true)});if(a===true){na(this,b);na(this.find("*"),b.find("*"))}return b},html:function(a){if(a===B)return this[0]&&this[0].nodeType===1?this[0].innerHTML.replace(za,""):null; +else if(typeof a==="string"&&!Ca.test(a)&&(c.support.leadingWhitespace||!$.test(a))&&!P[(Ba.exec(a)||["",""])[1].toLowerCase()]){a=a.replace(Aa,"<$1>");try{for(var b=0,d=this.length;b0||e.cacheable||this.length>1?h.cloneNode(true):h)}k.length&&c.each(k,Oa)}return this}});c.buildFragment=function(a,b,d){var e,f,h;b=b&&b[0]?b[0].ownerDocument||b[0]:t;if(a.length===1&&typeof a[0]==="string"&&a[0].length<512&&b===t&&!Ca.test(a[0])&&(c.support.checkClone||!Da.test(a[0]))){f=true;if(h=c.fragments[a[0]])if(h!==1)e=h}if(!e){e=b.createDocumentFragment();c.clean(a,b,e,d)}if(f)c.fragments[a[0]]=h?e:1;return{fragment:e,cacheable:f}};c.fragments={};c.each({appendTo:"append", +prependTo:"prepend",insertBefore:"before",insertAfter:"after",replaceAll:"replaceWith"},function(a,b){c.fn[a]=function(d){var e=[];d=c(d);var f=this.length===1&&this[0].parentNode;if(f&&f.nodeType===11&&f.childNodes.length===1&&d.length===1){d[b](this[0]);return this}else{f=0;for(var h=d.length;f0?this.clone(true):this).get();c(d[f])[b](l);e=e.concat(l)}return this.pushStack(e,a,d.selector)}}});c.extend({clean:function(a,b,d,e){b=b||t;if(typeof b.createElement==="undefined")b=b.ownerDocument|| +b[0]&&b[0].ownerDocument||t;for(var f=[],h=0,l;(l=a[h])!=null;h++){if(typeof l==="number")l+="";if(l){if(typeof l==="string"&&!eb.test(l))l=b.createTextNode(l);else if(typeof l==="string"){l=l.replace(Aa,"<$1>");var k=(Ba.exec(l)||["",""])[1].toLowerCase(),o=P[k]||P._default,x=o[0],r=b.createElement("div");for(r.innerHTML=o[1]+l+o[2];x--;)r=r.lastChild;if(!c.support.tbody){x=db.test(l);k=k==="table"&&!x?r.firstChild&&r.firstChild.childNodes:o[1]===""&&!x?r.childNodes:[];for(o=k.length- +1;o>=0;--o)c.nodeName(k[o],"tbody")&&!k[o].childNodes.length&&k[o].parentNode.removeChild(k[o])}!c.support.leadingWhitespace&&$.test(l)&&r.insertBefore(b.createTextNode($.exec(l)[0]),r.firstChild);l=r.childNodes}if(l.nodeType)f.push(l);else f=c.merge(f,l)}}if(d)for(h=0;f[h];h++)if(e&&c.nodeName(f[h],"script")&&(!f[h].type||f[h].type.toLowerCase()==="text/javascript"))e.push(f[h].parentNode?f[h].parentNode.removeChild(f[h]):f[h]);else{f[h].nodeType===1&&f.splice.apply(f,[h+1,0].concat(c.makeArray(f[h].getElementsByTagName("script")))); +d.appendChild(f[h])}return f},cleanData:function(a){for(var b,d,e=c.cache,f=c.event.special,h=c.support.deleteExpando,l=0,k;(k=a[l])!=null;l++)if(!(k.nodeName&&c.noData[k.nodeName.toLowerCase()]))if(d=k[c.expando]){if((b=e[d])&&b.events)for(var o in b.events)f[o]?c.event.remove(k,o):c.removeEvent(k,o,b.handle);if(h)delete k[c.expando];else k.removeAttribute&&k.removeAttribute(c.expando);delete e[d]}}});var Ea=/alpha\([^)]*\)/i,gb=/opacity=([^)]*)/,hb=/-([a-z])/ig,ib=/([A-Z])/g,Fa=/^-?\d+(?:px)?$/i, +jb=/^-?\d/,kb={position:"absolute",visibility:"hidden",display:"block"},Pa=["Left","Right"],Qa=["Top","Bottom"],W,Ga,aa,lb=function(a,b){return b.toUpperCase()};c.fn.css=function(a,b){if(arguments.length===2&&b===B)return this;return c.access(this,a,b,true,function(d,e,f){return f!==B?c.style(d,e,f):c.css(d,e)})};c.extend({cssHooks:{opacity:{get:function(a,b){if(b){var d=W(a,"opacity","opacity");return d===""?"1":d}else return a.style.opacity}}},cssNumber:{zIndex:true,fontWeight:true,opacity:true, +zoom:true,lineHeight:true},cssProps:{"float":c.support.cssFloat?"cssFloat":"styleFloat"},style:function(a,b,d,e){if(!(!a||a.nodeType===3||a.nodeType===8||!a.style)){var f,h=c.camelCase(b),l=a.style,k=c.cssHooks[h];b=c.cssProps[h]||h;if(d!==B){if(!(typeof d==="number"&&isNaN(d)||d==null)){if(typeof d==="number"&&!c.cssNumber[h])d+="px";if(!k||!("set"in k)||(d=k.set(a,d))!==B)try{l[b]=d}catch(o){}}}else{if(k&&"get"in k&&(f=k.get(a,false,e))!==B)return f;return l[b]}}},css:function(a,b,d){var e,f=c.camelCase(b), +h=c.cssHooks[f];b=c.cssProps[f]||f;if(h&&"get"in h&&(e=h.get(a,true,d))!==B)return e;else if(W)return W(a,b,f)},swap:function(a,b,d){var e={},f;for(f in b){e[f]=a.style[f];a.style[f]=b[f]}d.call(a);for(f in b)a.style[f]=e[f]},camelCase:function(a){return a.replace(hb,lb)}});c.curCSS=c.css;c.each(["height","width"],function(a,b){c.cssHooks[b]={get:function(d,e,f){var h;if(e){if(d.offsetWidth!==0)h=oa(d,b,f);else c.swap(d,kb,function(){h=oa(d,b,f)});if(h<=0){h=W(d,b,b);if(h==="0px"&&aa)h=aa(d,b,b); +if(h!=null)return h===""||h==="auto"?"0px":h}if(h<0||h==null){h=d.style[b];return h===""||h==="auto"?"0px":h}return typeof h==="string"?h:h+"px"}},set:function(d,e){if(Fa.test(e)){e=parseFloat(e);if(e>=0)return e+"px"}else return e}}});if(!c.support.opacity)c.cssHooks.opacity={get:function(a,b){return gb.test((b&&a.currentStyle?a.currentStyle.filter:a.style.filter)||"")?parseFloat(RegExp.$1)/100+"":b?"1":""},set:function(a,b){var d=a.style;d.zoom=1;var e=c.isNaN(b)?"":"alpha(opacity="+b*100+")",f= +d.filter||"";d.filter=Ea.test(f)?f.replace(Ea,e):d.filter+" "+e}};if(t.defaultView&&t.defaultView.getComputedStyle)Ga=function(a,b,d){var e;d=d.replace(ib,"-$1").toLowerCase();if(!(b=a.ownerDocument.defaultView))return B;if(b=b.getComputedStyle(a,null)){e=b.getPropertyValue(d);if(e===""&&!c.contains(a.ownerDocument.documentElement,a))e=c.style(a,d)}return e};if(t.documentElement.currentStyle)aa=function(a,b){var d,e,f=a.currentStyle&&a.currentStyle[b],h=a.style;if(!Fa.test(f)&&jb.test(f)){d=h.left; +e=a.runtimeStyle.left;a.runtimeStyle.left=a.currentStyle.left;h.left=b==="fontSize"?"1em":f||0;f=h.pixelLeft+"px";h.left=d;a.runtimeStyle.left=e}return f===""?"auto":f};W=Ga||aa;if(c.expr&&c.expr.filters){c.expr.filters.hidden=function(a){var b=a.offsetHeight;return a.offsetWidth===0&&b===0||!c.support.reliableHiddenOffsets&&(a.style.display||c.css(a,"display"))==="none"};c.expr.filters.visible=function(a){return!c.expr.filters.hidden(a)}}var mb=c.now(),nb=/)<[^<]*)*<\/script>/gi, +ob=/^(?:select|textarea)/i,pb=/^(?:color|date|datetime|email|hidden|month|number|password|range|search|tel|text|time|url|week)$/i,qb=/^(?:GET|HEAD)$/,Ra=/\[\]$/,T=/\=\?(&|$)/,ja=/\?/,rb=/([?&])_=[^&]*/,sb=/^(\w+:)?\/\/([^\/?#]+)/,tb=/%20/g,ub=/#.*$/,Ha=c.fn.load;c.fn.extend({load:function(a,b,d){if(typeof a!=="string"&&Ha)return Ha.apply(this,arguments);else if(!this.length)return this;var e=a.indexOf(" ");if(e>=0){var f=a.slice(e,a.length);a=a.slice(0,e)}e="GET";if(b)if(c.isFunction(b)){d=b;b=null}else if(typeof b=== +"object"){b=c.param(b,c.ajaxSettings.traditional);e="POST"}var h=this;c.ajax({url:a,type:e,dataType:"html",data:b,complete:function(l,k){if(k==="success"||k==="notmodified")h.html(f?c("
    ").append(l.responseText.replace(nb,"")).find(f):l.responseText);d&&h.each(d,[l.responseText,k,l])}});return this},serialize:function(){return c.param(this.serializeArray())},serializeArray:function(){return this.map(function(){return this.elements?c.makeArray(this.elements):this}).filter(function(){return this.name&& +!this.disabled&&(this.checked||ob.test(this.nodeName)||pb.test(this.type))}).map(function(a,b){var d=c(this).val();return d==null?null:c.isArray(d)?c.map(d,function(e){return{name:b.name,value:e}}):{name:b.name,value:d}}).get()}});c.each("ajaxStart ajaxStop ajaxComplete ajaxError ajaxSuccess ajaxSend".split(" "),function(a,b){c.fn[b]=function(d){return this.bind(b,d)}});c.extend({get:function(a,b,d,e){if(c.isFunction(b)){e=e||d;d=b;b=null}return c.ajax({type:"GET",url:a,data:b,success:d,dataType:e})}, +getScript:function(a,b){return c.get(a,null,b,"script")},getJSON:function(a,b,d){return c.get(a,b,d,"json")},post:function(a,b,d,e){if(c.isFunction(b)){e=e||d;d=b;b={}}return c.ajax({type:"POST",url:a,data:b,success:d,dataType:e})},ajaxSetup:function(a){c.extend(c.ajaxSettings,a)},ajaxSettings:{url:location.href,global:true,type:"GET",contentType:"application/x-www-form-urlencoded",processData:true,async:true,xhr:function(){return new E.XMLHttpRequest},accepts:{xml:"application/xml, text/xml",html:"text/html", +script:"text/javascript, application/javascript",json:"application/json, text/javascript",text:"text/plain",_default:"*/*"}},ajax:function(a){var b=c.extend(true,{},c.ajaxSettings,a),d,e,f,h=b.type.toUpperCase(),l=qb.test(h);b.url=b.url.replace(ub,"");b.context=a&&a.context!=null?a.context:b;if(b.data&&b.processData&&typeof b.data!=="string")b.data=c.param(b.data,b.traditional);if(b.dataType==="jsonp"){if(h==="GET")T.test(b.url)||(b.url+=(ja.test(b.url)?"&":"?")+(b.jsonp||"callback")+"=?");else if(!b.data|| +!T.test(b.data))b.data=(b.data?b.data+"&":"")+(b.jsonp||"callback")+"=?";b.dataType="json"}if(b.dataType==="json"&&(b.data&&T.test(b.data)||T.test(b.url))){d=b.jsonpCallback||"jsonp"+mb++;if(b.data)b.data=(b.data+"").replace(T,"="+d+"$1");b.url=b.url.replace(T,"="+d+"$1");b.dataType="script";var k=E[d];E[d]=function(m){if(c.isFunction(k))k(m);else{E[d]=B;try{delete E[d]}catch(p){}}f=m;c.handleSuccess(b,w,e,f);c.handleComplete(b,w,e,f);r&&r.removeChild(A)}}if(b.dataType==="script"&&b.cache===null)b.cache= +false;if(b.cache===false&&l){var o=c.now(),x=b.url.replace(rb,"$1_="+o);b.url=x+(x===b.url?(ja.test(b.url)?"&":"?")+"_="+o:"")}if(b.data&&l)b.url+=(ja.test(b.url)?"&":"?")+b.data;b.global&&c.active++===0&&c.event.trigger("ajaxStart");o=(o=sb.exec(b.url))&&(o[1]&&o[1].toLowerCase()!==location.protocol||o[2].toLowerCase()!==location.host);if(b.dataType==="script"&&h==="GET"&&o){var r=t.getElementsByTagName("head")[0]||t.documentElement,A=t.createElement("script");if(b.scriptCharset)A.charset=b.scriptCharset; +A.src=b.url;if(!d){var C=false;A.onload=A.onreadystatechange=function(){if(!C&&(!this.readyState||this.readyState==="loaded"||this.readyState==="complete")){C=true;c.handleSuccess(b,w,e,f);c.handleComplete(b,w,e,f);A.onload=A.onreadystatechange=null;r&&A.parentNode&&r.removeChild(A)}}}r.insertBefore(A,r.firstChild);return B}var J=false,w=b.xhr();if(w){b.username?w.open(h,b.url,b.async,b.username,b.password):w.open(h,b.url,b.async);try{if(b.data!=null&&!l||a&&a.contentType)w.setRequestHeader("Content-Type", +b.contentType);if(b.ifModified){c.lastModified[b.url]&&w.setRequestHeader("If-Modified-Since",c.lastModified[b.url]);c.etag[b.url]&&w.setRequestHeader("If-None-Match",c.etag[b.url])}o||w.setRequestHeader("X-Requested-With","XMLHttpRequest");w.setRequestHeader("Accept",b.dataType&&b.accepts[b.dataType]?b.accepts[b.dataType]+", */*; q=0.01":b.accepts._default)}catch(I){}if(b.beforeSend&&b.beforeSend.call(b.context,w,b)===false){b.global&&c.active--===1&&c.event.trigger("ajaxStop");w.abort();return false}b.global&& +c.triggerGlobal(b,"ajaxSend",[w,b]);var L=w.onreadystatechange=function(m){if(!w||w.readyState===0||m==="abort"){J||c.handleComplete(b,w,e,f);J=true;if(w)w.onreadystatechange=c.noop}else if(!J&&w&&(w.readyState===4||m==="timeout")){J=true;w.onreadystatechange=c.noop;e=m==="timeout"?"timeout":!c.httpSuccess(w)?"error":b.ifModified&&c.httpNotModified(w,b.url)?"notmodified":"success";var p;if(e==="success")try{f=c.httpData(w,b.dataType,b)}catch(q){e="parsererror";p=q}if(e==="success"||e==="notmodified")d|| +c.handleSuccess(b,w,e,f);else c.handleError(b,w,e,p);d||c.handleComplete(b,w,e,f);m==="timeout"&&w.abort();if(b.async)w=null}};try{var g=w.abort;w.abort=function(){w&&Function.prototype.call.call(g,w);L("abort")}}catch(i){}b.async&&b.timeout>0&&setTimeout(function(){w&&!J&&L("timeout")},b.timeout);try{w.send(l||b.data==null?null:b.data)}catch(n){c.handleError(b,w,null,n);c.handleComplete(b,w,e,f)}b.async||L();return w}},param:function(a,b){var d=[],e=function(h,l){l=c.isFunction(l)?l():l;d[d.length]= +encodeURIComponent(h)+"="+encodeURIComponent(l)};if(b===B)b=c.ajaxSettings.traditional;if(c.isArray(a)||a.jquery)c.each(a,function(){e(this.name,this.value)});else for(var f in a)da(f,a[f],b,e);return d.join("&").replace(tb,"+")}});c.extend({active:0,lastModified:{},etag:{},handleError:function(a,b,d,e){a.error&&a.error.call(a.context,b,d,e);a.global&&c.triggerGlobal(a,"ajaxError",[b,a,e])},handleSuccess:function(a,b,d,e){a.success&&a.success.call(a.context,e,d,b);a.global&&c.triggerGlobal(a,"ajaxSuccess", +[b,a])},handleComplete:function(a,b,d){a.complete&&a.complete.call(a.context,b,d);a.global&&c.triggerGlobal(a,"ajaxComplete",[b,a]);a.global&&c.active--===1&&c.event.trigger("ajaxStop")},triggerGlobal:function(a,b,d){(a.context&&a.context.url==null?c(a.context):c.event).trigger(b,d)},httpSuccess:function(a){try{return!a.status&&location.protocol==="file:"||a.status>=200&&a.status<300||a.status===304||a.status===1223}catch(b){}return false},httpNotModified:function(a,b){var d=a.getResponseHeader("Last-Modified"), +e=a.getResponseHeader("Etag");if(d)c.lastModified[b]=d;if(e)c.etag[b]=e;return a.status===304},httpData:function(a,b,d){var e=a.getResponseHeader("content-type")||"",f=b==="xml"||!b&&e.indexOf("xml")>=0;a=f?a.responseXML:a.responseText;f&&a.documentElement.nodeName==="parsererror"&&c.error("parsererror");if(d&&d.dataFilter)a=d.dataFilter(a,b);if(typeof a==="string")if(b==="json"||!b&&e.indexOf("json")>=0)a=c.parseJSON(a);else if(b==="script"||!b&&e.indexOf("javascript")>=0)c.globalEval(a);return a}}); +if(E.ActiveXObject)c.ajaxSettings.xhr=function(){if(E.location.protocol!=="file:")try{return new E.XMLHttpRequest}catch(a){}try{return new E.ActiveXObject("Microsoft.XMLHTTP")}catch(b){}};c.support.ajax=!!c.ajaxSettings.xhr();var ea={},vb=/^(?:toggle|show|hide)$/,wb=/^([+\-]=)?([\d+.\-]+)(.*)$/,ba,pa=[["height","marginTop","marginBottom","paddingTop","paddingBottom"],["width","marginLeft","marginRight","paddingLeft","paddingRight"],["opacity"]];c.fn.extend({show:function(a,b,d){if(a||a===0)return this.animate(S("show", +3),a,b,d);else{d=0;for(var e=this.length;d=0;e--)if(d[e].elem===this){b&&d[e](true);d.splice(e,1)}});b||this.dequeue();return this}});c.each({slideDown:S("show",1),slideUp:S("hide",1),slideToggle:S("toggle",1),fadeIn:{opacity:"show"},fadeOut:{opacity:"hide"},fadeToggle:{opacity:"toggle"}},function(a,b){c.fn[a]=function(d,e,f){return this.animate(b, +d,e,f)}});c.extend({speed:function(a,b,d){var e=a&&typeof a==="object"?c.extend({},a):{complete:d||!d&&b||c.isFunction(a)&&a,duration:a,easing:d&&b||b&&!c.isFunction(b)&&b};e.duration=c.fx.off?0:typeof e.duration==="number"?e.duration:e.duration in c.fx.speeds?c.fx.speeds[e.duration]:c.fx.speeds._default;e.old=e.complete;e.complete=function(){e.queue!==false&&c(this).dequeue();c.isFunction(e.old)&&e.old.call(this)};return e},easing:{linear:function(a,b,d,e){return d+e*a},swing:function(a,b,d,e){return(-Math.cos(a* +Math.PI)/2+0.5)*e+d}},timers:[],fx:function(a,b,d){this.options=b;this.elem=a;this.prop=d;if(!b.orig)b.orig={}}});c.fx.prototype={update:function(){this.options.step&&this.options.step.call(this.elem,this.now,this);(c.fx.step[this.prop]||c.fx.step._default)(this)},cur:function(){if(this.elem[this.prop]!=null&&(!this.elem.style||this.elem.style[this.prop]==null))return this.elem[this.prop];var a=parseFloat(c.css(this.elem,this.prop));return a&&a>-1E4?a:0},custom:function(a,b,d){function e(l){return f.step(l)} +var f=this,h=c.fx;this.startTime=c.now();this.start=a;this.end=b;this.unit=d||this.unit||"px";this.now=this.start;this.pos=this.state=0;e.elem=this.elem;if(e()&&c.timers.push(e)&&!ba)ba=setInterval(h.tick,h.interval)},show:function(){this.options.orig[this.prop]=c.style(this.elem,this.prop);this.options.show=true;this.custom(this.prop==="width"||this.prop==="height"?1:0,this.cur());c(this.elem).show()},hide:function(){this.options.orig[this.prop]=c.style(this.elem,this.prop);this.options.hide=true; +this.custom(this.cur(),0)},step:function(a){var b=c.now(),d=true;if(a||b>=this.options.duration+this.startTime){this.now=this.end;this.pos=this.state=1;this.update();this.options.curAnim[this.prop]=true;for(var e in this.options.curAnim)if(this.options.curAnim[e]!==true)d=false;if(d){if(this.options.overflow!=null&&!c.support.shrinkWrapBlocks){var f=this.elem,h=this.options;c.each(["","X","Y"],function(k,o){f.style["overflow"+o]=h.overflow[k]})}this.options.hide&&c(this.elem).hide();if(this.options.hide|| +this.options.show)for(var l in this.options.curAnim)c.style(this.elem,l,this.options.orig[l]);this.options.complete.call(this.elem)}return false}else{a=b-this.startTime;this.state=a/this.options.duration;b=this.options.easing||(c.easing.swing?"swing":"linear");this.pos=c.easing[this.options.specialEasing&&this.options.specialEasing[this.prop]||b](this.state,a,0,1,this.options.duration);this.now=this.start+(this.end-this.start)*this.pos;this.update()}return true}};c.extend(c.fx,{tick:function(){for(var a= +c.timers,b=0;b-1;e={};var x={};if(o)x=f.position();l=o?x.top:parseInt(l,10)||0;k=o?x.left:parseInt(k,10)||0;if(c.isFunction(b))b=b.call(a,d,h);if(b.top!=null)e.top=b.top-h.top+l;if(b.left!=null)e.left=b.left-h.left+k;"using"in b?b.using.call(a, +e):f.css(e)}};c.fn.extend({position:function(){if(!this[0])return null;var a=this[0],b=this.offsetParent(),d=this.offset(),e=Ia.test(b[0].nodeName)?{top:0,left:0}:b.offset();d.top-=parseFloat(c.css(a,"marginTop"))||0;d.left-=parseFloat(c.css(a,"marginLeft"))||0;e.top+=parseFloat(c.css(b[0],"borderTopWidth"))||0;e.left+=parseFloat(c.css(b[0],"borderLeftWidth"))||0;return{top:d.top-e.top,left:d.left-e.left}},offsetParent:function(){return this.map(function(){for(var a=this.offsetParent||t.body;a&&!Ia.test(a.nodeName)&& +c.css(a,"position")==="static";)a=a.offsetParent;return a})}});c.each(["Left","Top"],function(a,b){var d="scroll"+b;c.fn[d]=function(e){var f=this[0],h;if(!f)return null;if(e!==B)return this.each(function(){if(h=fa(this))h.scrollTo(!a?e:c(h).scrollLeft(),a?e:c(h).scrollTop());else this[d]=e});else return(h=fa(f))?"pageXOffset"in h?h[a?"pageYOffset":"pageXOffset"]:c.support.boxModel&&h.document.documentElement[d]||h.document.body[d]:f[d]}});c.each(["Height","Width"],function(a,b){var d=b.toLowerCase(); +c.fn["inner"+b]=function(){return this[0]?parseFloat(c.css(this[0],d,"padding")):null};c.fn["outer"+b]=function(e){return this[0]?parseFloat(c.css(this[0],d,e?"margin":"border")):null};c.fn[d]=function(e){var f=this[0];if(!f)return e==null?null:this;if(c.isFunction(e))return this.each(function(l){var k=c(this);k[d](e.call(this,l,k[d]()))});if(c.isWindow(f))return f.document.compatMode==="CSS1Compat"&&f.document.documentElement["client"+b]||f.document.body["client"+b];else if(f.nodeType===9)return Math.max(f.documentElement["client"+ +b],f.body["scroll"+b],f.documentElement["scroll"+b],f.body["offset"+b],f.documentElement["offset"+b]);else if(e===B){f=c.css(f,d);var h=parseFloat(f);return c.isNaN(h)?f:h}else return this.css(d,typeof e==="string"?e:e+"px")}})})(window); From da4f8d465ffdf9833c495699eff966810b522c5d Mon Sep 17 00:00:00 2001 From: Evan Prodromou Date: Wed, 17 Nov 2010 12:16:50 -0500 Subject: [PATCH 148/628] Use minified version of util.js --- js/util.min.js | 1 + lib/action.php | 2 +- 2 files changed, 2 insertions(+), 1 deletion(-) create mode 100644 js/util.min.js diff --git a/js/util.min.js b/js/util.min.js new file mode 100644 index 0000000000..0b9dee8f07 --- /dev/null +++ b/js/util.min.js @@ -0,0 +1 @@ +var SN={C:{I:{CounterBlackout:false,MaxLength:140,PatternUsername:/^[0-9a-zA-Z\-_.]*$/,HTTP20x30x:[200,201,202,203,204,205,206,300,301,302,303,304,305,306,307]},S:{Disabled:"disabled",Warning:"warning",Error:"error",Success:"success",Processing:"processing",CommandResult:"command_result",FormNotice:"form_notice",NoticeDataText:"notice_data-text",NoticeTextCount:"notice_text-count",NoticeInReplyTo:"notice_in-reply-to",NoticeDataAttach:"notice_data-attach",NoticeDataAttachSelected:"notice_data-attach_selected",NoticeActionSubmit:"notice_action-submit",NoticeLat:"notice_data-lat",NoticeLon:"notice_data-lon",NoticeLocationId:"notice_data-location_id",NoticeLocationNs:"notice_data-location_ns",NoticeGeoName:"notice_data-geo_name",NoticeDataGeo:"notice_data-geo",NoticeDataGeoCookie:"NoticeDataGeo",NoticeDataGeoSelected:"notice_data-geo_selected",StatusNetInstance:"StatusNetInstance"}},messages:{},msg:function(a){if(typeof SN.messages[a]=="undefined"){return"["+a+"]"}else{return SN.messages[a]}},U:{FormNoticeEnhancements:function(a){if(jQuery.data(a[0],"ElementData")===undefined){MaxLength=a.find("#"+SN.C.S.NoticeTextCount).text();if(typeof(MaxLength)=="undefined"){MaxLength=SN.C.I.MaxLength}jQuery.data(a[0],"ElementData",{MaxLength:MaxLength});SN.U.Counter(a);NDT=a.find("#"+SN.C.S.NoticeDataText);NDT.bind("keyup",function(b){SN.U.Counter(a)});NDT.bind("keydown",function(b){SN.U.SubmitOnReturn(b,a)})}else{a.find("#"+SN.C.S.NoticeTextCount).text(jQuery.data(a[0],"ElementData").MaxLength)}if($("body")[0].id!="conversation"&&window.location.hash.length===0&&$(window).scrollTop()==0){a.find("textarea").focus()}},SubmitOnReturn:function(b,a){if(b.keyCode==13||b.keyCode==10){a.submit();b.preventDefault();b.stopPropagation();$("#"+a[0].id+" #"+SN.C.S.NoticeDataText).blur();$("body").focus();return false}return true},Counter:function(d){SN.C.I.FormNoticeCurrent=d;var b=jQuery.data(d[0],"ElementData").MaxLength;if(b<=0){return}var c=b-SN.U.CharacterCount(d);var a=d.find("#"+SN.C.S.NoticeTextCount);if(c.toString()!=a.text()){if(!SN.C.I.CounterBlackout||c===0){if(a.text()!=String(c)){a.text(c)}if(c<0){d.addClass(SN.C.S.Warning)}else{d.removeClass(SN.C.S.Warning)}if(!SN.C.I.CounterBlackout){SN.C.I.CounterBlackout=true;SN.C.I.FormNoticeCurrent=d;window.setTimeout("SN.U.ClearCounterBlackout(SN.C.I.FormNoticeCurrent);",500)}}}},CharacterCount:function(a){return a.find("#"+SN.C.S.NoticeDataText).val().length},ClearCounterBlackout:function(a){SN.C.I.CounterBlackout=false;SN.U.Counter(a)},FormXHR:function(a){$.ajax({type:"POST",dataType:"xml",url:a.attr("action"),data:a.serialize()+"&ajax=1",beforeSend:function(b){a.addClass(SN.C.S.Processing).find(".submit").addClass(SN.C.S.Disabled).attr(SN.C.S.Disabled,SN.C.S.Disabled)},error:function(c,d,b){alert(b||d)},success:function(b,c){if(typeof($("form",b)[0])!="undefined"){form_new=document._importNode($("form",b)[0],true);a.replaceWith(form_new)}else{a.replaceWith(document._importNode($("p",b)[0],true))}}})},FormNoticeXHR:function(a){SN.C.I.NoticeDataGeo={};a.append('');a.ajaxForm({dataType:"xml",timeout:"60000",beforeSend:function(b){if(a.find("#"+SN.C.S.NoticeDataText)[0].value.length===0){a.addClass(SN.C.S.Warning);return false}a.addClass(SN.C.S.Processing).find("#"+SN.C.S.NoticeActionSubmit).addClass(SN.C.S.Disabled).attr(SN.C.S.Disabled,SN.C.S.Disabled);SN.C.I.NoticeDataGeo.NLat=$("#"+SN.C.S.NoticeLat).val();SN.C.I.NoticeDataGeo.NLon=$("#"+SN.C.S.NoticeLon).val();SN.C.I.NoticeDataGeo.NLNS=$("#"+SN.C.S.NoticeLocationNs).val();SN.C.I.NoticeDataGeo.NLID=$("#"+SN.C.S.NoticeLocationId).val();SN.C.I.NoticeDataGeo.NDG=$("#"+SN.C.S.NoticeDataGeo).attr("checked");cookieValue=$.cookie(SN.C.S.NoticeDataGeoCookie);if(cookieValue!==null&&cookieValue!="disabled"){cookieValue=JSON.parse(cookieValue);SN.C.I.NoticeDataGeo.NLat=$("#"+SN.C.S.NoticeLat).val(cookieValue.NLat).val();SN.C.I.NoticeDataGeo.NLon=$("#"+SN.C.S.NoticeLon).val(cookieValue.NLon).val();if($("#"+SN.C.S.NoticeLocationNs).val(cookieValue.NLNS)){SN.C.I.NoticeDataGeo.NLNS=$("#"+SN.C.S.NoticeLocationNs).val(cookieValue.NLNS).val();SN.C.I.NoticeDataGeo.NLID=$("#"+SN.C.S.NoticeLocationId).val(cookieValue.NLID).val()}}if(cookieValue=="disabled"){SN.C.I.NoticeDataGeo.NDG=$("#"+SN.C.S.NoticeDataGeo).attr("checked",false).attr("checked")}else{SN.C.I.NoticeDataGeo.NDG=$("#"+SN.C.S.NoticeDataGeo).attr("checked",true).attr("checked")}return true},error:function(c,d,b){a.removeClass(SN.C.S.Processing).find("#"+SN.C.S.NoticeActionSubmit).removeClass(SN.C.S.Disabled).removeAttr(SN.C.S.Disabled,SN.C.S.Disabled);a.find(".form_response").remove();if(d=="timeout"){a.append('

    Sorry! We had trouble sending your notice. The servers are overloaded. Please try again, and contact the site administrator if this problem persists.

    ')}else{if($("."+SN.C.S.Error,c.responseXML).length>0){a.append(document._importNode($("."+SN.C.S.Error,c.responseXML)[0],true))}else{if(parseInt(c.status)===0||jQuery.inArray(parseInt(c.status),SN.C.I.HTTP20x30x)>=0){a.resetForm().find("#"+SN.C.S.NoticeDataAttachSelected).remove();SN.U.FormNoticeEnhancements(a)}else{a.append('

    (Sorry! We had trouble sending your notice ('+c.status+" "+c.statusText+"). Please report the problem to the site administrator if this happens again.

    ")}}}},success:function(f,h){a.find(".form_response").remove();var b;if($("#"+SN.C.S.Error,f).length>0){b=document._importNode($("p",f)[0],true);b=b.textContent||b.innerHTML;a.append('

    '+b+"

    ")}else{if($("body")[0].id=="bookmarklet"){self.close()}if($("#"+SN.C.S.CommandResult,f).length>0){b=document._importNode($("p",f)[0],true);b=b.textContent||b.innerHTML;a.append('

    '+b+"

    ")}else{var e=document._importNode($("li",f)[0],true);var g=$("#notices_primary .notices");if(g.length>0&&SN.U.belongsOnTimeline(e)){if($("#"+e.id).length===0){var c=$("#"+SN.C.S.NoticeInReplyTo).val();var d="#notices_primary #notice-"+c;if($("body")[0].id=="conversation"){if(c.length>0&&$(d+" .notices").length<1){$(d).append('
      ')}$($(d+" .notices")[0]).append(e)}else{g.prepend(e)}$("#"+e.id).css({display:"none"}).fadeIn(2500);SN.U.NoticeWithAttachment($("#"+e.id));SN.U.NoticeReplyTo($("#"+e.id))}}else{b=document._importNode($("title",f)[0],true);result_title=b.textContent||b.innerHTML;a.append('

      '+result_title+"

      ")}}a.resetForm();a.find("#"+SN.C.S.NoticeInReplyTo).val("");a.find("#"+SN.C.S.NoticeDataAttachSelected).remove();SN.U.FormNoticeEnhancements(a)}},complete:function(b,c){a.removeClass(SN.C.S.Processing).find("#"+SN.C.S.NoticeActionSubmit).removeAttr(SN.C.S.Disabled).removeClass(SN.C.S.Disabled);$("#"+SN.C.S.NoticeLat).val(SN.C.I.NoticeDataGeo.NLat);$("#"+SN.C.S.NoticeLon).val(SN.C.I.NoticeDataGeo.NLon);if($("#"+SN.C.S.NoticeLocationNs)){$("#"+SN.C.S.NoticeLocationNs).val(SN.C.I.NoticeDataGeo.NLNS);$("#"+SN.C.S.NoticeLocationId).val(SN.C.I.NoticeDataGeo.NLID)}$("#"+SN.C.S.NoticeDataGeo).attr("checked",SN.C.I.NoticeDataGeo.NDG)}})},NoticeReply:function(){if($("#"+SN.C.S.NoticeDataText).length>0&&$("#content .notice_reply").length>0){$("#content .notice").each(function(){SN.U.NoticeReplyTo($(this))})}},NoticeReplyTo:function(a){a.find(".notice_reply").live("click",function(){var b=($(".author .nickname",a).length>0)?$($(".author .nickname",a)[0]):$(".author .nickname.uid");SN.U.NoticeReplySet(b.text(),$($(".notice_id",a)[0]).text());return false})},NoticeReplySet:function(b,d){if(b.match(SN.C.I.PatternUsername)){var c=$("#"+SN.C.S.NoticeDataText);if(c.length>0){replyto="@"+b+" ";c.val(replyto+c.val().replace(RegExp(replyto,"i"),""));$("#"+SN.C.S.FormNotice+" #"+SN.C.S.NoticeInReplyTo).val(d);c[0].focus();if(c[0].setSelectionRange){var a=c.val().length;c[0].setSelectionRange(a,a)}}}},NoticeFavor:function(){$(".form_favor").live("click",function(){SN.U.FormXHR($(this));return false});$(".form_disfavor").live("click",function(){SN.U.FormXHR($(this));return false})},NoticeRepeat:function(){$(".form_repeat").live("click",function(a){a.preventDefault();SN.U.NoticeRepeatConfirmation($(this));return false})},NoticeRepeatConfirmation:function(a){var c=a.find(".submit");var b=c.clone();b.addClass("submit_dialogbox").removeClass("submit");a.append(b);b.bind("click",function(){SN.U.FormXHR(a);return false});c.hide();a.addClass("dialogbox").append('').closest(".notice-options").addClass("opaque");a.find("button.close").click(function(){$(this).remove();a.removeClass("dialogbox").closest(".notice-options").removeClass("opaque");a.find(".submit_dialogbox").remove();a.find(".submit").show();return false})},NoticeAttachments:function(){$(".notice a.attachment").each(function(){SN.U.NoticeWithAttachment($(this).closest(".notice"))})},NoticeWithAttachment:function(b){if(b.find(".attachment").length===0){return}var a=b.find(".attachment.more");if(a.length>0){$(a[0]).click(function(){var c=$(this);c.addClass(SN.C.S.Processing);$.get(c.attr("href")+"/ajax",null,function(d){c.parent(".entry-content").html($(d).find("#attachment_view .entry-content").html())});return false}).attr("title",SN.msg("showmore_tooltip"))}},NoticeDataAttach:function(){NDA=$("#"+SN.C.S.NoticeDataAttach);NDA.change(function(){S='
      '+$(this).val()+'
      ';NDAS=$("#"+SN.C.S.NoticeDataAttachSelected);if(NDAS.length>0){NDAS.replaceWith(S)}else{$("#"+SN.C.S.FormNotice).append(S)}$("#"+SN.C.S.NoticeDataAttachSelected+" button").click(function(){$("#"+SN.C.S.NoticeDataAttachSelected).remove();NDA.val("");return false})})},NoticeLocationAttach:function(){var c=$("#"+SN.C.S.NoticeLat).val();var h=$("#"+SN.C.S.NoticeLon).val();var d=$("#"+SN.C.S.NoticeLocationNs).val();var i=$("#"+SN.C.S.NoticeLocationId).val();var a=$("#"+SN.C.S.NoticeGeoName).text();var b=$("#"+SN.C.S.NoticeDataGeo);function e(){$("label[for="+SN.C.S.NoticeDataGeo+"]").attr("title",jQuery.trim($("label[for="+SN.C.S.NoticeDataGeo+"]").text())).removeClass("checked");$("#"+SN.C.S.NoticeLat).val("");$("#"+SN.C.S.NoticeLon).val("");$("#"+SN.C.S.NoticeLocationNs).val("");$("#"+SN.C.S.NoticeLocationId).val("");$("#"+SN.C.S.NoticeDataGeo).attr("checked",false);$.cookie(SN.C.S.NoticeDataGeoCookie,"disabled",{path:"/"})}function j(k,l){$.getJSON(k,l,function(m){var n,o;if(typeof(m.location_ns)!="undefined"){$("#"+SN.C.S.NoticeLocationNs).val(m.location_ns);n=m.location_ns}if(typeof(m.location_id)!="undefined"){$("#"+SN.C.S.NoticeLocationId).val(m.location_id);o=m.location_id}if(typeof(m.name)=="undefined"){NLN_text=l.lat+";"+l.lon}else{NLN_text=m.name}$("label[for="+SN.C.S.NoticeDataGeo+"]").attr("title",NoticeDataGeo_text.ShareDisable+" ("+NLN_text+")");$("#"+SN.C.S.NoticeLat).val(l.lat);$("#"+SN.C.S.NoticeLon).val(l.lon);$("#"+SN.C.S.NoticeLocationNs).val(n);$("#"+SN.C.S.NoticeLocationId).val(o);$("#"+SN.C.S.NoticeDataGeo).attr("checked",true);var p={NLat:l.lat,NLon:l.lon,NLNS:n,NLID:o,NLN:NLN_text,NLNU:m.url,NDG:true};$.cookie(SN.C.S.NoticeDataGeoCookie,JSON.stringify(p),{path:"/"})})}if(b.length>0){if($.cookie(SN.C.S.NoticeDataGeoCookie)=="disabled"){b.attr("checked",false)}else{b.attr("checked",true)}var f=$("#notice_data-geo_wrap");var g=f.attr("title");f.removeAttr("title");$("label[for="+SN.C.S.NoticeDataGeo+"]").attr("title",jQuery.trim($("label[for="+SN.C.S.NoticeDataGeo+"]").text()));b.change(function(){if($("#"+SN.C.S.NoticeDataGeo).attr("checked")===true||$.cookie(SN.C.S.NoticeDataGeoCookie)===null){$("label[for="+SN.C.S.NoticeDataGeo+"]").attr("title",NoticeDataGeo_text.ShareDisable).addClass("checked");if($.cookie(SN.C.S.NoticeDataGeoCookie)===null||$.cookie(SN.C.S.NoticeDataGeoCookie)=="disabled"){if(navigator.geolocation){navigator.geolocation.getCurrentPosition(function(m){$("#"+SN.C.S.NoticeLat).val(m.coords.latitude);$("#"+SN.C.S.NoticeLon).val(m.coords.longitude);var n={lat:m.coords.latitude,lon:m.coords.longitude,token:$("#token").val()};j(g,n)},function(m){switch(m.code){case m.PERMISSION_DENIED:e();break;case m.TIMEOUT:$("#"+SN.C.S.NoticeDataGeo).attr("checked",false);break}},{timeout:10000})}else{if(c.length>0&&h.length>0){var k={lat:c,lon:h,token:$("#token").val()};j(g,k)}else{e();$("#"+SN.C.S.NoticeDataGeo).remove();$("label[for="+SN.C.S.NoticeDataGeo+"]").remove()}}}else{var l=JSON.parse($.cookie(SN.C.S.NoticeDataGeoCookie));$("#"+SN.C.S.NoticeLat).val(l.NLat);$("#"+SN.C.S.NoticeLon).val(l.NLon);$("#"+SN.C.S.NoticeLocationNs).val(l.NLNS);$("#"+SN.C.S.NoticeLocationId).val(l.NLID);$("#"+SN.C.S.NoticeDataGeo).attr("checked",l.NDG);$("label[for="+SN.C.S.NoticeDataGeo+"]").attr("title",NoticeDataGeo_text.ShareDisable+" ("+l.NLN+")").addClass("checked")}}else{e()}}).change()}},NewDirectMessage:function(){NDM=$(".entity_send-a-message a");NDM.attr({href:NDM.attr("href")+"&ajax=1"});NDM.bind("click",function(){var a=$(".entity_send-a-message form");if(a.length===0){$(this).addClass(SN.C.S.Processing);$.get(NDM.attr("href"),null,function(b){$(".entity_send-a-message").append(document._importNode($("form",b)[0],true));a=$(".entity_send-a-message .form_notice");SN.U.FormNoticeXHR(a);SN.U.FormNoticeEnhancements(a);a.append('');$(".entity_send-a-message button").click(function(){a.hide();return false});NDM.removeClass(SN.C.S.Processing)})}else{a.show();$(".entity_send-a-message textarea").focus()}return false})},GetFullYear:function(c,d,a){var b=new Date();b.setFullYear(c,d,a);return b},StatusNetInstance:{Set:function(b){var a=SN.U.StatusNetInstance.Get();if(a!==null){b=$.extend(a,b)}$.cookie(SN.C.S.StatusNetInstance,JSON.stringify(b),{path:"/",expires:SN.U.GetFullYear(2029,0,1)})},Get:function(){var a=$.cookie(SN.C.S.StatusNetInstance);if(a!==null){return JSON.parse(a)}return null},Delete:function(){$.cookie(SN.C.S.StatusNetInstance,null)}},belongsOnTimeline:function(b){var a=$("body").attr("id");if(a=="public"){return true}var c=$("#nav_profile a").attr("href");if(c){var d=$(b).find(".entry-title .author a.url").attr("href");if(d==c){if(a=="all"||a=="showstream"){return true}}}return false}},Init:{NoticeForm:function(){if($("body.user_in").length>0){SN.U.NoticeLocationAttach();$("."+SN.C.S.FormNotice).each(function(){SN.U.FormNoticeXHR($(this));SN.U.FormNoticeEnhancements($(this))});SN.U.NoticeDataAttach()}},Notices:function(){if($("body.user_in").length>0){SN.U.NoticeFavor();SN.U.NoticeRepeat();SN.U.NoticeReply()}SN.U.NoticeAttachments()},EntityActions:function(){if($("body.user_in").length>0){$(".form_user_subscribe").live("click",function(){SN.U.FormXHR($(this));return false});$(".form_user_unsubscribe").live("click",function(){SN.U.FormXHR($(this));return false});$(".form_group_join").live("click",function(){SN.U.FormXHR($(this));return false});$(".form_group_leave").live("click",function(){SN.U.FormXHR($(this));return false});$(".form_user_nudge").live("click",function(){SN.U.FormXHR($(this));return false});SN.U.NewDirectMessage()}},Login:function(){if(SN.U.StatusNetInstance.Get()!==null){var a=SN.U.StatusNetInstance.Get().Nickname;if(a!==null){$("#form_login #nickname").val(a)}}$("#form_login").bind("submit",function(){SN.U.StatusNetInstance.Set({Nickname:$("#form_login #nickname").val()});return true})}}};$(document).ready(function(){if($("."+SN.C.S.FormNotice).length>0){SN.Init.NoticeForm()}if($("#content .notices").length>0){SN.Init.Notices()}if($("#content .entity_actions").length>0){SN.Init.EntityActions()}if($("#form_login").length>0){SN.Init.Login()}});if(!document.ELEMENT_NODE){document.ELEMENT_NODE=1;document.ATTRIBUTE_NODE=2;document.TEXT_NODE=3;document.CDATA_SECTION_NODE=4;document.ENTITY_REFERENCE_NODE=5;document.ENTITY_NODE=6;document.PROCESSING_INSTRUCTION_NODE=7;document.COMMENT_NODE=8;document.DOCUMENT_NODE=9;document.DOCUMENT_TYPE_NODE=10;document.DOCUMENT_FRAGMENT_NODE=11;document.NOTATION_NODE=12}document._importNode=function(e,a){switch(e.nodeType){case document.ELEMENT_NODE:var d=document.createElement(e.nodeName);if(e.attributes&&e.attributes.length>0){for(var c=0,b=e.attributes.length;c0){for(var c=0,b=e.childNodes.length;c0){var j=c.pop();j()}}};window._google_loader_apiLoaded=function(){f()};var d=function(){return(window.google&&google.loader)};var g=function(j){if(d()){return true}h(j);e();return false};e();return{shim:true,type:"ClientLocation",lastPosition:null,getCurrentPosition:function(k,n,o){var m=this;if(!g(function(){m.getCurrentPosition(k,n,o)})){return}if(google.loader.ClientLocation){var l=google.loader.ClientLocation;var j={coords:{latitude:l.latitude,longitude:l.longitude,altitude:null,accuracy:43000,altitudeAccuracy:null,heading:null,speed:null},address:{city:l.address.city,country:l.address.country,country_code:l.address.country_code,region:l.address.region},timestamp:new Date()};k(j);this.lastPosition=j}else{if(n==="function"){n({code:3,message:"Using the Google ClientLocation API and it is not able to calculate a location."})}}},watchPosition:function(j,l,m){this.getCurrentPosition(j,l,m);var k=this;var n=setInterval(function(){k.getCurrentPosition(j,l,m)},10000);return n},clearWatch:function(j){clearInterval(j)},getPermission:function(l,j,k){return true}}});navigator.geolocation=(window.google&&google.gears)?a():b()})()}; \ No newline at end of file diff --git a/lib/action.php b/lib/action.php index 17d3e2311a..318c3063e0 100644 --- a/lib/action.php +++ b/lib/action.php @@ -282,7 +282,7 @@ class Action extends HTMLOutputter // lawsuit } if (Event::handle('StartShowStatusNetScripts', array($this)) && Event::handle('StartShowLaconicaScripts', array($this))) { - $this->script('util.js'); + $this->script('util.min.js'); $this->showScriptMessages(); // Frame-busting code to avoid clickjacking attacks. $this->inlineScript('if (window.top !== window.self) { window.top.location.href = window.self.location.href; }'); From bacc3d2a74ca09e0287ca7b14f2bb746810311da Mon Sep 17 00:00:00 2001 From: Evan Prodromou Date: Wed, 17 Nov 2010 12:19:01 -0500 Subject: [PATCH 149/628] move EndScriptMessages event into if block --- lib/action.php | 9 +++++++-- 1 file changed, 7 insertions(+), 2 deletions(-) diff --git a/lib/action.php b/lib/action.php index 17d3e2311a..c2285894ea 100644 --- a/lib/action.php +++ b/lib/action.php @@ -300,9 +300,11 @@ class Action extends HTMLOutputter // lawsuit * events and appending to the array. Try to avoid adding strings that won't be used, as * they'll be added to HTML output. */ + function showScriptMessages() { $messages = array(); + if (Event::handle('StartScriptMessages', array($this, &$messages))) { // Common messages needed for timeline views etc... @@ -310,11 +312,14 @@ class Action extends HTMLOutputter // lawsuit $messages['showmore_tooltip'] = _m('TOOLTIP', 'Show more'); $messages = array_merge($messages, $this->getScriptMessages()); + + Event::handle('EndScriptMessages', array($this, &$messages)); } - Event::handle('EndScriptMessages', array($this, &$messages)); - if ($messages) { + + if (!empty($messages)) { $this->inlineScript('SN.messages=' . json_encode($messages)); } + return $messages; } From 83f6bb9da1c91e0f464c1a665d01c4d5d1bfed09 Mon Sep 17 00:00:00 2001 From: Evan Prodromou Date: Wed, 17 Nov 2010 12:21:01 -0500 Subject: [PATCH 150/628] use minified version of realtime.js --- plugins/Realtime/RealtimePlugin.php | 2 +- plugins/Realtime/realtimeupdate.min.js | 1 + 2 files changed, 2 insertions(+), 1 deletion(-) create mode 100644 plugins/Realtime/realtimeupdate.min.js diff --git a/plugins/Realtime/RealtimePlugin.php b/plugins/Realtime/RealtimePlugin.php index 99d1ff9c10..113187e1e3 100644 --- a/plugins/Realtime/RealtimePlugin.php +++ b/plugins/Realtime/RealtimePlugin.php @@ -322,7 +322,7 @@ class RealtimePlugin extends Plugin function _getScripts() { - return array('plugins/Realtime/realtimeupdate.js'); + return array('plugins/Realtime/realtimeupdate.min.js'); } /** diff --git a/plugins/Realtime/realtimeupdate.min.js b/plugins/Realtime/realtimeupdate.min.js new file mode 100644 index 0000000000..a06c03c4e2 --- /dev/null +++ b/plugins/Realtime/realtimeupdate.min.js @@ -0,0 +1 @@ +RealtimeUpdate={_userid:0,_replyurl:"",_favorurl:"",_repeaturl:"",_deleteurl:"",_updatecounter:0,_maxnotices:50,_windowhasfocus:true,_documenttitle:"",_paused:false,_queuedNotices:[],init:function(c,b,d,e,a){RealtimeUpdate._userid=c;RealtimeUpdate._replyurl=b;RealtimeUpdate._favorurl=d;RealtimeUpdate._repeaturl=e;RealtimeUpdate._deleteurl=a;RealtimeUpdate._documenttitle=document.title;$(window).bind("focus",function(){RealtimeUpdate._windowhasfocus=true});$(window).bind("blur",function(){$("#notices_primary .notice").removeClass("mark-top");$("#notices_primary .notice:first").addClass("mark-top");RealtimeUpdate._updatecounter=0;document.title=RealtimeUpdate._documenttitle;RealtimeUpdate._windowhasfocus=false;return false})},receive:function(a){if(RealtimeUpdate._paused===false){RealtimeUpdate.purgeLastNoticeItem();RealtimeUpdate.insertNoticeItem(a)}else{RealtimeUpdate._queuedNotices.push(a);RealtimeUpdate.updateQueuedCounter()}RealtimeUpdate.updateWindowCounter()},insertNoticeItem:function(a){if($("#notice-"+a.id).length>0){return}var b=RealtimeUpdate.makeNoticeItem(a);var c=$(b).attr("id");$("#notices_primary .notices").prepend(b);$("#notices_primary .notice:first").css({display:"none"});$("#notices_primary .notice:first").fadeIn(1000);SN.U.NoticeReplyTo($("#"+c));SN.U.NoticeWithAttachment($("#"+c))},purgeLastNoticeItem:function(){if($("#notices_primary .notice").length>RealtimeUpdate._maxnotices){$("#notices_primary .notice:last").remove()}},updateWindowCounter:function(){if(RealtimeUpdate._windowhasfocus===false){RealtimeUpdate._updatecounter+=1;document.title="("+RealtimeUpdate._updatecounter+") "+RealtimeUpdate._documenttitle}},makeNoticeItem:function(c){if(c.hasOwnProperty("retweeted_status")){original=c.retweeted_status;repeat=c;c=original;unique=repeat.id;responsible=repeat.user}else{original=null;repeat=null;unique=c.id;responsible=c.user}user=c.user;html=c.html.replace(/</g,"<").replace(/>/g,">").replace(/"/g,'"').replace(/&/g,"&");source=c.source.replace(/</g,"<").replace(/>/g,">").replace(/"/g,'"').replace(/&/g,"&");ni='
    • '+user.screen_name+''+user.screen_name+'

      '+html+'

      a few seconds ago from '+source+"";if(c.conversation_url){ni=ni+' in context'}if(repeat){ru=repeat.user;ni=ni+'Repeated by '+ru.screen_name+""}ni=ni+"
      ";ni=ni+'
      ';if(RealtimeUpdate._userid!=0){var a=$("form#form_notice fieldset input#token");var b=a.val();ni=ni+RealtimeUpdate.makeFavoriteForm(c.id,b);ni=ni+RealtimeUpdate.makeReplyLink(c.id,c.user["screen_name"]);if(RealtimeUpdate._userid==responsible.id){ni=ni+RealtimeUpdate.makeDeleteLink(c.id)}else{if(RealtimeUpdate._userid!=user.id){ni=ni+RealtimeUpdate.makeRepeatForm(c.id,b)}}}ni=ni+"
      ";ni=ni+"
    • ";return ni},makeFavoriteForm:function(c,b){var a;a='
      Favor this notice
      ';return a},makeReplyLink:function(c,a){var b;b='Reply '+c+"";return b},makeRepeatForm:function(c,b){var a;a='
      Repeat this notice?
      ';return a},makeDeleteLink:function(c){var b,a;a=RealtimeUpdate._deleteurl.replace("0000000000",c);b='Delete';return b},initActions:function(a,b,c){$("#notices_primary").prepend('
      ');RealtimeUpdate._pluginPath=c;RealtimeUpdate.initPlayPause();RealtimeUpdate.initAddPopup(a,b,RealtimeUpdate._pluginPath)},initPlayPause:function(){if(typeof(localStorage)=="undefined"){RealtimeUpdate.showPause()}else{if(localStorage.getItem("RealtimeUpdate_paused")==="true"){RealtimeUpdate.showPlay()}else{RealtimeUpdate.showPause()}}},showPause:function(){RealtimeUpdate.setPause(false);RealtimeUpdate.showQueuedNotices();RealtimeUpdate.addNoticesHover();$("#realtime_playpause").remove();$("#realtime_actions").prepend('
    • ');$("#realtime_pause").text(SN.msg("realtime_pause")).attr("title",SN.msg("realtime_pause_tooltip")).bind("click",function(){RealtimeUpdate.removeNoticesHover();RealtimeUpdate.showPlay();return false})},showPlay:function(){RealtimeUpdate.setPause(true);$("#realtime_playpause").remove();$("#realtime_actions").prepend('
    • ');$("#realtime_play").text(SN.msg("realtime_play")).attr("title",SN.msg("realtime_play_tooltip")).bind("click",function(){RealtimeUpdate.showPause();return false})},setPause:function(a){RealtimeUpdate._paused=a;if(typeof(localStorage)!="undefined"){localStorage.setItem("RealtimeUpdate_paused",RealtimeUpdate._paused)}},showQueuedNotices:function(){$.each(RealtimeUpdate._queuedNotices,function(a,b){RealtimeUpdate.insertNoticeItem(b)});RealtimeUpdate._queuedNotices=[];RealtimeUpdate.removeQueuedCounter()},updateQueuedCounter:function(){$("#realtime_playpause #queued_counter").html("("+RealtimeUpdate._queuedNotices.length+")")},removeQueuedCounter:function(){$("#realtime_playpause #queued_counter").empty()},addNoticesHover:function(){$("#notices_primary .notices").hover(function(){if(RealtimeUpdate._paused===false){RealtimeUpdate.showPlay()}},function(){if(RealtimeUpdate._paused===true){RealtimeUpdate.showPause()}})},removeNoticesHover:function(){$("#notices_primary .notices").unbind()},initAddPopup:function(a,b,c){$("#realtime_timeline").append('');$("#realtime_popup").text(SN.msg("realtime_popup")).attr("title",SN.msg("realtime_popup_tooltip")).bind("click",function(){window.open(a,"","toolbar=no,resizable=yes,scrollbars=yes,status=no,menubar=no,personalbar=no,location=no,width=500,height=550");return false})},initPopupWindow:function(){$(".notices .entry-title a, .notices .entry-content a").bind("click",function(){window.open(this.href,"");return false});$("#showstream .entity_profile").css({width:"69%"})}}; \ No newline at end of file From fae63a5161ab1ad9d2988c396d0fda00f608505d Mon Sep 17 00:00:00 2001 From: Evan Prodromou Date: Wed, 17 Nov 2010 12:22:02 -0500 Subject: [PATCH 151/628] use minified version of meteorupdater.js --- plugins/Meteor/MeteorPlugin.php | 2 +- plugins/Meteor/meteorupdater.min.js | 1 + 2 files changed, 2 insertions(+), 1 deletion(-) create mode 100644 plugins/Meteor/meteorupdater.min.js diff --git a/plugins/Meteor/MeteorPlugin.php b/plugins/Meteor/MeteorPlugin.php index a48c52b569..1bdccae7a8 100644 --- a/plugins/Meteor/MeteorPlugin.php +++ b/plugins/Meteor/MeteorPlugin.php @@ -89,7 +89,7 @@ class MeteorPlugin extends RealtimePlugin { $scripts = parent::_getScripts(); $scripts[] = 'http://'.$this->webserver.(($this->webport == 80) ? '':':'.$this->webport).'/meteor.js'; - $scripts[] = common_path('plugins/Meteor/meteorupdater.js'); + $scripts[] = common_path('plugins/Meteor/meteorupdater.min.js'); return $scripts; } diff --git a/plugins/Meteor/meteorupdater.min.js b/plugins/Meteor/meteorupdater.min.js new file mode 100644 index 0000000000..61928ab4f2 --- /dev/null +++ b/plugins/Meteor/meteorupdater.min.js @@ -0,0 +1 @@ +var MeteorUpdater=function(){return{init:function(c,a,b){Meteor.callbacks.process=function(d){RealtimeUpdate.receive(JSON.parse(d))};Meteor.host=c;Meteor.port=a;Meteor.joinChannel(b,0);Meteor.connect()}}}(); \ No newline at end of file From 8ee0471e9aacac5597a0a388b60d70003922d8f8 Mon Sep 17 00:00:00 2001 From: Evan Prodromou Date: Wed, 17 Nov 2010 12:30:55 -0500 Subject: [PATCH 152/628] upgrade jquery.form.js --- js/jquery.form.js | 1417 +++++++++++++++++++++++++-------------------- 1 file changed, 785 insertions(+), 632 deletions(-) diff --git a/js/jquery.form.js b/js/jquery.form.js index 936b847abe..2b853df428 100644 --- a/js/jquery.form.js +++ b/js/jquery.form.js @@ -1,632 +1,785 @@ -/* - * jQuery Form Plugin - * version: 2.17 (06-NOV-2008) - * @requires jQuery v1.2.2 or later - * - * Examples and documentation at: http://malsup.com/jquery/form/ - * Dual licensed under the MIT and GPL licenses: - * http://www.opensource.org/licenses/mit-license.php - * http://www.gnu.org/licenses/gpl.html - * - * Revision: $Id$ - */ -;(function($) { - -/* - Usage Note: - ----------- - Do not use both ajaxSubmit and ajaxForm on the same form. These - functions are intended to be exclusive. Use ajaxSubmit if you want - to bind your own submit handler to the form. For example, - - $(document).ready(function() { - $('#myForm').bind('submit', function() { - $(this).ajaxSubmit({ - target: '#output' - }); - return false; // <-- important! - }); - }); - - Use ajaxForm when you want the plugin to manage all the event binding - for you. For example, - - $(document).ready(function() { - $('#myForm').ajaxForm({ - target: '#output' - }); - }); - - When using ajaxForm, the ajaxSubmit function will be invoked for you - at the appropriate time. -*/ - -/** - * ajaxSubmit() provides a mechanism for immediately submitting - * an HTML form using AJAX. - */ -$.fn.ajaxSubmit = function(options) { - // fast fail if nothing selected (http://dev.jquery.com/ticket/2752) - if (!this.length) { - log('ajaxSubmit: skipping submit process - no element selected'); - return this; - } - - if (typeof options == 'function') - options = { success: options }; - - options = $.extend({ - url: this.attr('action') || window.location.toString(), - type: this.attr('method') || 'GET' - }, options || {}); - - // hook for manipulating the form data before it is extracted; - // convenient for use with rich editors like tinyMCE or FCKEditor - var veto = {}; - this.trigger('form-pre-serialize', [this, options, veto]); - if (veto.veto) { - log('ajaxSubmit: submit vetoed via form-pre-serialize trigger'); - return this; - } - - // provide opportunity to alter form data before it is serialized - if (options.beforeSerialize && options.beforeSerialize(this, options) === false) { - log('ajaxSubmit: submit aborted via beforeSerialize callback'); - return this; - } - - var a = this.formToArray(options.semantic); - if (options.data) { - options.extraData = options.data; - for (var n in options.data) { - if(options.data[n] instanceof Array) { - for (var k in options.data[n]) - a.push( { name: n, value: options.data[n][k] } ) - } - else - a.push( { name: n, value: options.data[n] } ); - } - } - - // give pre-submit callback an opportunity to abort the submit - if (options.beforeSubmit && options.beforeSubmit(a, this, options) === false) { - log('ajaxSubmit: submit aborted via beforeSubmit callback'); - return this; - } - - // fire vetoable 'validate' event - this.trigger('form-submit-validate', [a, this, options, veto]); - if (veto.veto) { - log('ajaxSubmit: submit vetoed via form-submit-validate trigger'); - return this; - } - - var q = $.param(a); - - if (options.type.toUpperCase() == 'GET') { - options.url += (options.url.indexOf('?') >= 0 ? '&' : '?') + q; - options.data = null; // data is null for 'get' - } - else - options.data = q; // data is the query string for 'post' - - var $form = this, callbacks = []; - if (options.resetForm) callbacks.push(function() { $form.resetForm(); }); - if (options.clearForm) callbacks.push(function() { $form.clearForm(); }); - - // perform a load on the target only if dataType is not provided - if (!options.dataType && options.target) { - var oldSuccess = options.success || function(){}; - callbacks.push(function(data) { - $(options.target).html(data).each(oldSuccess, arguments); - }); - } - else if (options.success) - callbacks.push(options.success); - - options.success = function(data, status) { - for (var i=0, max=callbacks.length; i < max; i++) - callbacks[i].apply(options, [data, status, $form]); - }; - - // are there files to upload? - var files = $('input:file', this).fieldValue(); - var found = false; - for (var j=0; j < files.length; j++) - if (files[j]) - found = true; - - // options.iframe allows user to force iframe mode - if (options.iframe || found) { - // hack to fix Safari hang (thanks to Tim Molendijk for this) - // see: http://groups.google.com/group/jquery-dev/browse_thread/thread/36395b7ab510dd5d - if ($.browser.safari && options.closeKeepAlive) - $.get(options.closeKeepAlive, fileUpload); - else - fileUpload(); - } - else - $.ajax(options); - - // fire 'notify' event - this.trigger('form-submit-notify', [this, options]); - return this; - - - // private function for handling file uploads (hat tip to YAHOO!) - function fileUpload() { - var form = $form[0]; - - if ($(':input[name=submit]', form).length) { - alert('Error: Form elements must not be named "submit".'); - return; - } - - var opts = $.extend({}, $.ajaxSettings, options); - var s = jQuery.extend(true, {}, $.extend(true, {}, $.ajaxSettings), opts); - - var id = 'jqFormIO' + (new Date().getTime()); - var $io = $('